{"version":3,"file":"core-DaiOs-WV.js","sources":["../../../../corev2/config.ts","../../../../corev2/flags.ts","../../../../corev2/apm.ts","../../../../corev2/graphql/errors.tsx","../../../../corev2/graphql/client.tsx","../../../../corev2/graphql/form.tsx","../../../../corev2/states.tsx","../../../../corev2/naics.tsx","../../../../corev2/graphql/index.tsx","../../../../corev2/graphql/actions.tsx","../../../../corev2/graphql/loaders.tsx"],"sourcesContent":["/**\n * Environment represents the deployment environment of the application.\n */\nexport type Environment = 'production' | 'staging' | 'dev';\n\n/**\n * Service represents the different frontend applications.\n */\nexport type Service = 'ais' | 'clients';\n\n/**\n * Backend represents the different backend services.\n */\nexport type Backend = 'api' | 'statics';\n\n/**\n * Gets the current environment the application is running in.\n * Defaults to 'dev' if running server-side or if environment is not set.\n */\nexport const getEnvironment = (): Environment => {\n if (typeof window === 'undefined') {\n return 'dev';\n }\n\n // eslint-disable-next-line @typescript-eslint/ban-ts-comment\n // @ts-ignore\n const environment = process.env.OYSTER_ENVIRONMENT || window?.oyster?.opts?.environment;\n switch (environment) {\n case 'production':\n case 'staging':\n case 'dev':\n return environment;\n default:\n return 'dev';\n }\n};\n\n/**\n * Gets the base URL for the API service based on the current environment.\n */\nexport const getApiBaseUrl = (): string => {\n switch (getEnvironment()) {\n case 'production':\n return 'https://api.withoyster.com';\n case 'staging':\n return 'https://api.staging.withoyster.com';\n case 'dev':\n return devServiceUrl('api');\n }\n};\n\n/**\n * Gets the base URL for the AIS service based on the current environment.\n */\nexport const getAisBaseUrl = (): string => {\n switch (getEnvironment()) {\n case 'production':\n return 'https://ais.withoyster.com';\n case 'staging':\n return 'https://ais.staging.withoyster.com';\n case 'dev':\n return devServiceUrl('ais');\n }\n};\n\n/**\n * Constructs a development service URL based on the current user's subdomain.\n * Format: https://{service}.{user}.dev.oysterinc.net\n */\nconst devServiceUrl = (service: Service | Backend) => {\n // Get the user from the URL\n const [, user] = window.location.host.split('.');\n\n return `https://${service}.${user}.dev.oysterinc.net`;\n};\n\n/**\n * Gets the current service name from environment variables.\n */\nexport const getServiceName = (): Service => (process.env.SERVICE_NAME as Service) || '';\n\n/**\n * Gets the current service version from environment variables.\n */\nexport const getServiceVersion = (): string => process.env.SERVICE_VERSION || '';\n\n/**\n * Gets a secret value from either development environment variables or window.oyster.opts.\n */\nconst getSecret = (secretName: string, devSecret?: string) =>\n devSecret || window?.['oyster']?.['opts']?.[secretName];\n\n/**\n * Gets the Mapbox public API key.\n */\nexport const getMapboxPublicKey = () => getSecret('mapboxPublicKey', process.env.MAPBOX_PUBLIC_KEY);\n\n/**\n * Gets the Sentry DSN for error reporting.\n */\nexport const getSentryDSN = () => process.env.SENTRY_DSN;\n","import * as LaunchDarkly from 'launchdarkly-js-client-sdk';\n\nimport * as config from './config';\n\nconst getClientId = () => {\n const env = config.getEnvironment();\n\n switch (env) {\n case 'production':\n return '6227626a3eb897146bfdc2ac';\n case 'staging':\n return '6227626a3eb897146bfdc2ab';\n case 'dev':\n return '6776dada990b1c095b1b43c1';\n }\n};\n\nconst getContext = (user: User | null): LaunchDarkly.LDContext => {\n if (!user) {\n return {\n kind: 'user',\n anonymous: true\n };\n }\n\n const context: LaunchDarkly.LDContext = {\n kind: 'multi',\n user: {\n key: user.id,\n kind: 'user',\n type: user.agencyId ? 'agent' : 'client',\n name: user.name,\n email: user.email\n }\n };\n\n if (user.agencyId) {\n context.agency = {\n kind: 'agency',\n key: user.agencyId,\n type: 'agency',\n name: user.agencyName\n };\n }\n\n if (user.accountId) {\n context.account = {\n kind: 'account',\n key: user.accountId,\n type: 'account',\n name: user.accountName\n };\n }\n\n return context;\n};\n\nlet ldClient: LaunchDarkly.LDClient;\n\ntype User = {\n id: string;\n email: string;\n name: string;\n\n agencyId?: string;\n agencyName?: string;\n\n accountId?: string;\n accountName?: string;\n};\n\nexport const initializeClient = async (user: User | null) => {\n ldClient = LaunchDarkly.initialize(getClientId(), getContext(user));\n try {\n await ldClient.waitForInitialization(5);\n } catch (error) {\n // TODO: send these errors to Sentry\n // eslint-disable-next-line no-console\n console.error('Failed to initialize LaunchDarkly client', error);\n }\n return ldClient;\n};\n\nconst getJSONFlag = (flagName: string, defaultValue?: T) => {\n const flag = ldClient.variation(flagName, defaultValue);\n return flag as T;\n};\n\n// Define functions to get flags\ntype HomePageConfiguration = {\n enabled: boolean;\n};\n\nexport const getHomePageConfiguration = () =>\n getJSONFlag('ais-homepage-configuration');\n","import * as React from 'react';\nimport {\n createRoutesFromChildren,\n matchRoutes,\n useLocation,\n useNavigationType\n} from 'react-router-dom';\nimport * as Sentry from '@sentry/react';\nimport * as config from './config';\nimport { initializeClient } from './flags';\n\ntype User = {\n id: string;\n email: string;\n name: string;\n\n agencyId?: string;\n agencyName?: string;\n\n accountId?: string;\n accountName?: string;\n};\n\nexport const setUser = async (user: User | null) => {\n Sentry.setUser(user);\n await initializeClient(user);\n};\n\nSentry.init({\n dsn: config.getSentryDSN(),\n integrations: [\n Sentry.browserProfilingIntegration(),\n Sentry.browserSessionIntegration(),\n Sentry.browserTracingIntegration(),\n Sentry.captureConsoleIntegration({\n levels: ['error']\n }),\n Sentry.extraErrorDataIntegration(),\n Sentry.httpClientIntegration(),\n Sentry.launchDarklyIntegration(),\n Sentry.reactRouterV6BrowserTracingIntegration({\n useEffect: React.useEffect,\n useLocation,\n useNavigationType,\n createRoutesFromChildren,\n matchRoutes\n }),\n Sentry.replayIntegration({\n networkDetailAllowUrls: [window.location.origin, config.getApiBaseUrl()],\n networkCaptureBodies: true,\n networkRequestHeaders: ['X-Oyster-Application-Namespace'],\n maskAllText: false,\n blockAllMedia: false\n }),\n Sentry.sessionTimingIntegration()\n ],\n\n autoSessionTracking: true,\n enabled: config.getEnvironment() === 'production',\n enableTracing: true,\n\n environment: config.getEnvironment(),\n release: config.getServiceVersion(),\n\n // Set tracesSampleRate to 1.0 to capture 100%\n // of transactions for performance monitoring.\n tracesSampleRate: 1.0,\n\n // Set `tracePropagationTargets` to control for which URLs distributed tracing should be enabled\n tracePropagationTargets: [config.getApiBaseUrl()],\n\n // Capture Replay for 100% of all sessions,\n // plus for 100% of sessions with an error\n replaysSessionSampleRate: 1.0,\n replaysOnErrorSampleRate: 1.0\n});\n","import { ApolloError } from '@apollo/client';\nimport { ApplicationError, ValidationError } from '.';\n\nexport const getApplicationError = (error?: ApolloError) =>\n error?.graphQLErrors?.find((e) => !!e.extensions?.applicationError)?.extensions\n ?.applicationError as ApplicationError | undefined;\n\nexport const getValidationErrors = (error?: ApolloError) =>\n error?.graphQLErrors\n ?.filter((e) => !!e.extensions?.validationError)\n ?.map((e) => e.extensions?.validationError) as ValidationError[] | undefined;\n","import { ApolloError, from } from '@apollo/client';\nimport { InMemoryCache } from '@apollo/client';\nimport { ApolloClient, split } from '@apollo/client';\nimport { getMainDefinition } from '@apollo/client/utilities';\nimport { removeTypenameFromVariables } from '@apollo/client/link/remove-typename';\nimport { GraphQLWsLink } from '@apollo/client/link/subscriptions';\nimport createUploadLink from 'apollo-upload-client/createUploadLink.mjs';\nimport { createClient as createWsClient } from 'graphql-ws';\nimport { getApiBaseUrl } from '@oysterjs/corev2/config';\nimport { getValidationErrors } from './errors';\nimport { GraphQLFormattedError, Kind, OperationTypeNode } from 'graphql';\n\nexport const createClient = (namespace: 'Agency' | 'Clients') =>\n new ApolloClient({\n cache: new InMemoryCache(),\n defaultOptions: {\n watchQuery: {\n errorPolicy: 'all',\n fetchPolicy: 'network-only'\n },\n query: {\n errorPolicy: 'all',\n fetchPolicy: 'network-only'\n },\n mutate: {\n errorPolicy: 'all',\n fetchPolicy: 'network-only'\n }\n },\n link: from([\n removeTypenameFromVariables(),\n split(\n ({ query }) => {\n const definition = getMainDefinition(query);\n return (\n definition.kind === Kind.OPERATION_DEFINITION &&\n definition.operation === OperationTypeNode.SUBSCRIPTION\n );\n },\n new GraphQLWsLink(\n createWsClient({\n url: `${getApiBaseUrl()}/graphql/query`,\n connectionParams: {\n 'X-Oyster-Application-Namespace': namespace\n }\n })\n ),\n createUploadLink({\n uri: `${getApiBaseUrl()}/graphql/query`,\n credentials: 'include',\n fetch: async (uri: string | URL, options: RequestInit) => {\n // Set the app namespace in the headers\n options.headers = {\n ...options.headers,\n 'X-Oyster-Application-Namespace': namespace\n };\n\n // Send the request as usual to the server\n const response = await fetch(uri, options);\n\n // In most cases, we will want to return the response as usual. However, GraphQL will\n // return a status 422 if there is a validation error before the resolver is called. In\n // some of these cases, the server is configured to return a JSON response with the\n // validation error. If we detect this case, we actually want to continue with the request\n // as normal, so we need to modify the response's status code to 200.\n if (response.status === 422) {\n // Check the body for a validation error\n const cloned = response.clone();\n const body = await cloned.json();\n\n const graphQLErrors: GraphQLFormattedError[] | undefined = body.errors;\n\n if (graphQLErrors && !!getValidationErrors(new ApolloError({ graphQLErrors }))) {\n // If there are validation errors, modify the response's status code to 200\n return new Response(JSON.stringify(body), {\n status: 200,\n statusText: 'OK',\n headers: response.headers\n });\n }\n }\n\n return response;\n }\n })\n )\n ])\n });\n","import { ValidationError } from '.';\n\n/**\n * Updates multiple form fields and clears associated validation errors\n * @param setForm - React setState function to update form state\n * @param setValidationErrors - React setState function to update validation errors\n * @returns Function that takes field paths and update function to modify form state\n * @example\n * const updateMultiple = updateFormMulti(setForm, setValidationErrors);\n * updateMultiple([['contact', 'name'], ['contact', 'email']], (prev) => ({\n * ...prev,\n * contact: { ...prev.contact, name: 'John', email: 'john@example.com' }\n * }));\n */\nexport const updateFormMulti =\n (\n setForm: React.Dispatch>,\n setValidationErrors: React.Dispatch>\n ) =>\n (fieldPartsList: string[][], update: (prev: T) => T) => {\n fieldPartsList.forEach((fieldParts) =>\n setValidationErrors((prev) =>\n prev.filter(\n (e) =>\n e.field.length !== fieldParts.length || !e.field.every((v, i) => v === fieldParts[i])\n )\n )\n );\n setForm((prev) => update(prev));\n };\n\n/**\n * Updates a single form field and clears associated validation errors\n * @param setForm - React setState function to update form state\n * @param setValidationErrors - React setState function to update validation errors\n * @returns Function that takes field path and update function to modify form state\n * @example\n * const update = updateForm(setForm, setValidationErrors);\n * update(['contact', 'name'], (prev) => ({\n * ...prev,\n * contact: { ...prev.contact, name: 'John' }\n * }));\n */\nexport const updateForm =\n (\n setForm: React.Dispatch>,\n setValidationErrors: React.Dispatch>\n ) =>\n (fieldParts: string[], update: (prev: T) => T) => {\n setValidationErrors((prev) => prev.filter((e) => !getValidationError([e], fieldParts)));\n setForm((prev) => update(prev));\n };\n\n/**\n * Gets validation error message for a specific field path\n * @param validationErrors - Array of validation errors\n * @param fieldParts - Array of strings representing path to form field\n * @returns Error message if validation error exists for field\n * @example\n * const errorMessage = getError(validationErrors, ['contact', 'email']);\n */\nexport const getValidationError = (validationErrors: ValidationError[], fieldParts: string[]) =>\n validationErrors.find(\n (e) =>\n e.field.length >= fieldParts.length &&\n e.field.slice(-fieldParts.length).every((v, i) => v === fieldParts[i])\n )?.message;\n\n/**\n * Hook that provides form update and validation error utilities\n * @param setForm - React setState function to update form state\n * @param setValidationErrors - React setState function to update validation errors\n * @returns Object containing form update and error checking functions\n * @example\n * const { updateForm, updateFormMulti, getError } = useFormActions(setForm, setValidationErrors);\n */\nexport const useFormActions = (\n setForm: React.Dispatch>,\n setValidationErrors: React.Dispatch>\n) => ({\n updateForm: updateForm(setForm, setValidationErrors),\n updateFormMulti: updateFormMulti(setForm, setValidationErrors),\n getValidationError\n});\n","export const states = [\n { value: 'AL', name: 'Alabama' },\n { value: 'AK', name: 'Alaska' },\n // { value: 'AS', name: 'American Samoa' },\n { value: 'AZ', name: 'Arizona' },\n { value: 'AR', name: 'Arkansas' },\n { value: 'CA', name: 'California' },\n { value: 'CO', name: 'Colorado' },\n { value: 'CT', name: 'Connecticut' },\n { value: 'DE', name: 'Delaware' },\n { value: 'DC', name: 'Distict of Columbia' },\n { value: 'FL', name: 'Florida' },\n { value: 'GA', name: 'Georgia' },\n // { value: 'GU', name: 'Guam' },\n { value: 'HI', name: 'Hawaii' },\n { value: 'ID', name: 'Idaho' },\n { value: 'IL', name: 'Illinois' },\n { value: 'IN', name: 'Indiana' },\n { value: 'IA', name: 'Iowa' },\n { value: 'KS', name: 'Kansas' },\n { value: 'KY', name: 'Kentucky' },\n { value: 'LA', name: 'Louisiana' },\n { value: 'ME', name: 'Maine' },\n { value: 'MD', name: 'Maryland' },\n { value: 'MA', name: 'Massachusetts' },\n { value: 'MI', name: 'Michigan' },\n { value: 'MN', name: 'Minnesota' },\n { value: 'MS', name: 'Mississippi' },\n { value: 'MO', name: 'Missouri' },\n { value: 'MT', name: 'Montana' },\n { value: 'NE', name: 'Nebraska' },\n { value: 'NV', name: 'Nevada' },\n { value: 'NH', name: 'New Hampshire' },\n { value: 'NJ', name: 'New Jersey' },\n { value: 'NM', name: 'New Mexico' },\n { value: 'NY', name: 'New York' },\n { value: 'NC', name: 'North Carolina' },\n { value: 'ND', name: 'North Dakota' },\n // { value: 'MP', name: 'Northern Marina Islands' },\n { value: 'OH', name: 'Ohio' },\n { value: 'OK', name: 'Oklahoma' },\n { value: 'OR', name: 'Oregon' },\n { value: 'PA', name: 'Pennsylvania' },\n // { value: 'PR', name: 'Puerto Rico' },\n { value: 'RI', name: 'Rhode Island' },\n { value: 'SC', name: 'South Carolina' },\n { value: 'SD', name: 'South Dakota' },\n { value: 'TN', name: 'Tennessee' },\n { value: 'TX', name: 'Texas' },\n // { value: 'TT', name: 'Trust Territories' },\n { value: 'UT', name: 'Utah' },\n { value: 'VT', name: 'Vermont' },\n { value: 'VA', name: 'Virginia' },\n // { value: 'VI', name: 'Virgin Islands' },\n { value: 'WA', name: 'Washington' },\n { value: 'WV', name: 'West Virginia' },\n { value: 'WI', name: 'Wisconsin' },\n { value: 'WY', name: 'Wyoming' }\n];\n","export const naics = {\n '111110': {\n title: 'Soybean Farming',\n description:\n 'This industry comprises establishments primarily engaged in growing soybeans and/or producing soybean seeds.'\n },\n '111120': {\n title: 'Oilseed (except Soybean) Farming',\n description:\n 'This industry comprises establishments primarily engaged in growing fibrous oilseed producing plants and/or producing oilseed seeds, such as sunflower, safflower, flax, rape, canola, and sesame.'\n },\n '111130': {\n title: 'Dry Pea and Bean Farming',\n description:\n 'This industry comprises establishments primarily engaged in growing dry peas, beans, and/or lentils.'\n },\n '111140': {\n title: 'Wheat Farming',\n description:\n 'This industry comprises establishments primarily engaged in growing wheat and/or producing wheat seeds.'\n },\n '111150': {\n title: 'Corn Farming',\n description:\n 'This industry comprises establishments primarily engaged in growing corn (except sweet corn) and/or producing corn seeds.'\n },\n '111160': {\n title: 'Rice Farming',\n description:\n 'This industry comprises establishments primarily engaged in growing rice (except wild rice) and/or producing rice seeds.'\n },\n '111191': {\n title: 'Oilseed and Grain Combination Farming',\n description:\n \"This U.S. industry comprises establishments engaged in growing a combination of oilseed(s) and grain(s) with no one oilseed (or family of oilseeds) or grain (or family of grains) accounting for one-half of the establishment's agricultural production (value of crops for market). These establishments may produce oilseed(s) and grain(s) seeds and/or grow oilseed(s) and grain(s).\"\n },\n '111199': {\n title: 'All Other Grain Farming',\n description:\n 'This U.S. industry comprises establishments primarily engaged in growing grains and/or producing grain(s) seeds (except wheat, corn, rice, and oilseed(s) and grain(s) combinations).'\n },\n '111211': {\n title: 'Potato Farming',\n description:\n 'This U.S. industry comprises establishments primarily engaged in growing potatoes and/or producing seed potatoes.'\n },\n '111219': {\n title: 'Other Vegetable (except Potato) and Melon Farming',\n description:\n 'This U.S. industry comprises establishments primarily engaged in one or more of the following: (1) growing melons and/or vegetables (except potatoes; dry peas; dry beans; field, silage, or seed corn; and sugar beets); (2) producing vegetable and/or melon seeds; and (3) growing vegetable and/or melon bedding plants.'\n },\n '111310': {\n title: 'Orange Groves',\n description: 'This industry comprises establishments primarily engaged in growing oranges.'\n },\n '111320': {\n title: 'Citrus (except Orange) Groves',\n description:\n 'This industry comprises establishments primarily engaged in growing citrus fruits (except oranges).'\n },\n '111331': {\n title: 'Apple Orchards',\n description: 'This U.S. industry comprises establishments primarily engaged in growing apples.'\n },\n '111332': {\n title: 'Grape Vineyards',\n description:\n 'This U.S. industry comprises establishments primarily engaged in growing grapes and/or growing grapes to sun dry into raisins.'\n },\n '111333': {\n title: 'Strawberry Farming',\n description:\n 'This U.S. industry comprises establishments primarily engaged in growing strawberries.'\n },\n '111334': {\n title: 'Berry (except Strawberry) Farming',\n description: 'This U.S. industry comprises establishments primarily engaged in growing berries.'\n },\n '111335': {\n title: 'Tree Nut Farming',\n description:\n 'This U.S. industry comprises establishments primarily engaged in growing tree nuts.'\n },\n '111336': {\n title: 'Fruit and Tree Nut Combination Farming',\n description:\n \"This U.S. industry comprises establishments primarily engaged in growing a combination of fruit(s) and tree nut(s) with no one fruit (or family of fruit) or family of tree nuts accounting for one-half of the establishment's agricultural production (i.e., value of crops for market).\"\n },\n '111339': {\n title: 'Other Noncitrus Fruit Farming',\n description:\n 'This U.S. industry comprises establishments primarily engaged in growing noncitrus fruits (except apples, grapes, berries, and fruit(s) and tree nut(s) combinations).'\n },\n '111411': {\n title: 'Mushroom Production',\n description:\n 'This U.S. industry comprises establishments primarily engaged in growing mushrooms under cover in mines underground, or in other controlled environments.'\n },\n '111419': {\n title: 'Other Food Crops Grown Under Cover',\n description:\n 'This U.S. industry comprises establishments primarily engaged in growing food crops (except mushrooms) under glass or protective cover.'\n },\n '111421': {\n title: 'Nursery and Tree Production',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) growing nursery products, nursery stock, shrubbery, bulbs, fruit stock, sod, and so forth, under cover or in open fields and/or (2) growing short rotation woody trees with a growth and harvest cycle of 10 years or less for pulp or tree stock.'\n },\n '111422': {\n title: 'Floriculture Production',\n description:\n 'This U.S. industry comprises establishments primarily engaged in growing and/or producing floriculture products (e.g., cut flowers and roses, cut cultivated greens, potted flowering and foliage plants, and flower seeds) under cover and in open fields.'\n },\n '111910': {\n title: 'Tobacco Farming',\n description: 'This industry comprises establishments primarily engaged in growing tobacco.'\n },\n '111920': {\n title: 'Cotton Farming',\n description: 'This industry comprises establishments primarily engaged in growing cotton.'\n },\n '111930': {\n title: 'Sugarcane Farming',\n description: 'This industry comprises establishments primarily engaged in growing sugarcane.'\n },\n '111940': {\n title: 'Hay Farming',\n description:\n 'This industry comprises establishments primarily engaged in growing hay, alfalfa, clover, and/or mixed hay.'\n },\n '111991': {\n title: 'Sugar Beet Farming',\n description:\n 'This U.S. industry comprises establishments primarily engaged in growing sugar beets.'\n },\n '111992': {\n title: 'Peanut Farming',\n description: 'This U.S. industry comprises establishments primarily engaged in growing peanuts.'\n },\n '111998': {\n title: 'All Other Miscellaneous Crop Farming',\n description:\n \"This U.S. industry comprises establishments primarily engaged in one of the following: (1) growing crops (except oilseeds and/or grains; vegetables and/or melons; fruits and/or tree nuts; greenhouse, nursery, and/or floriculture products; tobacco; cotton; sugarcane; hay; sugar beets; or peanuts); (2) growing a combination of crops (except a combination of oilseed(s) and grain(s); and a combination of fruit(s) and tree nut(s)) with no one crop or family of crops accounting for one-half of the establishment's agricultural production (i.e., value of crops for market); or (3) gathering tea or maple sap.\"\n },\n '112111': {\n title: 'Beef Cattle Ranching and Farming',\n description:\n 'This U.S. industry comprises establishments primarily engaged in raising cattle (including cattle for dairy herd replacements).'\n },\n '112112': {\n title: 'Cattle Feedlots',\n description:\n 'This U.S. industry comprises establishments primarily engaged in feeding cattle for fattening.'\n },\n '112120': {\n title: 'Dairy Cattle and Milk Production',\n description: 'This industry comprises establishments primarily engaged in milking dairy cattle.'\n },\n '112130': {\n title: 'Dual-Purpose Cattle Ranching and Farming',\n description:\n 'This industry comprises establishments primarily engaged in raising cattle for both milking and meat production.'\n },\n '112210': {\n title: 'Hog and Pig Farming',\n description:\n 'This industry comprises establishments primarily engaged in raising hogs and pigs. These establishments may include farming activities, such as breeding, farrowing, and the raising of weanling pigs, feeder pigs, or market size hogs.'\n },\n '112310': {\n title: 'Chicken Egg Production',\n description:\n 'This industry comprises establishments primarily engaged in raising chickens for egg production. The eggs produced may be for use as table eggs or hatching eggs.'\n },\n '112320': {\n title: 'Broilers and Other Meat Type Chicken Production',\n description:\n 'This industry comprises establishments primarily engaged in raising broilers, fryers, roasters, and other meat type chickens.'\n },\n '112330': {\n title: 'Turkey Production',\n description:\n 'This industry comprises establishments primarily engaged in raising turkeys for meat or egg production.'\n },\n '112340': {\n title: 'Poultry Hatcheries',\n description:\n 'This industry comprises establishments primarily engaged in hatching poultry of any kind.'\n },\n '112390': {\n title: 'Other Poultry Production',\n description:\n 'This industry comprises establishments primarily engaged in raising poultry (except chickens for meat or egg production and turkeys).'\n },\n '112410': {\n title: 'Sheep Farming',\n description:\n 'This industry comprises establishments primarily engaged in raising sheep and lambs, or feeding lambs for fattening. The sheep or lambs may be raised for sale or wool production.'\n },\n '112420': {\n title: 'Goat Farming',\n description: 'This industry comprises establishments primarily engaged in raising goats.'\n },\n '112511': {\n title: 'Finfish Farming and Fish Hatcheries',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) farm raising finfish (e.g., catfish, trout, goldfish, tropical fish, minnows) and/or (2) hatching fish of any kind.'\n },\n '112512': {\n title: 'Shellfish Farming',\n description:\n 'This U.S. industry comprises establishments primarily engaged in farm raising shellfish (e.g., crayfish, shrimp, oysters, clams, mollusks).'\n },\n '112519': {\n title: 'Other Aquaculture',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) farm raising of aquatic animals (except finfish and shellfish) and/or (2) farm raising of aquatic plants. Alligator, algae, frog, seaweed, or turtle production is included in this industry.'\n },\n '112910': {\n title: 'Apiculture',\n description:\n \"This industry comprises establishments primarily engaged in raising bees. These establishments may collect and gather honey; and/or sell queen bees, packages of bees, royal jelly, bees' wax, propolis, venom, pollen, and/or other bee products.\"\n },\n '112920': {\n title: 'Horses and Other Equine Production',\n description:\n 'This industry comprises establishments primarily engaged in raising horses, mules, donkeys, and other equines.'\n },\n '112930': {\n title: 'Fur-Bearing Animal and Rabbit Production',\n description:\n 'This industry comprises establishments primarily engaged in raising fur-bearing animals including rabbits. These animals may be raised for sale or for their pelt production.'\n },\n '112990': {\n title: 'All Other Animal Production',\n description:\n \"This industry comprises establishments primarily engaged in (1) raising animals (except cattle, hogs and pigs, poultry, sheep and goats, aquaculture, apiculture, horses and other equines; and fur-bearing animals including rabbits) or (2) raising a combination of animals, with no one animal or family of animals accounting for one-half of the establishment's agricultural production (i.e., value of animals for market).\"\n },\n '113110': {\n title: 'Timber Tract Operations',\n description:\n 'This industry comprises establishments primarily engaged in the operation of timber tracts for the purpose of selling standing timber.'\n },\n '113210': {\n title: 'Forest Nurseries and Gathering of Forest Products',\n description:\n 'This industry comprises establishments primarily engaged in (1) growing trees for reforestation and/or (2) gathering forest products, such as gums, barks, balsam needles, rhizomes, fibers, Spanish moss, ginseng, and truffles.'\n },\n '113310': {\n title: 'Logging',\n description:\n 'This industry comprises establishments primarily engaged in one or more of the following: (1) cutting timber; (2) cutting and transporting timber; and (3) producing wood chips in the field.'\n },\n '114111': {\n title: 'Finfish Fishing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in the commercial catching or taking of finfish (e.g., bluefish, salmon, trout, tuna) from their natural habitat.'\n },\n '114112': {\n title: 'Shellfish Fishing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in the commercial catching or taking of shellfish (e.g., clams, crabs, lobsters, mussels, oysters, sea urchins, shrimp) from their natural habitat.'\n },\n '114119': {\n title: 'Other Marine Fishing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in the commercial catching or taking of marine animals (except finfish and shellfish).'\n },\n '114210': {\n title: 'Hunting and Trapping',\n description:\n 'This industry comprises establishments primarily engaged in one or more of the following: (1) commercial hunting and trapping; (2) operating commercial game preserves, such as game retreats; and (3) operating hunting preserves.'\n },\n '115111': {\n title: 'Cotton Ginning',\n description: 'This U.S. industry comprises establishments primarily engaged in ginning cotton.'\n },\n '115112': {\n title: 'Soil Preparation, Planting, and Cultivating',\n description:\n 'This U.S. industry comprises establishments primarily engaged in performing a soil preparation activity or crop production service, such as plowing, fertilizing, seed bed preparation, planting, cultivating, and crop protecting services.'\n },\n '115113': {\n title: 'Crop Harvesting, Primarily by Machine',\n description:\n 'This U.S. industry comprises establishments primarily engaged in mechanical harvesting, picking, and combining of crops, and related activities. The machinery used is provided by the servicing establishment.'\n },\n '115114': {\n title: 'Postharvest Crop Activities (except Cotton Ginning)',\n description:\n 'This U.S. industry comprises establishments primarily engaged in performing services on crops, subsequent to their harvest, with the intent of preparing them for market or further processing. These establishments provide postharvest activities, such as crop cleaning, sun drying, shelling, fumigating, curing, sorting, grading, packing, and cooling.'\n },\n '115115': {\n title: 'Farm Labor Contractors and Crew Leaders',\n description:\n 'This U.S. industry comprises establishments primarily engaged in supplying labor for agricultural production or harvesting.'\n },\n '115116': {\n title: 'Farm Management Services',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing farm management services on a contract or fee basis usually to citrus groves, orchards, or vineyards. These establishments always provide management and may arrange or contract for the partial or the complete operations of the farm establishment(s) they manage. Operational activities may include cultivating, harvesting, and/or other specialized agricultural support activities.'\n },\n '115210': {\n title: 'Support Activities for Animal Production',\n description:\n 'This industry comprises establishments primarily engaged in performing support activities related to raising livestock (e.g., cattle, goats, hogs, horses, poultry, sheep). These establishments may perform one or more of the following: (1) breeding services for animals, including companion animals (e.g., cats, dogs, pet birds); (2) pedigree record services; (3) boarding horses; (4) dairy herd improvement activities; (5) livestock spraying; and (6) sheep dipping and shearing.'\n },\n '115310': {\n title: 'Support Activities for Forestry',\n description:\n 'This industry comprises establishments primarily engaged in performing particular support activities related to timber production, wood technology, forestry economics and marketing, and forest protection. These establishments may provide support activities for forestry, such as estimating timber, forest firefighting, forest pest control, treating burned forests from the air for reforestation or on an emergency basis, and consulting on wood attributes and reforestation.'\n },\n '211120': {\n title: 'Crude Petroleum Extraction',\n description:\n 'This industry comprises establishments primarily engaged in (1) the exploration, development, and/or the production of petroleum from wells in which the hydrocarbons will initially flow or can be produced using normal or enhanced drilling and extraction techniques or (2) the production of crude petroleum from surface shales or tar sands or from reservoirs in which the hydrocarbons are semisolids. Establishments in this industry operate oil wells on their own account or for others on a contract or fee basis.'\n },\n '211130': {\n title: 'Natural Gas Extraction',\n description:\n 'This industry comprises establishments primarily engaged in (1) the exploration, development, and/or the production of natural gas from wells in which the hydrocarbons will initially flow or can be produced using normal or enhanced drilling and extraction techniques or (2) the recovery of liquid hydrocarbons from oil and gas field gases. Establishments primarily engaged in sulfur recovery from natural gas are included in this industry.'\n },\n '212114': {\n title: 'Surface Coal Mining',\n description:\n 'This U.S. industry comprises establishments primarily engaged in one or more of the following: (1) surface mining of bituminous coal, lignite, and anthracite coal; (2) developing bituminous coal, lignite, and anthracite coal surface mine sites; (3) surface mining and beneficiating (e.g., cleaning, washing, screening, and sizing) of bituminous coal, lignite, and anthracite coal; or (4) beneficiating (e.g., cleaning, washing, screening, and sizing), but not mining, bituminous coal, lignite, and anthracite coal.'\n },\n '212115': {\n title: 'Underground Coal Mining',\n description:\n 'This U.S. industry comprises establishments primarily engaged in one or more of the following: (1) underground mining of bituminous and anthracite coal; (2) developing bituminous and anthracite coal underground mine sites; and (3) underground mining and beneficiating (e.g., cleaning, washing, screening, and sizing) of bituminous and anthracite coal.'\n },\n '212210': {\n title: 'Iron Ore Mining',\n description:\n 'This industry comprises establishments primarily engaged in (1) developing mine sites, mining, and/or beneficiating (i.e., preparing) iron ores and manganiferous ores valued chiefly for their iron content and/or (2) producing sinter iron ore (except iron ore produced in iron and steel mills) and other iron ore agglomerates.'\n },\n '212220': {\n title: 'Gold Ore and Silver Ore Mining',\n description:\n 'This industry comprises establishments primarily engaged in developing the mine site, mining, and/or beneficiating (i.e., preparing) ores valued chiefly for their gold and/or silver content. Establishments primarily engaged in the transformation of the gold and silver into bullion or dore bar in combination with mining activities are included in this industry.'\n },\n '212230': {\n title: 'Copper, Nickel, Lead, and Zinc Mining',\n description:\n 'This industry comprises establishments primarily engaged in developing the mine site, mining, and/or beneficiating (i.e., preparing) ores valued chiefly for their copper, nickel, lead, or zinc content. Beneficiating includes the transformation of ores into concentrates. Establishments primarily engaged in recovering copper concentrates by the precipitation, leaching, or electrowinning of copper ore are included in this industry.'\n },\n '212290': {\n title: 'Other Metal Ore Mining',\n description:\n 'This industry comprises establishments primarily engaged in developing the mine site, mining, and/or beneficiating (i.e., preparing) metal ores (except iron and manganiferous ores valued for their iron content, gold ore, silver ore, copper, nickel, lead, and zinc ore).'\n },\n '212311': {\n title: 'Dimension Stone Mining and Quarrying',\n description:\n 'This U.S. industry comprises establishments primarily engaged in developing the mine site and/or mining or quarrying dimension stone (i.e., rough blocks and/or slabs of stone).'\n },\n '212312': {\n title: 'Crushed and Broken Limestone Mining and Quarrying',\n description:\n 'This U.S. industry comprises (1) establishments primarily engaged in developing the mine site, mining or quarrying crushed and broken limestone (including related rocks, such as dolomite, cement rock, marl, travertine, and calcareous tufa) and (2) preparation plants primarily engaged in beneficiating limestone (e.g., grinding or pulverizing).'\n },\n '212313': {\n title: 'Crushed and Broken Granite Mining and Quarrying',\n description:\n 'This U.S. industry comprises (1) establishments primarily engaged in developing the mine site, and/or mining or quarrying crushed and broken granite (including related rocks, such as gneiss, syenite (except nepheline), and diorite) and (2) preparation plants primarily engaged in beneficiating granite (e.g., grinding or pulverizing).'\n },\n '212319': {\n title: 'Other Crushed and Broken Stone Mining and Quarrying',\n description:\n 'This U.S. industry comprises: (1) establishments primarily engaged in developing the mine site and/or mining or quarrying crushed and broken stone (except limestone and granite); (2) preparation plants primarily engaged in beneficiating (e.g., grinding and pulverizing) stone (except limestone and granite); and (3) establishments primarily engaged in mining or quarrying bituminous limestone and bituminous sandstone.'\n },\n '212321': {\n title: 'Construction Sand and Gravel Mining',\n description:\n 'This U.S. industry comprises establishments primarily engaged in one or more of the following: (1) operating commercial grade (i.e., construction) sand and gravel pits; (2) dredging for commercial grade sand and gravel; and (3) washing, screening, or otherwise preparing commercial grade sand and gravel.'\n },\n '212322': {\n title: 'Industrial Sand Mining',\n description:\n 'This U.S. industry comprises establishments primarily engaged in one or more of the following: (1) operating industrial grade sand pits; (2) dredging for industrial grade sand; and (3) washing, screening, or otherwise preparing industrial grade sand.'\n },\n '212323': {\n title: 'Kaolin, Clay, and Ceramic and Refractory Minerals Mining',\n description:\n 'This U.S. industry comprises (1) establishments primarily engaged in developing the mine site and/or mining clay (e.g., china clay, paper clay and slip clay) or ceramic and refractory minerals and (2) establishments primarily engaged in beneficiating (i.e., preparing) clay or ceramic and refractory minerals.'\n },\n '212390': {\n title: 'Other Nonmetallic Mineral Mining and Quarrying',\n description:\n 'This industry comprises establishments primarily engaged in developing the mine site, mining, and/or milling or otherwise beneficiating (i.e., preparing) nonmetallic minerals (except coal, stone, sand, gravel, clay, and ceramic and refractory minerals). Drylake brine operations are included in this industry, as well as establishments engaged in producing the specified minerals from underground and open pit mines.'\n },\n '213111': {\n title: 'Drilling Oil and Gas Wells',\n description:\n 'This U.S. industry comprises establishments primarily engaged in drilling oil and gas wells for others on a contract or fee basis. This industry includes contractors that specialize in spudding in, drilling in, redrilling, and directional drilling.'\n },\n '213112': {\n title: 'Support Activities for Oil and Gas Operations',\n description:\n 'This U.S. industry comprises establishments primarily engaged in performing support activities, on a contract or fee basis, for oil and gas operations (except geophysical surveying and mapping, site preparation, construction, and transportation activities). Services included are exploration; excavating slush pits and cellars, well surveying; running, cutting, and pulling casings, tubes, and rods; cementing wells, shooting wells; perforating well casings; acidizing and chemically treating wells; and cleaning out, bailing, and swabbing wells.'\n },\n '213113': {\n title: 'Support Activities for Coal Mining',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing support activities for coal mining (except geophysical surveying and mapping, site preparation, construction, and transportation activities) on a contract or fee basis. Exploration for coal is included in this industry. Exploration services include traditional prospecting methods, such as taking core samples and making geological observations at prospective sites.'\n },\n '213114': {\n title: 'Support Activities for Metal Mining',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing support activities (except geophysical surveying and mapping, site preparation, construction, and transportation activities), on a contract or fee basis, for the mining and quarrying of metallic minerals and for the extraction of metal ores. Exploration for these minerals is included in this industry. Exploration services include traditional prospecting methods, such as taking core samples and making geological observations at prospective sites.'\n },\n '213115': {\n title: 'Support Activities for Nonmetallic Minerals (except Fuels) Mining',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing support activities, on a contract or fee basis, for the mining and quarrying of nonmetallic minerals (except fuel) and for the extraction of nonmetallic minerals (except geophysical surveying and mapping, site preparation, construction, and transportation activities). Exploration for these minerals is included in this industry. Exploration services include traditional prospecting methods, such as taking core samples and making geological observations at prospective sites.'\n },\n '221111': {\n title: 'Hydroelectric Power Generation',\n description:\n 'This U.S. industry comprises establishments primarily engaged in operating hydroelectric power generation facilities. These facilities use water power to drive a turbine and produce electric energy. The electric energy produced in these establishments is provided to electric power transmission systems or to electric power distribution systems.'\n },\n '221112': {\n title: 'Fossil Fuel Electric Power Generation',\n description:\n 'This U.S. industry comprises establishments primarily engaged in operating fossil fuel powered electric power generation facilities. These facilities use fossil fuels, such as coal, oil, or gas, in internal combustion or combustion turbine conventional steam process to produce electric energy. The electric energy produced in these establishments is provided to electric power transmission systems or to electric power distribution systems.'\n },\n '221113': {\n title: 'Nuclear Electric Power Generation',\n description:\n 'This U.S. industry comprises establishments primarily engaged in operating nuclear electric power generation facilities. These facilities use nuclear power to produce electric energy. The electric energy produced in these establishments is provided to electric power transmission systems or to electric power distribution systems.'\n },\n '221114': {\n title: 'Solar Electric Power Generation',\n description:\n 'This U.S. industry comprises establishments primarily engaged in operating solar electric power generation facilities. These facilities use energy from the sun to produce electric energy. The electric energy produced in these establishments is provided to electric power transmission systems or to electric power distribution systems.'\n },\n '221115': {\n title: 'Wind Electric Power Generation',\n description:\n 'This U.S. industry comprises establishments primarily engaged in operating wind electric power generation facilities. These facilities use wind power to drive a turbine and produce electric energy. The electric energy produced in these establishments is provided to electric power transmission systems or to electric power distribution systems.'\n },\n '221116': {\n title: 'Geothermal Electric Power Generation',\n description:\n 'This U.S. industry comprises establishments primarily engaged in operating geothermal electric power generation facilities. These facilities use heat derived from the Earth to produce electric energy. The electric energy produced in these establishments is provided to electric power transmission systems or to electric power distribution systems.'\n },\n '221117': {\n title: 'Biomass Electric Power Generation',\n description:\n 'This U.S. industry comprises establishments primarily engaged in operating biomass electric power generation facilities. These facilities use biomass (e.g., wood, waste, alcohol fuels) to produce electric energy. The electric energy produced in these establishments is provided to electric power transmission systems or to electric power distribution systems.'\n },\n '221118': {\n title: 'Other Electric Power Generation',\n description:\n 'This U.S. industry comprises establishments primarily engaged in operating electric power generation facilities (except hydroelectric, fossil fuel, nuclear, solar, wind, geothermal, biomass). These facilities convert other forms of energy, such as tidal power, into electric energy. The electric energy produced in these establishments is provided to electric power transmission systems or to electric power distribution systems.'\n },\n '221121': {\n title: 'Electric Bulk Power Transmission and Control',\n description:\n 'This U.S. industry comprises establishments primarily engaged in operating electric power transmission systems and/or controlling (i.e., regulating voltages) the transmission of electricity from the generating source to distribution centers or other electric utilities. The transmission system includes lines and transformer stations.'\n },\n '221122': {\n title: 'Electric Power Distribution',\n description:\n 'This U.S. industry comprises electric power establishments primarily engaged in either (1) operating electric power distribution systems (i.e., consisting of lines, poles, meters, and wiring) or (2) operating as electric power brokers or agents that arrange the sale of electricity via power distribution systems operated by others.'\n },\n '221210': {\n title: 'Natural Gas Distribution',\n description:\n 'This industry comprises: (1) establishments primarily engaged in operating gas distribution systems (e.g., mains, meters); (2) establishments known as gas marketers that buy gas from the well and sell it to a distribution system; (3) establishments known as gas brokers or agents that arrange the sale of gas over gas distribution systems operated by others; and (4) establishments primarily engaged in transmitting and distributing gas to final consumers.'\n },\n '221310': {\n title: 'Water Supply and Irrigation Systems',\n description:\n 'This industry comprises establishments primarily engaged in operating water treatment plants and/or operating water supply systems. The water supply system may include pumping stations, aqueducts, and/or distribution mains. The water may be used for drinking, irrigation, or other uses.'\n },\n '221320': {\n title: 'Sewage Treatment Facilities',\n description:\n 'This industry comprises establishments primarily engaged in operating sewer systems or sewage treatment facilities that collect, treat, and dispose of waste.'\n },\n '221330': {\n title: 'Steam and Air-Conditioning Supply',\n description:\n 'This industry comprises establishments primarily engaged in providing steam, heated air, or cooled air. The steam distribution may be through mains.'\n },\n '236115': {\n title: 'New Single-Family Housing Construction (except For-Sale Builders)',\n description:\n 'This U.S. industry comprises general contractor establishments primarily responsible for the entire construction of new single-family housing, such as single-family detached houses and town houses or row houses where each housing unit (1) is separated from its neighbors by a ground-to-roof wall and (2) has no housing units constructed above or below. This industry includes general contractors responsible for the on-site assembly of modular and prefabricated houses. Single-family housing design-build firms and single-family construction management firms acting as general contractors are included in this industry.'\n },\n '236116': {\n title: 'New Multifamily Housing Construction (except For-Sale Builders)',\n description:\n 'This U.S. industry comprises general contractor establishments primarily responsible for the construction of new multifamily residential housing units (e.g., high-rise, garden, town house apartments, and condominiums where each unit is not separated from its neighbors by a ground-to-roof wall). Multifamily design-build firms and multifamily housing construction management firms acting as general contractors are included in this industry.'\n },\n '236117': {\n title: 'New Housing For-Sale Builders',\n description:\n 'This U.S. industry comprises establishments primarily engaged in building new homes on land that is owned or controlled by the builder rather than the homebuyer or investor. The land is included with the sale of the home. Establishments in this industry build single-family and/or multifamily homes. These establishments are often referred to as merchant builders, but are also known as production or for-sale builders.'\n },\n '236118': {\n title: 'Residential Remodelers',\n description:\n 'This U.S. industry comprises establishments primarily responsible for the remodeling construction (including additions, alterations, reconstruction, maintenance, and repairs) of houses and other residential buildings, single-family and multifamily. Included in this industry are remodeling general contractors, for-sale remodelers, remodeling design-build firms, and remodeling project construction management firms.'\n },\n '236210': {\n title: 'Industrial Building Construction',\n description:\n 'This industry comprises establishments primarily responsible for the construction (including new work, additions, alterations, maintenance, and repairs) of industrial buildings (except warehouses). The construction of selected additional structures, whose production processes are similar to those for industrial buildings (e.g., incinerators, cement plants, blast furnaces, and similar nonbuilding structures), is included in this industry. Included in this industry are industrial building general contractors, industrial building for-sale builders, industrial building design-build firms, and industrial building construction management firms.'\n },\n '236220': {\n title: 'Commercial and Institutional Building Construction',\n description:\n 'This industry comprises establishments primarily responsible for the construction (including new work, additions, alterations, maintenance, and repairs) of commercial and institutional buildings and related structures, such as stadiums, grain elevators, and indoor swimming facilities. This industry includes establishments responsible for the on-site assembly of modular or prefabricated commercial and institutional buildings. Included in this industry are commercial and institutional building general contractors, commercial and institutional building for-sale builders, commercial and institutional building design-build firms, and commercial and institutional building project construction management firms.'\n },\n '237110': {\n title: 'Water and Sewer Line and Related Structures Construction',\n description:\n 'This industry comprises establishments primarily engaged in the construction of water and sewer lines, mains, pumping stations, treatment plants, and storage tanks. The work performed may include new work, reconstruction, rehabilitation, and repairs. Specialty trade contractors are included in this industry if they are engaged in activities primarily related to water, sewer line, and related structures construction. All structures (including buildings) that are integral parts of water and sewer networks (e.g., storage tanks, pumping stations, water treatment plants, and sewage treatment plants) are included in this industry.'\n },\n '237120': {\n title: 'Oil and Gas Pipeline and Related Structures Construction',\n description:\n 'This industry comprises establishments primarily engaged in the construction of oil and gas lines, mains, refineries, and storage tanks. The work performed may include new work, reconstruction, rehabilitation, and repairs. Specialty trade contractors are included in this industry if they are engaged in activities primarily related to oil and gas pipeline and related structures construction. All structures (including buildings) that are integral parts of oil and gas networks (e.g., storage tanks, pumping stations, and refineries) are included in this industry.'\n },\n '237130': {\n title: 'Power and Communication Line and Related Structures Construction',\n description:\n 'This industry comprises establishments primarily engaged in the construction of power lines and towers, power plants, and radio, television, and telecommunications transmitting/receiving towers. The work performed may include new work, reconstruction, rehabilitation, and repairs. Specialty trade contractors are included in this industry if they are engaged in activities primarily related to power and communication line and related structures construction. All structures (including buildings) that are integral parts of power and communication networks (e.g., transmitting towers, substations, and power plants) are included.'\n },\n '237210': {\n title: 'Land Subdivision',\n description:\n 'This industry comprises establishments primarily engaged in servicing land and subdividing real property into lots, for subsequent sale to builders. Servicing of land may include excavation work for the installation of roads and utility lines. The extent of work may vary from project to project. Land subdivision precedes building activity and the subsequent building is often residential, but may also be commercial tracts and industrial parks. These establishments may do all the work themselves or subcontract the work to others. Establishments that perform only the legal subdivision of land are not included in this industry.'\n },\n '237310': {\n title: 'Highway, Street, and Bridge Construction',\n description:\n 'This industry comprises establishments primarily engaged in the construction of highways (including elevated), streets, roads, airport runways, public sidewalks, or bridges. The work performed may include new work, reconstruction, rehabilitation, and repairs. Specialty trade contractors are included in this industry if they are engaged in activities primarily related to highway, street, and bridge construction (e.g., installing guardrails on highways).'\n },\n '237990': {\n title: 'Other Heavy and Civil Engineering Construction',\n description:\n 'This industry comprises establishments primarily engaged in heavy and civil engineering construction projects (excluding highway, street, bridge, and distribution line construction). The work performed may include new work, reconstruction, rehabilitation, and repairs. Specialty trade contractors are included in this industry if they are engaged in activities primarily related to heavy and civil engineering construction projects (excluding highway, street, bridge, distribution line, oil and gas structure, and utilities building and structure construction). Construction projects involving water resources (e.g., dredging and land drainage), development of marine facilities, and projects involving open space improvement (e.g., parks and trails) are included in this industry.'\n },\n '238110': {\n title: 'Poured Concrete Foundation and Structure Contractors',\n description:\n 'This industry comprises establishments primarily engaged in pouring and finishing concrete foundations and structural elements. This industry also includes establishments performing grout and shotcrete work. The work performed may include new work, additions, alterations, maintenance, and repairs.'\n },\n '238120': {\n title: 'Structural Steel and Precast Concrete Contractors',\n description:\n 'This industry comprises establishments primarily engaged in (1) erecting and assembling structural parts made from steel or precast concrete (e.g., steel beams, structural steel components, and similar products of precast concrete) and/or (2) assembling and installing other steel construction products (e.g., steel rods, bars, rebar, mesh, and cages) to reinforce poured-in-place concrete. The work performed may include new work, additions, alterations, maintenance, and repairs.'\n },\n '238130': {\n title: 'Framing Contractors',\n description:\n 'This industry comprises establishments primarily engaged in structural framing and sheathing using materials other than structural steel or concrete. The work performed may include new work, additions, alterations, maintenance, and repairs.'\n },\n '238140': {\n title: 'Masonry Contractors',\n description:\n 'This industry comprises establishments primarily engaged in masonry work, stone setting, bricklaying, and other stone work. The work performed may include new work, additions, alterations, maintenance, and repairs.'\n },\n '238150': {\n title: 'Glass and Glazing Contractors',\n description:\n 'This industry comprises establishments primarily engaged in installing glass panes in prepared openings (i.e., glazing work) and other glass work for buildings. The work performed may include new work, additions, alterations, maintenance, and repairs.'\n },\n '238160': {\n title: 'Roofing Contractors',\n description:\n 'This industry comprises establishments primarily engaged in roofing. This industry also includes establishments treating roofs (i.e., spraying, painting, or coating) and installing skylights. The work performed may include new work, additions, alterations, maintenance, and repairs.'\n },\n '238170': {\n title: 'Siding Contractors',\n description:\n 'This industry comprises establishments primarily engaged in installing siding of wood, aluminum, vinyl, or other exterior finish material (except brick, stone, stucco, or curtain wall). This industry also includes establishments installing gutters and downspouts. The work performed may include new work, additions, alterations, maintenance, and repairs.'\n },\n '238190': {\n title: 'Other Foundation, Structure, and Building Exterior Contractors',\n description:\n 'This industry comprises establishments primarily engaged in building foundation and structure trades work (except poured concrete, structural steel, precast concrete, framing, masonry, glass and glazing, roofing, and siding). The work performed may include new work, additions, alterations, maintenance, and repairs.'\n },\n '238210': {\n title: 'Electrical Contractors and Other Wiring Installation Contractors',\n description:\n 'This industry comprises establishments primarily engaged in installing and servicing electrical wiring and equipment. Contractors included in this industry may include both the parts and labor when performing work. These contractors may perform new work, additions, alterations, maintenance, and repairs.'\n },\n '238220': {\n title: 'Plumbing, Heating, and Air-Conditioning Contractors',\n description:\n 'This industry comprises establishments primarily engaged in installing and servicing plumbing, heating, and air-conditioning equipment. Contractors in this industry may provide both parts and labor when performing work. The work performed may include new work, additions, alterations, maintenance, and repairs.'\n },\n '238290': {\n title: 'Other Building Equipment Contractors',\n description:\n 'This industry comprises establishments primarily engaged in installing or servicing building equipment (except electrical, plumbing, heating, cooling, or ventilation equipment). The repair and maintenance of miscellaneous building equipment is included in this industry. The work performed may include new work, additions, alterations, maintenance, and repairs.'\n },\n '238310': {\n title: 'Drywall and Insulation Contractors',\n description:\n 'This industry comprises establishments primarily engaged in drywall, plaster work, and building insulation work. Plaster work includes applying plain or ornamental plaster, and installation of lath to receive plaster. The work performed may include new work, additions, alterations, maintenance, and repairs. Establishments primarily engaged in providing firestop services are included in this industry.'\n },\n '238320': {\n title: 'Painting and Wall Covering Contractors',\n description:\n 'This industry comprises establishments primarily engaged in interior or exterior painting or interior wall covering. The work performed may include new work, additions, alterations, maintenance, and repairs.'\n },\n '238330': {\n title: 'Flooring Contractors',\n description:\n 'This industry comprises establishments primarily engaged in the installation of resilient floor tile, carpeting, linoleum, and hardwood flooring. The work performed may include new work, additions, alterations, maintenance, and repairs.'\n },\n '238340': {\n title: 'Tile and Terrazzo Contractors',\n description:\n 'This industry comprises establishments primarily engaged in setting and installing ceramic tile, stone (interior only), and mosaic and/or mixing marble particles and cement to make terrazzo at the job site. The work performed may include new work, additions, alterations, maintenance, and repairs.'\n },\n '238350': {\n title: 'Finish Carpentry Contractors',\n description:\n 'This industry comprises establishments primarily engaged in finish carpentry work. The work performed may include new work, additions, alterations, maintenance, and repairs.'\n },\n '238390': {\n title: 'Other Building Finishing Contractors',\n description:\n 'This industry comprises establishments primarily engaged in building finishing trade work (except drywall, plaster, and insulation work; painting and wall covering work; flooring work; tile and terrazzo work; and finish carpentry work). The work performed may include new work, additions, alterations, maintenance, and repairs.'\n },\n '238910': {\n title: 'Site Preparation Contractors',\n description:\n 'This industry comprises establishments primarily engaged in site preparation activities, such as excavating and grading, demolition of buildings and other structures, and septic system installation. Earthmoving and land clearing for all types of sites (e.g., building, nonbuilding, mining) is included in this industry. Establishments primarily engaged in construction equipment rental with operator (except cranes) are also included.'\n },\n '238990': {\n title: 'All Other Specialty Trade Contractors',\n description:\n 'This industry comprises establishments primarily engaged in specialized trades (except foundation, structure, and building exterior contractors; building equipment contractors; building finishing contractors; and site preparation contractors). The specialty trade work performed includes new work, additions, alterations, maintenance, and repairs.'\n },\n '311111': {\n title: 'Dog and Cat Food Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing dog and cat food from ingredients, such as grains, oilseed mill products, and meat products.'\n },\n '311119': {\n title: 'Other Animal Food Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing animal food (except dog and cat) from ingredients, such as grains, oilseed mill products, and meat products.'\n },\n '311211': {\n title: 'Flour Milling',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) milling flour or meal from grains (except rice) or vegetables and/or (2) milling flour and preparing flour mixes or doughs.'\n },\n '311212': {\n title: 'Rice Milling',\n description:\n 'This U.S. industry comprises establishments primarily engaged in one of the following: (1) milling rice; (2) cleaning and polishing rice; or (3) milling, cleaning, and polishing rice. The establishments in this industry may package the rice they mill with other ingredients.'\n },\n '311213': {\n title: 'Malt Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing malt from barley, rye, or other grains.'\n },\n '311221': {\n title: 'Wet Corn Milling and Starch Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in wet milling corn and other vegetables (except to make ethyl alcohol). Examples of products made in these establishments are corn sweeteners, such as glucose, dextrose, and fructose; corn oil; and starches (except laundry).'\n },\n '311224': {\n title: 'Soybean and Other Oilseed Processing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in crushing oilseeds and tree nuts, such as soybeans, cottonseeds, linseeds, peanuts, and sunflower seeds. Examples of products produced in these establishments are oilseed oils, cakes, meals, and protein isolates and concentrates.'\n },\n '311225': {\n title: 'Fats and Oils Refining and Blending',\n description:\n 'This U.S. industry comprises establishments primarily engaged in one or more of the following: (1) manufacturing shortening and margarine from purchased fats and oils; (2) refining and/or blending vegetable, oilseed, and tree nut oils from purchased oils; and (3) blending purchased animal fats with purchased vegetable fats.'\n },\n '311230': {\n title: 'Breakfast Cereal Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing breakfast cereal foods.'\n },\n '311313': {\n title: 'Beet Sugar Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing refined beet sugar from sugar beets.'\n },\n '311314': {\n title: 'Cane Sugar Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) processing sugarcane and/or (2) refining cane sugar from raw cane sugar.'\n },\n '311340': {\n title: 'Nonchocolate Confectionery Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing nonchocolate confectioneries. Included in this industry are establishments primarily engaged in retailing nonchocolate confectionery products not for immediate consumption made on the premises.'\n },\n '311351': {\n title: 'Chocolate and Confectionery Manufacturing from Cacao Beans',\n description:\n 'This U.S. industry comprises establishments primarily engaged in shelling, roasting, and grinding cacao beans and making chocolate cacao products and chocolate confectioneries.'\n },\n '311352': {\n title: 'Confectionery Manufacturing from Purchased Chocolate',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing chocolate confectioneries from chocolate produced elsewhere. Included in this industry are establishments primarily engaged in retailing chocolate confectionery products not for immediate consumption made on the premises from chocolate made elsewhere.'\n },\n '311411': {\n title: 'Frozen Fruit, Juice, and Vegetable Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing frozen fruits; frozen vegetables; and frozen fruit juices, ades, drinks, cocktail mixes and concentrates.'\n },\n '311412': {\n title: 'Frozen Specialty Food Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing frozen specialty foods (except seafood), such as frozen dinners, entrees, and side dishes; frozen pizza; frozen whipped topping; and frozen waffles, pancakes, and French toast.'\n },\n '311421': {\n title: 'Fruit and Vegetable Canning',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing canned, pickled, and brined fruits and vegetables. Examples of products made in these establishments are canned juices; canned jams and jellies; canned tomato-based sauces, such as catsup, salsa, chili sauce, spaghetti sauce, barbeque sauce, and tomato paste; and pickles, relishes, and sauerkraut.'\n },\n '311422': {\n title: 'Specialty Canning',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing canned specialty foods. Examples of products made in these establishments are canned baby food, canned baked beans, canned soups (except seafood), canned spaghetti, and other canned nationality foods.'\n },\n '311423': {\n title: 'Dried and Dehydrated Food Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) drying (including freeze-dried) and/or dehydrating fruits, vegetables, and soup mixes and bouillon and/or (2) drying and/or dehydrating ingredients and packaging them with other purchased ingredients, such as rice and dry pasta.'\n },\n '311511': {\n title: 'Fluid Milk Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) manufacturing processed milk products, such as pasteurized milk or cream and sour cream and/or (2) manufacturing fluid milk dairy substitutes from soybeans and other nondairy substances.'\n },\n '311512': {\n title: 'Creamery Butter Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing creamery butter from milk and/or processed milk products.'\n },\n '311513': {\n title: 'Cheese Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) manufacturing cheese products (except cottage cheese) from raw milk and/or processed milk products and/or (2) manufacturing cheese substitutes from soybean and other nondairy substances.'\n },\n '311514': {\n title: 'Dry, Condensed, and Evaporated Dairy Product Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing dry, condensed, and evaporated milk and dairy substitute products.'\n },\n '311520': {\n title: 'Ice Cream and Frozen Dessert Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing ice cream, frozen yogurts, frozen ices, sherbets, frozen tofu, and other frozen desserts (except bakery products).'\n },\n '311611': {\n title: 'Animal (except Poultry) Slaughtering',\n description:\n 'This U.S. industry comprises establishments primarily engaged in slaughtering animals (except poultry and small game). Establishments that slaughter and prepare meats are included in this industry.'\n },\n '311612': {\n title: 'Meat Processed from Carcasses',\n description:\n 'This U.S. industry comprises establishments primarily engaged in processing or preserving meat and meat byproducts (except poultry and small game) from purchased meats. This industry includes establishments primarily engaged in assembly cutting and packing of meats (i.e., boxed meats) from purchased meats.'\n },\n '311613': {\n title: 'Rendering and Meat Byproduct Processing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in rendering animal fat, bones, and meat scraps.'\n },\n '311615': {\n title: 'Poultry Processing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) slaughtering poultry and small game and/or (2) preparing processed poultry and small game meat and meat byproducts.'\n },\n '311710': {\n title: 'Seafood Product Preparation and Packaging',\n description:\n 'This industry comprises establishments primarily engaged in one or more of the following: (1) canning seafood (including soup); (2) smoking, salting, and drying seafood; (3) eviscerating fresh fish by removing heads, fins, scales, bones, and entrails; (4) shucking and packing fresh shellfish; (5) processing marine fats and oils; and (6) freezing seafood. Establishments known as \"floating factory ships\" that are engaged in the gathering and processing of seafood into canned seafood products are included in this industry.'\n },\n '311811': {\n title: 'Retail Bakeries',\n description:\n 'This U.S. industry comprises establishments primarily engaged in retailing bread and other bakery products not for immediate consumption made on the premises from flour, not from prepared dough.'\n },\n '311812': {\n title: 'Commercial Bakeries',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing fresh and frozen bread and bread-type rolls and other fresh bakery (except cookies and crackers) products.'\n },\n '311813': {\n title: 'Frozen Cakes, Pies, and Other Pastries Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing frozen bakery products (except bread), such as cakes, pies, and doughnuts.'\n },\n '311821': {\n title: 'Cookie and Cracker Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing cookies, crackers, and other products, such as ice cream cones.'\n },\n '311824': {\n title: 'Dry Pasta, Dough, and Flour Mixes Manufacturing from Purchased Flour',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) manufacturing dry pasta and/or (2) manufacturing prepared flour mixes or dough from flour ground elsewhere. The establishments in this industry may package the dry pasta they manufacture with other ingredients.'\n },\n '311830': {\n title: 'Tortilla Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing tortillas.'\n },\n '311911': {\n title: 'Roasted Nuts and Peanut Butter Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in one or more of the following: (1) salting, roasting, drying, cooking, or canning nuts; (2) processing grains or seeds into snacks; and (3) manufacturing peanut butter and other nut butters.'\n },\n '311919': {\n title: 'Other Snack Food Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing snack foods (except roasted nuts and peanut butter).'\n },\n '311920': {\n title: 'Coffee and Tea Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in one or more of the following: (1) roasting coffee; (2) manufacturing coffee and tea concentrates (including instant and freeze-dried); (3) blending tea; (4) manufacturing herbal tea; and (5) manufacturing coffee extracts, flavorings, and syrups.'\n },\n '311930': {\n title: 'Flavoring Syrup and Concentrate Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing flavoring syrup drink concentrates and related products for soda fountain use or for the manufacture of soft drinks.'\n },\n '311941': {\n title: 'Mayonnaise, Dressing, and Other Prepared Sauce Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing mayonnaise, salad dressing, vinegar, mustard, horseradish, soy sauce, tartar sauce, Worcestershire sauce, and other prepared sauces (except tomato-based and gravy).'\n },\n '311942': {\n title: 'Spice and Extract Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) manufacturing spices, table salt, seasonings, flavoring extracts (except coffee and meat), and natural food colorings and/or (2) manufacturing dry mix food preparations, such as salad dressing mixes, gravy and sauce mixes, frosting mixes, and other dry mix preparations.'\n },\n '311991': {\n title: 'Perishable Prepared Food Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing perishable prepared foods, such as salads, sandwiches, prepared meals, fresh pizza, fresh pasta, and peeled or cut vegetables.'\n },\n '311999': {\n title: 'All Other Miscellaneous Food Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing food (except animal food; grain and oilseed milling; sugar and confectionery products; preserved fruits, vegetables, and specialties; dairy products; meat products; seafood products; bakeries and tortillas; snack foods; coffee and tea; flavoring syrups and concentrates; seasonings and dressings; and perishable prepared food). Included in this industry are establishments primarily engaged in mixing purchased dried and/or dehydrated ingredients including those mixing purchased dried and/or dehydrated ingredients for soup mixes and bouillon.'\n },\n '312111': {\n title: 'Soft Drink Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing soft drinks and artificially carbonated waters.'\n },\n '312112': {\n title: 'Bottled Water Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in purifying and bottling water (including naturally carbonated).'\n },\n '312113': {\n title: 'Ice Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing ice.'\n },\n '312120': {\n title: 'Breweries',\n description:\n 'This industry comprises establishments primarily engaged in brewing beer, ale, lager, malt liquors, and nonalcoholic beer.'\n },\n '312130': {\n title: 'Wineries',\n description:\n 'This industry comprises establishments primarily engaged in one or more of the following: (1) growing grapes and manufacturing wines and brandies; (2) manufacturing wines and brandies from grapes and other fruits grown elsewhere; and (3) blending wines and brandies.'\n },\n '312140': {\n title: 'Distilleries',\n description:\n 'This industry comprises establishments primarily engaged in one or more of the following: (1) distilling potable liquors (except brandies); (2) distilling and blending liquors; and (3) blending and mixing liquors and other ingredients.'\n },\n '312230': {\n title: 'Tobacco Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in (1) stemming and redrying tobacco and/or (2) manufacturing cigarettes or other tobacco products.'\n },\n '313110': {\n title: 'Fiber, Yarn, and Thread Mills',\n description:\n 'This industry comprises establishments primarily engaged in one or more of the following: (1) spinning yarn; (2) manufacturing thread of any fiber; (3) texturizing, throwing, twisting, and winding purchased yarn or manmade fibers and filaments; and (4) producing hemp yarn and further processing into rope or bags.'\n },\n '313210': {\n title: 'Broadwoven Fabric Mills',\n description:\n 'This industry comprises establishments primarily engaged in weaving broadwoven fabrics and felts (except tire fabrics and rugs). Establishments in this industry may weave only, weave and finish, or weave, finish, and further fabricate fabric products.'\n },\n '313220': {\n title: 'Narrow Fabric Mills and Schiffli Machine Embroidery',\n description:\n 'This industry comprises establishments primarily engaged in one or more of the following: (1) weaving or braiding narrow fabrics in their final form or initially made in wider widths that are specially constructed for narrower widths; (2) making fabric-covered elastic yarn and thread; and (3) manufacturing Schiffli machine embroideries. Establishments in this industry may weave only; weave and finish; or weave, finish, and further fabricate fabric products.'\n },\n '313230': {\n title: 'Nonwoven Fabric Mills',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing nonwoven fabrics and felts. Processes used include bonding and/or interlocking fibers by mechanical, chemical, thermal, or solvent means, or by combinations thereof.'\n },\n '313240': {\n title: 'Knit Fabric Mills',\n description:\n 'This industry comprises establishments primarily engaged in one of the following: (1) knitting weft (i.e., circular) and warp (i.e., flat) fabric; (2) knitting and finishing weft and warp fabric; (3) manufacturing lace; or (4) manufacturing, dyeing, and finishing lace and lace goods. Establishments in this industry may knit only; knit and finish; or knit, finish, and further fabricate fabric products (except apparel).'\n },\n '313310': {\n title: 'Textile and Fabric Finishing Mills',\n description:\n 'This industry comprises (1) establishments primarily engaged in finishing textiles, fabrics, and apparel and (2) establishments of converters who buy fabric goods in the grey, have them finished on contract, and sell at wholesale. Finishing operations include: bleaching, dyeing, printing (e.g., roller, screen, flock, plisse), stonewashing, and other mechanical finishing, such as preshrinking, shrinking, sponging, calendering, mercerizing, and napping; as well as cleaning, scouring, and the preparation of natural fibers and raw stock.'\n },\n '313320': {\n title: 'Fabric Coating Mills',\n description:\n 'This industry comprises establishments primarily engaged in coating, laminating, varnishing, waxing, and rubberizing textiles and apparel.'\n },\n '314110': {\n title: 'Carpet and Rug Mills',\n description:\n 'This industry comprises establishments primarily engaged in (1) manufacturing woven, tufted, and other carpets and rugs, such as art squares, floor mattings, needlepunch carpeting, and door mats and mattings, from textile materials or from twisted paper, grasses, reeds, sisal, jute, or rags and/or (2) finishing carpets and rugs.'\n },\n '314120': {\n title: 'Curtain and Linen Mills',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing household textile products, such as curtains, draperies, linens, bedspreads, sheets, tablecloths, towels, and shower curtains, from purchased materials. The household textile products may be made on a stock or custom basis for sale to individual retail customers.'\n },\n '314910': {\n title: 'Textile Bag and Canvas Mills',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing textile bags (except luggage) or other canvas and canvas-like products, such as awnings, sails, tarpaulins, and tents from purchased textile fabrics or yarns.'\n },\n '314994': {\n title: 'Rope, Cordage, Twine, Tire Cord, and Tire Fabric Mills',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) manufacturing rope, cable, cordage, twine, and related products from all materials (e.g., abaca, sisal, henequen, cotton, paper, jute, flax, manmade fibers including glass) and/or (2) manufacturing cord and fabric of polyester, rayon, cotton, glass, steel, or other materials for use in reinforcing rubber tires, industrial belting, and similar uses.'\n },\n '314999': {\n title: 'All Other Miscellaneous Textile Product Mills',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing textile products (except carpets and rugs; curtains and linens; textile bags and canvas products; rope, cordage, and twine; and tire cords and tire fabrics) from purchased materials. These establishments may further embellish the textile products they manufacture with decorative stitching. Establishments primarily engaged in adding decorative stitching such as embroidery or other art needlework on textile products, including apparel, on a contract or fee basis for the trade, are included in this industry.'\n },\n '315120': {\n title: 'Apparel Knitting Mills',\n description:\n 'This industry comprises establishments primarily engaged in knitting apparel or knitting fabric and then manufacturing apparel. Jobbers, performing entrepreneurial functions involved in knitting apparel and accessories, are included.'\n },\n '315210': {\n title: 'Cut and Sew Apparel Contractors',\n description:\n 'This industry comprises establishments commonly referred to as contractors primarily engaged in (1) cutting materials owned by others for apparel and accessories and/or (2) sewing materials owned by others for apparel and accessories.'\n },\n '315250': {\n title: 'Cut and Sew Apparel Manufacturing (except Contractors)',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing cut and sew apparel from purchased fabric. Clothing jobbers, who perform entrepreneurial functions involved in apparel manufacture, including buying raw materials, designing and preparing samples, arranging for apparel to be made from their materials, and marketing finished apparel, are included.'\n },\n '315990': {\n title: 'Apparel Accessories and Other Apparel Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing apparel and accessories (except apparel knitting mills, cut and sew apparel contractors, and cut and sew apparel manufacturing (except contractors)). Jobbers, who perform entrepreneurial functions involved in apparel accessories manufacture, including buying raw materials, designing and preparing samples, arranging for apparel accessories to be made from their materials, and marketing finished apparel accessories, are included. Examples of products made by these establishments are belts, caps, gloves (except medical, safety, sporting), hats, and neckties.'\n },\n '316110': {\n title: 'Leather and Hide Tanning and Finishing',\n description:\n 'This industry comprises establishments primarily engaged in one or more of the following: (1) tanning, currying, and finishing hides and skins; (2) having others process hides and skins on a contract basis; and (3) dyeing or dressing furs.'\n },\n '316210': {\n title: 'Footwear Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing footwear (except orthopedic extension footwear).'\n },\n '316990': {\n title: 'Other Leather and Allied Product Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing leather products (except footwear and apparel) from purchased leather or leather substitutes (e.g., fabric, plastics).'\n },\n '321113': {\n title: 'Sawmills',\n description:\n 'This U.S. industry comprises establishments primarily engaged in sawing dimension lumber, boards, beams, timbers, poles, ties, shingles, shakes, siding, and wood chips from logs or bolts. Sawmills may plane the rough lumber that they make with a planing machine to achieve smoothness and uniformity of size.'\n },\n '321114': {\n title: 'Wood Preservation',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) treating wood sawed, planed, or shaped in other establishments with creosote or other preservatives, such as alkaline copper quat, copper azole, and sodium borates, to prevent decay and to protect against fire and insects and/or (2) sawing round wood poles, pilings, and posts and treating them with preservatives.'\n },\n '321211': {\n title: 'Hardwood Veneer and Plywood Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing hardwood veneer and/or hardwood plywood.'\n },\n '321212': {\n title: 'Softwood Veneer and Plywood Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing softwood veneer and/or softwood plywood.'\n },\n '321215': {\n title: 'Engineered Wood Member Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing fabricated or laminated wood arches, wood roof and floor trusses, and/or other fabricated or laminated wood structural members.'\n },\n '321219': {\n title: 'Reconstituted Wood Product Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing reconstituted wood sheets and boards.'\n },\n '321911': {\n title: 'Wood Window and Door Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing window and door units, sash, window and door frames, and doors from wood or wood clad with metal or plastics.'\n },\n '321912': {\n title: 'Cut Stock, Resawing Lumber, and Planing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in one or more of the following: (1) manufacturing dimension lumber from purchased lumber; (2) manufacturing dimension stock (i.e., shapes) or cut stock; (3) resawing the output of sawmills; and (4) planing purchased lumber. These establishments generally use woodworking machinery, such as jointers, planers, lathes, and routers to shape wood.'\n },\n '321918': {\n title: 'Other Millwork (including Flooring)',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing millwork (except wood windows, wood doors, and cut stock).'\n },\n '321920': {\n title: 'Wood Container and Pallet Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing wood pallets, wood box shook, wood boxes, other wood containers, and wood parts for pallets and containers.'\n },\n '321991': {\n title: 'Manufactured Home (Mobile Home) Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in making manufactured homes (i.e., mobile homes) and nonresidential mobile buildings. Manufactured homes are designed to accept permanent water, sewer, and utility connections and although equipped with wheels, they are not intended for regular highway movement.'\n },\n '321992': {\n title: 'Prefabricated Wood Building Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing prefabricated wood buildings and wood sections and panels for prefabricated wood buildings.'\n },\n '321999': {\n title: 'All Other Miscellaneous Wood Product Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing wood products (except establishments operating sawmills and preservation facilities; establishments manufacturing veneer, engineered wood products, millwork, wood containers, pallets, and wood container parts; and establishments making manufactured homes (i.e., mobile homes) and prefabricated buildings and components).'\n },\n '322110': {\n title: 'Pulp Mills',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing pulp without manufacturing paper or paperboard. The pulp is made by separating the cellulose fibers from the other impurities in wood or other materials, such as used or recycled rags, linters, scrap paper, and straw.'\n },\n '322120': {\n title: 'Paper Mills',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing paper from pulp. These establishments may manufacture or purchase pulp. In addition, the establishments may convert the paper they make. The activity of making paper classifies an establishment into this industry regardless of the output.'\n },\n '322130': {\n title: 'Paperboard Mills',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing paperboard (e.g., can/drum stock, container board, corrugating medium, folding carton stock, linerboard, tube) from pulp. These establishments may manufacture or purchase pulp. In addition, the establishments may also convert the paperboard they make.'\n },\n '322211': {\n title: 'Corrugated and Solid Fiber Box Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in laminating purchased paper or paperboard into corrugated or solid fiber boxes and related products, such as pads, partitions, pallets, and corrugated paper without manufacturing paperboard. These boxes are generally used for shipping.'\n },\n '322212': {\n title: 'Folding Paperboard Box Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in converting paperboard (except corrugated) into folding paperboard boxes without manufacturing paper and paperboard.'\n },\n '322219': {\n title: 'Other Paperboard Container Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in converting paperboard into paperboard containers (except corrugated, solid fiber, and folding paperboard boxes) without manufacturing paperboard.'\n },\n '322220': {\n title: 'Paper Bag and Coated and Treated Paper Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in one or more of the following: (1) cutting and coating paper and paperboard; (2) cutting and laminating paper, paperboard, and other flexible materials (except plastics film to plastics film); (3) manufacturing bags, multiwall bags, sacks of paper, metal foil, coated paper, laminates, or coated combinations of paper and foil with plastics film; (4) manufacturing laminated aluminum and other converted metal foils from purchased foils; and (5) surface coating paper or paperboard.'\n },\n '322230': {\n title: 'Stationery Product Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in converting paper or paperboard into products used for writing, filing, art work, and similar applications.'\n },\n '322291': {\n title: 'Sanitary Paper Product Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in converting purchased sanitary paper stock or wadding into sanitary paper products, such as facial tissues, handkerchiefs, table napkins, toilet paper, towels, disposable diapers, sanitary napkins, and tampons.'\n },\n '322299': {\n title: 'All Other Converted Paper Product Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in converting paper or paperboard into products (except containers, bags, coated and treated paper, stationery products, and sanitary paper products) or converting pulp into pulp products, such as egg cartons, food trays, and other food containers from molded pulp.'\n },\n '323111': {\n title: 'Commercial Printing (except Screen and Books)',\n description:\n 'This U.S. industry comprises establishments primarily engaged in commercial printing (except screen printing, books printing) without publishing (except fabric grey goods printing). The printing processes used in this industry include, but are not limited to, lithographic, gravure, flexographic, letterpress, engraving, and various digital printing technologies. This industry includes establishments engaged in commercial printing on purchased stock materials, such as stationery, invitations, labels, and similar items, on a job-order basis. Establishments primarily engaged in traditional printing activities combined with document photocopying services (i.e., quick printers) or primarily engaged in printing graphical materials using digital printing equipment are included in this industry.'\n },\n '323113': {\n title: 'Commercial Screen Printing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in screen printing without publishing (except books, fabric grey goods, and manifold business forms). This industry includes establishments engaged in screen printing on purchased stock materials, such as stationery, invitations, labels, and similar items, on a job-order basis. Establishments primarily engaged in printing on apparel and textile products, such as T-shirts, caps, jackets, towels, and napkins, are included in this industry.'\n },\n '323117': {\n title: 'Books Printing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in printing or printing and binding books and pamphlets without publishing.'\n },\n '323120': {\n title: 'Support Activities for Printing',\n description:\n 'This industry comprises establishments primarily engaged in performing prepress and postpress services in support of printing activities. Prepress services may include such things as platemaking, typesetting, trade binding, and sample mounting. Postpress services include such things as book or paper bronzing, die cutting, edging, embossing, folding, gilding, gluing, and indexing.'\n },\n '324110': {\n title: 'Petroleum Refineries',\n description:\n 'This industry comprises establishments primarily engaged in refining crude petroleum into refined petroleum. Petroleum refining involves one or more of the following activities: (1) fractionation; (2) straight distillation of crude oil; and (3) cracking.'\n },\n '324121': {\n title: 'Asphalt Paving Mixture and Block Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing asphalt and tar paving mixtures and blocks from purchased asphaltic materials.'\n },\n '324122': {\n title: 'Asphalt Shingle and Coating Materials Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) saturating purchased mats and felts with asphalt or tar from purchased asphaltic materials and (2) manufacturing asphalt and tar and roofing cements and coatings from purchased asphaltic materials.'\n },\n '324191': {\n title: 'Petroleum Lubricating Oil and Grease Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in blending or compounding refined petroleum to make lubricating oils and greases and/or re-refining used petroleum lubricating oils.'\n },\n '324199': {\n title: 'All Other Petroleum and Coal Products Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing petroleum products (except asphalt paving, roofing, and saturated materials and lubricating oils and greases) from refined petroleum and coal products made in coke ovens not integrated with a steel mill.'\n },\n '325110': {\n title: 'Petrochemical Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in (1) manufacturing acyclic (i.e., aliphatic) hydrocarbons such as ethylene, propylene, and butylene made from refined petroleum or liquid hydrocarbons and/or (2) manufacturing cyclic aromatic hydrocarbons such as benzene, toluene, styrene, xylene, ethyl benzene, and cumene made from refined petroleum or liquid hydrocarbons.'\n },\n '325120': {\n title: 'Industrial Gas Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing industrial organic and inorganic gases in compressed, liquid, and solid forms.'\n },\n '325130': {\n title: 'Synthetic Dye and Pigment Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing synthetic organic and inorganic dyes and pigments, such as lakes and toners (except electrostatic and photographic).'\n },\n '325180': {\n title: 'Other Basic Inorganic Chemical Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing basic inorganic chemicals (except industrial gases and synthetic dyes and pigments).'\n },\n '325193': {\n title: 'Ethyl Alcohol Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing nonpotable ethyl alcohol.'\n },\n '325194': {\n title: 'Cyclic Crude, Intermediate, and Gum and Wood Chemical Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in one or more of the following: (1) distilling wood or gum into products, such as tall oil and wood distillates; (2) distilling coal tars; (3) manufacturing wood or gum chemicals, such as naval stores, natural tanning materials, charcoal briquettes, and charcoal (except activated); and (4) manufacturing cyclic crudes or cyclic intermediates (i.e., hydrocarbons, except aromatic petrochemicals) from refined petroleum or natural gas.'\n },\n '325199': {\n title: 'All Other Basic Organic Chemical Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing basic organic chemical products (except aromatic petrochemicals, industrial gases, synthetic organic dyes and pigments, gum and wood chemicals, cyclic crudes and intermediates, and ethyl alcohol).'\n },\n '325211': {\n title: 'Plastics Material and Resin Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) manufacturing resins, plastics materials, and nonvulcanizable thermoplastic elastomers and mixing and blending resins on a custom basis and/or (2) manufacturing noncustomized synthetic resins.'\n },\n '325212': {\n title: 'Synthetic Rubber Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing synthetic rubber.'\n },\n '325220': {\n title: 'Artificial and Synthetic Fibers and Filaments Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in (1) manufacturing cellulosic (e.g., rayon, acetate) and noncellulosic (e.g., nylon, polyolefin, polyester) fibers and filaments in the form of monofilament, filament yarn, staple, or tow or (2) manufacturing and texturizing cellulosic and noncellulosic fibers and filaments.'\n },\n '325311': {\n title: 'Nitrogenous Fertilizer Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in one or more of the following: (1) manufacturing nitrogenous fertilizer materials; (2) manufacturing fertilizers from sewage or animal waste; and (3) manufacturing nitrogenous materials and mixing with other ingredients into fertilizers.'\n },\n '325312': {\n title: 'Phosphatic Fertilizer Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) manufacturing phosphatic fertilizer materials or (2) manufacturing phosphatic materials and mixing with other ingredients into fertilizers.'\n },\n '325314': {\n title: 'Fertilizer (Mixing Only) Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in mixing ingredients made elsewhere into fertilizers.'\n },\n '325315': {\n title: 'Compost Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing compost through the controlled aerobic, biological decomposition and curing of biodegradable materials.'\n },\n '325320': {\n title: 'Pesticide and Other Agricultural Chemical Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in the formulation and preparation of agricultural and household pest control chemicals (except fertilizers).'\n },\n '325411': {\n title: 'Medicinal and Botanical Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) manufacturing uncompounded medicinal chemicals and their derivatives (i.e., generally for use by pharmaceutical preparation manufacturers) and/or (2) grading, grinding, and milling uncompounded botanicals.'\n },\n '325412': {\n title: 'Pharmaceutical Preparation Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing in-vivo diagnostic substances and pharmaceutical preparations (except biological) intended for internal and external consumption in dose forms, such as ampoules, tablets, capsules, vials, ointments, powders, solutions, and suspensions.'\n },\n '325413': {\n title: 'In-Vitro Diagnostic Substance Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing in-vitro (i.e., not taken internally) diagnostic substances, such as chemical, biological, or radioactive substances. The substances are used for diagnostic tests that are performed in test tubes, petri dishes, machines, and other diagnostic test-type devices.'\n },\n '325414': {\n title: 'Biological Product (except Diagnostic) Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing vaccines, toxoids, blood fractions, and culture media of plant or animal origin (except diagnostic).'\n },\n '325510': {\n title: 'Paint and Coating Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in (1) mixing pigments, solvents, and binders into paints and other coatings, such as stains, varnishes, lacquers, enamels, shellacs, and water-repellent coatings for concrete and masonry, and/or (2) manufacturing allied paint products, such as putties, paint and varnish removers, paint brush cleaners, and frit.'\n },\n '325520': {\n title: 'Adhesive Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing adhesives, glues, and caulking compounds.'\n },\n '325611': {\n title: 'Soap and Other Detergent Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing and packaging bath, facial, and hand soaps, hand sanitizers, and other detergents, such as laundry and dishwashing detergents; toothpaste gels and tooth powders; and natural glycerin.'\n },\n '325612': {\n title: 'Polish and Other Sanitation Good Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing and packaging polishes and specialty cleaning preparations.'\n },\n '325613': {\n title: 'Surface Active Agent Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) manufacturing bulk surface active agents for use as wetting agents, emulsifiers, and penetrants and/or (2) manufacturing textile and leather finishing agents used to reduce tension or speed the drying process.'\n },\n '325620': {\n title: 'Toilet Preparation Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in preparing, blending, compounding, and packaging toilet preparations, such as perfumes, shaving preparations, hair preparations, face creams, lotions (including sunscreens), and other cosmetic preparations.'\n },\n '325910': {\n title: 'Printing Ink Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing printing and inkjet inks and inkjet cartridges.'\n },\n '325920': {\n title: 'Explosives Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing explosives.'\n },\n '325991': {\n title: 'Custom Compounding of Purchased Resins',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) custom mixing and blending plastics resins made elsewhere or (2) reformulating plastics resins from recycled plastics products.'\n },\n '325992': {\n title: 'Photographic Film, Paper, Plate, Chemical, and Copy Toner Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing sensitized film, sensitized paper, sensitized cloth, sensitized plates, toners (i.e., for photocopiers, laser printers, and similar electrostatic printing devices), toner cartridges, and photographic chemicals.'\n },\n '325998': {\n title: 'All Other Miscellaneous Chemical Product and Preparation Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing chemical products (except basic chemicals, resins, and synthetic rubber; cellulosic and noncellulosic fibers and filaments; pesticides, fertilizers, and other agricultural chemicals; pharmaceuticals and medicines; paints, coatings and adhesives; soaps, cleaning compounds, and toilet preparations; printing inks; explosives; custom compounding of purchased resins; and photographic films, papers, plates, chemicals, and copy toners).'\n },\n '326111': {\n title: 'Plastics Bag and Pouch Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) converting plastics resins into plastics bags or pouches and/or (2) forming, coating, or laminating plastics film or sheet into single-web or multiweb plastics bags or pouches. Establishments in this industry may print on the bags or pouches they manufacture.'\n },\n '326112': {\n title: 'Plastics Packaging Film and Sheet (including Laminated) Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in converting plastics resins into plastics packaging (flexible) film and packaging sheet.'\n },\n '326113': {\n title: 'Unlaminated Plastics Film and Sheet (except Packaging) Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in converting plastics resins into plastics film and unlaminated sheet (except packaging).'\n },\n '326121': {\n title: 'Unlaminated Plastics Profile Shape Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in converting plastics resins into nonrigid plastics profile shapes (except film, sheet, bags, and hoses), such as rod, tube, and sausage casings.'\n },\n '326122': {\n title: 'Plastics Pipe and Pipe Fitting Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in converting plastics resins into plastics pipes and pipe fittings.'\n },\n '326130': {\n title: 'Laminated Plastics Plate, Sheet (except Packaging), and Shape Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in laminating plastics profile shapes such as plate, sheet (except packaging), and rod. The lamination process generally involves bonding or impregnating profiles with plastics resins and compressing them under heat.'\n },\n '326140': {\n title: 'Polystyrene Foam Product Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing polystyrene foam products.'\n },\n '326150': {\n title: 'Urethane and Other Foam Product (except Polystyrene) Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing plastics foam products (except polystyrene).'\n },\n '326160': {\n title: 'Plastics Bottle Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing plastics bottles.'\n },\n '326191': {\n title: 'Plastics Plumbing Fixture Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing plastics or fiberglass plumbing fixtures. Examples of products made by these establishments are plastics or fiberglass bathtubs, hot tubs, portable toilets, and shower stalls.'\n },\n '326199': {\n title: 'All Other Plastics Product Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing plastics products (except film, sheet, bags, profile shapes, pipes, pipe fittings, laminates, foam products, bottles, plumbing fixtures, and hoses).'\n },\n '326211': {\n title: 'Tire Manufacturing (except Retreading)',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing tires and inner tubes from natural and synthetic rubber.'\n },\n '326212': {\n title: 'Tire Retreading',\n description:\n 'This U.S. industry comprises establishments primarily engaged in retreading or rebuilding tires.'\n },\n '326220': {\n title: 'Rubber and Plastics Hoses and Belting Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing rubber hose and/or plastics (reinforced) hose and belting from natural and synthetic rubber and/or plastics resins. Establishments manufacturing garden hoses from purchased hose are included in this industry.'\n },\n '326291': {\n title: 'Rubber Product Manufacturing for Mechanical Use',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing rubber goods (except tubing) for mechanical applications, using the processes of molding, extruding or lathe-cutting. Products of this industry are generally parts for motor vehicles, machinery, and equipment.'\n },\n '326299': {\n title: 'All Other Rubber Product Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing rubber products (except tires; hoses and belting; and molded, extruded, and lathe-cut rubber goods for mechanical applications (except rubber tubing)) from natural and synthetic rubber. Establishments manufacturing rubber tubing made from natural and synthetic rubber, regardless of process used, are included in this industry.'\n },\n '327110': {\n title: 'Pottery, Ceramics, and Plumbing Fixture Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in shaping, molding, glazing, and firing pottery, ceramics, plumbing fixtures, and electrical supplies made entirely or partly of clay or other ceramic materials.'\n },\n '327120': {\n title: 'Clay Building Material and Refractories Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in shaping, molding, baking, burning, or hardening clay refractories, nonclay refractories, ceramic tile, structural clay tile, brick, and other structural clay building materials. A refractory is a material that will retain its shape and chemical identity when subjected to high temperatures and is used in applications that require extreme resistance to heat, such as furnace linings.'\n },\n '327211': {\n title: 'Flat Glass Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) manufacturing flat glass by melting silica sand or cullet or (2) manufacturing both flat glass and laminated glass by melting silica sand or cullet.'\n },\n '327212': {\n title: 'Other Pressed and Blown Glass and Glassware Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing glass by melting silica sand or cullet and making pressed, blown, or shaped glass or glassware (except glass packaging containers).'\n },\n '327213': {\n title: 'Glass Container Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing glass packaging, bottling, and canning containers.'\n },\n '327215': {\n title: 'Glass Product Manufacturing Made of Purchased Glass',\n description:\n 'This U.S. industry comprises establishments primarily engaged in coating, laminating, tempering, or shaping purchased glass.'\n },\n '327310': {\n title: 'Cement Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing Portland, natural, masonry, pozzolanic, and other hydraulic cements. Cement manufacturing establishments may calcine earths or mine, quarry, manufacture, or purchase lime.'\n },\n '327320': {\n title: 'Ready-Mix Concrete Manufacturing',\n description:\n 'This industry comprises establishments, such as batch plants or mix plants, primarily engaged in manufacturing concrete delivered to a purchaser in a plastic and unhardened state. Ready-mix concrete manufacturing establishments may mine, quarry, or purchase sand and gravel.'\n },\n '327331': {\n title: 'Concrete Block and Brick Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing concrete block and brick.'\n },\n '327332': {\n title: 'Concrete Pipe Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing concrete pipe.'\n },\n '327390': {\n title: 'Other Concrete Product Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing concrete products (except block, brick, and pipe).'\n },\n '327410': {\n title: 'Lime Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing lime from calcitic limestone, dolomitic limestone, or other calcareous materials, such as coral, chalk, and shells. Lime manufacturing establishments may mine, quarry, collect, or purchase the sources of calcium carbonate.'\n },\n '327420': {\n title: 'Gypsum Product Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing gypsum products, such as wallboard, plaster, plasterboard, molding, ornamental moldings, statuary, and architectural plaster work. Gypsum product manufacturing establishments may mine, quarry, or purchase gypsum.'\n },\n '327910': {\n title: 'Abrasive Product Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing abrasive grinding wheels of natural or synthetic materials, abrasive-coated products, and other abrasive products.'\n },\n '327991': {\n title: 'Cut Stone and Stone Product Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in cutting, shaping, and finishing granite, marble, limestone, slate, and other stone for building and miscellaneous uses. Stone product manufacturing establishments may mine, quarry, or purchase stone.'\n },\n '327992': {\n title: 'Ground or Treated Mineral and Earth Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in calcining, dead burning, or otherwise processing beyond beneficiation, clays, ceramic and refractory minerals, barite, and miscellaneous nonmetallic minerals.'\n },\n '327993': {\n title: 'Mineral Wool Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing mineral wool and mineral wool (i.e., fiberglass) insulation products made of such siliceous materials as rock, slag, and glass or combinations thereof.'\n },\n '327999': {\n title: 'All Other Miscellaneous Nonmetallic Mineral Product Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing nonmetallic mineral products (except pottery, ceramics, and plumbing fixtures; clay building materials and refractories; glass and glass products; cement; ready-mix concrete; concrete products; lime; gypsum products; abrasive products; cut stone and stone products; ground and treated minerals and earth; and mineral wool).'\n },\n '331110': {\n title: 'Iron and Steel Mills and Ferroalloy Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in one or more of the following: (1) direct reduction of iron ore; (2) manufacturing pig iron in molten or solid form; (3) converting pig iron into steel; (4) making steel; (5) making steel and manufacturing shapes (e.g., bar, plate, rod, sheet, strip, wire); (6) making steel and forming pipe and tube; and (7) manufacturing electrometallurgical ferroalloys. Ferroalloys add critical elements, such as silicon and manganese for carbon steel and chromium, vanadium, tungsten, titanium, and molybdenum for low- and high-alloy metals. Ferroalloys include iron-rich alloys and more pure forms of elements added during the steel manufacturing process that alter or improve the characteristics of the metal.'\n },\n '331210': {\n title: 'Iron and Steel Pipe and Tube Manufacturing from Purchased Steel',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing welded, riveted, or seamless pipe and tube from purchased iron or steel.'\n },\n '331221': {\n title: 'Rolled Steel Shape Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in rolling or drawing shapes (except wire), such as plate, sheet, strip, rod, and bar, from purchased steel.'\n },\n '331222': {\n title: 'Steel Wire Drawing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in drawing wire from purchased steel.'\n },\n '331313': {\n title: 'Alumina Refining and Primary Aluminum Production',\n description:\n 'This U.S. industry comprises establishments primarily engaged in one or more of the following: (1) refining alumina (i.e., aluminum oxide) generally from bauxite; (2) making aluminum from alumina; and/or (3) making aluminum from alumina and rolling, drawing, extruding, or casting the aluminum they make into primary forms. Establishments in this industry may make primary aluminum or aluminum-based alloys from alumina.'\n },\n '331314': {\n title: 'Secondary Smelting and Alloying of Aluminum',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) recovering aluminum and aluminum alloys from scrap and/or dross (i.e., secondary smelting) and making billet or ingot (except by rolling) and/or (2) manufacturing alloys, powder, paste, or flake from purchased aluminum.'\n },\n '331315': {\n title: 'Aluminum Sheet, Plate, and Foil Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) flat rolling or continuous casting sheet, plate, foil and welded tube from purchased aluminum and/or (2) recovering aluminum from scrap and flat rolling or continuous casting sheet, plate, foil, and welded tube in integrated mills.'\n },\n '331318': {\n title: 'Other Aluminum Rolling, Drawing, and Extruding',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) rolling, drawing, or extruding shapes (except flat rolled sheet, plate, foil, and welded tube) from purchased aluminum and/or (2) recovering aluminum from scrap and rolling, drawing, or extruding shapes (except flat rolled sheet, plate, foil, and welded tube) in integrated mills.'\n },\n '331410': {\n title: 'Nonferrous Metal (except Aluminum) Smelting and Refining',\n description:\n 'This industry comprises establishments primarily engaged in (1) smelting ores into nonferrous metals and/or (2) the primary refining of nonferrous metals (except aluminum) by electrolytic methods or other processes.'\n },\n '331420': {\n title: 'Copper Rolling, Drawing, Extruding, and Alloying',\n description:\n 'This industry comprises establishments primarily engaged in one or more of the following: (1) recovering copper or copper alloys from scraps; (2) alloying purchased copper; (3) rolling, drawing, or extruding shapes (e.g., bar, plate, sheet, strip, tube, wire) from purchased copper; and (4) recovering copper or copper alloys from scrap and rolling, drawing, or extruding shapes (e.g., bar, plate, sheet, strip, tube, wire).'\n },\n '331491': {\n title: 'Nonferrous Metal (except Copper and Aluminum) Rolling, Drawing, and Extruding',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) rolling, drawing, or extruding shapes (e.g., bar, plate, sheet, strip, tube) from purchased nonferrous metals and/or (2) recovering nonferrous metals from scrap and rolling, drawing, and/or extruding shapes (e.g., bar, plate, sheet, strip, tube) in integrated mills.'\n },\n '331492': {\n title:\n 'Secondary Smelting, Refining, and Alloying of Nonferrous Metal (except Copper and Aluminum)',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) alloying purchased nonferrous metals and/or (2) recovering nonferrous metals from scrap. Establishments in this industry make primary forms (e.g., bar, billet, bloom, cake, ingot, slab, slug, wire) using smelting or refining processes.'\n },\n '331511': {\n title: 'Iron Foundries',\n description:\n 'This U.S. industry comprises establishments primarily engaged in pouring molten pig iron or iron alloys into molds to manufacture castings (e.g., cast iron manhole covers, cast iron pipe, cast iron skillets). Establishments in this industry purchase iron made in other establishments.'\n },\n '331512': {\n title: 'Steel Investment Foundries',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing steel investment castings. Investment molds are formed by covering a wax shape with a refractory slurry. After the refractory slurry hardens, the wax is melted, leaving a seamless mold. Investment molds provide highly detailed, consistent castings. Establishments in this industry purchase steel made in other establishments.'\n },\n '331513': {\n title: 'Steel Foundries (except Investment)',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing steel castings (except steel investment castings). Establishments in this industry purchase steel made in other establishments.'\n },\n '331523': {\n title: 'Nonferrous Metal Die-Casting Foundries',\n description:\n 'This U.S. industry comprises establishments primarily engaged in introducing molten nonferrous metal, under high pressure, into molds or dies to make nonferrous metal die-castings. Establishments in this industry purchase nonferrous metals made in other establishments.'\n },\n '331524': {\n title: 'Aluminum Foundries (except Die-Casting)',\n description:\n 'This U.S. industry comprises establishments primarily engaged in pouring molten aluminum into molds to manufacture aluminum castings (except nonferrous die-castings). Establishments in this industry purchase aluminum made in other establishments.'\n },\n '331529': {\n title: 'Other Nonferrous Metal Foundries (except Die-Casting)',\n description:\n 'This U.S. industry comprises establishments primarily engaged in pouring molten nonferrous metals (except aluminum) into molds to manufacture nonferrous castings (except nonferrous die-castings and aluminum castings). Establishments in this industry purchase nonferrous metals, such as copper, nickel, lead, and zinc, made in other establishments.'\n },\n '332111': {\n title: 'Iron and Steel Forging',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing iron and steel forgings from purchased iron and steel by hammering mill shapes. Establishments making iron and steel forgings and further manufacturing (e.g., machining, assembling) a specific manufactured product are classified in the industry of the finished product. Iron and steel forging establishments may perform surface finishing operations, such as cleaning and deburring, on the forgings they manufacture.'\n },\n '332112': {\n title: 'Nonferrous Forging',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing nonferrous forgings from purchased nonferrous metals by hammering mill shapes. Establishments making nonferrous forgings and further manufacturing (e.g., machining, assembling) a specific manufactured product are classified in the industry of the finished product. Nonferrous forging establishments may perform surface finishing operations, such as cleaning and deburring, on the forgings they manufacture.'\n },\n '332114': {\n title: 'Custom Roll Forming',\n description:\n 'This U.S. industry comprises establishments primarily engaged in custom roll forming metal products by use of rotary motion of rolls with various contours to bend or shape the products.'\n },\n '332117': {\n title: 'Powder Metallurgy Part Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing powder metallurgy products using any of the various powder metallurgy processing techniques, such as pressing and sintering or metal injection molding. Establishments in this industry generally make a wide range of parts on a job or order basis.'\n },\n '332119': {\n title: 'Metal Crown, Closure, and Other Metal Stamping (except Automotive)',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) stamping metal crowns and closures, such as bottle caps and home canning lids and rings, and/or (2) manufacturing other unfinished metal stampings and spinning unfinished metal products (except automotive, cans, and coins). Establishments making metal stampings and metal spun products and further manufacturing (e.g., machining, assembling) a specific product are classified in the industry of the finished product. Metal stamping and metal spun products establishments may perform surface finishing operations, such as cleaning and deburring, on the products they manufacture.'\n },\n '332215': {\n title: 'Metal Kitchen Cookware, Utensil, Cutlery, and Flatware (except Precious) Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing metal kitchen cookware (except by casting (e.g., cast iron skillets) or stamped without further fabrication), utensils, and/or nonprecious and precious plated metal cutlery and flatware.'\n },\n '332216': {\n title: 'Saw Blade and Handtool Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) manufacturing saw blades, all types (including those for power sawing machines) and/or (2) manufacturing nonpowered handtools and edge tools.'\n },\n '332311': {\n title: 'Prefabricated Metal Building and Component Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing prefabricated metal buildings, panels, and sections.'\n },\n '332312': {\n title: 'Fabricated Structural Metal Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in fabricating structural metal products, such as assemblies of concrete reinforcing bars and fabricated bar joists.'\n },\n '332313': {\n title: 'Plate Work Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing fabricated metal plate work by cutting, punching, bending, shaping, and welding purchased metal plate.'\n },\n '332321': {\n title: 'Metal Window and Door Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing metal framed windows (i.e., typically using purchased glass) and metal doors. Examples of products made by these establishments are metal door frames; metal framed window and door screens; and metal molding and trim (except automotive).'\n },\n '332322': {\n title: 'Sheet Metal Work Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing sheet metal work (except stampings).'\n },\n '332323': {\n title: 'Ornamental and Architectural Metal Work Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing ornamental and architectural metal work, such as staircases, metal open steel flooring, fire escapes, railings, and scaffolding.'\n },\n '332410': {\n title: 'Power Boiler and Heat Exchanger Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing power boilers and heat exchangers. Establishments in this industry may perform installation in addition to manufacturing power boilers and heat exchangers.'\n },\n '332420': {\n title: 'Metal Tank (Heavy Gauge) Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in cutting, forming, and joining heavy gauge metal to manufacture tanks, vessels, and other containers.'\n },\n '332431': {\n title: 'Metal Can Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing metal cans, lids, and ends.'\n },\n '332439': {\n title: 'Other Metal Container Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing metal (light gauge) containers (except cans).'\n },\n '332510': {\n title: 'Hardware Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing metal hardware, such as metal hinges, metal handles, keys, and locks (except coin- or card-operated, time locks).'\n },\n '332613': {\n title: 'Spring Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing springs from purchased wire, strip, or rod.'\n },\n '332618': {\n title: 'Other Fabricated Wire Product Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing fabricated wire products (except springs) made from purchased wire.'\n },\n '332710': {\n title: 'Machine Shops',\n description:\n 'This industry comprises establishments known as machine shops primarily engaged in machining metal and plastic parts and parts of other composite materials on a job or order basis. Generally machine shop jobs are low volume using machine tools, such as lathes (including computer numerically controlled); automatic screw machines; and machines for boring, grinding, milling, and additive manufacturing.'\n },\n '332721': {\n title: 'Precision Turned Product Manufacturing',\n description:\n 'This U.S. industry comprises establishments known as precision turned manufacturers primarily engaged in machining precision products of all materials on a job or order basis. Generally precision turned product jobs are large volume using machines, such as automatic screw machines, rotary transfer machines, computer numerically controlled (CNC) lathes, or turning centers.'\n },\n '332722': {\n title: 'Bolt, Nut, Screw, Rivet, and Washer Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing metal bolts, nuts, screws, rivets, washers, and other industrial fasteners using machines, such as headers, threaders, and nut forming machines.'\n },\n '332811': {\n title: 'Metal Heat Treating',\n description:\n 'This U.S. industry comprises establishments primarily engaged in heat treating, such as annealing, tempering, and brazing, and cryogenically treating metals and metal products for the trade.'\n },\n '332812': {\n title:\n 'Metal Coating, Engraving (except Jewelry and Silverware), and Allied Services to Manufacturers',\n description:\n 'This U.S. industry comprises establishments primarily engaged in one or more of the following: (1) enameling, lacquering, and varnishing metals and metal products; (2) hot dip galvanizing metals and metal products; (3) engraving, chasing, or etching metals and metal products (except jewelry; personal goods carried on or about the person, such as compacts and cigarette cases; precious metal products (except precious plated flatware and other plated ware); and printing plates); (4) powder coating metals and metal products; and (5) providing other metal surfacing services for the trade. Included in this industry are establishments that perform these processes on other materials, such as plastics, in addition to metals.'\n },\n '332813': {\n title: 'Electroplating, Plating, Polishing, Anodizing, and Coloring',\n description:\n 'This U.S. industry comprises establishments primarily engaged in electroplating, plating, anodizing, coloring, buffing, polishing, cleaning, and sandblasting metals and metal products for the trade. Included in this industry are establishments that perform these processes on other materials, such as plastics, in addition to metals.'\n },\n '332911': {\n title: 'Industrial Valve Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing industrial valves and valves for water works and municipal water systems.'\n },\n '332912': {\n title: 'Fluid Power Valve and Hose Fitting Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing fluid power valves and hose fittings.'\n },\n '332913': {\n title: 'Plumbing Fixture Fitting and Trim Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing plumbing fixture fittings and trim of all materials, such as faucets, flush valves, and shower heads.'\n },\n '332919': {\n title: 'Other Metal Valve and Pipe Fitting Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing metal valves (except industrial valves, fluid power valves, fluid power hose fittings, and plumbing fixture fittings and trim).'\n },\n '332991': {\n title: 'Ball and Roller Bearing Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing ball and roller bearings of all materials.'\n },\n '332992': {\n title: 'Small Arms Ammunition Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing small arms ammunition.'\n },\n '332993': {\n title: 'Ammunition (except Small Arms) Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing ammunition (except small arms). Examples of products made by these establishments are bombs, depth charges, rockets (except guided missiles), grenades, mines, and torpedoes.'\n },\n '332994': {\n title: 'Small Arms, Ordnance, and Ordnance Accessories Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing small arms, other ordnance, and/or ordnance accessories.'\n },\n '332996': {\n title: 'Fabricated Pipe and Pipe Fitting Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in fabricating, such as cutting, threading, and bending, metal pipes and pipe fittings made from purchased metal pipe.'\n },\n '332999': {\n title: 'All Other Miscellaneous Fabricated Metal Product Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing fabricated metal products (except forgings and stampings, cutlery and handtools, architectural and structural metals, boilers, tanks, shipping containers, hardware, spring and wire products, machine shop products, turned products, screws, nuts and bolts, metal valves, ball and roller bearings, ammunition, small arms and other ordnances and accessories, and fabricated pipes and pipe fittings).'\n },\n '333111': {\n title: 'Farm Machinery and Equipment Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing agricultural and farm machinery and equipment, and other turf and grounds care equipment, including planting, harvesting, and grass mowing equipment (except lawn and garden-type).'\n },\n '333112': {\n title: 'Lawn and Garden Tractor and Home Lawn and Garden Equipment Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing powered lawnmowers, lawn and garden tractors, and other home lawn and garden equipment, such as tillers, shredders, yard vacuums, and leaf blowers.'\n },\n '333120': {\n title: 'Construction Machinery Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing construction machinery, surface mining machinery, and logging equipment.'\n },\n '333131': {\n title: 'Mining Machinery and Equipment Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) manufacturing underground mining machinery and equipment, such as coal breakers, mining cars, core drills, coal cutters, and rock drills, and (2) manufacturing mineral beneficiating machinery and equipment used in surface or underground mines.'\n },\n '333132': {\n title: 'Oil and Gas Field Machinery and Equipment Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) manufacturing oil and gas field machinery and equipment, such as oil and gas field drilling machinery and equipment; oil and gas field production machinery and equipment; and oil and gas field derricks, and (2) manufacturing water well drilling machinery.'\n },\n '333241': {\n title: 'Food Product Machinery Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing food and beverage manufacturing-type machinery and equipment, such as dairy product plant machinery and equipment (e.g., homogenizers, pasteurizers, ice cream freezers), bakery machinery and equipment (e.g., dough mixers, bake ovens, pastry rolling machines), meat and poultry processing and preparation machinery, and other commercial food products machinery (e.g., slicers, choppers, and mixers).'\n },\n '333242': {\n title: 'Semiconductor Machinery Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing wafer processing equipment, semiconductor assembly and packaging equipment, and other semiconductor making machinery.'\n },\n '333243': {\n title: 'Sawmill, Woodworking, and Paper Machinery Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) manufacturing sawmill and woodworking machinery (except handheld), such as circular and band sawing equipment, planing machinery, and sanding machinery, and/or (2) manufacturing paper industry machinery for making paper and paper products, such as pulp making machinery, paper and paperboard making machinery, and paper and paperboard converting machinery.'\n },\n '333248': {\n title: 'All Other Industrial Machinery Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing industrial machinery (except agricultural and farm-type; construction and mining machinery; food manufacturing-type machinery; semiconductor making machinery; and sawmill, woodworking, and paper making machinery).'\n },\n '333310': {\n title: 'Commercial and Service Industry Machinery Manufacturing',\n description:\n \"This industry comprises establishments primarily engaged in manufacturing commercial and service industry machinery, such as optical instruments and lenses (except ophthalmic), photographic and photocopying equipment, automatic vending machinery, commercial laundry and drycleaning machinery, office machinery, automotive maintenance equipment (except mechanics' handtools), and commercial-type cooking equipment.\"\n },\n '333413': {\n title: 'Industrial and Commercial Fan and Blower and Air Purification Equipment Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) manufacturing stationary air purification equipment, such as industrial dust and fume collection equipment, electrostatic precipitation equipment, warm air furnace filters, air washers, and other dust collection equipment, and/or (2) manufacturing attic fans and industrial and commercial fans and blowers, such as commercial exhaust fans and commercial ventilating fans.'\n },\n '333414': {\n title: 'Heating Equipment (except Warm Air Furnaces) Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing heating equipment (except electric and warm air furnaces), such as heating boilers, heating stoves, floor and wall furnaces, and wall and baseboard heating units.'\n },\n '333415': {\n title:\n 'Air-Conditioning and Warm Air Heating Equipment and Commercial and Industrial Refrigeration Equipment Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) manufacturing air-conditioning (except motor vehicle) and warm air furnace equipment and/or (2) manufacturing commercial and industrial refrigeration and freezer equipment.'\n },\n '333511': {\n title: 'Industrial Mold Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing industrial molds for casting metals or forming other materials, such as plastics, glass, or rubber.'\n },\n '333514': {\n title: 'Special Die and Tool, Die Set, Jig, and Fixture Manufacturing',\n description:\n 'This U.S. industry comprises establishments, known as tool and die shops, primarily engaged in manufacturing special tools and fixtures, such as cutting dies and jigs.'\n },\n '333515': {\n title: 'Cutting Tool and Machine Tool Accessory Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing accessories and attachments for metal cutting and metal forming machine tools.'\n },\n '333517': {\n title: 'Machine Tool Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) manufacturing metal cutting machine tools (except handtools) and/or (2) manufacturing metal forming machine tools (except handtools), such as punching, sheering, bending, forming, pressing, forging and die-casting machines.'\n },\n '333519': {\n title: 'Rolling Mill and Other Metalworking Machinery Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing rolling mill machinery and equipment and/or other metalworking machinery (except industrial molds; special dies and tools, die sets, jigs, and fixtures; cutting tools and machine tool accessories; and machine tools).'\n },\n '333611': {\n title: 'Turbine and Turbine Generator Set Units Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing turbines (except aircraft); and complete turbine generator set units, such as steam, hydraulic, gas, and wind.'\n },\n '333612': {\n title: 'Speed Changer, Industrial High-Speed Drive, and Gear Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing gears, speed changers, and industrial high-speed drives (except hydrostatic).'\n },\n '333613': {\n title: 'Mechanical Power Transmission Equipment Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing mechanical power transmission equipment (except motor vehicle and aircraft), such as plain bearings, clutches (except motor vehicle and electromagnetic industrial control), couplings, joints, and drive chains.'\n },\n '333618': {\n title: 'Other Engine Equipment Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing internal combustion engines (except automotive gasoline and aircraft).'\n },\n '333912': {\n title: 'Air and Gas Compressor Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing general purpose air and gas compressors, such as reciprocating compressors, centrifugal compressors, vacuum pumps (except laboratory), and nonagricultural spraying and dusting compressors and spray gun units.'\n },\n '333914': {\n title: 'Measuring, Dispensing, and Other Pumping Equipment Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) manufacturing measuring and dispensing pumps, such as gasoline pumps and lubricating oil measuring and dispensing pumps and/or (2) manufacturing general purpose pumps and pumping equipment (except fluid power pumps and motors), such as reciprocating pumps, turbine pumps, centrifugal pumps, rotary pumps, diaphragm pumps, domestic water system pumps, oil well and oil field pumps, and sump pumps.'\n },\n '333921': {\n title: 'Elevator and Moving Stairway Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing elevators and moving stairways.'\n },\n '333922': {\n title: 'Conveyor and Conveying Equipment Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing conveyors and conveying equipment, such as gravity conveyors, trolley conveyors, tow conveyors, pneumatic tube conveyors, carousel conveyors, farm conveyors, and belt conveyors.'\n },\n '333923': {\n title: 'Overhead Traveling Crane, Hoist, and Monorail System Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing overhead traveling cranes, hoists, and monorail systems.'\n },\n '333924': {\n title: 'Industrial Truck, Tractor, Trailer, and Stacker Machinery Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing industrial trucks, tractors, trailers, and stackers (i.e., truck-type) such as forklifts, pallet loaders and unloaders, and portable loading docks.'\n },\n '333991': {\n title: 'Power-Driven Handtool Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing power-driven (e.g., battery, corded, pneumatic) handtools, such as drills, screwguns, circular saws, chain saws, staplers, and nailers.'\n },\n '333992': {\n title: 'Welding and Soldering Equipment Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing welding and soldering equipment and accessories (except transformers), such as arc, resistance, gas, plasma, laser, electron beam, and ultrasonic welding equipment; welding electrodes; coated or cored welding wire; and soldering equipment (except handheld).'\n },\n '333993': {\n title: 'Packaging Machinery Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing packaging machinery, such as wrapping, bottling, canning, and labeling machinery.'\n },\n '333994': {\n title: 'Industrial Process Furnace and Oven Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing industrial process ovens, induction and dielectric heating equipment, and kilns (except cement, chemical, wood). Included in this industry are establishments manufacturing laboratory furnaces and ovens.'\n },\n '333995': {\n title: 'Fluid Power Cylinder and Actuator Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing fluid power (i.e., hydraulic and pneumatic) cylinders and actuators.'\n },\n '333996': {\n title: 'Fluid Power Pump and Motor Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing fluid power (i.e., hydraulic and pneumatic) pumps and motors.'\n },\n '333998': {\n title: 'All Other Miscellaneous General Purpose Machinery Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing general purpose machinery (except ventilating, heating, air-conditioning, and commercial refrigeration equipment; metalworking machinery; engines, turbines, and power transmission equipment; pumps and compressors; material handling equipment; power-driven handtools; welding and soldering equipment; packaging machinery; industrial process furnaces and ovens; fluid power cylinders and actuators; and fluid power pumps and motors).'\n },\n '334111': {\n title: 'Electronic Computer Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing and/or assembling electronic computers, such as mainframes, personal computers, workstations, laptops, and computer servers. Computers can be analog, digital, or hybrid. Digital computers, the most common type, are devices that do all of the following: (1) store the processing program or programs and the data immediately necessary for the execution of the program; (2) can be freely programmed in accordance with the requirements of the user; (3) perform arithmetical computations specified by the user; and (4) execute, without human intervention, a processing program that requires the computer to modify its execution by logical decision during the processing run. Analog computers are capable of simulating mathematical models and contain at least analog, control, and programming elements. The manufacture of computers includes the assembly or integration of processors, coprocessors, memory, storage, and input/output devices into a user-programmable final product.'\n },\n '334112': {\n title: 'Computer Storage Device Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing computer storage devices that allow the storage and retrieval of data from a phase change, magnetic, optical, or magnetic/optical media. Examples of products made by these establishments are computer disk drives, USB flash drives, and tape storage and backup units.'\n },\n '334118': {\n title: 'Computer Terminal and Other Computer Peripheral Equipment Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing computer terminals and other computer peripheral equipment (except storage devices).'\n },\n '334210': {\n title: 'Telephone Apparatus Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing wire telephone and data communications equipment. These products may be stand-alone or board-level components of a larger system. Examples of products made by these establishments are central office switching equipment, cordless and wire telephones (except cellular), PBX equipment, telephone answering machines, LAN modems, multi-user modems, and other data communications equipment, such as bridges, routers, and gateways.'\n },\n '334220': {\n title: 'Radio and Television Broadcasting and Wireless Communications Equipment Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing radio and television broadcast and wireless communications equipment. Examples of products made by these establishments are transmitting and receiving antennas, cable television equipment, GPS equipment, pagers, cellular phones, mobile communications equipment, and radio and television studio and broadcasting equipment.'\n },\n '334290': {\n title: 'Other Communications Equipment Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing communications equipment (except telephone apparatus, radio and television broadcast equipment, and wireless communications equipment).'\n },\n '334310': {\n title: 'Audio and Video Equipment Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing electronic audio and video equipment for home entertainment, motor vehicles, and public address and musical instrument amplification. Examples of products made by these establishments are digital video recorders, televisions, stereo equipment, speaker systems, household-type video cameras, jukeboxes, and amplifiers for musical instruments and public address systems.'\n },\n '334412': {\n title: 'Bare Printed Circuit Board Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing bare (i.e., rigid or flexible) printed circuit boards without mounted electronic components. These establishments print, perforate, plate, screen, etch, or photoprint interconnecting pathways for electric current on laminates.'\n },\n '334413': {\n title: 'Semiconductor and Related Device Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing semiconductors and related solid-state devices. Examples of products made by these establishments are integrated circuits, memory chips, microprocessors, diodes, transistors, solar cells, and other optoelectronic devices.'\n },\n '334416': {\n title: 'Capacitor, Resistor, Coil, Transformer, and Other Inductor Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in one or more of the following: (1) manufacturing electronic fixed and variable capacitors and condensers; (2) manufacturing electronic resistors, such as fixed and variable resistors, resistor networks, thermistors, and varistors; and (3) manufacturing electronic inductors, such as coils and transformers.'\n },\n '334417': {\n title: 'Electronic Connector Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing electronic connectors, such as coaxial, cylindrical, rack and panel, pin and sleeve, printed circuit, and fiber optic.'\n },\n '334418': {\n title: 'Printed Circuit Assembly (Electronic Assembly) Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in loading components onto printed circuit boards or who manufacture and ship loaded printed circuit boards. Also known as printed circuit assemblies, electronics assemblies, or modules, these products are printed circuit boards that have some or all of the semiconductor and electronic components inserted or mounted and are inputs to a wide variety of electronic systems and devices.'\n },\n '334419': {\n title: 'Other Electronic Component Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing electronic components (except bare printed circuit boards; semiconductors and related devices; electronic capacitors; electronic resistors; coils, transformers, and other inductors; connectors; and loaded printed circuit boards).'\n },\n '334510': {\n title: 'Electromedical and Electrotherapeutic Apparatus Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing electromedical and electrotherapeutic apparatus, such as magnetic resonance imaging equipment, medical ultrasound equipment, pacemakers, hearing aids, electrocardiographs, and electromedical endoscopic equipment.'\n },\n '334511': {\n title:\n 'Search, Detection, Navigation, Guidance, Aeronautical, and Nautical System and Instrument Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing search, detection, navigation, guidance, aeronautical, and nautical systems and instruments. Examples of products made by these establishments are aircraft instruments (except engine), flight recorders, navigational instruments and systems, radar systems and equipment, and sonar systems and equipment.'\n },\n '334512': {\n title:\n 'Automatic Environmental Control Manufacturing for Residential, Commercial, and Appliance Use',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing automatic controls and regulators for applications, such as heating, air-conditioning, refrigeration, and appliances.'\n },\n '334513': {\n title:\n 'Instruments and Related Products Manufacturing for Measuring, Displaying, and Controlling Industrial Process Variables',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing instruments and related devices for measuring, displaying, indicating, recording, transmitting, and controlling industrial process variables. These instruments measure, display, or control (monitor, analyze, and so forth) industrial process variables, such as temperature, humidity, pressure, vacuum, combustion, flow, level, viscosity, density, acidity, concentration, and rotation.'\n },\n '334514': {\n title: 'Totalizing Fluid Meter and Counting Device Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing totalizing (i.e., registering) fluid meters and counting devices. Examples of products made by these establishments are gas consumption meters, water consumption meters, parking meters, taxi meters, motor vehicle gauges, and fare collection equipment.'\n },\n '334515': {\n title: 'Instrument Manufacturing for Measuring and Testing Electricity and Electrical Signals',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing instruments for measuring and testing the characteristics of electricity and electrical signals. Examples of products made by these establishments are circuit and continuity testers, voltmeters, ohm meters, wattmeters, multimeters, and semiconductor test equipment.'\n },\n '334516': {\n title: 'Analytical Laboratory Instrument Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing instruments and instrumentation systems for laboratory analysis of the chemical or physical composition or concentration of samples of solid, fluid, gaseous, or composite material.'\n },\n '334517': {\n title: 'Irradiation Apparatus Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing irradiation apparatus and tubes for applications, such as medical diagnostic, medical therapeutic, industrial, research, and scientific evaluation. Irradiation can take the form of beta-rays, gamma-rays, X-rays, or other ionizing radiation.'\n },\n '334519': {\n title: 'Other Measuring and Controlling Device Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing measuring and controlling devices (except search, detection, navigation, guidance, aeronautical, and nautical instruments and systems; automatic environmental controls for residential, commercial, and appliance use; instruments for measurement, display, and control of industrial process variables; totalizing fluid meters and counting devices; instruments for measuring and testing electricity and electrical signals; analytical laboratory instruments; irradiation equipment; and electromedical and electrotherapeutic apparatus).'\n },\n '334610': {\n title: 'Manufacturing and Reproducing Magnetic and Optical Media',\n description:\n 'This industry comprises establishments primarily engaged in (1) manufacturing optical and magnetic media, such as blank audio tapes, blank video tapes, and blank diskettes, and/or (2) mass duplicating (i.e., making copies) audio, video, software, and other data on magnetic, optical, and similar media. These establishments do not generally develop software or produce audio or video content.'\n },\n '335131': {\n title: 'Residential Electric Lighting Fixture Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing fixed or portable residential electric lighting fixtures and lamp shades of metal, paper, or textiles. Residential electric lighting fixtures include those for use both inside and outside the residence.'\n },\n '335132': {\n title: 'Commercial, Industrial, and Institutional Electric Lighting Fixture Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing commercial, industrial, and institutional electric lighting fixtures.'\n },\n '335139': {\n title: 'Electric Lamp Bulb and Other Lighting Equipment Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing electric light bulbs, tubes, and parts (except glass blanks for electric light bulbs and light emitting diodes (LEDs)), electric lighting fixtures (except residential, commercial, industrial, institutional, and vehicular electric lighting fixtures), and nonelectric lighting equipment.'\n },\n '335210': {\n title: 'Small Electrical Appliance Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing small electric appliances and electric housewares, household-type fans (except attic fans), household-type vacuum cleaners, and other electric household-type floor care machines.'\n },\n '335220': {\n title: 'Major Household Appliance Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing household-type cooking appliances, household-type laundry equipment, household-type refrigerators, upright and chest freezers, and other electrical and nonelectrical major household-type appliances, such as dishwashers, water heaters, and garbage disposal units.'\n },\n '335311': {\n title: 'Power, Distribution, and Specialty Transformer Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing power, distribution, and specialty transformers (except electronic components). Industrial-type and consumer-type transformers in this industry vary (e.g., step up or step down) voltage but do not convert alternating to direct or direct to alternating current.'\n },\n '335312': {\n title: 'Motor and Generator Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing electric motors (except internal combustion engine starting motors), power generators (except battery charging alternators for internal combustion engines), and motor generator sets (except turbine generator set units). This industry includes establishments rewinding armatures on a factory basis.'\n },\n '335313': {\n title: 'Switchgear and Switchboard Apparatus Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing switchgear and switchboard apparatus.'\n },\n '335314': {\n title: 'Relay and Industrial Control Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing relays, motor starters and controllers, and other industrial controls and control accessories.'\n },\n '335910': {\n title: 'Battery Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing primary and storage batteries.'\n },\n '335921': {\n title: 'Fiber Optic Cable Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing insulated fiber optic cable from purchased fiber optic strand.'\n },\n '335929': {\n title: 'Other Communication and Energy Wire Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing insulated wire and cable of nonferrous metals from purchased wire.'\n },\n '335931': {\n title: 'Current-Carrying Wiring Device Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing current-carrying wiring devices.'\n },\n '335932': {\n title: 'Noncurrent-Carrying Wiring Device Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing noncurrent-carrying wiring devices.'\n },\n '335991': {\n title: 'Carbon and Graphite Product Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing carbon, graphite, and metal-graphite brushes and brush stock; carbon or graphite electrodes for thermal and electrolytic uses; carbon and graphite fibers; and other carbon, graphite, and metal-graphite products.'\n },\n '335999': {\n title: 'All Other Miscellaneous Electrical Equipment and Component Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing industrial and commercial electric apparatus and other equipment (except lighting equipment, household appliances, transformers, motors, generators, switchgear, relays, industrial controls, batteries, communication and energy wire and cable, wiring devices, and carbon and graphite products). Examples of products made by these establishments are power converters (i.e., AC to DC and DC to AC), power supplies, surge suppressors, and similar equipment for industrial-type and consumer-type equipment.'\n },\n '336110': {\n title: 'Automobile and Light Duty Motor Vehicle Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in (1) manufacturing complete automobiles and light duty motor vehicles (i.e., body and chassis or unibody) or (2) manufacturing automobile and light duty motor vehicle chassis only. Vehicles made include passenger cars, light duty trucks, light duty vans, pick-up trucks, minivans, and sport utility vehicles.'\n },\n '336120': {\n title: 'Heavy Duty Truck Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in (1) manufacturing heavy duty truck chassis and assembling complete heavy duty trucks, buses, heavy duty motor homes, and other special purpose heavy duty motor vehicles for highway use or (2) manufacturing heavy duty truck chassis only.'\n },\n '336211': {\n title: 'Motor Vehicle Body Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing truck and bus bodies and cabs and automobile bodies. The products made may be sold separately or may be assembled on purchased chassis and sold as complete vehicles.'\n },\n '336212': {\n title: 'Truck Trailer Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing truck trailers, truck trailer chassis, cargo container chassis, detachable trailer bodies, and detachable trailer chassis for sale separately.'\n },\n '336213': {\n title: 'Motor Home Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) manufacturing motor homes on purchased chassis and/or (2) manufacturing conversion vans on an assembly line basis. Motor homes are units where the motor and the living quarters are integrated in the same unit.'\n },\n '336214': {\n title: 'Travel Trailer and Camper Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in one or more of the following: (1) manufacturing travel trailers and campers designed to attach to motor vehicles; (2) manufacturing pick-up coaches (i.e., campers) and caps (i.e., covers) for mounting on pick-up trucks; and (3) manufacturing automobile, utility, and light-truck trailers. Travel trailers do not have their own motor but are designed to be towed by a motor unit, such as an automobile or a light truck.'\n },\n '336310': {\n title: 'Motor Vehicle Gasoline Engine and Engine Parts Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in (1) manufacturing and/or rebuilding motor vehicle gasoline engines and engine parts and/or (2) manufacturing and/or rebuilding carburetors, pistons, piston rings, and engine valves, whether or not for vehicular use.'\n },\n '336320': {\n title: 'Motor Vehicle Electrical and Electronic Equipment Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing and/or rebuilding electrical and electronic equipment for motor vehicles and internal combustion engines. The products made can be used for all types of transportation equipment (i.e., aircraft, automobiles, trucks, trains, ships) or stationary internal combustion engine applications.'\n },\n '336330': {\n title: 'Motor Vehicle Steering and Suspension Components (except Spring) Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing and/or rebuilding motor vehicle steering mechanisms and suspension components (except springs).'\n },\n '336340': {\n title: 'Motor Vehicle Brake System Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing and/or rebuilding motor vehicle brake systems and related components.'\n },\n '336350': {\n title: 'Motor Vehicle Transmission and Power Train Parts Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing and/or rebuilding motor vehicle transmissions and power train parts.'\n },\n '336360': {\n title: 'Motor Vehicle Seating and Interior Trim Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing motor vehicle seating, seats, seat frames, seat belts, and interior trimmings.'\n },\n '336370': {\n title: 'Motor Vehicle Metal Stamping',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing motor vehicle stampings, such as fenders, tops, body parts, trim, and molding.'\n },\n '336390': {\n title: 'Other Motor Vehicle Parts Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing and/or rebuilding motor vehicle parts and accessories (except motor vehicle gasoline engines and engine parts, motor vehicle electrical and electronic equipment, motor vehicle steering and suspension components, motor vehicle brake systems, motor vehicle transmissions and power train parts, motor vehicle seating and interior trim, and motor vehicle stampings).'\n },\n '336411': {\n title: 'Aircraft Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in one or more of the following: (1) manufacturing or assembling complete aircraft; (2) developing and making aircraft prototypes; (3) aircraft conversion (i.e., major modifications to systems); and (4) complete aircraft overhaul and rebuilding (i.e., periodic restoration of aircraft to original design specifications).'\n },\n '336412': {\n title: 'Aircraft Engine and Engine Parts Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in one or more of the following: (1) manufacturing aircraft engines and engine parts; (2) developing and making prototypes of aircraft engines and engine parts; (3) aircraft propulsion system conversion (i.e., major modifications to systems); and (4) aircraft propulsion systems overhaul and rebuilding (i.e., periodic restoration of aircraft propulsion system to original design specifications).'\n },\n '336413': {\n title: 'Other Aircraft Parts and Auxiliary Equipment Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) manufacturing aircraft parts or auxiliary equipment (except engines and aircraft fluid power subassemblies) and/or (2) developing and making prototypes of aircraft parts and auxiliary equipment. Auxiliary equipment includes such items as crop dusting apparatus, armament racks, inflight refueling equipment, and external fuel tanks.'\n },\n '336414': {\n title: 'Guided Missile and Space Vehicle Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) manufacturing complete guided missiles and space vehicles and/or (2) developing and making prototypes of guided missiles or space vehicles.'\n },\n '336415': {\n title:\n 'Guided Missile and Space Vehicle Propulsion Unit and Propulsion Unit Parts Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) manufacturing guided missile and/or space vehicle propulsion units and propulsion unit parts and/or (2) developing and making prototypes of guided missile and space vehicle propulsion units and propulsion unit parts.'\n },\n '336419': {\n title: 'Other Guided Missile and Space Vehicle Parts and Auxiliary Equipment Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) manufacturing guided missile and space vehicle parts and auxiliary equipment (except guided missile and space vehicle propulsion units and propulsion unit parts) and/or (2) developing and making prototypes of guided missile and space vehicle parts and auxiliary equipment.'\n },\n '336510': {\n title: 'Railroad Rolling Stock Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in one or more of the following: (1) manufacturing and/or rebuilding locomotives, locomotive frames, and parts; (2) manufacturing railroad, street, and rapid transit cars and car equipment for operation on rails for freight and passenger service; and (3) manufacturing rail layers, ballast distributors, rail tamping equipment, and other railway track maintenance equipment.'\n },\n '336611': {\n title: 'Ship Building and Repairing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in operating shipyards. Shipyards are fixed facilities with drydocks and fabrication equipment capable of building a ship, defined as watercraft typically suitable or intended for other than personal or recreational use. Activities of shipyards include the construction of ships, their repair, conversion and alteration, the production of prefabricated ship and barge sections, and specialized services, such as ship scaling.'\n },\n '336612': {\n title: 'Boat Building',\n description:\n 'This U.S. industry comprises establishments primarily engaged in building boats. Boats are defined as watercraft not built in shipyards and typically of the type suitable or intended for personal use. Included in this industry are establishments that manufacture heavy-duty inflatable rubber or inflatable plastic boats (RIBs).'\n },\n '336991': {\n title: 'Motorcycle, Bicycle, and Parts Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing motorcycles, bicycles, tricycles and similar equipment, and parts.'\n },\n '336992': {\n title: 'Military Armored Vehicle, Tank, and Tank Component Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing complete military armored vehicles, combat tanks, specialized components for combat tanks, and self-propelled weapons.'\n },\n '336999': {\n title: 'All Other Transportation Equipment Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing transportation equipment (except motor vehicles, motor vehicle parts, boats, ships, railroad rolling stock, aerospace products, motorcycles, bicycles, armored vehicles, and tanks).'\n },\n '337110': {\n title: 'Wood Kitchen Cabinet and Countertop Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing wood or plastics laminated on wood kitchen cabinets, bathroom vanities, and countertops (except freestanding). The cabinets and counters may be made on a stock or custom basis.'\n },\n '337121': {\n title: 'Upholstered Household Furniture Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing upholstered household-type furniture. The furniture may be made on a stock or custom basis.'\n },\n '337122': {\n title: 'Nonupholstered Wood Household Furniture Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing nonupholstered wood household-type furniture and freestanding cabinets (except television, stereo, and sewing machine cabinets). The furniture may be made on a stock or custom basis and may be assembled or unassembled (i.e., knockdown).'\n },\n '337126': {\n title: 'Household Furniture (except Wood and Upholstered) Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing nonupholstered household-type furniture of materials other than wood, such as metal, plastics, reed, rattan, wicker, and fiberglass. The furniture may be partially upholstered (e.g., chairs with upholstered seats or backs), made on a stock or custom basis, and may be assembled or unassembled (i.e., knockdown).'\n },\n '337127': {\n title: 'Institutional Furniture Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing institutional-type furniture (e.g., library, school, theater, and church furniture). Included in this industry are establishments primarily engaged in manufacturing general purpose hospital, laboratory, and dental furniture (e.g., tables, stools, and benches). The furniture may be made on a stock or custom basis and may be assembled or unassembled (i.e., knockdown).'\n },\n '337211': {\n title: 'Wood Office Furniture Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing wood office-type furniture. The furniture may be made on a stock or custom basis and may be assembled or unassembled (i.e., knockdown).'\n },\n '337212': {\n title: 'Custom Architectural Woodwork and Millwork Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing custom designed interiors consisting of architectural woodwork and fixtures utilizing wood, wood products, and plastics laminates. All of the industry output is made to individual order on a job shop basis and requires skilled craftsmen as a labor input. A job might include custom manufacturing of display fixtures, gondolas, wall shelving units, entrance and window architectural detail, sales and reception counters, wall paneling, and matching furniture.'\n },\n '337214': {\n title: 'Office Furniture (except Wood) Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing nonwood office-type furniture. The furniture may be made on a stock or custom basis and may be assembled or unassembled (i.e., knockdown).'\n },\n '337215': {\n title: 'Showcase, Partition, Shelving, and Locker Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing wood and nonwood office and store fixtures, shelving, lockers, frames, partitions, and related fabricated products of wood and nonwood materials, including plastics laminated fixture tops. The products are made on a stock or custom basis and may be assembled or unassembled (i.e., knockdown). Establishments exclusively making furniture parts (e.g., frames) are included in this industry.'\n },\n '337910': {\n title: 'Mattress Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing innerspring, box spring, and noninnerspring mattresses.'\n },\n '337920': {\n title: 'Blind and Shade Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing one or more of the following: venetian blinds, other window blinds, and shades; curtain and drapery rods and poles; and/or curtain and drapery fixtures. The blinds and shades may be made on a stock or custom basis and may be made of any material.'\n },\n '339112': {\n title: 'Surgical and Medical Instrument Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing medical, surgical, ophthalmic, and veterinary instruments and apparatus (except electrotherapeutic, electromedical, and irradiation apparatus). Examples of products made by these establishments are syringes, hypodermic needles, anesthesia apparatus, blood transfusion equipment, catheters, surgical clamps, and medical thermometers.'\n },\n '339113': {\n title: 'Surgical Appliance and Supplies Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing surgical appliances and supplies. Examples of products made by these establishments are orthopedic devices, prosthetic appliances, surgical dressings, crutches, surgical sutures, personal industrial safety devices (except protective eyewear), hospital beds, and operating room tables.'\n },\n '339114': {\n title: 'Dental Equipment and Supplies Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing dental equipment and supplies used by dental laboratories and offices of dentists, such as dental chairs, dental instrument delivery systems, dental hand instruments, dental impression material, and dental cements.'\n },\n '339115': {\n title: 'Ophthalmic Goods Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing ophthalmic goods. Examples of products made by these establishments are prescription eyeglasses (except grinding lenses in a retail setting), contact lenses, sunglasses, eyeglass frames, reading glasses made to standard powers, and protective eyewear.'\n },\n '339116': {\n title: 'Dental Laboratories',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing dentures, crowns, bridges, and orthodontic appliances customized for individual application.'\n },\n '339910': {\n title: 'Jewelry and Silverware Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in one or more of the following: (1) manufacturing, engraving, chasing, or etching fine and costume jewelry; (2) manufacturing, engraving, chasing, or etching metal personal goods (i.e., small articles carried on or about the person, such as compacts or cigarette cases); (3) manufacturing, engraving, chasing, or etching precious metal solid, precious metal clad, or pewter flatware and other hollowware; (4) stamping coins; (5) manufacturing unassembled jewelry parts and stock shop products, such as sheet, wire, and tubing; (6) cutting, slabbing, tumbling, carving, engraving, polishing, or faceting precious or semiprecious stones and gems; (7) recutting, repolishing, and setting gem stones; and (8) drilling, sawing, and peeling cultured and costume pearls. This industry includes establishments primarily engaged in manufacturing precious solid, precious clad, and precious plated jewelry and personal goods.'\n },\n '339920': {\n title: 'Sporting and Athletic Goods Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing sporting and athletic goods (except apparel and footwear).'\n },\n '339930': {\n title: 'Doll, Toy, and Game Manufacturing',\n description:\n \"This industry comprises establishments primarily engaged in manufacturing complete dolls, doll parts, doll clothes, action figures, toys, games (including electronic, such as gaming consoles and devices and handheld video games), hobby kits, and children's vehicles (except metal bicycles and tricycles).\"\n },\n '339940': {\n title: 'Office Supplies (except Paper) Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing office supplies. Examples of products made by these establishments are pens, pencils, felt tip markers, crayons, chalk, pencil sharpeners, staplers, modeling clay, hand operated stamps, stamp pads, stencils, carbon paper, and inked ribbons.'\n },\n '339950': {\n title: 'Sign Manufacturing',\n description:\n 'This industry comprises establishments primarily engaged in manufacturing signs and related displays of all materials (except printing paper and paperboard signs, notices, displays).'\n },\n '339991': {\n title: 'Gasket, Packing, and Sealing Device Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing gaskets, packing, and sealing devices of all materials.'\n },\n '339992': {\n title: 'Musical Instrument Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing musical instruments (except toys).'\n },\n '339993': {\n title: 'Fastener, Button, Needle, and Pin Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing fasteners, buttons, needles, pins, and buckles (except made of precious metals or precious and semiprecious stones and gems).'\n },\n '339994': {\n title: 'Broom, Brush, and Mop Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing brooms, mops, and brushes.'\n },\n '339995': {\n title: 'Burial Casket Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in manufacturing burial caskets, cases, and vaults (except concrete).'\n },\n '339999': {\n title: 'All Other Miscellaneous Manufacturing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in miscellaneous manufacturing (except medical equipment and supplies, jewelry and silverware, sporting and athletic goods, dolls, toys, games, office supplies, signs, gaskets, packing, and sealing devices, musical instruments, fasteners, buttons, needles, pins, brooms, brushes, mops, and burial caskets).'\n },\n '423110': {\n title: 'Automobile and Other Motor Vehicle Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of new and used passenger automobiles, trucks, trailers, and other motor vehicles, such as motorcycles, motor homes, and snowmobiles.'\n },\n '423120': {\n title: 'Motor Vehicle Supplies and New Parts Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of motor vehicle supplies, accessories, tools, and equipment; and new motor vehicle parts (except new tires and tubes).'\n },\n '423130': {\n title: 'Tire and Tube Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of new and/or used tires and tubes for passenger and commercial vehicles.'\n },\n '423140': {\n title: 'Motor Vehicle Parts (Used) Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of used motor vehicle parts (except used tires and tubes) and establishments primarily engaged in dismantling motor vehicles for the purpose of selling the parts.'\n },\n '423210': {\n title: 'Furniture Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of furniture (except hospital beds, medical furniture, and drafting tables).'\n },\n '423220': {\n title: 'Home Furnishing Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of home furnishings and/or housewares.'\n },\n '423310': {\n title: 'Lumber, Plywood, Millwork, and Wood Panel Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of lumber; plywood; reconstituted wood fiber products; wood fencing; doors and windows and their frames (all materials); wood roofing and siding; and/or other wood or metal millwork.'\n },\n '423320': {\n title: 'Brick, Stone, and Related Construction Material Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of stone, cement, lime, construction sand, and gravel; brick; asphalt and concrete mixtures; and/or concrete, stone, and structural clay products.'\n },\n '423330': {\n title: 'Roofing, Siding, and Insulation Material Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of nonwood roofing and nonwood siding and insulation materials.'\n },\n '423390': {\n title: 'Other Construction Material Merchant Wholesalers',\n description:\n 'This industry comprises (1) establishments primarily engaged in the merchant wholesale distribution of manufactured homes (i.e., mobile homes) and/or prefabricated buildings and (2) establishments primarily engaged in the merchant wholesale distribution of construction materials (except lumber, plywood, millwork, wood panels, brick, stone, roofing, siding, electrical and wiring supplies, and insulation materials).'\n },\n '423410': {\n title: 'Photographic Equipment and Supplies Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of photographic equipment and supplies (except office equipment).'\n },\n '423420': {\n title: 'Office Equipment Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of office machines and related equipment (except computers and computer peripheral equipment).'\n },\n '423430': {\n title: 'Computer and Computer Peripheral Equipment and Software Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of computers, computer peripheral equipment, loaded computer boards, and/or computer software.'\n },\n '423440': {\n title: 'Other Commercial Equipment Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of commercial and related machines and equipment (except photographic equipment and supplies; office equipment; and computers and computer peripheral equipment and software) generally used in restaurants and stores.'\n },\n '423450': {\n title: 'Medical, Dental, and Hospital Equipment and Supplies Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of professional medical equipment, instruments, and supplies (except ophthalmic equipment and instruments and goods used by ophthalmologists, optometrists, and opticians).'\n },\n '423460': {\n title: 'Ophthalmic Goods Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of professional equipment, instruments, and/or goods sold, prescribed, or used by ophthalmologists, optometrists, and opticians.'\n },\n '423490': {\n title: 'Other Professional Equipment and Supplies Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of professional equipment and supplies (except ophthalmic goods and medical, dental, and hospital equipment and supplies).'\n },\n '423510': {\n title: 'Metal Service Centers and Other Metal Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of products of the primary metals industries. Service centers maintain inventory and may perform functions, such as sawing, shearing, bending, leveling, cleaning, or edging, on a custom basis as part of sales transactions.'\n },\n '423520': {\n title: 'Coal and Other Mineral and Ore Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of coal, coke, metal ores, and/or nonmetallic minerals (except precious and semiprecious stones and minerals used in construction, such as sand and gravel).'\n },\n '423610': {\n title:\n 'Electrical Apparatus and Equipment, Wiring Supplies, and Related Equipment Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of electrical construction materials; wiring supplies; electric light fixtures; light bulbs; and/or electrical power equipment for the generation, transmission, distribution, or control of electric energy.'\n },\n '423620': {\n title:\n 'Household Appliances, Electric Housewares, and Consumer Electronics Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of household-type gas and electric appliances (except water heaters and heating stoves (i.e., noncooking)), room air-conditioners, and/or household-type audio or video equipment.'\n },\n '423690': {\n title: 'Other Electronic Parts and Equipment Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of electronic parts and equipment (except electrical apparatus and equipment, wiring supplies, and construction materials; electrical and electronic appliances; and television sets and radios).'\n },\n '423710': {\n title: 'Hardware Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of hardware, knives, or handtools.'\n },\n '423720': {\n title: 'Plumbing and Heating Equipment and Supplies (Hydronics) Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of plumbing equipment, hydronic heating equipment, household-type water heaters, and/or supplies.'\n },\n '423730': {\n title: 'Warm Air Heating and Air-Conditioning Equipment and Supplies Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of warm air heating and air-conditioning equipment and supplies.'\n },\n '423740': {\n title: 'Refrigeration Equipment and Supplies Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of refrigeration equipment (except household-type refrigerators, freezers, and air-conditioners).'\n },\n '423810': {\n title: 'Construction and Mining (except Oil Well) Machinery and Equipment Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of specialized machinery, equipment, and related parts generally used in construction, mining (except oil well), and logging activities.'\n },\n '423820': {\n title: 'Farm and Garden Machinery and Equipment Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of specialized machinery, equipment, and related parts generally used in agricultural, farm, and lawn and garden activities.'\n },\n '423830': {\n title: 'Industrial Machinery and Equipment Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of specialized machinery, equipment, and related parts generally used in manufacturing, oil well, and warehousing activities.'\n },\n '423840': {\n title: 'Industrial Supplies Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of supplies for machinery and equipment generally used in manufacturing, oil well, and warehousing activities.'\n },\n '423850': {\n title: 'Service Establishment Equipment and Supplies Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of specialized equipment and supplies of the type used by service establishments (except specialized equipment and supplies used in offices, stores, hotels, restaurants, schools, health and medical facilities, photographic facilities, and specialized equipment used in transportation and construction activities).'\n },\n '423860': {\n title: 'Transportation Equipment and Supplies (except Motor Vehicle) Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of transportation equipment and supplies (except marine pleasure craft and motor vehicles).'\n },\n '423910': {\n title: 'Sporting and Recreational Goods and Supplies Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of sporting goods and accessories; billiard and pool supplies; sporting firearms and ammunition; and/or marine pleasure craft, equipment, and supplies.'\n },\n '423920': {\n title: 'Toy and Hobby Goods and Supplies Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of games, toys, fireworks, playing cards, hobby goods and supplies, and/or related goods.'\n },\n '423930': {\n title: 'Recyclable Material Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of automotive scrap, industrial scrap, and other recyclable materials. Included in this industry are auto wreckers primarily engaged in dismantling motor vehicles for the purpose of wholesaling scrap.'\n },\n '423940': {\n title: 'Jewelry, Watch, Precious Stone, and Precious Metal Merchant Wholesalers',\n description:\n \"This industry comprises establishments primarily engaged in the merchant wholesale distribution of jewelry, precious and semiprecious stones, precious metals and metal flatware, costume jewelry, watches, clocks, silverware, and/or jewelers' findings.\"\n },\n '423990': {\n title: 'Other Miscellaneous Durable Goods Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of durable goods (except motor vehicles and motor vehicle parts and supplies; furniture and home furnishings; lumber and other construction materials; professional and commercial equipment and supplies; metals and minerals (except petroleum); electrical goods; hardware, and plumbing and heating equipment and supplies; machinery, equipment, and supplies; sporting and recreational goods and supplies; toy and hobby goods and supplies; recyclable materials; and jewelry, watches, precious stones, and precious metals).'\n },\n '424110': {\n title: 'Printing and Writing Paper Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of bulk printing and/or writing paper generally on rolls for further processing.'\n },\n '424120': {\n title: 'Stationery and Office Supplies Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of stationery, office supplies, and/or gift wrap.'\n },\n '424130': {\n title: 'Industrial and Personal Service Paper Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of kraft wrapping and other coarse paper, paperboard, converted paper (except stationery and office supplies), and/or related disposable plastics products.'\n },\n '424210': {\n title: \"Drugs and Druggists' Sundries Merchant Wholesalers\",\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of biological and medical products; botanical drugs and herbs; and pharmaceutical products intended for internal and/or external consumption in such forms as ampoules, tablets, capsules, vials, ointments, powders, solutions, and suspensions.'\n },\n '424310': {\n title: 'Piece Goods, Notions, and Other Dry Goods Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of piece goods, fabrics, knitting yarns (except industrial), thread and other notions, and/or hair accessories.'\n },\n '424340': {\n title: 'Footwear Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of footwear of leather, rubber, and other materials, including athletic footwear (except specialty athletic footwear).'\n },\n '424350': {\n title: 'Clothing and Clothing Accessories Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of clothing and clothing accessories.'\n },\n '424410': {\n title: 'General Line Grocery Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of a general line (wide range) of groceries.'\n },\n '424420': {\n title: 'Packaged Frozen Food Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of packaged frozen foods (except dairy products).'\n },\n '424430': {\n title: 'Dairy Product (except Dried or Canned) Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of dairy products (except dried or canned).'\n },\n '424440': {\n title: 'Poultry and Poultry Product Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of poultry and/or poultry products (except canned and packaged frozen).'\n },\n '424450': {\n title: 'Confectionery Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of confectioneries; salted or roasted nuts; popcorn; potato, corn, and similar chips; and/or fountain fruits and syrups.'\n },\n '424460': {\n title: 'Fish and Seafood Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of fish and seafood (except canned or packaged frozen).'\n },\n '424470': {\n title: 'Meat and Meat Product Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of meats and meat products (except canned and packaged frozen) and/or lard.'\n },\n '424480': {\n title: 'Fresh Fruit and Vegetable Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of fresh fruits and vegetables.'\n },\n '424490': {\n title: 'Other Grocery and Related Products Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of groceries and related products (except a general line of groceries; packaged frozen food; dairy products (except dried and canned); poultry products (except canned); confectioneries; fish and seafood (except canned); meat products (except canned); and fresh fruits and vegetables). Included in this industry are establishments primarily engaged in the bottling and merchant wholesale distribution of spring and mineral waters processed by others.'\n },\n '424510': {\n title: 'Grain and Field Bean Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of grains, such as corn, wheat, oats, barley, and unpolished rice; dry beans; and soybeans and other inedible beans. Included in this industry are establishments primarily engaged in operating country or terminal grain elevators primarily for the purpose of wholesaling.'\n },\n '424520': {\n title: 'Livestock Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of livestock (except horses and mules).'\n },\n '424590': {\n title: 'Other Farm Product Raw Material Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of farm products (except grain and field beans, livestock, raw milk, live poultry, and fresh fruits and vegetables).'\n },\n '424610': {\n title: 'Plastics Materials and Basic Forms and Shapes Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of plastics materials and resins, and unsupported plastics film, sheet, sheeting, rod, tube, and other basic forms and shapes.'\n },\n '424690': {\n title: 'Other Chemical and Allied Products Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of chemicals and allied products (except agricultural and medicinal chemicals, paints and varnishes, fireworks, and plastics materials and basic forms and shapes).'\n },\n '424710': {\n title: 'Petroleum Bulk Stations and Terminals',\n description:\n 'This industry comprises establishments with bulk liquid storage facilities primarily engaged in the merchant wholesale distribution of crude petroleum and petroleum products, including liquefied petroleum gas.'\n },\n '424720': {\n title:\n 'Petroleum and Petroleum Products Merchant Wholesalers (except Bulk Stations and Terminals)',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of petroleum and petroleum products (except from bulk liquid storage facilities).'\n },\n '424810': {\n title: 'Beer and Ale Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of beer, ale, porter, and other fermented malt beverages.'\n },\n '424820': {\n title: 'Wine and Distilled Alcoholic Beverage Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of wine, distilled alcoholic beverages, and/or neutral spirits and ethyl alcohol used in blended wines and distilled liquors.'\n },\n '424910': {\n title: 'Farm Supplies Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of farm supplies, such as animal feeds, fertilizers, agricultural chemicals, pesticides, plant seeds, and plant bulbs.'\n },\n '424920': {\n title: 'Book, Periodical, and Newspaper Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of books, periodicals, and newspapers.'\n },\n '424930': {\n title: \"Flower, Nursery Stock, and Florists' Supplies Merchant Wholesalers\",\n description:\n \"This industry comprises establishments primarily engaged in the merchant wholesale distribution of flowers, florists' supplies, and/or nursery stock (except plant seeds and plant bulbs).\"\n },\n '424940': {\n title: 'Tobacco Product and Electronic Cigarette Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of tobacco products, such as cigarettes, snuff, cigars, pipe tobacco, and electronic cigarettes (including related parts and accessories).'\n },\n '424950': {\n title: 'Paint, Varnish, and Supplies Merchant Wholesalers',\n description:\n 'This industry comprises establishments primarily engaged in the merchant wholesale distribution of paints, varnishes, and similar coatings; pigments; wallpaper; and supplies, such as paintbrushes and rollers.'\n },\n '424990': {\n title: 'Other Miscellaneous Nondurable Goods Merchant Wholesalers',\n description:\n \"This industry comprises establishments primarily engaged in the merchant wholesale distribution of nondurable goods (except printing and writing paper; stationery and office supplies; industrial and personal service paper; drugs and druggists' sundries; apparel, piece goods, and notions; grocery and related products; farm product raw materials; chemical and allied products; petroleum and petroleum products; beer, wine, and distilled alcoholic beverages; farm supplies; books, periodicals, and newspapers; flowers, nursery stock, and florists' supplies; tobacco and tobacco products; and paint, varnishes, wallpaper, and supplies).\"\n },\n '425120': {\n title: 'Wholesale Trade Agents and Brokers',\n description:\n 'This industry comprises wholesale trade agents and brokers acting on behalf of buyers or sellers in the wholesale distribution of goods, including those that use the Internet or other electronic means to bring together buyers and sellers. Agents and brokers do not take title to the goods being sold but rather receive a commission or fee for their service. Agents and brokers for all durable and nondurable goods are included in this industry.'\n },\n '441110': {\n title: 'New Car Dealers',\n description:\n 'This industry comprises establishments primarily engaged in retailing new automobiles and light trucks, such as sport utility vehicles, and passenger and cargo vans, or retailing these new vehicles in combination with activities, such as repair services, retailing used cars, and selling replacement parts and accessories.'\n },\n '441120': {\n title: 'Used Car Dealers',\n description:\n 'This industry comprises establishments primarily engaged in retailing used automobiles and light trucks, such as sport utility vehicles, and passenger and cargo vans.'\n },\n '441210': {\n title: 'Recreational Vehicle Dealers',\n description:\n 'This industry comprises establishments primarily engaged in retailing new and/or used recreational vehicles commonly referred to as RVs or retailing these new vehicles in combination with activities, such as repair services and selling replacement parts and accessories.'\n },\n '441222': {\n title: 'Boat Dealers',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) retailing new and/or used boats or retailing new boats in combination with activities, such as repair services and selling replacement parts and accessories, and/or (2) retailing new and/or used outboard motors, boat trailers, marine supplies, parts, and accessories.'\n },\n '441227': {\n title: 'Motorcycle, ATV, and All Other Motor Vehicle Dealers',\n description:\n 'This U.S. industry comprises establishments primarily engaged in retailing new and/or used motorcycles, motor scooters, motorbikes, mopeds, off-road all-terrain vehicles (ATV), personal watercraft, utility trailers, and other motor vehicles (except automobiles, light trucks, recreational vehicles, and boats) or retailing these new vehicles in combination with activities, such as repair services and selling replacement parts and accessories.'\n },\n '441330': {\n title: 'Automotive Parts and Accessories Retailers',\n description:\n 'This industry comprises establishments primarily engaged in retailing new, used, and/or rebuilt automotive parts and accessories, with or without repairing automobiles; and/or establishments primarily engaged in retailing and installing automotive accessories.'\n },\n '441340': {\n title: 'Tire Dealers',\n description:\n 'This industry comprises establishments primarily engaged in retailing new and/or used tires and tubes or retailing new tires in combination with automotive repair services.'\n },\n '444110': {\n title: 'Home Centers',\n description:\n 'This industry comprises establishments generally known as home centers primarily engaged in retailing a general line of new home repair and improvement materials and supplies, such as lumber, plumbing goods, electrical goods, tools, housewares, hardware, and lawn and garden supplies, with no one merchandise line predominating.'\n },\n '444120': {\n title: 'Paint and Wallpaper Retailers',\n description:\n 'This industry comprises establishments primarily engaged in retailing paint, wallpaper, and related supplies.'\n },\n '444140': {\n title: 'Hardware Retailers',\n description:\n \"This industry comprises establishments primarily engaged in retailing a general line of new hardware items, such as tools and builders' hardware.\"\n },\n '444180': {\n title: 'Other Building Material Dealers',\n description:\n 'This industry comprises establishments (except home centers, paint and wallpaper retailers, and hardware retailers) primarily engaged in retailing specialized lines of new building materials, such as lumber, fencing, glass, doors, plumbing fixtures and supplies, electrical supplies, prefabricated buildings and kits, and kitchen and bath cabinets and countertops to be installed.'\n },\n '444230': {\n title: 'Outdoor Power Equipment Retailers',\n description:\n 'This industry comprises establishments primarily engaged in retailing new outdoor power equipment or retailing new outdoor power equipment in combination with activities, such as repair services and selling replacement parts.'\n },\n '444240': {\n title: 'Nursery, Garden Center, and Farm Supply Retailers',\n description:\n 'This industry comprises establishments primarily engaged in retailing nursery and garden products, such as trees, shrubs, plants, seeds, bulbs, and sod, that are predominantly grown elsewhere. These establishments may sell a limited amount of a product they grow themselves. Also included in this industry are establishments primarily engaged in retailing farm supplies, such as animal (except pet) feed, fertilizers, agricultural chemicals, and pesticides.'\n },\n '445110': {\n title: 'Supermarkets and Other Grocery Retailers (except Convenience Retailers)',\n description:\n 'This industry comprises establishments generally known as supermarkets and other grocery retailers (except convenience retailers) primarily engaged in retailing a general line of food, such as canned and frozen foods; fresh fruits and vegetables; and fresh and prepared meats, fish, and poultry. Included in this industry are delicatessen-type establishments primarily engaged in retailing a general line of food.'\n },\n '445131': {\n title: 'Convenience Retailers',\n description:\n 'This U.S. industry comprises establishments primarily engaged in retailing a limited line of groceries that generally includes milk, bread, soda, and snacks, such as convenience stores or food marts (except those operating fuel pumps).'\n },\n '445132': {\n title: 'Vending Machine Operators',\n description:\n 'This U.S. industry comprises establishments primarily engaged in retailing merchandise through vending machines that they service.'\n },\n '445230': {\n title: 'Fruit and Vegetable Retailers',\n description:\n 'This industry comprises establishments primarily engaged in retailing fresh fruits and vegetables.'\n },\n '445240': {\n title: 'Meat Retailers',\n description:\n 'This industry comprises establishments primarily engaged in retailing fresh, frozen, or cured meats and poultry not for immediate consumption. Delicatessen-type establishments primarily engaged in retailing fresh meat are included in this industry.'\n },\n '445250': {\n title: 'Fish and Seafood Retailers',\n description:\n 'This industry comprises establishments primarily engaged in retailing fresh, frozen, or cured fish and seafood products not for immediate consumption.'\n },\n '445291': {\n title: 'Baked Goods Retailers',\n description:\n 'This U.S. industry comprises establishments primarily engaged in retailing baked goods not for immediate consumption and not made on the premises.'\n },\n '445292': {\n title: 'Confectionery and Nut Retailers',\n description:\n 'This U.S. industry comprises establishments primarily engaged in retailing candy and other confections, nuts, and popcorn not for immediate consumption and not made on the premises.'\n },\n '445298': {\n title: 'All Other Specialty Food Retailers',\n description:\n 'This U.S. industry comprises establishments primarily engaged in retailing miscellaneous specialty foods (except fruit and vegetables, meat, fish, seafood, confections, nuts, popcorn, and baked goods) not for immediate consumption and not made on the premises.'\n },\n '445320': {\n title: 'Beer, Wine, and Liquor Retailers',\n description:\n 'This industry comprises establishments primarily engaged in retailing packaged alcoholic beverages, such as ale, beer, wine, and liquor.'\n },\n '449110': {\n title: 'Furniture Retailers',\n description:\n 'This industry comprises establishments primarily engaged in retailing new furniture, such as household furniture (e.g., baby furniture, box springs, and mattresses) and outdoor furniture; office furniture (except sold in combination with office supplies and equipment); and/or furniture sold in combination with major appliances, home electronics, home furnishings, or floor coverings.'\n },\n '449121': {\n title: 'Floor Covering Retailers',\n description:\n 'This U.S. industry comprises establishments primarily engaged in retailing new floor coverings, such as rugs and carpets, laminate and vinyl floor coverings, linoleum flooring, and floor tile (except ceramic tile or hardwood floor coverings only); or retailing new floor coverings in combination with installation and repair services.'\n },\n '449122': {\n title: 'Window Treatment Retailers',\n description:\n 'This U.S. industry comprises establishments primarily engaged in retailing new window treatments, such as curtains, drapes, blinds, and shades.'\n },\n '449129': {\n title: 'All Other Home Furnishings Retailers',\n description:\n 'This U.S. industry comprises establishments primarily engaged in retailing new home furnishings (except furniture, floor coverings, and window treatments).'\n },\n '449210': {\n title: 'Electronics and Appliance Retailers',\n description:\n 'This industry comprises establishments primarily engaged in one of the following: (1) retailing an array of new household-type appliances and consumer-type electronic products, such as televisions, computers, electronic tablets, and cameras; (2) specializing in retailing a single line of new consumer-type electronic products; (3) retailing these new products in combination with repair and support services; (4) retailing new prepackaged or downloadable computer software (without publishing); and/or (5) retailing prerecorded audio and video media, such as downloadable digital music and video files (without production or publishing), CDs, and DVDs.'\n },\n '455110': {\n title: 'Department Stores',\n description:\n 'This industry comprises establishments generally known as department stores that have separate departments for general lines of new merchandise, such as apparel, jewelry, home furnishings, and toys, with no one merchandise line predominating. Department stores may sell perishable groceries, such as fresh fruits, vegetables, and dairy products, but such sales are insignificant. Department stores with fixed point-of-sale locations may have separate customer checkout areas in each department, central customer checkout areas, or both.'\n },\n '455211': {\n title: 'Warehouse Clubs and Supercenters',\n description:\n 'This U.S. industry comprises establishments generally known as warehouse clubs, superstores, or supercenters, primarily engaged in retailing a general line of groceries, including a significant amount and variety of fresh fruits, vegetables, dairy products, meats, and other perishable groceries, in combination with a general line of new merchandise, such as apparel, furniture, and appliances.'\n },\n '455219': {\n title: 'All Other General Merchandise Retailers',\n description:\n 'This U.S. industry comprises establishments primarily engaged in retailing new and used general merchandise (except department stores, warehouse clubs, superstores, and supercenters). These establishments retail a general line of new and used merchandise, such as apparel, automotive parts, dry goods, groceries, hardware, housewares or home furnishings, and other lines in limited amounts, with none of the lines predominating. This industry also includes establishments primarily engaged in retailing a general line of new and used merchandise on an auction basis.'\n },\n '456110': {\n title: 'Pharmacies and Drug Retailers',\n description:\n 'This industry comprises establishments generally known as pharmacies and drug retailers engaged in retailing prescription or nonprescription drugs and medicines.'\n },\n '456120': {\n title: 'Cosmetics, Beauty Supplies, and Perfume Retailers',\n description:\n 'This industry comprises establishments primarily engaged in retailing cosmetics, perfumes, toiletries, and personal grooming products.'\n },\n '456130': {\n title: 'Optical Goods Retailers',\n description:\n 'This industry comprises establishments primarily engaged in one or more of the following: (1) retailing and fitting prescription eyeglasses and contact lenses; (2) retailing prescription eyeglasses in combination with the grinding of lenses to order on the premises; and (3) retailing nonprescription eyeglasses.'\n },\n '456191': {\n title: 'Food (Health) Supplement Retailers',\n description:\n 'This U.S. industry comprises establishments primarily engaged in retailing food supplement products, such as vitamins, nutrition supplements, and body enhancing supplements.'\n },\n '456199': {\n title: 'All Other Health and Personal Care Retailers',\n description:\n 'This U.S. industry comprises establishments primarily engaged in retailing specialized lines of health and personal care merchandise (except drugs, medicines, cosmetics, beauty supplies, perfumes, optical goods, and food supplement products).'\n },\n '457110': {\n title: 'Gasoline Stations with Convenience Stores',\n description:\n 'This industry comprises establishments primarily engaged in retailing automotive fuels (e.g., gasoline, diesel fuel, gasohol, alternative fuels) in combination with a limited line of groceries. These establishments can either be in a convenience store (i.e., food mart) setting or a gasoline station setting. These establishments may also provide automotive repair services.'\n },\n '457120': {\n title: 'Other Gasoline Stations',\n description:\n 'This industry comprises establishments generally known as gasoline stations (except those with convenience stores) or truck stops primarily engaged in (1) retailing automotive fuels (e.g., gasoline, diesel fuel, gasohol, alternative fuels) or (2) retailing these fuels in combination with activities, such as providing repair services; selling automotive oils, replacement parts, and accessories; and/or providing food services.'\n },\n '457210': {\n title: 'Fuel Dealers',\n description:\n 'This industry comprises establishments primarily engaged in retailing heating oil, liquefied petroleum (LP) gas, and other fuels via direct selling (i.e., home delivery).'\n },\n '458110': {\n title: 'Clothing and Clothing Accessories Retailers',\n description:\n 'This industry comprises establishments primarily engaged in retailing general or specialized lines of new clothing and clothing accessories, such as hats and caps, costume jewelry, gloves, handbags, ties, wigs, toupees, and belts. These establishments may provide basic alterations, such as hemming, taking in or letting out seams, or lengthening or shortening sleeves.'\n },\n '458210': {\n title: 'Shoe Retailers',\n description:\n 'This industry comprises establishments primarily engaged in retailing all types of new footwear (except hosiery and specialty sports footwear, such as golf shoes, bowling shoes, and cleated shoes). Establishments primarily engaged in retailing new tennis shoes or sneakers are included in this industry.'\n },\n '458310': {\n title: 'Jewelry Retailers',\n description:\n 'This industry comprises establishments primarily engaged in retailing one or more of the following items: (1) new jewelry (except costume jewelry); (2) new sterling and plated silverware; and (3) new watches and clocks. Also included are establishments retailing these new products in combination with lapidary work and/or repair services.'\n },\n '458320': {\n title: 'Luggage and Leather Goods Retailers',\n description:\n 'This industry comprises establishments primarily engaged in retailing new luggage, briefcases, and trunks, or retailing these new products in combination with a general line of leather items (except leather apparel), such as belts, gloves, and handbags.'\n },\n '459110': {\n title: 'Sporting Goods Retailers',\n description:\n 'This industry comprises establishments primarily engaged in retailing new sporting goods, such as bicycles and bicycle parts; camping equipment; exercise and fitness equipment; athletic uniforms; specialty sports footwear; and other sporting goods, equipment, and accessories.'\n },\n '459120': {\n title: 'Hobby, Toy, and Game Retailers',\n description:\n 'This industry comprises establishments primarily engaged in retailing new toys, games, and hobby and craft supplies (except needlecraft).'\n },\n '459130': {\n title: 'Sewing, Needlework, and Piece Goods Retailers',\n description:\n 'This industry comprises establishments primarily engaged in retailing new sewing supplies, fabrics, patterns, yarns, and other needlework accessories or retailing these products in combination with new sewing machines.'\n },\n '459140': {\n title: 'Musical Instrument and Supplies Retailers',\n description:\n 'This industry comprises establishments primarily engaged in retailing new musical instruments, sheet music, and related supplies; or retailing these new products in combination with musical instrument repair, rental, or music instruction.'\n },\n '459210': {\n title: 'Book Retailers and News Dealers',\n description:\n 'This industry comprises establishments primarily engaged in retailing new books, newspapers, magazines, and other periodicals (without publishing).'\n },\n '459310': {\n title: 'Florists',\n description:\n 'This industry comprises establishments generally known as florists primarily engaged in retailing cut flowers, floral arrangements, and potted plants grown elsewhere. These establishments may prepare the arrangements they sell.'\n },\n '459410': {\n title: 'Office Supplies and Stationery Retailers',\n description:\n 'This industry comprises establishments primarily engaged in one or more of the following: (1) retailing new office supplies, stationery, and school supplies; (2) retailing a combination of new office equipment, furniture, and supplies; and (3) retailing new office equipment, furniture, and supplies in combination with selling new computers.'\n },\n '459420': {\n title: 'Gift, Novelty, and Souvenir Retailers',\n description:\n 'This industry comprises establishments primarily engaged in retailing new gifts, novelty merchandise, souvenirs, greeting cards, seasonal and holiday decorations, and curios.'\n },\n '459510': {\n title: 'Used Merchandise Retailers',\n description:\n 'This industry comprises establishments primarily engaged in retailing used merchandise, antiques, and secondhand goods (except motor vehicles, such as automobiles, RVs, motorcycles, and boats; motor vehicle parts; tires; and mobile homes). This industry includes establishments retailing used merchandise on an auction basis.'\n },\n '459910': {\n title: 'Pet and Pet Supplies Retailers',\n description:\n 'This industry comprises establishments primarily engaged in retailing pets, pet foods, and pet supplies.'\n },\n '459920': {\n title: 'Art Dealers',\n description:\n 'This industry comprises establishments primarily engaged in retailing original and limited edition art works created by others. Included in this industry are establishments primarily engaged in displaying works of art for retail sale in art galleries.'\n },\n '459930': {\n title: 'Manufactured (Mobile) Home Dealers',\n description:\n 'This industry comprises establishments primarily engaged in retailing new and/or used manufactured homes (i.e., mobile homes), parts, and equipment.'\n },\n '459991': {\n title: 'Tobacco, Electronic Cigarette, and Other Smoking Supplies Retailers',\n description:\n \"This U.S. industry comprises establishments primarily engaged in retailing cigarettes, electronic cigarettes, cigars, tobacco, pipes, and other smokers' supplies.\"\n },\n '459999': {\n title: 'All Other Miscellaneous Retailers',\n description:\n 'This U.S. industry comprises establishments primarily engaged in retailing miscellaneous specialized lines of merchandise (except motor vehicle and parts dealers; building material and garden equipment and supplies dealers; food and beverage retailers; furniture, home furnishings, electronics, and appliance retailers; general merchandise retailers; health and personal care retailers; gasoline stations and fuel dealers; clothing, clothing accessories, shoe, and jewelry retailers; sporting goods, hobby, and musical instrument retailers; book retailers and news dealers; florists; office supplies, stationery, and gift retailers; used merchandise retailers; pet and pet supplies retailers; art dealers; manufactured (mobile) home dealers; and tobacco, electronic cigarette, and other smoking supplies retailers).'\n },\n '481111': {\n title: 'Scheduled Passenger Air Transportation',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing air transportation of passengers or passengers and freight over regular routes and on regular schedules. Establishments in this industry operate flights even if partially loaded. Scheduled air passenger carriers including commuter and helicopter carriers (except scenic and sightseeing) are included in this industry.'\n },\n '481112': {\n title: 'Scheduled Freight Air Transportation',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing air transportation of cargo without transporting passengers over regular routes and on regular schedules. Establishments in this industry operate flights even if partially loaded. Establishments primarily engaged in providing scheduled air transportation of mail on a contract basis are included in this industry.'\n },\n '481211': {\n title: 'Nonscheduled Chartered Passenger Air Transportation',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing air transportation of passengers or passengers and cargo with no regular routes and regular schedules.'\n },\n '481212': {\n title: 'Nonscheduled Chartered Freight Air Transportation',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing air transportation of cargo without transporting passengers with no regular routes and regular schedules.'\n },\n '481219': {\n title: 'Other Nonscheduled Air Transportation',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing air transportation with no regular routes and regular schedules (except nonscheduled chartered passenger and/or cargo air transportation). These establishments provide a variety of specialty air transportation or flying services based on individual customer needs using general purpose aircraft.'\n },\n '482111': {\n title: 'Line-Haul Railroads',\n description:\n 'This U.S. industry comprises establishments known as line-haul railroads primarily engaged in operating railroads for the transport of passengers and/or cargo over a long distance within a rail network. These establishments provide for the intercity movement of trains between the terminals and stations on main and branch lines of a line-haul rail network (except for local switching services).'\n },\n '482112': {\n title: 'Short Line Railroads',\n description:\n 'This U.S. industry comprises establishments known as short-line railroads primarily engaged in operating railroads for the transport of cargo over a short distance on local rail lines not part of a rail network.'\n },\n '483111': {\n title: 'Deep Sea Freight Transportation',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing deep sea transportation of cargo to or from foreign ports.'\n },\n '483112': {\n title: 'Deep Sea Passenger Transportation',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing deep sea transportation of passengers to or from foreign ports.'\n },\n '483113': {\n title: 'Coastal and Great Lakes Freight Transportation',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing water transportation of cargo in coastal waters, on the Great Lakes System, or deep seas between ports of the United States, Puerto Rico, and United States island possessions or protectorates. Marine transportation establishments using the facilities of the St. Lawrence Seaway Authority Commission are considered to be using the Great Lakes Water Transportation System. Establishments primarily engaged in providing coastal and/or Great Lakes barge transportation services are included in this industry.'\n },\n '483114': {\n title: 'Coastal and Great Lakes Passenger Transportation',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing water transportation of passengers in coastal waters, the Great Lakes System, or deep seas between ports of the United States, Puerto Rico, and United States island possessions and protectorates. Marine transportation establishments using the facilities of the St. Lawrence Seaway Authority Commission are considered to be using the Great Lakes Water Transportation System.'\n },\n '483211': {\n title: 'Inland Water Freight Transportation',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing inland water transportation of cargo on lakes, rivers, or intracoastal waterways (except on the Great Lakes System).'\n },\n '483212': {\n title: 'Inland Water Passenger Transportation',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing inland water transportation of passengers on lakes, rivers, or intracoastal waterways (except on the Great Lakes System).'\n },\n '484110': {\n title: 'General Freight Trucking, Local',\n description:\n 'This industry comprises establishments primarily engaged in providing local general freight trucking. General freight trucking establishments handle a wide variety of commodities, generally palletized and transported in a container or van trailer. Local general freight trucking establishments usually provide trucking within a metropolitan area which may cross state lines. Generally the trips are same-day return.'\n },\n '484121': {\n title: 'General Freight Trucking, Long-Distance, Truckload',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing long-distance general freight truckload (TL) trucking. These long-distance general freight truckload carrier establishments provide full truck movement of freight from origin to destination. The shipment of freight on a truck is characterized as a full single load not combined with other shipments.'\n },\n '484122': {\n title: 'General Freight Trucking, Long-Distance, Less Than Truckload',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing long-distance, general freight, less than truckload (LTL) trucking. LTL carriage is characterized as multiple shipments combined onto a single truck for multiple deliveries within a network. These establishments are generally characterized by the following network activities: local pick-up, local sorting and terminal operations, line-haul, destination sorting and terminal operations, and local delivery.'\n },\n '484210': {\n title: 'Used Household and Office Goods Moving',\n description:\n 'This industry comprises establishments primarily engaged in providing local or long-distance trucking of used household, used institutional, or used commercial furniture and equipment. Incidental packing and storage activities are often provided by these establishments.'\n },\n '484220': {\n title: 'Specialized Freight (except Used Goods) Trucking, Local',\n description:\n 'This industry comprises establishments primarily engaged in providing local, specialized trucking. Local trucking establishments provide trucking within a metropolitan area that may cross state lines. Generally the trips are same-day return.'\n },\n '484230': {\n title: 'Specialized Freight (except Used Goods) Trucking, Long-Distance',\n description:\n 'This industry comprises establishments primarily engaged in providing long-distance specialized trucking. These establishments provide trucking between metropolitan areas that may cross North American country borders.'\n },\n '485111': {\n title: 'Mixed Mode Transit Systems',\n description:\n 'This U.S. industry comprises establishments primarily engaged in operating local and suburban ground passenger transit systems using more than one mode of transport over regular routes and on regular schedules within a metropolitan area and its adjacent nonurban areas.'\n },\n '485112': {\n title: 'Commuter Rail Systems',\n description:\n 'This U.S. industry comprises establishments primarily engaged in operating local and suburban commuter rail systems over regular routes and on a regular schedule within a metropolitan area and its adjacent nonurban areas. Commuter rail is usually characterized by reduced fares, multiple ride and commutation tickets, and mostly used by passengers during the morning and evening peak periods.'\n },\n '485113': {\n title: 'Bus and Other Motor Vehicle Transit Systems',\n description:\n 'This U.S. industry comprises establishments primarily engaged in operating local and suburban passenger transportation systems using buses or other motor vehicles over regular routes and on regular schedules within a metropolitan area and its adjacent nonurban areas.'\n },\n '485119': {\n title: 'Other Urban Transit Systems',\n description:\n 'This U.S. industry comprises establishments primarily engaged in operating local and suburban ground passenger transit systems (except mixed mode transit systems, commuter rail systems, and buses and other motor vehicles) over regular routes and on regular schedules within a metropolitan area and its adjacent nonurban areas.'\n },\n '485210': {\n title: 'Interurban and Rural Bus Transportation',\n description:\n 'This industry comprises establishments primarily engaged in providing bus passenger transportation over regular routes and on regular schedules, principally outside a single metropolitan area and its adjacent nonurban areas.'\n },\n '485310': {\n title: 'Taxi and Ridesharing Services',\n description:\n 'This industry comprises establishments primarily engaged in providing passenger transportation by automobile or van, not operated over regular routes and on regular schedules. Establishments of taxicab owner/operators, taxicab fleet operators, taxicab organizations, ridesharing services (including arrangement services), and ride hailing services (including arrangement services) are included in this industry.'\n },\n '485320': {\n title: 'Limousine Service',\n description:\n 'This industry comprises establishments primarily engaged in providing an array of specialty and luxury passenger transportation services via limousine or luxury sedan generally on a reserved basis. These establishments do not operate over regular routes and on regular schedules.'\n },\n '485410': {\n title: 'School and Employee Bus Transportation',\n description:\n 'This industry comprises establishments primarily engaged in providing buses and other motor vehicles to transport pupils to and from school or employees to and from work.'\n },\n '485510': {\n title: 'Charter Bus Industry',\n description:\n \"This industry comprises establishments primarily engaged in providing buses for charter. These establishments provide bus services to meet customers' road transportation needs and generally do not operate over fixed routes and on regular schedules.\"\n },\n '485991': {\n title: 'Special Needs Transportation',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing special needs transportation (except to and from school or work) for the disabled or elderly. These establishments may use specially equipped vehicles to provide passenger transportation.'\n },\n '485999': {\n title: 'All Other Transit and Ground Passenger Transportation',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing ground passenger transportation (except urban transit systems; interurban and rural bus transportation, taxi and/or limousine services (except shuttle services), school and employee bus transportation, charter bus services, and special needs transportation). Establishments primarily engaged in operating shuttle services and car pools or vanpools (except ridesharing and ridesharing arrangement services) are included in this industry. Shuttle services establishments generally provide travel on regular routes and on regular schedules between hotels, airports, or other destination points.'\n },\n '486110': {\n title: 'Pipeline Transportation of Crude Oil',\n description:\n 'This industry comprises establishments primarily engaged in the pipeline transportation of crude oil.'\n },\n '486210': {\n title: 'Pipeline Transportation of Natural Gas',\n description:\n 'This industry comprises establishments primarily engaged in the pipeline transportation of natural gas from processing plants to local distribution systems. This industry includes the storage of natural gas because the storage is usually done by the pipeline establishment and because a pipeline is inherently a network in which all the nodes are interdependent.'\n },\n '486910': {\n title: 'Pipeline Transportation of Refined Petroleum Products',\n description:\n 'This industry comprises establishments primarily engaged in the pipeline transportation of refined petroleum products.'\n },\n '486990': {\n title: 'All Other Pipeline Transportation',\n description:\n 'This industry comprises establishments primarily engaged in the pipeline transportation of products (except crude oil, natural gas, and refined petroleum products).'\n },\n '487110': {\n title: 'Scenic and Sightseeing Transportation, Land',\n description:\n 'This industry comprises establishments primarily engaged in providing scenic and sightseeing transportation on land, such as sightseeing buses and trolleys, steam train excursions, and horse-drawn sightseeing rides. The services provided are usually local and involve same-day return to place of origin.'\n },\n '487210': {\n title: 'Scenic and Sightseeing Transportation, Water',\n description:\n 'This industry comprises establishments primarily engaged in providing scenic and sightseeing transportation on water. The services provided are usually local and involve same-day return to place of origin.'\n },\n '487990': {\n title: 'Scenic and Sightseeing Transportation, Other',\n description:\n 'This industry comprises establishments primarily engaged in providing scenic and sightseeing transportation (except on land and water). The services provided are usually local and involve same-day return to place of departure.'\n },\n '488111': {\n title: 'Air Traffic Control',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing air traffic control (except military) services to regulate the flow of air traffic.'\n },\n '488119': {\n title: 'Other Airport Operations',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) operating international, national, or civil airports, or public flying fields or (2) supporting airport operations, such as rental of hangar space, and providing baggage handling and/or cargo handling services.'\n },\n '488190': {\n title: 'Other Support Activities for Air Transportation',\n description:\n 'This industry comprises establishments primarily engaged in providing specialized services for air transportation (except air traffic control and other airport operations).'\n },\n '488210': {\n title: 'Support Activities for Rail Transportation',\n description:\n 'This industry comprises establishments primarily engaged in providing specialized services for railroad transportation, including servicing, routine repairing (except factory conversion, overhaul, or rebuilding of rolling stock), and maintaining rail cars; loading and unloading rail cars; and operating independent terminals.'\n },\n '488310': {\n title: 'Port and Harbor Operations',\n description:\n 'This industry comprises establishments primarily engaged in operating ports, harbors (including docking and pier facilities), or canals.'\n },\n '488320': {\n title: 'Marine Cargo Handling',\n description:\n 'This industry comprises establishments primarily engaged in providing stevedoring and other marine cargo handling services (except warehousing).'\n },\n '488330': {\n title: 'Navigational Services to Shipping',\n description:\n 'This industry comprises establishments primarily engaged in providing navigational services to shipping. Marine salvage establishments are included in this industry.'\n },\n '488390': {\n title: 'Other Support Activities for Water Transportation',\n description:\n 'This industry comprises establishments primarily engaged in providing services to water transportation (except port and harbor operations; marine cargo handling services; and navigational services to shipping).'\n },\n '488410': {\n title: 'Motor Vehicle Towing',\n description:\n 'This industry comprises establishments primarily engaged in towing light or heavy motor vehicles, both local and long-distance. These establishments may provide incidental services, such as storage and emergency road repair services.'\n },\n '488490': {\n title: 'Other Support Activities for Road Transportation',\n description:\n 'This industry comprises establishments primarily engaged in providing services (except motor vehicle towing) to road network users.'\n },\n '488510': {\n title: 'Freight Transportation Arrangement',\n description:\n 'This industry comprises establishments primarily engaged in arranging transportation of freight between shippers and carriers. These establishments are usually known as freight forwarders, marine shipping agents, or customs brokers and offer a combination of services spanning transportation modes but do not directly provide shipping services.'\n },\n '488991': {\n title: 'Packing and Crating',\n description:\n 'This U.S. industry comprises establishments primarily engaged in packing, crating, and otherwise preparing goods for transportation.'\n },\n '488999': {\n title: 'All Other Support Activities for Transportation',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing support activities to transportation (except for air transportation; rail transportation; water transportation; road transportation; freight transportation arrangement; and packing and crating).'\n },\n '491110': {\n title: 'Postal Service',\n description:\n 'This industry comprises establishments primarily engaged in providing mail services under a universal service obligation. Mail services include the carriage of letters, printed matter, or mailable packages, including acceptance, collection, processing, and delivery. Due to the infrastructure requirements of providing mail service under a universal service obligation, postal service establishments often provide parcel and express delivery services in addition to the mail service. Establishments primarily engaged in performing one or more parts of the basic mail service, such as sorting, routing and/or delivery (except bulk transportation of mail) are included in this industry.'\n },\n '492110': {\n title: 'Couriers and Express Delivery Services',\n description:\n \"This industry comprises establishments primarily engaged in providing air, surface, or combined mode courier and express delivery services of parcels, but not operating under a universal service obligation. These parcels can include goods and documents, but the express delivery services are not part of the normal mail service. These services are generally between metropolitan areas, urban centers, or international, but the establishments of this industry form a network that includes local pick-up and delivery to serve their customers' needs.\"\n },\n '492210': {\n title: 'Local Messengers and Local Delivery',\n description:\n 'This industry comprises establishments primarily engaged in providing local messenger and delivery services of small items within a single metropolitan area or within an urban center. These establishments generally provide point-to-point pick-up and delivery and do not operate as part of an intercity courier network.'\n },\n '493110': {\n title: 'General Warehousing and Storage',\n description:\n 'This industry comprises establishments primarily engaged in operating merchandise warehousing and storage facilities. These establishments generally handle goods in containers, such as boxes, barrels, and/or drums, using equipment, such as forklifts, pallets, and racks. They are not specialized in handling bulk products of any particular type, size, or quantity of goods or products.'\n },\n '493120': {\n title: 'Refrigerated Warehousing and Storage',\n description:\n 'This industry comprises establishments primarily engaged in operating refrigerated warehousing and storage facilities. Establishments primarily engaged in the storage of furs for the trade are included in this industry. The services provided by these establishments include blast freezing, tempering, and modified atmosphere storage services.'\n },\n '493130': {\n title: 'Farm Product Warehousing and Storage',\n description:\n 'This industry comprises establishments primarily engaged in operating bulk farm product warehousing and storage facilities (except refrigerated). Grain elevators primarily engaged in storage are included in this industry.'\n },\n '493190': {\n title: 'Other Warehousing and Storage',\n description:\n 'This industry comprises establishments primarily engaged in operating warehousing and storage facilities (except general merchandise, refrigerated, and farm product warehousing and storage).'\n },\n '512110': {\n title: 'Motion Picture and Video Production',\n description:\n 'This industry comprises establishments primarily engaged in producing, or producing and distributing motion pictures, videos, television programs, or television commercials.'\n },\n '512120': {\n title: 'Motion Picture and Video Distribution',\n description:\n 'This industry comprises establishments primarily engaged in acquiring distribution rights and distributing film and video productions to motion picture theaters, television networks and stations, other media broadcast and streaming outlets, and exhibitors.'\n },\n '512131': {\n title: 'Motion Picture Theaters (except Drive-Ins)',\n description:\n 'This U.S. industry comprises establishments primarily engaged in operating motion picture theaters (except drive-ins) and/or exhibiting motion pictures or videos at film festivals, and so forth.'\n },\n '512132': {\n title: 'Drive-In Motion Picture Theaters',\n description:\n 'This U.S. industry comprises establishments primarily engaged in operating drive-in motion picture theaters.'\n },\n '512191': {\n title: 'Teleproduction and Other Postproduction Services',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing specialized motion picture or video postproduction services, such as editing, film/tape transfers, subtitling, credits, closed captioning, and animation and special effects.'\n },\n '512199': {\n title: 'Other Motion Picture and Video Industries',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing motion picture and video services (except motion picture and video production, distribution, exhibition, and teleproduction and other postproduction services).'\n },\n '512230': {\n title: 'Music Publishers',\n description:\n 'This industry comprises establishments primarily engaged in acquiring and registering copyrights for musical compositions in accordance with law and promoting and authorizing the use of these compositions in recordings, radio, television, motion pictures, live performances, print, or other media. Establishments in this industry represent the interests of the songwriter or other owners of musical compositions to produce revenues from the use of such works, generally through licensing agreements. These establishments may own the copyright or act as administrator of the music copyrights on behalf of copyright owners. Publishers of music books and sheet music are included in this industry.'\n },\n '512240': {\n title: 'Sound Recording Studios',\n description:\n 'This industry comprises establishments primarily engaged in providing the facilities and technical expertise for sound recording in a studio. This industry includes establishments that provide audio production and postproduction services to produce master recordings. These establishments may provide audio services for film, television, and video productions.'\n },\n '512250': {\n title: 'Record Production and Distribution',\n description:\n 'This industry comprises establishments primarily engaged in record production and/or releasing, promoting, and distributing sound recordings to wholesalers, retailers, or directly to the public. These establishments contract with artists, arrange and finance the production of original master recordings, and/or produce master recordings themselves, such as digital music and compact discs. Establishments in this industry hold the copyright to the master recording, or obtain reproduction and distribution rights to master recordings produced by others, and derive most of their revenues from the sales, leasing, licensing, or distribution of master recordings.'\n },\n '512290': {\n title: 'Other Sound Recording Industries',\n description:\n 'This industry comprises establishments primarily engaged in providing sound recording services (except record production, distribution, music publishing, and sound recording in a studio). Establishments in this industry provide services, such as the audio recording of meetings and conferences.'\n },\n '513110': {\n title: 'Newspaper Publishers',\n description:\n 'This industry comprises establishments known as newspaper publishers. Establishments in this industry carry out operations necessary for producing and distributing newspapers, including gathering news; writing news columns, feature stories, and editorials; and selling and preparing advertisements. These establishments may publish newspapers in print or electronic form, including exclusively on the Internet.'\n },\n '513120': {\n title: 'Periodical Publishers',\n description:\n 'This industry comprises establishments known either as magazine publishers or periodical publishers. These establishments carry out the operations necessary for producing and distributing magazines and other periodicals, such as gathering, writing, and editing articles, and selling and preparing advertisements. These establishments may publish magazines and other periodicals in print or electronic form, including exclusively on the Internet.'\n },\n '513130': {\n title: 'Book Publishers',\n description:\n 'This industry comprises establishments known as book publishers. Establishments in this industry carry out design, editing, and marketing activities necessary for producing and distributing books. These establishments may publish books in print, electronic, or audio form, including exclusively on the Internet.'\n },\n '513140': {\n title: 'Directory and Mailing List Publishers',\n description:\n 'This industry comprises establishments primarily engaged in publishing directories, mailing lists, and collections or compilations of fact. The products are typically protected in their selection, arrangement and/or presentation. Examples are lists of mailing addresses, telephone directories, directories of businesses, collections or compilations of proprietary drugs or legal case results, compilations of public records, etc. These establishments may publish directories and mailing lists in print or electronic form, including exclusively on the Internet.'\n },\n '513191': {\n title: 'Greeting Card Publishers',\n description:\n 'This U.S. industry comprises establishments primarily engaged in publishing greeting cards. These establishments may publish works in print or electronic form, including exclusively on the Internet.'\n },\n '513199': {\n title: 'All Other Publishers',\n description:\n 'This U.S. industry comprises establishments generally known as publishers (except newspaper, magazine, book, directory, mailing list, music, software, and greeting card publishers). These establishments may publish works in print or electronic form, including exclusively on the Internet.'\n },\n '513210': {\n title: 'Software Publishers',\n description:\n 'This industry comprises establishments primarily engaged in software publishing. Establishments in this industry carry out operations necessary for producing and distributing computer software, such as designing, providing documentation, assisting in installation, and providing support services to software purchasers. These establishments may design, develop, and publish, or publish only. These establishments may publish and distribute software through subscriptions and/or downloads.'\n },\n '516110': {\n title: 'Radio Broadcasting Stations',\n description:\n 'This industry comprises establishments primarily engaged in broadcasting aural programs by radio to the public. These establishments operate radio broadcasting studios and facilities for the programming and transmission of programs to the public. Programming may originate in their own studio, from an affiliated network, or from external sources.'\n },\n '516120': {\n title: 'Television Broadcasting Stations',\n description:\n 'This industry comprises establishments primarily engaged in broadcasting images together with sound. These establishments operate television broadcasting studios and facilities for the programming and transmission of programs to the public. Programming may originate in their own studio, from an affiliated network, or from external sources.'\n },\n '516210': {\n title:\n 'Media Streaming Distribution Services, Social Networks, and Other Media Networks and Content Providers',\n description:\n 'This industry comprises establishments primarily providing media streaming distribution services, operating social network sites, operating media broadcasting and cable television networks, and supplying information, such as news reports, articles, pictures, and features, to the news media. These establishments distribute textual, audio, and/or video content of general or specific interest.'\n },\n '517111': {\n title: 'Wired Telecommunications Carriers',\n description:\n 'This U.S. industry comprises establishments primarily engaged in operating, maintaining, and/or providing access to transmission facilities and infrastructure that they own and/or lease for the transmission of voice, data, text, sound, and video using wired telecommunications networks. Transmission facilities may be based on a single technology or a combination of technologies. Establishments in this industry use the wired telecommunications network facilities that they operate to provide a variety of services, such as wired telephony services, including VoIP services; wired (cable) audio and video programming distribution; and wired broadband Internet services. By exception, establishments providing satellite television distribution services using facilities and infrastructure that they operate are included in this industry.'\n },\n '517112': {\n title: 'Wireless Telecommunications Carriers (except Satellite)',\n description:\n 'This U.S. industry comprises establishments primarily engaged in operating and maintaining switching and transmission facilities to provide communications via the airwaves. Establishments in this industry have spectrum licenses and provide services using that spectrum, such as cellular phone services, paging services, wireless Internet access, and wireless video services.'\n },\n '517121': {\n title: 'Telecommunications Resellers',\n description:\n 'This U.S. industry comprises establishments engaged in purchasing access and network capacity from owners and operators of telecommunications networks and reselling wired and wireless telecommunications services to businesses and households (except satellite telecommunications and agents for wireless telecommunications services). Establishments in this industry resell telecommunications; they do not operate transmission facilities and infrastructure.'\n },\n '517122': {\n title: 'Agents for Wireless Telecommunications Services',\n description:\n 'This U.S. industry comprises establishments primarily engaged in acting as agents for wireless telecommunications carriers and resellers, selling wireless plans on a commission basis.'\n },\n '517410': {\n title: 'Satellite Telecommunications',\n description:\n 'This industry comprises establishments primarily engaged in providing telecommunications services to other establishments in the telecommunications and broadcasting industries by forwarding and receiving communications signals via a system of satellites or reselling satellite telecommunications.'\n },\n '517810': {\n title: 'All Other Telecommunications',\n description:\n 'This industry comprises establishments primarily engaged in providing specialized telecommunications services, such as satellite tracking, communications telemetry, and radar station operation. This industry also includes establishments primarily engaged in providing satellite terminal stations and associated facilities connected with one or more terrestrial systems and capable of transmitting telecommunications to, and receiving telecommunications from, satellite systems. Establishments providing Internet services or Voice over Internet protocol (VoIP) services via client-supplied telecommunications connections are also included in this industry. Establishments in this industry do not operate as telecommunications carriers.'\n },\n '518210': {\n title: 'Computing Infrastructure Providers, Data Processing, Web Hosting, and Related Services',\n description:\n 'This industry comprises establishments primarily engaged in providing computing infrastructure, data processing services, Web hosting services (except software publishing), and related services, including streaming support services (except streaming distribution services). Data processing establishments provide complete processing and specialized reports from data supplied by clients or provide automated data processing and data entry services.'\n },\n '519210': {\n title: 'Libraries and Archives',\n description:\n 'This industry comprises establishments primarily engaged in providing library or archive services. These establishments are engaged in maintaining collections of documents (e.g., books, journals, newspapers, and music) and facilitating the use of such documents (recorded information regardless of its physical form and characteristics) as required to meet the informational, research, educational, or recreational needs of their user. These establishments may also acquire, research, store, preserve, and generally make accessible to the public historical documents, photographs, maps, audio material, audiovisual material, and other archival material of historical interest. All or portions of these collections may be accessible electronically.'\n },\n '519290': {\n title: 'Web Search Portals and All Other Information Services',\n description:\n 'This industry comprises establishments primarily engaged in operating Web sites that use a search engine to generate and maintain extensive databases of Internet addresses and content in an easily searchable format (and known as Web search portals) or providing other information services not elsewhere classified. Establishments known as Web search portals often provide additional Internet services, such as email, connections to other Web sites, auctions, news, and other limited content.'\n },\n '521110': {\n title: 'Monetary Authorities-Central Bank',\n description:\n \"This industry comprises establishments primarily engaged in performing central banking functions, such as issuing currency, managing the Nation's money supply and international reserves, holding deposits that represent the reserves of other banks and other central banks, and acting as a fiscal agent for the central government.\"\n },\n '522110': {\n title: 'Commercial Banking',\n description:\n 'This industry comprises establishments primarily engaged in accepting demand and other deposits and making commercial, industrial, and consumer loans. Commercial banks and branches of foreign banks are included in this industry.'\n },\n '522130': {\n title: 'Credit Unions',\n description:\n \"This industry comprises establishments primarily engaged in accepting members' share deposits in cooperatives that are organized to offer consumer loans to their members.\"\n },\n '522180': {\n title: 'Savings Institutions and Other Depository Credit Intermediation',\n description:\n 'This industry comprises establishments primarily engaged in accepting deposits, making mortgage, real estate, and other consumer and commercial loans, and investing in high-grade securities (except commercial banking and credit unions). Savings and loan associations, savings banks, private banks (i.e., unincorporated banks), and establishments known as industrial banks or Morris Plans and primarily engaged in accepting deposits are included in this industry.'\n },\n '522210': {\n title: 'Credit Card Issuing',\n description:\n 'This industry comprises establishments primarily engaged in providing credit by issuing credit cards. Credit card issuance provides the funds required to purchase goods and services in return for payment of the full balance or payments on an installment basis. Credit card banks are included in this industry.'\n },\n '522220': {\n title: 'Sales Financing',\n description:\n 'This industry comprises establishments primarily engaged in sales financing or sales financing in combination with leasing. Sales financing establishments are primarily engaged in lending money for the purpose of providing collateralized goods through a contractual installment sales agreement, either directly from or through arrangements with dealers.'\n },\n '522291': {\n title: 'Consumer Lending',\n description:\n 'This U.S. industry comprises establishments primarily engaged in making unsecured cash loans to consumers.'\n },\n '522292': {\n title: 'Real Estate Credit',\n description:\n 'This U.S. industry comprises establishments primarily engaged in lending funds with real estate as collateral.'\n },\n '522299': {\n title: 'International, Secondary Market, and All Other Nondepository Credit Intermediation',\n description:\n 'This U.S. industry comprises (1) establishments primarily engaged in providing working capital funds to U.S. exporters, lending funds to foreign buyers of U.S. goods, and/or lending funds to domestic buyers of imported goods; (2) establishments primarily engaged in buying, pooling, and repackaging loans for sale to others on the secondary market; and (3) establishments primarily providing other nondepository credit (except credit card issuing, sales financing, consumer lending, and real estate credit). Examples of types of lending in this industry are short-term inventory credit, agricultural lending (except real estate and sales financing), and consumer cash lending secured by personal property.'\n },\n '522310': {\n title: 'Mortgage and Nonmortgage Loan Brokers',\n description:\n 'This industry comprises establishments primarily engaged in arranging loans by bringing borrowers and lenders together on a commission or fee basis.'\n },\n '522320': {\n title: 'Financial Transactions Processing, Reserve, and Clearinghouse Activities',\n description:\n 'This industry comprises establishments primarily engaged in providing one or more of the following: (1) financial transaction processing (except central bank); (2) reserve and liquidity services (except central bank); and/or (3) check or other financial instrument clearinghouse services (except central bank).'\n },\n '522390': {\n title: 'Other Activities Related to Credit Intermediation',\n description:\n 'This industry comprises establishments primarily engaged in facilitating credit intermediation (except mortgage and loan brokerage; and financial transactions processing, reserve, and clearinghouse activities).'\n },\n '523150': {\n title: 'Investment Banking and Securities Intermediation',\n description:\n 'This industry comprises establishments primarily engaged in underwriting, originating, and/or maintaining markets for issues of securities, or acting as agents (i.e., brokers) between buyers and sellers in buying or selling securities on a commission or transaction fee basis. Investment bankers act as principals (i.e., investors who buy or sell on their own account) in firm commitment transactions or act as agents in best effort and standby commitments. This industry also includes establishments acting as principals in buying or selling securities generally on a spread basis, such as securities dealers or stock option dealers.'\n },\n '523160': {\n title: 'Commodity Contracts Intermediation',\n description:\n 'This industry comprises establishments primarily engaged in acting as principals (i.e., investors who buy or sell for their own account) in buying or selling spot or futures commodity contracts or options, such as precious metals, foreign currency, oil, or agricultural products, generally on a spread basis, or acting as agents (i.e., brokers) in buying or selling spot or futures commodity contracts or options on a commission or transaction fee basis.'\n },\n '523210': {\n title: 'Securities and Commodity Exchanges',\n description:\n 'This industry comprises establishments primarily engaged in furnishing physical or electronic marketplaces for the purpose of facilitating the buying and selling of stocks, stock options, bonds, or commodity contracts.'\n },\n '523910': {\n title: 'Miscellaneous Intermediation',\n description:\n 'This industry comprises establishments primarily engaged in acting as principals (except investment bankers, securities dealers, and commodity contracts dealers) in buying or selling financial contracts generally on a spread basis. Principals are investors that buy or sell for their own account.'\n },\n '523940': {\n title: 'Portfolio Management and Investment Advice',\n description:\n 'This industry comprises establishments primarily engaged in managing the portfolio assets (i.e., funds) of others on a fee or commission basis and/or providing customized investment advice to clients on a fee basis. Establishments providing portfolio management have the authority to make investment decisions, and they derive fees based on the size and/or overall performance of the portfolio. Establishments providing investment advice provide financial planning advice and investment counseling to meet the goals and needs of specific clients, but do not have the authority to execute trades.'\n },\n '523991': {\n title: 'Trust, Fiduciary, and Custody Activities',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing trust, fiduciary, and custody services to others, as instructed, on a fee or contract basis, such as bank trust offices and escrow agencies (except real estate).'\n },\n '523999': {\n title: 'Miscellaneous Financial Investment Activities',\n description:\n 'This U.S. industry comprises establishments primarily engaged in acting as agents and/or brokers (except securities brokerages and commodity contracts brokerages) in buying or selling financial contracts and those providing financial investment services (except securities and commodity exchanges; portfolio management; investment advice; and trust, fiduciary, and custody services) on a fee or commission basis.'\n },\n '524113': {\n title: 'Direct Life Insurance Carriers',\n description:\n 'This U.S. industry comprises establishments primarily engaged in initially underwriting (i.e., assuming the risk and assigning premiums) annuities and life insurance policies, disability income insurance policies, and accidental death and dismemberment insurance policies.'\n },\n '524114': {\n title: 'Direct Health and Medical Insurance Carriers',\n description:\n 'This U.S. industry comprises establishments primarily engaged in initially underwriting (i.e., assuming the risk and assigning premiums) health and medical insurance policies. Group hospitalization plans and HMO establishments that provide health and medical insurance policies without providing health care services are included in this industry.'\n },\n '524126': {\n title: 'Direct Property and Casualty Insurance Carriers',\n description:\n 'This U.S. industry comprises establishments primarily engaged in initially underwriting (i.e., assuming the risk and assigning premiums) insurance policies that protect policyholders against losses that may occur as a result of property damage or liability.'\n },\n '524127': {\n title: 'Direct Title Insurance Carriers',\n description:\n 'This U.S. industry comprises establishments primarily engaged in initially underwriting (i.e., assuming the risk and assigning premiums) insurance policies to protect the owners of real estate or real estate creditors against loss sustained by reason of any title defect to real property.'\n },\n '524128': {\n title: 'Other Direct Insurance (except Life, Health, and Medical) Carriers',\n description:\n 'This U.S. industry comprises establishments primarily engaged in initially underwriting (e.g., assuming the risk, assigning premiums) insurance policies (except life, disability income, accidental death and dismemberment, health and medical, property and casualty, and title insurance policies).'\n },\n '524130': {\n title: 'Reinsurance Carriers',\n description:\n 'This industry comprises establishments primarily engaged in assuming all or part of the risk associated with existing insurance policies originally underwritten by other insurance carriers.'\n },\n '524210': {\n title: 'Insurance Agencies and Brokerages',\n description:\n 'This industry comprises establishments primarily engaged in acting as agents (i.e., brokers) in selling annuities and insurance policies.'\n },\n '524291': {\n title: 'Claims Adjusting',\n description:\n 'This U.S. industry comprises establishments primarily engaged in investigating, appraising, and settling insurance claims.'\n },\n '524292': {\n title:\n 'Pharmacy Benefit Management and Other Third Party Administration of Insurance and Pension Funds',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing pharmacy benefit management (PBM) services and other third party administration services of insurance and pension funds, such as claims processing and other administrative services to insurance carriers, employee benefit plans, and self-insurance funds.'\n },\n '524298': {\n title: 'All Other Insurance Related Activities',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing insurance services on a contract or fee basis (except insurance agencies and brokerages, claims adjusting, and third party administration). Insurance advisory services, insurance actuarial services, and insurance ratemaking services are included in this industry.'\n },\n '525110': {\n title: 'Pension Funds',\n description:\n \"This industry comprises legal entities (i.e., funds, plans, and/or programs) organized to provide retirement income benefits exclusively for the sponsor's employees or members.\"\n },\n '525120': {\n title: 'Health and Welfare Funds',\n description:\n \"This industry comprises legal entities (i.e., funds, plans, and/or programs) organized to provide medical, surgical, hospital, vacation, training, and other health- and welfare-related employee benefits exclusively for the sponsor's employees or members.\"\n },\n '525190': {\n title: 'Other Insurance Funds',\n description:\n \"This industry comprises legal entities (i.e., funds (except pension, and health- and welfare-related employee benefit funds)) organized to provide insurance exclusively for the sponsor, firm, or its employees or members. Self-insurance funds (except employee benefit funds) and workers' compensation insurance funds are included in this industry.\"\n },\n '525910': {\n title: 'Open-End Investment Funds',\n description:\n 'This industry comprises legal entities (i.e., open-end investment funds) organized to pool assets that consist of securities or other financial instruments. Shares in these pools are offered to the public in an initial offering with additional shares offered continuously and perpetually and redeemed at a specific price determined by the net asset value.'\n },\n '525920': {\n title: 'Trusts, Estates, and Agency Accounts',\n description:\n 'This industry comprises legal entities, trusts, estates, or agency accounts, administered on behalf of the beneficiaries under the terms of a trust agreement, will, or agency agreement.'\n },\n '525990': {\n title: 'Other Financial Vehicles',\n description:\n 'This industry comprises legal entities (i.e., funds (except insurance and employee benefit funds; open-end investment funds; trusts, estates, and agency accounts)). Included in this industry are mortgage real estate investment trusts (REITs).'\n },\n '531110': {\n title: 'Lessors of Residential Buildings and Dwellings',\n description:\n 'This industry comprises establishments primarily engaged in acting as lessors of buildings used as residences or dwellings, such as single-family homes, apartment buildings, and town homes. Included in this industry are owner-lessors and establishments renting real estate and then acting as lessors in subleasing it to others. The establishments in this industry may manage the property themselves or have another establishment manage it for them.'\n },\n '531120': {\n title: 'Lessors of Nonresidential Buildings (except Miniwarehouses)',\n description:\n 'This industry comprises establishments primarily engaged in acting as lessors of buildings (except miniwarehouses and self-storage units) that are not used as residences or dwellings. Included in this industry are: (1) owner-lessors of nonresidential buildings; (2) establishments renting real estate and then acting as lessors in subleasing it to others; and (3) establishments providing full service office space, whether on a lease or service contract basis. The establishments in this industry may manage the property themselves or have another establishment manage it for them.'\n },\n '531130': {\n title: 'Lessors of Miniwarehouses and Self-Storage Units',\n description:\n 'This industry comprises establishments primarily engaged in renting or leasing space for self-storage. These establishments provide secure space (i.e., rooms, compartments, lockers, containers, or outdoor space) where clients can store and retrieve their goods.'\n },\n '531190': {\n title: 'Lessors of Other Real Estate Property',\n description:\n 'This industry comprises establishments primarily engaged in acting as lessors of real estate (except buildings), such as manufactured home (i.e., mobile home) sites, vacant lots, and grazing land.'\n },\n '531210': {\n title: 'Offices of Real Estate Agents and Brokers',\n description:\n 'This industry comprises establishments primarily engaged in acting as agents and/or brokers in one or more of the following: (1) selling real estate for others; (2) buying real estate for others; and (3) renting real estate for others.'\n },\n '531311': {\n title: 'Residential Property Managers',\n description:\n 'This U.S. industry comprises establishments primarily engaged in managing residential real estate for others.'\n },\n '531312': {\n title: 'Nonresidential Property Managers',\n description:\n 'This U.S. industry comprises establishments primarily engaged in managing nonresidential real estate for others.'\n },\n '531320': {\n title: 'Offices of Real Estate Appraisers',\n description:\n 'This industry comprises establishments primarily engaged in estimating the fair market value of real estate.'\n },\n '531390': {\n title: 'Other Activities Related to Real Estate',\n description:\n 'This industry comprises establishments primarily engaged in performing real estate related services (except lessors of real estate, offices of real estate agents and brokers, real estate property managers, and offices of real estate appraisers).'\n },\n '532111': {\n title: 'Passenger Car Rental',\n description:\n 'This U.S. industry comprises establishments primarily engaged in renting passenger cars without drivers, generally for short periods of time.'\n },\n '532112': {\n title: 'Passenger Car Leasing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in leasing passenger cars without drivers, generally for long periods of time.'\n },\n '532120': {\n title: 'Truck, Utility Trailer, and RV (Recreational Vehicle) Rental and Leasing',\n description:\n 'This industry comprises establishments primarily engaged in renting or leasing, without drivers, one or more of the following: trucks, truck tractors, buses, semi-trailers, utility trailers, or RVs (recreational vehicles).'\n },\n '532210': {\n title: 'Consumer Electronics and Appliances Rental',\n description:\n 'This industry comprises establishments primarily engaged in renting consumer electronics equipment and appliances, such as televisions, stereos, and refrigerators. Included in this industry are appliance rental centers.'\n },\n '532281': {\n title: 'Formal Wear and Costume Rental',\n description:\n 'This U.S. industry comprises establishments primarily engaged in renting clothing, such as formal wear, costumes (e.g., theatrical), or other clothing (except laundered uniforms and work apparel).'\n },\n '532282': {\n title: 'Video Tape and Disc Rental',\n description:\n 'This U.S. industry comprises establishments primarily engaged in renting prerecorded video tapes and discs for home electronic equipment, including renting through vending machines.'\n },\n '532283': {\n title: 'Home Health Equipment Rental',\n description:\n 'This U.S. industry comprises establishments primarily engaged in renting home-type health and invalid equipment, such as wheelchairs, hospital beds, oxygen tanks, walkers, and crutches.'\n },\n '532284': {\n title: 'Recreational Goods Rental',\n description:\n 'This U.S. industry comprises establishments primarily engaged in renting recreational goods, such as bicycles, canoes, motorcycles, skis, sailboats, beach chairs, and beach umbrellas.'\n },\n '532289': {\n title: 'All Other Consumer Goods Rental',\n description:\n 'This U.S. industry comprises establishments primarily engaged in renting consumer goods and products (except consumer electronics and appliances; formal wear and costumes; prerecorded video tapes and discs for home electronic equipment; home health furniture and equipment; and recreational goods). Included in this industry are furniture rental centers and party rental supply centers.'\n },\n '532310': {\n title: 'General Rental Centers',\n description:\n \"This industry comprises establishments primarily engaged in renting a range of consumer, commercial, and industrial equipment. Establishments in this industry typically operate from conveniently located facilities where they maintain inventories of goods and equipment that they rent for short periods of time. The type of equipment that establishments in this industry provide often includes, but is not limited to: audio visual equipment, contractors' and builders' tools and equipment, home repair tools, lawn and garden equipment, moving equipment and supplies, and party and banquet equipment and supplies.\"\n },\n '532411': {\n title: 'Commercial Air, Rail, and Water Transportation Equipment Rental and Leasing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in renting or leasing off-highway transportation equipment without operators, such as aircraft, railroad cars, steamships, or tugboats.'\n },\n '532412': {\n title: 'Construction, Mining, and Forestry Machinery and Equipment Rental and Leasing',\n description:\n 'This U.S. industry comprises establishments primarily engaged in renting or leasing heavy equipment without operators that may be used for construction, mining, or forestry, such as bulldozers, earthmoving equipment, well drilling machinery and equipment, or cranes.'\n },\n '532420': {\n title: 'Office Machinery and Equipment Rental and Leasing',\n description:\n 'This industry comprises establishments primarily engaged in renting or leasing office machinery and equipment, such as computers, office furniture, duplicating machines (i.e., copiers), or facsimile machines.'\n },\n '532490': {\n title: 'Other Commercial and Industrial Machinery and Equipment Rental and Leasing',\n description:\n 'This industry comprises establishments primarily engaged in renting or leasing nonconsumer-type machinery and equipment (except heavy construction, transportation, mining, and forestry machinery and equipment without operators; and office machinery and equipment). Establishments in this industry rent or lease products, such as manufacturing equipment; metalworking, telecommunications, motion picture, theatrical machinery and equipment, or service industry machinery; institutional (i.e., public building) furniture, such as furniture for schools, theaters, or buildings; or agricultural equipment without operators.'\n },\n '533110': {\n title: 'Lessors of Nonfinancial Intangible Assets (except Copyrighted Works)',\n description:\n 'This industry comprises establishments primarily engaged in assigning rights to assets, such as patents, trademarks, brand names, and/or franchise agreements, for which a royalty payment or licensing fee is paid to the asset holder.'\n },\n '541110': {\n title: 'Offices of Lawyers',\n description:\n 'This industry comprises offices of legal practitioners known as lawyers or attorneys (i.e., counselors-at-law) primarily engaged in the practice of law. Establishments in this industry may provide expertise in a range or in specific areas of law, such as criminal law, corporate law, family and estate law, patent law, real estate law, or tax law.'\n },\n '541120': {\n title: 'Offices of Notaries',\n description:\n 'This industry comprises establishments (except offices of lawyers and attorneys) primarily engaged in drafting, approving, and executing legal documents, such as real estate transactions, wills, and contracts; and in receiving, indexing, and storing such documents.'\n },\n '541191': {\n title: 'Title Abstract and Settlement Offices',\n description:\n 'This U.S. industry comprises establishments (except offices of lawyers and attorneys) primarily engaged in one or more of the following activities: (1) researching public land records to gather information relating to real estate titles; (2) preparing documents necessary for the transfer of the title, financing, and settlement; (3) conducting final real estate settlements and closings; and (4) filing legal and other documents relating to the sale of real estate. Real estate settlement offices, title abstract companies, and title search companies are included in this industry.'\n },\n '541199': {\n title: 'All Other Legal Services',\n description:\n 'This U.S. industry comprises establishments of legal practitioners (except offices of lawyers and attorneys, settlement offices, and title abstract offices). These establishments are primarily engaged in providing specialized legal or paralegal services.'\n },\n '541211': {\n title: 'Offices of Certified Public Accountants',\n description:\n 'This U.S. industry comprises establishments of accountants that are certified to audit the accounting records of public and private organizations and to attest to compliance with generally accepted accounting practices. Offices of certified public accountants (CPAs) may provide one or more of the following accounting services: (1) auditing financial statements; (2) designing accounting systems; (3) preparing financial statements; (4) developing budgets; and (5) providing advice on matters related to accounting. These establishments may also provide related services, such as bookkeeping, tax return preparation, and payroll processing.'\n },\n '541213': {\n title: 'Tax Preparation Services',\n description:\n 'This U.S. industry comprises establishments (except offices of CPAs) engaged in providing tax return preparation services without also providing accounting, bookkeeping, billing, or payroll processing services. Basic knowledge of tax law and filing requirements is required.'\n },\n '541214': {\n title: 'Payroll Services',\n description:\n 'This U.S. industry comprises establishments (except offices of CPAs) engaged in the following without also providing accounting, bookkeeping, or billing services: (1) collecting information on hours worked, pay rates, deductions, and other payroll-related data from their clients and (2) using that information to generate paychecks, payroll reports, and tax filings. These establishments may use data processing and tabulating techniques as part of providing their services.'\n },\n '541219': {\n title: 'Other Accounting Services',\n description:\n 'This U.S. industry comprises establishments (except offices of CPAs) engaged in providing accounting services (except tax return preparation services only or payroll services only). These establishments may also provide tax return preparation or payroll services. Accountant (except CPA) offices, bookkeeper offices, and billing offices are included in this industry.'\n },\n '541310': {\n title: 'Architectural Services',\n description:\n 'This industry comprises establishments primarily engaged in planning and designing residential, institutional, leisure, commercial, and industrial buildings and structures by applying knowledge of design, construction procedures, zoning regulations, building codes, and building materials.'\n },\n '541320': {\n title: 'Landscape Architectural Services',\n description:\n 'This industry comprises establishments primarily engaged in planning and designing the development of land areas for projects, such as parks and other recreational areas; airports; highways; hospitals; schools; land subdivisions; and commercial, industrial, and residential areas, by applying knowledge of land characteristics, location of buildings and structures, use of land areas, and design of landscape projects.'\n },\n '541330': {\n title: 'Engineering Services',\n description:\n 'This industry comprises establishments primarily engaged in applying physical laws and principles of engineering in the design, development, and utilization of machines, materials, instruments, structures, processes, and systems. The assignments undertaken by these establishments may involve any of the following activities: provision of advice, preparation of feasibility studies, preparation of preliminary and final plans and designs, provision of technical services during the construction or installation phase, inspection and evaluation of engineering projects, and related services.'\n },\n '541340': {\n title: 'Drafting Services',\n description:\n 'This industry comprises establishments primarily engaged in drawing detailed layouts, plans, and illustrations of buildings, structures, systems, or components from engineering and architectural specifications.'\n },\n '541350': {\n title: 'Building Inspection Services',\n description:\n 'This industry comprises establishments primarily engaged in providing building inspection services. These establishments typically evaluate all aspects of the building structure and component systems and prepare a report on the physical condition of the property, generally for buyers or others involved in real estate transactions. Building inspection bureaus and establishments providing home inspection services are included in this industry.'\n },\n '541360': {\n title: 'Geophysical Surveying and Mapping Services',\n description:\n 'This industry comprises establishments primarily engaged in gathering, interpreting, and mapping geophysical data. Establishments in this industry often specialize in locating and measuring the extent of subsurface resources, such as oil, gas, and minerals, but they may also conduct surveys for engineering purposes. Establishments in this industry use a variety of surveying techniques depending on the purpose of the survey, including magnetic surveys, gravity surveys, seismic surveys, or electrical and electromagnetic surveys.'\n },\n '541370': {\n title: 'Surveying and Mapping (except Geophysical) Services',\n description:\n 'This industry comprises establishments primarily engaged in performing surveying and mapping services of the surface of the earth, including the sea floor. These services may include surveying and mapping of areas above or below the surface of the earth, such as the creation of view easements or segregating rights in parcels of land by creating underground utility easements.'\n },\n '541380': {\n title: 'Testing Laboratories and Services',\n description:\n 'This industry comprises establishments primarily engaged in performing physical, chemical, and other analytical testing services, such as acoustics or vibration testing, assaying, biological testing (except medical and veterinary), calibration testing, electrical and electronic testing, geotechnical testing, mechanical testing, nondestructive testing, or thermal testing. The testing may occur in a laboratory or on-site.'\n },\n '541410': {\n title: 'Interior Design Services',\n description:\n 'This industry comprises establishments primarily engaged in planning, designing, and administering projects in interior spaces to meet the physical and aesthetic needs of people using them, taking into consideration building codes, health and safety regulations, traffic patterns and floor planning, mechanical and electrical needs, and interior fittings and furniture. Interior designers and interior design consultants work in areas, such as hospitality design, health care design, institutional design, commercial and corporate design, and residential design. This industry also includes interior decorating consultants engaged exclusively in providing aesthetic services associated with interior spaces.'\n },\n '541420': {\n title: 'Industrial Design Services',\n description:\n 'This industry comprises establishments primarily engaged in creating and developing designs and specifications that optimize the use, value, and appearance of products. These services can include the determination of the materials, construction, mechanisms, shape, color, and surface finishes of the product, taking into consideration human characteristics and needs, safety, market appeal, and efficiency in production, distribution, use, and maintenance. Establishments providing automobile or furniture industrial design services or industrial design consulting services are included in this industry.'\n },\n '541430': {\n title: 'Graphic Design Services',\n description:\n 'This industry comprises establishments primarily engaged in planning, designing, and managing the production of visual communication in order to convey specific messages or concepts, clarify complex information, or project visual identities. These services can include the design of printed materials, packaging, advertising, signage systems, and corporate identification (logos). This industry also includes commercial artists engaged exclusively in generating drawings and illustrations requiring technical accuracy or interpretative skills.'\n },\n '541490': {\n title: 'Other Specialized Design Services',\n description:\n 'This industry comprises establishments primarily engaged in providing professional design services (except architectural, landscape architecture, engineering, interior, industrial, graphic, and computer systems design).'\n },\n '541511': {\n title: 'Custom Computer Programming Services',\n description:\n 'This U.S. industry comprises establishments primarily engaged in writing, modifying, testing, and supporting software to meet the needs of a particular customer.'\n },\n '541512': {\n title: 'Computer Systems Design Services',\n description:\n 'This U.S. industry comprises establishments primarily engaged in planning and designing computer systems that integrate computer hardware, software, and communication technologies. The hardware and software components of the system may be provided by this establishment or company as part of integrated services or may be provided by third parties or vendors. These establishments often install the system and train and support users of the system.'\n },\n '541513': {\n title: 'Computer Facilities Management Services',\n description:\n \"This U.S. industry comprises establishments primarily engaged in providing on-site management and operation of clients' computer systems and/or data processing facilities. Establishments providing computer systems or data processing facilities support services are included in this industry.\"\n },\n '541519': {\n title: 'Other Computer Related Services',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing computer related services (except custom programming, systems integration design, and facilities management services). Establishments providing computer disaster recovery services or software installation services are included in this industry.'\n },\n '541611': {\n title: 'Administrative Management and General Management Consulting Services',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing operating advice and assistance to businesses and other organizations on administrative management issues, such as financial planning and budgeting, equity and asset management, records management, office planning, strategic and organizational planning, site selection, new business start-up, and business process improvement. This industry also includes establishments of general management consultants that provide a full range of administrative, human resource, marketing, process, physical distribution, logistics, or other management consulting services to clients.'\n },\n '541612': {\n title: 'Human Resources Consulting Services',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing advice and assistance to businesses and other organizations in one or more of the following areas: (1) human resource and personnel policies, practices, and procedures; (2) employee benefits planning, communication, and administration; (3) compensation systems planning; and (4) wage and salary administration.'\n },\n '541613': {\n title: 'Marketing Consulting Services',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing operating advice and assistance to businesses and other organizations on marketing issues, such as developing marketing objectives and policies, sales forecasting, new product developing and pricing, licensing and franchise planning, and marketing planning and strategy.'\n },\n '541614': {\n title: 'Process, Physical Distribution, and Logistics Consulting Services',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing operating advice and assistance to businesses and other organizations in: (1) manufacturing operations improvement; (2) productivity improvement; (3) production planning and control; (4) quality assurance and quality control; (5) inventory management; (6) distribution networks; (7) warehouse use, operations, and utilization; (8) transportation and shipment of goods and materials; and (9) materials management and handling.'\n },\n '541618': {\n title: 'Other Management Consulting Services',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing management consulting services (except administrative and general management consulting; human resources consulting; marketing consulting; or process, physical distribution, and logistics consulting). Establishments providing telecommunications or utilities management consulting services are included in this industry.'\n },\n '541620': {\n title: 'Environmental Consulting Services',\n description:\n 'This industry comprises establishments primarily engaged in providing advice and assistance to businesses and other organizations on environmental issues, such as the control of environmental contamination from pollutants, toxic substances, and hazardous materials. These establishments identify problems (e.g., inspect buildings for hazardous materials), measure and evaluate risks, and recommend solutions. They employ a multidisciplined staff of scientists, engineers, and other technicians with expertise in areas, such as air and water quality, asbestos contamination, remediation, ecological restoration, and environmental law. Establishments providing sanitation or site remediation consulting services are included in this industry.'\n },\n '541690': {\n title: 'Other Scientific and Technical Consulting Services',\n description:\n 'This industry comprises establishments primarily engaged in providing advice and assistance to businesses and other organizations on scientific and technical issues (except environmental).'\n },\n '541713': {\n title: 'Research and Development in Nanotechnology',\n description:\n 'This U.S. industry comprises establishments primarily engaged in conducting nanotechnology research and experimental development. Nanotechnology research and experimental development involves the study of matter at the nanoscale (i.e., a scale of about 1 to 100 nanometers). This research and development in nanotechnology may result in development of new nanotechnology processes or in prototypes of new or altered materials and/or products that may be reproduced, utilized, or implemented by various industries.'\n },\n '541714': {\n title: 'Research and Development in Biotechnology (except Nanobiotechnology)',\n description:\n 'This U.S. industry comprises establishments primarily engaged in conducting biotechnology (except nanobiotechnology) research and experimental development. Biotechnology (except nanobiotechnology) research and experimental development involves the study of the use of microorganisms and cellular and biomolecular processes to develop or alter living or non-living materials. This research and development in biotechnology (except nanobiotechnology) may result in development of new biotechnology (except nanobiotechnology) processes or in prototypes of new or genetically-altered products that may be reproduced, utilized, or implemented by various industries.'\n },\n '541715': {\n title:\n 'Research and Development in the Physical, Engineering, and Life Sciences (except Nanotechnology and Biotechnology)',\n description:\n 'This U.S. industry comprises establishments primarily engaged in conducting research and experimental development (except nanotechnology and biotechnology research and experimental development) in the physical, engineering, and life sciences, such as agriculture, electronics, environmental, biology, botany, computers, chemistry, food, fisheries, forests, geology, health, mathematics, medicine, oceanography, pharmacy, physics, veterinary, and other allied subjects.'\n },\n '541720': {\n title: 'Research and Development in the Social Sciences and Humanities',\n description:\n 'This industry comprises establishments primarily engaged in conducting research and analyses in cognitive development, sociology, psychology, language, behavior, economic, and other social science and humanities research.'\n },\n '541810': {\n title: 'Advertising Agencies',\n description:\n 'This industry comprises establishments primarily engaged in creating advertising campaigns and placing such advertising in print and digital periodicals, newspapers, radio and television, or other media. These establishments are organized to provide a full range of services (i.e., through in-house capabilities or subcontracting), including advice, creative services, account management, production of advertising content, media planning, and buying (i.e., placing advertising).'\n },\n '541820': {\n title: 'Public Relations Agencies',\n description:\n 'This industry comprises establishments primarily engaged in designing and implementing public relations campaigns. These campaigns are designed to promote the interests and image of their clients. Establishments providing lobbying, political consulting, or public relations consulting are included in this industry.'\n },\n '541830': {\n title: 'Media Buying Agencies',\n description:\n 'This industry comprises establishments primarily engaged in purchasing advertising time or space from media outlets and reselling it to advertising agencies or individual companies directly.'\n },\n '541840': {\n title: 'Media Representatives',\n description:\n 'This industry comprises establishments of independent representatives primarily engaged in selling media time or space for media owners.'\n },\n '541850': {\n title: 'Indoor and Outdoor Display Advertising',\n description:\n 'This industry comprises establishments primarily engaged in creating and designing public display advertising campaign materials, such as printed, painted, or electronic displays; and/or placing such displays on indoor or outdoor billboards and panels, or on or within transit vehicles or facilities, shopping malls, retail (in-store) displays, and other display structures or sites.'\n },\n '541860': {\n title: 'Direct Mail Advertising',\n description:\n 'This industry comprises establishments primarily engaged in (1) creating and designing advertising campaigns for the purpose of distributing advertising materials (e.g., coupons, flyers, samples) or specialties (e.g., keychains, magnets, pens with customized messages imprinted) by mail or other direct distribution and/or (2) preparing such advertising materials or specialties for mailing or other direct distribution. These establishments may also compile, maintain, sell, and rent mailing lists.'\n },\n '541870': {\n title: 'Advertising Material Distribution Services',\n description:\n 'This industry comprises establishments primarily engaged in the direct distribution or delivery of advertisements (e.g., circulars, coupons, handbills) or samples. Establishments in this industry use methods, such as delivering advertisements or samples door-to-door, placing flyers or coupons on car windshields in parking lots, or handing out samples in retail stores.'\n },\n '541890': {\n title: 'Other Services Related to Advertising',\n description:\n 'This industry comprises establishments primarily engaged in providing advertising services (except advertising agency services, public relations agency services, media buying agency services, media representative services, display advertising services, direct mail advertising services, advertising material distribution services, and marketing consulting services).'\n },\n '541910': {\n title: 'Marketing Research and Public Opinion Polling',\n description:\n 'This industry comprises establishments primarily engaged in systematically gathering, recording, tabulating, and presenting marketing and public opinion data.'\n },\n '541921': {\n title: 'Photography Studios, Portrait',\n description:\n 'This U.S. industry comprises establishments known as portrait studios primarily engaged in providing still, video, or digital portrait photography services.'\n },\n '541922': {\n title: 'Commercial Photography',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing commercial photography services, generally for advertising agencies, publishers, and other business and industrial users.'\n },\n '541930': {\n title: 'Translation and Interpretation Services',\n description:\n 'This industry comprises establishments primarily engaged in translating written material and interpreting speech from one language to another and establishments primarily engaged in providing sign language services.'\n },\n '541940': {\n title: 'Veterinary Services',\n description:\n 'This industry comprises establishments of licensed veterinary practitioners primarily engaged in the practice of veterinary medicine, dentistry, or surgery for animals; and establishments primarily engaged in providing testing services for licensed veterinary practitioners.'\n },\n '541990': {\n title: 'All Other Professional, Scientific, and Technical Services',\n description:\n 'This industry comprises establishments primarily engaged in the provision of professional, scientific, or technical services (except legal services; accounting, tax preparation, bookkeeping, and related services; architectural, engineering, and related services; specialized design services; computer systems design and related services; management, scientific, and technical consulting services; scientific research and development services; advertising, public relations, and related services; market research and public opinion polling; photographic services; translation and interpretation services; and veterinary services).'\n },\n '551111': {\n title: 'Offices of Bank Holding Companies',\n description:\n 'This U.S. industry comprises legal entities known as bank holding companies primarily engaged in holding the securities of (or other equity interests in) companies and enterprises for the purpose of owning a controlling interest or influencing the management decisions of these firms. The holding companies in this industry do not administer, oversee, and manage other establishments of the company or enterprise whose securities they hold.'\n },\n '551112': {\n title: 'Offices of Other Holding Companies',\n description:\n 'This U.S. industry comprises legal entities known as holding companies (except bank holding) primarily engaged in holding the securities of (or other equity interests in) companies and enterprises for the purpose of owning a controlling interest or influencing the management decisions of these firms. The holding companies in this industry do not administer, oversee, and manage other establishments of the company or enterprise whose securities they hold.'\n },\n '551114': {\n title: 'Corporate, Subsidiary, and Regional Managing Offices',\n description:\n 'This U.S. industry comprises establishments (except government establishments) primarily engaged in administering, overseeing, and managing other establishments of the company or enterprise. These establishments normally undertake the strategic or organizational planning and decision-making role of the company or enterprise. Establishments in this industry may hold the securities of the company or enterprise.'\n },\n '561110': {\n title: 'Office Administrative Services',\n description:\n 'This industry comprises establishments primarily engaged in providing a range of day-to-day office administrative services, such as financial planning; billing and recordkeeping; personnel; and physical distribution and logistics, for others on a contract or fee basis. These establishments do not provide operating staff to carry out the complete operations of a business.'\n },\n '561210': {\n title: 'Facilities Support Services',\n description:\n \"This industry comprises establishments primarily engaged in providing operating staff to perform a combination of support services within a client's facilities. Establishments in this industry typically provide a combination of services, such as janitorial, maintenance, trash disposal, guard and security, mail routing, reception, laundry, and related services to support operations within facilities. These establishments provide operating staff to carry out these support activities, but are not involved with or responsible for the core business or activities of the client. Establishments providing facilities (except computer and/or data processing) operation support services and establishments providing private jail services or operating correctional facilities (i.e., jails) on a contract or fee basis are included in this industry.\"\n },\n '561311': {\n title: 'Employment Placement Agencies',\n description:\n 'This U.S. industry comprises establishments primarily engaged in listing employment vacancies and in recruiting, referring, or placing applicants for employment. The individuals referred or placed are not employees of the employment agencies.'\n },\n '561312': {\n title: 'Executive Search Services',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing executive search, recruitment, and placement services for clients with specific executive and senior management position requirements. The range of services provided by these establishments may include developing a search strategy and position specification based on the culture and needs of the client; researching, identifying, screening, and interviewing candidates; verifying candidate qualifications; and assisting in final offer negotiations and assimilation of the selected candidate. The individuals identified, recruited, or placed are not employees of the executive search services establishments.'\n },\n '561320': {\n title: 'Temporary Help Services',\n description:\n \"This industry comprises establishments primarily engaged in supplying workers to clients' businesses for limited periods of time to supplement the working force of the client. The individuals provided are employees of the temporary help services establishment. However, these establishments do not provide direct supervision of their employees at the clients' work sites.\"\n },\n '561330': {\n title: 'Professional Employer Organizations',\n description:\n \"This industry comprises establishments primarily engaged in providing human resources and human resource management services to client businesses and households. Establishments in this industry operate in a co-employment relationship with client businesses or organizations and are specialized in performing a wide range of human resource and personnel management duties, such as payroll, payroll tax, benefits administration, workers' compensation, unemployment, and human resource administration. Professional employer organizations (PEOs) are responsible for payroll, including withholding and remitting employment-related taxes, for some or all of the employees of their clients, and also serve as the employer of those employees for benefits and related purposes.\"\n },\n '561410': {\n title: 'Document Preparation Services',\n description:\n 'This industry comprises establishments primarily engaged in one or more of the following: (1) letter or resume writing; (2) document editing or proofreading; (3) typing, word processing, or desktop publishing; and (4) stenography (except court reporting or stenotype recording), transcription, and other secretarial services.'\n },\n '561421': {\n title: 'Telephone Answering Services',\n description:\n 'This U.S. industry comprises establishments primarily engaged in answering telephone calls and relaying messages on behalf of clients or for other establishments of the same enterprise.'\n },\n '561422': {\n title: 'Telemarketing Bureaus and Other Contact Centers',\n description:\n 'This U.S. industry comprises establishments primarily engaged in operating call centers that initiate or receive communications via telephone, facsimile, email, or other communication modes for purposes such as: (1) promoting products or services, (2) taking orders, (3) soliciting contributions, and (4) providing information or assistance regarding products or services. Telemarketing bureaus and other contact centers provide these services on behalf of clients and do not own the products or provide the services that they are representing, or they serve other establishments of the same enterprise.'\n },\n '561431': {\n title: 'Private Mail Centers',\n description:\n 'This U.S. industry comprises (1) establishments primarily engaged in providing mailbox rental and other postal and mailing (except direct mail advertising) services or (2) establishments engaged in providing these mailing services along with one or more other office support services, such as facsimile services, word processing services, on-site PC rental services, and office product sales.'\n },\n '561439': {\n title: 'Other Business Service Centers (including Copy Shops)',\n description:\n 'This U.S. industry comprises (1) establishments generally known as copy centers or shops primarily engaged in providing photocopying, duplicating, blueprinting, and other document copying services, without also providing printing services (e.g., offset printing, quick printing, digital printing, prepress services) and (2) establishments (except private mail centers) engaged in providing a range of office support services (except printing services), such as document copying services, facsimile services, word processing services, on-site PC rental services, and office product sales.'\n },\n '561440': {\n title: 'Collection Agencies',\n description:\n 'This industry comprises establishments primarily engaged in collecting payments for claims and remitting payments collected to their clients.'\n },\n '561450': {\n title: 'Credit Bureaus',\n description:\n 'This industry comprises establishments primarily engaged in compiling information, such as credit and employment histories, and providing the information to financial institutions, retailers, and others who have a need to evaluate the creditworthiness of individuals and businesses.'\n },\n '561491': {\n title: 'Repossession Services',\n description:\n 'This U.S. industry comprises establishments primarily engaged in repossessing tangible assets (e.g., automobiles, boats, equipment, planes, furniture, appliances) for the creditor as a result of delinquent debts.'\n },\n '561492': {\n title: 'Court Reporting and Stenotype Services',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing verbatim reporting and stenotype recording of live legal proceedings and transcribing subsequent recorded materials.'\n },\n '561499': {\n title: 'All Other Business Support Services',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing business support services (except secretarial and other document preparation services; telephone answering and telemarketing services; private mail services or document copying services conducted as separate activities or in conjunction with other office support services; monetary debt collection services; credit reporting services; repossession services; and court reporting and stenotype recording services).'\n },\n '561510': {\n title: 'Travel Agencies',\n description:\n 'This industry comprises establishments primarily engaged in acting as agents in selling travel, tour, and accommodation services to the general public and commercial clients.'\n },\n '561520': {\n title: 'Tour Operators',\n description:\n 'This industry comprises establishments primarily engaged in arranging and assembling tours. The tours are sold through travel agencies or tour operators. Travel or wholesale tour operators are included in this industry.'\n },\n '561591': {\n title: 'Convention and Visitors Bureaus',\n description:\n 'This U.S. industry comprises establishments primarily engaged in marketing and promoting communities and facilities to businesses and leisure travelers through a range of activities, such as assisting organizations in locating meeting and convention sites; providing travel information on area attractions, lodging accommodations, restaurants; providing maps; and organizing group tours of local historical, recreational, and cultural attractions.'\n },\n '561599': {\n title: 'All Other Travel Arrangement and Reservation Services',\n description:\n 'This U.S. industry comprises establishments (except travel agencies, tour operators, and convention and visitors bureaus) primarily engaged in providing travel arrangement and reservation services.'\n },\n '561611': {\n title: 'Investigation and Personal Background Check Services',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing investigation, detective, and personal background check services.'\n },\n '561612': {\n title: 'Security Guards and Patrol Services',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing guard and patrol services, such as bodyguard, guard dog, and parking security services.'\n },\n '561613': {\n title: 'Armored Car Services',\n description:\n 'This U.S. industry comprises establishments primarily engaged in picking up and delivering money, receipts, or other valuable items. These establishments maintain personnel and equipment to protect such properties while in transit.'\n },\n '561621': {\n title: 'Security Systems Services (except Locksmiths)',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) selling security alarm systems, such as burglar and fire alarms, along with installation, repair, or monitoring services or (2) remote monitoring of electronic security alarm systems.'\n },\n '561622': {\n title: 'Locksmiths',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) selling mechanical or electronic locking devices, safes, and security vaults, along with installation, repair, rebuilding, or adjusting services or (2) installing, repairing, rebuilding, and adjusting mechanical or electronic locking devices, safes, and security vaults.'\n },\n '561710': {\n title: 'Exterminating and Pest Control Services',\n description:\n 'This industry comprises establishments primarily engaged in exterminating and controlling birds, mosquitoes, rodents, termites, and other insects and pests (except for crop production and forestry production). Establishments providing fumigation services are included in this industry.'\n },\n '561720': {\n title: 'Janitorial Services',\n description:\n 'This industry comprises establishments primarily engaged in cleaning building interiors, interiors of transportation equipment (e.g., aircraft, rail cars, ships), and/or windows.'\n },\n '561730': {\n title: 'Landscaping Services',\n description:\n 'This industry comprises (1) establishments primarily engaged in providing landscape care and maintenance services and/or installing trees, shrubs, plants, lawns, or gardens and (2) establishments primarily engaged in providing these services along with the design of landscape plans and/or the construction (i.e., installation) of walkways, retaining walls, decks, fences, ponds, and similar structures.'\n },\n '561740': {\n title: 'Carpet and Upholstery Cleaning Services',\n description:\n 'This industry comprises establishments primarily engaged in cleaning and dyeing used rugs, carpets, and upholstery.'\n },\n '561790': {\n title: 'Other Services to Buildings and Dwellings',\n description:\n 'This industry comprises establishments primarily engaged in providing services to buildings and dwellings (except exterminating and pest control; janitorial; landscaping care and maintenance; and carpet and upholstery cleaning).'\n },\n '561910': {\n title: 'Packaging and Labeling Services',\n description:\n 'This industry comprises establishments primarily engaged in packaging client-owned materials. The services may include labeling and/or imprinting the package.'\n },\n '561920': {\n title: 'Convention and Trade Show Organizers',\n description:\n 'This industry comprises establishments primarily engaged in organizing, promoting, and/or managing events, such as business and trade shows, conventions, conferences, and meetings (whether or not they manage and provide the staff to operate the facilities in which these events take place).'\n },\n '561990': {\n title: 'All Other Support Services',\n description:\n 'This industry comprises establishments primarily engaged in providing day-to-day business and other organizational support services (except office administrative services, facilities support services, employment services, business support services, travel arrangement and reservation services, security and investigation services, services to buildings and other structures, packaging and labeling services, and convention and trade show organizing services).'\n },\n '562111': {\n title: 'Solid Waste Collection',\n description:\n 'This U.S. industry comprises establishments primarily engaged in one or more of the following: (1) collecting and/or hauling nonhazardous solid waste (i.e., garbage) within a local area; (2) operating nonhazardous solid waste transfer stations; and (3) collecting and/or hauling mixed recyclable materials within a local area.'\n },\n '562112': {\n title: 'Hazardous Waste Collection',\n description:\n 'This U.S. industry comprises establishments primarily engaged in collecting and/or hauling hazardous waste within a local area and/or operating hazardous waste transfer stations. Hazardous waste collection establishments may be responsible for the identification, treatment, packaging, and labeling of waste for the purposes of transport.'\n },\n '562119': {\n title: 'Other Waste Collection',\n description:\n 'This U.S. industry comprises establishments primarily engaged in collecting and/or hauling waste (except nonhazardous solid waste and hazardous waste) within a local area. Establishments engaged in brush or rubble removal services are included in this industry.'\n },\n '562211': {\n title: 'Hazardous Waste Treatment and Disposal',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) operating treatment and/or disposal facilities for hazardous waste or (2) the combined activity of collecting and/or hauling of hazardous waste materials within a local area and operating treatment or disposal facilities for hazardous waste.'\n },\n '562212': {\n title: 'Solid Waste Landfill',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) operating landfills for the disposal of nonhazardous solid waste or (2) the combined activity of collecting and/or hauling nonhazardous waste materials within a local area and operating landfills for the disposal of nonhazardous solid waste. These establishments may produce byproducts, such as methane.'\n },\n '562213': {\n title: 'Solid Waste Combustors and Incinerators',\n description:\n 'This U.S. industry comprises establishments primarily engaged in operating combustors and incinerators for the disposal of nonhazardous solid waste. These establishments may produce byproducts, such as electricity and steam.'\n },\n '562219': {\n title: 'Other Nonhazardous Waste Treatment and Disposal',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) operating nonhazardous waste treatment and disposal facilities (except landfills, combustors, incinerators, and sewer systems or sewage treatment facilities) or (2) the combined activity of collecting and/or hauling of nonhazardous waste materials within a local area and operating waste treatment or disposal facilities (except landfills, combustors, incinerators, and sewer systems or sewage treatment facilities). Compost dumps are included in this industry.'\n },\n '562910': {\n title: 'Remediation Services',\n description:\n 'This industry comprises establishments primarily engaged in one or more of the following: (1) remediation and cleanup of contaminated buildings, mine sites, soil, or ground water; (2) integrated mine reclamation activities, including demolition, soil remediation, waste water treatment, hazardous material removal, contouring land, and revegetation; and (3) asbestos, lead paint, and other toxic material abatement.'\n },\n '562920': {\n title: 'Materials Recovery Facilities',\n description:\n 'This industry comprises establishments primarily engaged in (1) operating facilities for separating and sorting recyclable materials from nonhazardous waste streams (i.e., garbage) and/or (2) operating facilities where commingled recyclable materials, such as paper, plastics, used beverage cans, and metals, are sorted into distinct categories.'\n },\n '562991': {\n title: 'Septic Tank and Related Services',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) pumping (i.e., cleaning) septic tanks and cesspools and/or (2) renting and/or servicing portable toilets.'\n },\n '562998': {\n title: 'All Other Miscellaneous Waste Management Services',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing waste management services (except waste collection, waste treatment and disposal, remediation, operation of materials recovery facilities, septic tank pumping and related services, and waste management consulting services).'\n },\n '611110': {\n title: 'Elementary and Secondary Schools',\n description:\n 'This industry comprises establishments primarily engaged in furnishing academic courses and associated course work that comprise a basic preparatory education. A basic preparatory education ordinarily constitutes kindergarten through 12th grade. This industry includes school boards and school districts.'\n },\n '611210': {\n title: 'Junior Colleges',\n description:\n \"This industry comprises establishments primarily engaged in furnishing academic, or academic and technical, courses and granting associate degrees, certificates, or diplomas below the baccalaureate level. The requirement for admission to an associate or equivalent degree program is at least a high school diploma or equivalent general academic training. Instruction may be provided in diverse settings, such as the establishment's or client's training facilities, educational institutions, the workplace, or the home, and through diverse means, such as correspondence, television, the Internet, or other electronic and distance-learning methods. The training provided by these establishments may include the use of simulators and simulation methods.\"\n },\n '611310': {\n title: 'Colleges, Universities, and Professional Schools',\n description:\n \"This industry comprises establishments primarily engaged in furnishing academic courses and granting degrees at baccalaureate or graduate levels. The requirement for admission is at least a high school diploma or equivalent general academic training. Instruction may be provided in diverse settings, such as the establishment's or client's training facilities, educational institutions, the workplace, or the home, and through diverse means, such as correspondence, television, the Internet, or other electronic and distance-learning methods. The training provided by these establishments may include the use of simulators and simulation methods.\"\n },\n '611410': {\n title: 'Business and Secretarial Schools',\n description:\n \"This industry comprises establishments primarily engaged in offering courses in office procedures and secretarial and stenographic skills and may offer courses in basic office skills, such as word processing. In addition, these establishments may offer such classes as office machine operation, reception, communications, and other skills designed for individuals pursuing a clerical or secretarial career. Instruction may be provided in diverse settings, such as the establishment's or client's training facilities, educational institutions, the workplace, or the home, and through diverse means, such as correspondence, television, the Internet, or other electronic and distance-learning methods. The training provided by these establishments may include the use of simulators and simulation methods.\"\n },\n '611420': {\n title: 'Computer Training',\n description:\n \"This industry comprises establishments primarily engaged in conducting computer training (except computer repair), such as instruction in computer programming, software applications, computerized business systems, computer electronics technology, computer operations, and local area network management. Instruction may be provided in diverse settings, such as the establishment's or client's training facilities, educational institutions, the workplace, or the home, and through diverse means, such as correspondence, television, the Internet, or other electronic and distance-learning methods. The training provided by these establishments may include the use of simulators and simulation methods.\"\n },\n '611430': {\n title: 'Professional and Management Development Training',\n description:\n \"This industry comprises establishments primarily engaged in offering an array of short duration courses and seminars for management and professional development. Training for career development may be provided directly to individuals or through employers' training programs, and courses may be customized or modified to meet the special needs of customers. Instruction may be provided in diverse settings, such as the establishment's or client's training facilities, educational institutions, the workplace, or the home, and through diverse means, such as correspondence, television, the Internet, or other electronic and distance-learning methods. The training provided by these establishments may include the use of simulators and simulation methods.\"\n },\n '611511': {\n title: 'Cosmetology and Barber Schools',\n description:\n 'This U.S. industry comprises establishments primarily engaged in offering training in barbering, hair styling, or the cosmetic arts, such as makeup or skin care. These schools provide job-specific certification.'\n },\n '611512': {\n title: 'Flight Training',\n description:\n 'This U.S. industry comprises establishments primarily engaged in offering aviation and flight training. These establishments may offer vocational training, recreational training, or both.'\n },\n '611513': {\n title: 'Apprenticeship Training',\n description:\n 'This U.S. industry comprises establishments primarily engaged in offering apprenticeship training programs. These programs involve applied training as well as course work.'\n },\n '611519': {\n title: 'Other Technical and Trade Schools',\n description:\n 'This U.S. industry comprises establishments primarily engaged in offering job or career vocational or technical courses (except cosmetology and barber training, aviation and flight training, and apprenticeship training). The curriculums offered by these schools are highly structured and specialized and lead to job-specific certification.'\n },\n '611610': {\n title: 'Fine Arts Schools',\n description:\n 'This industry comprises establishments primarily engaged in offering instruction in the arts, including dance, art, drama, and music.'\n },\n '611620': {\n title: 'Sports and Recreation Instruction',\n description:\n 'This industry comprises establishments, such as camps and schools, primarily engaged in offering instruction in athletic activities. Overnight and day sports instruction camps are included in this industry.'\n },\n '611630': {\n title: 'Language Schools',\n description:\n 'This industry comprises establishments primarily engaged in offering foreign language instruction (including sign language). These establishments are designed to offer language instruction ranging from conversational skills for personal enrichment to intensive training courses for career or educational opportunities.'\n },\n '611691': {\n title: 'Exam Preparation and Tutoring',\n description:\n 'This U.S. industry comprises establishments primarily engaged in offering preparation for standardized examinations and/or academic tutoring services.'\n },\n '611692': {\n title: 'Automobile Driving Schools',\n description:\n 'This U.S. industry comprises establishments primarily engaged in offering automobile driving instruction.'\n },\n '611699': {\n title: 'All Other Miscellaneous Schools and Instruction',\n description:\n 'This U.S. industry comprises establishments primarily engaged in offering instruction (except academic schools, colleges, and universities; business, computer, and management instruction; technical and trade instruction; and fine arts, sports, recreation, language, exam preparation, tutoring, and automobile driving instruction).'\n },\n '611710': {\n title: 'Educational Support Services',\n description:\n 'This industry comprises establishments primarily engaged in providing non-instructional services that support educational processes or systems.'\n },\n '621111': {\n title: 'Offices of Physicians (except Mental Health Specialists)',\n description:\n 'This U.S. industry comprises establishments of health practitioners having the degree of M.D. (Doctor of Medicine) or D.O. (Doctor of Osteopathic Medicine) primarily engaged in the independent practice of general or specialized medicine (except psychiatry or psychoanalysis) or surgery. These practitioners operate private or group practices in their own offices (e.g., centers, clinics) or in the facilities of others, such as hospitals or HMO medical centers.'\n },\n '621112': {\n title: 'Offices of Physicians, Mental Health Specialists',\n description:\n 'This U.S. industry comprises establishments of health practitioners having the degree of M.D. (Doctor of Medicine) or D.O. (Doctor of Osteopathic Medicine) primarily engaged in the independent practice of psychiatry or psychoanalysis. These practitioners operate private or group practices in their own offices (e.g., centers, clinics) or in the facilities of others, such as hospitals or HMO medical centers.'\n },\n '621210': {\n title: 'Offices of Dentists',\n description:\n 'This industry comprises establishments of health practitioners having the degree of D.M.D. (Doctor of Dental Medicine), D.D.S. (Doctor of Dental Surgery), or D.D.Sc. (Doctor of Dental Science) primarily engaged in the independent practice of general or specialized dentistry or dental surgery. These practitioners operate private or group practices in their own offices (e.g., centers, clinics) or in the facilities of others, such as hospitals or HMO medical centers. They can provide either comprehensive preventive, cosmetic, or emergency care, or specialize in a single field of dentistry.'\n },\n '621310': {\n title: 'Offices of Chiropractors',\n description:\n 'This industry comprises establishments of health practitioners having the degree of D.C. (Doctor of Chiropractic) primarily engaged in the independent practice of chiropractic. These practitioners provide diagnostic and therapeutic treatment of neuromusculoskeletal and related disorders through the manipulation and adjustment of the spinal column and extremities, and operate private or group practices in their own offices (e.g., centers, clinics) or in the facilities of others, such as hospitals or HMO medical centers.'\n },\n '621320': {\n title: 'Offices of Optometrists',\n description:\n 'This industry comprises establishments of health practitioners having the degree of O.D. (Doctor of Optometry) primarily engaged in the independent practice of optometry. These practitioners examine, diagnose, treat, and manage diseases and disorders of the visual system, the eye, and associated structures as well as diagnose related systemic conditions. Offices of optometrists prescribe and/or provide eyeglasses, contact lenses, low vision aids, and vision therapy. They operate private or group practices in their own offices (e.g., centers, clinics) or in the facilities of others, such as hospitals or HMO medical centers, and may also provide the same services as opticians, such as selling and fitting prescription eyeglasses and contact lenses.'\n },\n '621330': {\n title: 'Offices of Mental Health Practitioners (except Physicians)',\n description:\n 'This industry comprises establishments of independent mental health practitioners (except physicians) primarily engaged in (1) the diagnosis and treatment of mental, emotional, and behavioral disorders and/or (2) the diagnosis and treatment of individual or group social dysfunction brought about by such causes as mental illness, alcohol and substance abuse, physical and emotional trauma, or stress. These practitioners operate private or group practices in their own offices (e.g., centers, clinics) or in the facilities of others, such as hospitals or HMO medical centers.'\n },\n '621340': {\n title: 'Offices of Physical, Occupational and Speech Therapists, and Audiologists',\n description:\n 'This industry comprises establishments of independent health practitioners primarily engaged in one of the following: (1) providing physical therapy services to patients who have impairments, functional limitations, disabilities, or changes in physical functions and health status resulting from injury, disease or other causes, or who require prevention, wellness or fitness services; (2) planning and administering educational, recreational, and social activities designed to help patients or individuals with disabilities regain physical or mental functioning or adapt to their disabilities; and (3) diagnosing and treating speech, language, or hearing problems. These practitioners operate private or group practices in their own offices (e.g., centers, clinics) or in the facilities of others, such as hospitals or HMO medical centers.'\n },\n '621391': {\n title: 'Offices of Podiatrists',\n description:\n 'This U.S. industry comprises establishments of health practitioners having the degree of D.P.M. (Doctor of Podiatric Medicine) primarily engaged in the independent practice of podiatry. These practitioners diagnose and treat diseases and deformities of the foot and operate private or group practices in their own offices (e.g., centers, clinics) or in the facilities of others, such as hospitals or HMO medical centers.'\n },\n '621399': {\n title: 'Offices of All Other Miscellaneous Health Practitioners',\n description:\n 'This U.S. industry comprises establishments of independent health practitioners (except physicians; dentists; chiropractors; optometrists; mental health specialists; physical, occupational, and speech therapists; audiologists; and podiatrists). These practitioners operate private or group practices in their own offices (e.g., centers, clinics) or in the facilities of others, such as hospitals or HMO medical centers.'\n },\n '621410': {\n title: 'Family Planning Centers',\n description:\n 'This industry comprises establishments with medical staff primarily engaged in providing a range of family planning services on an outpatient basis, such as contraceptive services, genetic and prenatal counseling, voluntary sterilization, and therapeutic and medically induced termination of pregnancy.'\n },\n '621420': {\n title: 'Outpatient Mental Health and Substance Abuse Centers',\n description:\n 'This industry comprises establishments with medical staff primarily engaged in providing outpatient services related to the diagnosis and treatment of mental health disorders and alcohol and other substance abuse. These establishments generally treat patients who do not require inpatient treatment. They may provide a counseling staff and information regarding a wide range of mental health and substance abuse issues and/or refer patients to more extensive treatment programs, if necessary.'\n },\n '621491': {\n title: 'HMO Medical Centers',\n description:\n 'This U.S. industry comprises establishments with physicians and other medical staff primarily engaged in providing a range of outpatient medical services to the health maintenance organization (HMO) subscribers with a focus generally on primary health care. These establishments are owned by the HMO. Included in this industry are HMO establishments that both provide health care services and underwrite health and medical insurance policies.'\n },\n '621492': {\n title: 'Kidney Dialysis Centers',\n description:\n 'This U.S. industry comprises establishments with medical staff primarily engaged in providing outpatient kidney or renal dialysis services.'\n },\n '621493': {\n title: 'Freestanding Ambulatory Surgical and Emergency Centers',\n description:\n 'This U.S. industry comprises establishments with physicians and other medical staff primarily engaged in (1) providing surgical services (e.g., orthoscopic and cataract surgery) on an outpatient basis or (2) providing emergency care services (e.g., setting broken bones, treating lacerations, or tending to patients suffering injuries as a result of accidents, trauma, or medical conditions necessitating immediate medical care) on an outpatient basis. Outpatient surgical establishments have specialized facilities, such as operating and recovery rooms, and specialized equipment, such as anesthetic or X-ray equipment.'\n },\n '621498': {\n title: 'All Other Outpatient Care Centers',\n description:\n 'This U.S. industry comprises establishments with medical staff primarily engaged in providing general or specialized outpatient care (except family planning centers, outpatient mental health and substance abuse centers, HMO medical centers, kidney dialysis centers, and freestanding ambulatory surgical and emergency centers). Centers or clinics of health practitioners with different degrees from more than one industry practicing within the same establishment (e.g., Doctor of Medicine and Doctor of Dental Medicine) are included in this industry.'\n },\n '621511': {\n title: 'Medical Laboratories',\n description:\n 'This U.S. industry comprises establishments known as medical laboratories primarily engaged in providing analytic or diagnostic services, including body fluid analysis, generally to the medical profession or to the patient on referral from a health practitioner.'\n },\n '621512': {\n title: 'Diagnostic Imaging Centers',\n description:\n 'This U.S. industry comprises establishments known as diagnostic imaging centers primarily engaged in producing images of the patient generally on referral from a health practitioner.'\n },\n '621610': {\n title: 'Home Health Care Services',\n description:\n 'This industry comprises establishments primarily engaged in providing skilled nursing services in the home, along with a range of the following: personal care services; homemaker and companion services; physical therapy; medical social services; medications; medical equipment and supplies; counseling; 24-hour home care; occupation and vocational therapy; dietary and nutritional services; speech therapy; audiology; and high-tech care, such as intravenous therapy.'\n },\n '621910': {\n title: 'Ambulance Services',\n description:\n 'This industry comprises establishments primarily engaged in providing transportation of patients by ground or air, along with medical care. These services are often provided during a medical emergency but are not restricted to emergencies. The vehicles are equipped with lifesaving equipment operated by medically trained personnel.'\n },\n '621991': {\n title: 'Blood and Organ Banks',\n description:\n 'This U.S. industry comprises establishments primarily engaged in collecting, storing, and distributing blood and blood products and storing and distributing body organs.'\n },\n '621999': {\n title: 'All Other Miscellaneous Ambulatory Health Care Services',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing ambulatory health care services (except offices of physicians, dentists, and other health practitioners; outpatient care centers; medical and diagnostic laboratories; home health care providers; ambulances; and blood and organ banks).'\n },\n '622110': {\n title: 'General Medical and Surgical Hospitals',\n description:\n 'This industry comprises establishments known and licensed as general medical and surgical hospitals primarily engaged in providing diagnostic and medical treatment (both surgical and nonsurgical) to inpatients with any of a wide variety of medical conditions. These establishments maintain inpatient beds and provide patients with food services that meet their nutritional requirements. These hospitals have an organized staff of physicians and other medical staff to provide patient care services. These establishments usually provide other services, such as outpatient services, anatomical pathology services, diagnostic X-ray services, clinical laboratory services, operating room services for a variety of procedures, and pharmacy services.'\n },\n '622210': {\n title: 'Psychiatric and Substance Abuse Hospitals',\n description:\n 'This industry comprises establishments known and licensed as psychiatric and substance abuse hospitals primarily engaged in providing diagnostic, medical treatment, and monitoring services for inpatients who suffer from mental illness or substance abuse disorders. The treatment often requires an extended stay in the hospital. These establishments maintain inpatient beds and provide patients with food services that meet their nutritional requirements. They have an organized staff of physicians and other medical staff to provide patient care services. Psychiatric, psychological, and social work services are available at the facility. These hospitals usually provide other services, such as outpatient services, clinical laboratory services, diagnostic X-ray services, and electroencephalograph services.'\n },\n '622310': {\n title: 'Specialty (except Psychiatric and Substance Abuse) Hospitals',\n description:\n 'This industry comprises establishments known and licensed as specialty hospitals primarily engaged in providing diagnostic and medical treatment to inpatients with a specific type of disease or medical condition (except psychiatric or substance abuse). Hospitals providing long-term care for the chronically ill and hospitals providing rehabilitation, restorative, and adjustive services to physically challenged or disabled people are included in this industry. These establishments maintain inpatient beds and provide patients with food services that meet their nutritional requirements. They have an organized staff of physicians and other medical staff to provide patient care services. These hospitals may provide other services, such as outpatient services, diagnostic X-ray services, clinical laboratory services, operating room services, physical therapy services, educational and vocational services, and psychological and social work services.'\n },\n '623110': {\n title: 'Nursing Care Facilities (Skilled Nursing Facilities)',\n description:\n 'This industry comprises establishments primarily engaged in providing inpatient nursing and rehabilitative services. The care is generally provided for an extended period of time to individuals requiring nursing care. These establishments have a permanent core staff of registered or licensed practical nurses who, along with other staff, provide nursing and continuous personal care services.'\n },\n '623210': {\n title: 'Residential Intellectual and Developmental Disability Facilities',\n description:\n 'This industry comprises establishments (e.g., group homes, hospitals, intermediate care facilities) primarily engaged in providing residential care services for persons with intellectual and developmental disabilities. These facilities may provide some health care, though the focus is room, board, protective supervision, and counseling.'\n },\n '623220': {\n title: 'Residential Mental Health and Substance Abuse Facilities',\n description:\n 'This industry comprises establishments primarily engaged in providing residential care and treatment for patients with mental health and substance abuse illnesses. These establishments provide room, board, supervision, and counseling services. Although medical services may be available at these establishments, they are incidental to the counseling, mental rehabilitation, and support services offered. These establishments generally provide a wide range of social services in addition to counseling.'\n },\n '623311': {\n title: 'Continuing Care Retirement Communities',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing a range of residential and personal care services with on-site nursing care facilities for (1) the elderly and other persons who are unable to fully care for themselves and/or (2) the elderly and other persons who do not desire to live independently. Individuals live in a variety of residential settings with meals, housekeeping, social, leisure, and other services available to assist residents in daily living. Assisted living facilities with on-site nursing care facilities are included in this industry.'\n },\n '623312': {\n title: 'Assisted Living Facilities for the Elderly',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing residential and personal care services without nursing care for (1) the elderly or other persons who are unable to fully care for themselves and/or (2) the elderly or other persons who do not desire to live independently. The care typically includes room, board, supervision, and assistance in daily living, such as housekeeping services.'\n },\n '623990': {\n title: 'Other Residential Care Facilities',\n description:\n 'This industry comprises establishments primarily engaged in providing residential care (except residential intellectual and developmental disability facilities, residential mental health and substance abuse facilities, continuing care retirement communities, and assisted living facilities for the elderly). These establishments also provide supervision and personal care services.'\n },\n '624110': {\n title: 'Child and Youth Services',\n description:\n 'This industry comprises establishments primarily engaged in providing nonresidential social assistance services for children and youth. These establishments provide for the welfare of children in such areas as adoption and foster care, drug prevention, life skills training, and positive social development.'\n },\n '624120': {\n title: 'Services for the Elderly and Persons with Disabilities',\n description:\n 'This industry comprises establishments primarily engaged in providing nonresidential social assistance services to improve the quality of life for the elderly or persons with intellectual and/or developmental disabilities. These establishments provide for the welfare of these individuals in such areas as day care, non-medical home care or homemaker services, social activities, group support, and companionship.'\n },\n '624190': {\n title: 'Other Individual and Family Services',\n description:\n 'This industry comprises establishments primarily engaged in providing nonresidential individual and family social assistance services (except those specifically directed toward children, the elderly, or persons with intellectual and/or developmental disabilities).'\n },\n '624210': {\n title: 'Community Food Services',\n description:\n 'This industry comprises establishments primarily engaged in the collection, preparation, and delivery of food for the needy. Establishments in this industry may also distribute clothing and blankets to the poor. These establishments may prepare and deliver meals to persons who by reason of age, disability, or illness are unable to prepare meals for themselves; collect and distribute salvageable or donated food; or prepare and provide meals at fixed or mobile locations. Food banks, meal delivery programs, and soup kitchens are included in this industry.'\n },\n '624221': {\n title: 'Temporary Shelters',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing (1) short-term emergency shelter for victims of domestic violence, sexual assault, or child abuse and/or (2) temporary residential shelter for homeless individuals or families, runaway youth, and patients and families caught in medical crises. These establishments may operate their own shelters or may subsidize housing using existing homes, apartments, hotels, or motels.'\n },\n '624229': {\n title: 'Other Community Housing Services',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing one or more of the following community housing services: (1) transitional housing to low-income individuals and families; (2) volunteer construction or repair of low-cost housing, in partnership with the homeowner who may assist in the construction or repair work; and (3) the repair of homes for elderly or disabled homeowners. These establishments may subsidize housing using existing homes, apartments, hotels, or motels or may require a low-cost mortgage or sweat equity. These establishments may also provide low-income families with furniture and household supplies.'\n },\n '624230': {\n title: 'Emergency and Other Relief Services',\n description:\n 'This industry comprises establishments primarily engaged in providing food, shelter, clothing, medical relief, resettlement, and counseling to victims of domestic or international disasters or conflicts (e.g., wars).'\n },\n '624310': {\n title: 'Vocational Rehabilitation Services',\n description:\n 'This industry comprises (1) establishments primarily engaged in providing vocational rehabilitation or habilitation services, such as job counseling, job training, and work experience, to unemployed and underemployed persons, persons with disabilities, and persons who have a job market disadvantage because of lack of education, job skill, or experience and (2) establishments primarily engaged in providing training and employment to persons with disabilities. Vocational rehabilitation job training facilities (except schools) and sheltered workshops (i.e., work experience centers) are included in this industry.'\n },\n '624410': {\n title: 'Child Care Services',\n description:\n 'This industry comprises establishments primarily engaged in providing care and early learning opportunities for infants and children. These establishments generally care for children from birth through school age and may also offer pre-kindergarten, kindergarten, and/or before- or after-school educational programs. The care and early learning provided by these establishments may include opportunities for development in health, social and emotional learning, and family engagement.'\n },\n '711110': {\n title: 'Theater Companies and Dinner Theaters',\n description:\n 'This industry comprises (1) companies, groups, or theaters primarily engaged in producing the following live theatrical presentations: musicals; operas; plays; and comedy, improvisational, mime, and puppet shows and (2) establishments, commonly known as dinner theaters, engaged in producing live theatrical productions and in providing food and beverages for consumption on the premises. Theater groups or companies may or may not operate their own theater or other facility for staging their shows.'\n },\n '711120': {\n title: 'Dance Companies',\n description:\n 'This industry comprises companies, groups, or theaters primarily engaged in producing all types of live theatrical dance (e.g., ballet, contemporary dance, folk dance) presentations. Dance companies or groups may or may not operate their own theater or other facility for staging their shows.'\n },\n '711130': {\n title: 'Musical Groups and Artists',\n description:\n 'This industry comprises (1) groups primarily engaged in producing live musical entertainment (except theatrical musical or opera productions) and (2) independent (i.e., freelance) artists primarily engaged in providing live musical entertainment. Musical groups and artists may perform in front of a live audience or in a studio, and may or may not operate their own facilities for staging their shows.'\n },\n '711190': {\n title: 'Other Performing Arts Companies',\n description:\n 'This industry comprises companies or groups (except theater companies, dance companies, and musical groups and artists) primarily engaged in producing live theatrical presentations.'\n },\n '711211': {\n title: 'Sports Teams and Clubs',\n description:\n 'This U.S. industry comprises professional or semiprofessional sports teams or clubs primarily engaged in participating in live sporting events, such as baseball, basketball, football, hockey, soccer, and jai alai games, before a paying audience. These establishments may or may not operate their own arena, stadium, or other facility for presenting these events.'\n },\n '711212': {\n title: 'Racetracks',\n description:\n 'This U.S. industry comprises establishments primarily engaged in operating racetracks without casinos. These establishments may also present and/or promote the events, such as auto, dog, and horse races, held in these facilities.'\n },\n '711219': {\n title: 'Other Spectator Sports',\n description:\n 'This U.S. industry comprises (1) independent athletes, such as professional or semiprofessional golfers, boxers, and race car drivers, primarily engaged in participating in live sporting or racing events before a paying audience; (2) owners of racing participants, such as cars, dogs, and horses, primarily engaged in entering them in racing events or other spectator events; and (3) establishments, such as sports trainers, primarily engaged in providing specialized services required to support participants in sports events or competitions.'\n },\n '711310': {\n title: 'Promoters of Performing Arts, Sports, and Similar Events with Facilities',\n description:\n 'This industry comprises establishments primarily engaged in (1) organizing, promoting, and/or managing live performing arts productions, sports events, and similar events, such as state fairs, county fairs, agricultural fairs, concerts, and festivals, held in facilities that they manage and operate and/or (2) managing and providing the staff to operate arenas, stadiums, theaters, or other related facilities for rent to other promoters.'\n },\n '711320': {\n title: 'Promoters of Performing Arts, Sports, and Similar Events without Facilities',\n description:\n 'This industry comprises promoters primarily engaged in organizing, promoting, and/or managing live performing arts productions, sports events, and similar events, such as state fairs, county fairs, agricultural fairs, concerts, and festivals, in facilities that are managed and operated by others. Theatrical (except motion picture) booking agencies are included in this industry.'\n },\n '711410': {\n title: 'Agents and Managers for Artists, Athletes, Entertainers, and Other Public Figures',\n description:\n \"This industry comprises establishments of agents and managers primarily engaged in representing and/or managing creative and performing artists, sports figures, entertainers, and other public figures. The representation and management includes activities, such as representing clients in contract negotiations; managing or organizing clients' financial affairs; and generally promoting the careers of their clients.\"\n },\n '711510': {\n title: 'Independent Artists, Writers, and Performers',\n description:\n 'This industry comprises independent (i.e., freelance) individuals primarily engaged in performing in artistic productions, in creating artistic and cultural works or productions, or in providing technical expertise necessary for these productions. This industry also includes athletes and other celebrities exclusively engaged in endorsing products and making speeches or public appearances for which they receive a fee.'\n },\n '712110': {\n title: 'Museums',\n description:\n 'This industry comprises establishments primarily engaged in the preservation and exhibition of objects of historical, cultural, and/or educational value.'\n },\n '712120': {\n title: 'Historical Sites',\n description:\n 'This industry comprises establishments primarily engaged in the preservation and exhibition of sites, buildings, forts, or communities that describe events or persons of particular historical interest. Archeological sites, battlefields, historical ships, and pioneer villages are included in this industry.'\n },\n '712130': {\n title: 'Zoos and Botanical Gardens',\n description:\n 'This industry comprises establishments primarily engaged in the preservation and exhibition of live plant and animal life displays.'\n },\n '712190': {\n title: 'Nature Parks and Other Similar Institutions',\n description:\n 'This industry comprises establishments primarily engaged in the preservation and exhibition of natural areas or settings.'\n },\n '713110': {\n title: 'Amusement and Theme Parks',\n description:\n 'This industry comprises establishments, known as amusement or theme parks, primarily engaged in operating a variety of attractions, such as mechanical rides, water rides, games, shows, theme exhibits, refreshment stands, and picnic grounds. These establishments may lease space to others on a concession basis.'\n },\n '713120': {\n title: 'Amusement Arcades',\n description:\n 'This industry comprises establishments primarily engaged in operating amusement (except gambling, billiard, or pool) arcades and parlors.'\n },\n '713210': {\n title: 'Casinos (except Casino Hotels)',\n description:\n 'This industry comprises establishments primarily engaged in operating gambling facilities that offer table wagering games along with other gambling activities, such as slot machines and sports betting. These establishments often provide food and beverage services. Included in this industry are floating casinos (i.e., gambling cruises, riverboat casinos) and casinos with racetracks.'\n },\n '713290': {\n title: 'Other Gambling Industries',\n description:\n 'This industry comprises establishments primarily engaged in operating gambling facilities (except casinos or casino hotels) or providing gambling services.'\n },\n '713910': {\n title: 'Golf Courses and Country Clubs',\n description:\n 'This industry comprises (1) establishments primarily engaged in operating golf courses (except miniature) and (2) establishments primarily engaged in operating golf courses, along with dining facilities and other recreational facilities that are known as country clubs. These establishments often provide food and beverage services, equipment rental services, and golf instruction services.'\n },\n '713920': {\n title: 'Skiing Facilities',\n description:\n 'This industry comprises establishments engaged in (1) operating downhill, cross country, or related skiing areas and/or (2) operating equipment, such as ski lifts and tows. These establishments often provide food and beverage services, equipment rental services, and ski instruction services. Four season resorts without accommodations are included in this industry.'\n },\n '713930': {\n title: 'Marinas',\n description:\n 'This industry comprises establishments, commonly known as marinas, engaged in operating docking and/or storage facilities for pleasure craft owners, with or without one or more related activities, such as retailing fuel and marine supplies; and repairing, maintaining, or renting pleasure boats.'\n },\n '713940': {\n title: 'Fitness and Recreational Sports Centers',\n description:\n 'This industry comprises establishments primarily engaged in operating fitness and recreational sports facilities featuring exercise and other active physical fitness conditioning or recreational sports activities, such as swimming, skating, or racquet sports.'\n },\n '713950': {\n title: 'Bowling Centers',\n description:\n 'This industry comprises establishments engaged in operating bowling centers. These establishments often provide food and beverage services.'\n },\n '713990': {\n title: 'All Other Amusement and Recreation Industries',\n description:\n 'This industry comprises establishments (except amusement parks and arcades; gambling industries; golf courses and country clubs; skiing facilities; marinas; fitness and recreational sports centers; and bowling centers) primarily engaged in providing recreational and amusement services.'\n },\n '721110': {\n title: 'Hotels (except Casino Hotels) and Motels',\n description:\n 'This industry comprises establishments primarily engaged in providing short-term lodging in facilities known as hotels, motor hotels, resort hotels, and motels. The establishments in this industry may offer food and beverage services, recreational services, conference rooms, convention services, laundry services, parking, and other services.'\n },\n '721120': {\n title: 'Casino Hotels',\n description:\n 'This industry comprises establishments primarily engaged in providing short-term lodging in hotel facilities with a casino on the premises. The casino on premises includes table wagering games and may include other gambling activities, such as slot machines and sports betting. These establishments generally offer a range of services and amenities, such as food and beverage services, entertainment, valet parking, swimming pools, and conference and convention facilities. Included in this industry are casino hotels with racetracks.'\n },\n '721191': {\n title: 'Bed-and-Breakfast Inns',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing short-term lodging in facilities known as bed-and-breakfast inns. These establishments provide short-term lodging in private homes or small buildings converted for this purpose. Bed-and-breakfast inns are characterized by a highly personalized service and inclusion of a full breakfast in the room rate.'\n },\n '721199': {\n title: 'All Other Traveler Accommodation',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing short-term lodging (except hotels, motels, casino hotels, and bed-and-breakfast inns).'\n },\n '721211': {\n title: 'RV (Recreational Vehicle) Parks and Campgrounds',\n description:\n 'This U.S. industry comprises establishments primarily engaged in operating sites to accommodate campers and their equipment, including tents, tent trailers, travel trailers, and RVs (recreational vehicles). These establishments may provide access to facilities, such as washrooms, laundry rooms, recreation halls, playgrounds, stores, and snack bars.'\n },\n '721214': {\n title: 'Recreational and Vacation Camps (except Campgrounds)',\n description:\n \"This U.S. industry comprises establishments primarily engaged in operating overnight recreational camps, such as children's camps, family vacation camps, hunting and fishing camps, and outdoor adventure retreats, that offer trail riding, white water rafting, hiking, and similar activities. These establishments provide accommodation facilities, such as cabins and fixed campsites, and other amenities, such as food services, recreational facilities and equipment, and organized recreational activities.\"\n },\n '721310': {\n title: \"Rooming and Boarding Houses, Dormitories, and Workers' Camps\",\n description:\n \"This industry comprises establishments primarily engaged in operating rooming and boarding houses and similar facilities, such as fraternity houses, sorority houses, off campus dormitories, residential clubs, and workers' camps. These establishments provide temporary or longer-term accommodations, which, for the period of occupancy, may serve as a principal residence. These establishments also may provide complementary services, such as housekeeping, meals, and laundry services.\"\n },\n '722310': {\n title: 'Food Service Contractors',\n description:\n \"This industry comprises establishments primarily engaged in providing food services at institutional, governmental, commercial, or industrial locations of others based on contractual arrangements with these types of organizations for a specified period of time. The establishments of this industry provide food services for the convenience of the contracting organization or the contracting organization's customers. The contractual arrangement of these establishments with contracting organizations may vary by type of facility operated (e.g., cafeteria, restaurant, fast-food eating place), revenue sharing, cost structure, and personnel provided. Management staff is always provided by food service contractors.\"\n },\n '722320': {\n title: 'Caterers',\n description:\n 'This industry comprises establishments primarily engaged in providing single event-based food services. These establishments generally have equipment and vehicles to transport meals and snacks to events and/or prepare food at an off-premise site. Banquet halls with catering staff are included in this industry. Examples of events catered by establishments in this industry are graduation parties, wedding receptions, business or retirement luncheons, and trade shows.'\n },\n '722330': {\n title: 'Mobile Food Services',\n description:\n 'This industry comprises establishments primarily engaged in preparing and serving meals and snacks for immediate consumption from motorized vehicles or nonmotorized carts. The establishment is the central location from which the caterer route is serviced, not each vehicle or cart. Included in this industry are establishments primarily engaged in providing food services from vehicles, such as hot dog carts and ice cream trucks.'\n },\n '722410': {\n title: 'Drinking Places (Alcoholic Beverages)',\n description:\n 'This industry comprises establishments known as bars, taverns, nightclubs, or drinking places primarily engaged in preparing and serving alcoholic beverages for immediate consumption. These establishments may also provide limited food services.'\n },\n '722511': {\n title: 'Full-Service Restaurants',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing food services to patrons who order and are served while seated (i.e., waiter/waitress service) and pay after eating. These establishments may provide this type of food service to patrons in combination with selling alcoholic beverages, providing carryout services, or presenting live nontheatrical entertainment.'\n },\n '722513': {\n title: 'Limited-Service Restaurants',\n description:\n \"This U.S. industry comprises establishments primarily engaged in providing food services (except snack and nonalcoholic beverage bars) where patrons generally order or select items and pay before eating. Food and drink may be consumed on premises, taken out, or delivered to the customer's location. Some establishments in this industry may provide these food services in combination with selling alcoholic beverages.\"\n },\n '722514': {\n title: 'Cafeterias, Grill Buffets, and Buffets',\n description:\n 'This U.S. industry comprises establishments, known as cafeterias, grill buffets, or buffets, primarily engaged in preparing and serving meals for immediate consumption using cafeteria-style or buffet serving equipment, such as steam tables, refrigerated areas, display grills, and self-service nonalcoholic beverage dispensing equipment. Patrons select from food and drink items on display in a continuous cafeteria line or from buffet stations.'\n },\n '722515': {\n title: 'Snack and Nonalcoholic Beverage Bars',\n description:\n 'This U.S. industry comprises establishments primarily engaged in (1) preparing and/or serving a specialty snack, such as ice cream, frozen yogurt, cookies, or popcorn, or (2) serving nonalcoholic beverages, such as coffee, juices, or sodas for consumption on or near the premises. These establishments may carry and sell a combination of snack, nonalcoholic beverage, and other related products (e.g., coffee beans, mugs, coffee makers) but generally promote and sell a unique snack or nonalcoholic beverage.'\n },\n '811111': {\n title: 'General Automotive Repair',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing (1) a wide range of mechanical and electrical repair and maintenance services for automotive vehicles, such as passenger cars, trucks, and vans, and all trailers or (2) engine repair and replacement.'\n },\n '811114': {\n title: 'Specialized Automotive Repair',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing specialized mechanical or electrical repair and maintenance services (except engine repair and replacement) for automotive vehicles, such as passenger cars, trucks, and vans, and all trailers.'\n },\n '811121': {\n title: 'Automotive Body, Paint, and Interior Repair and Maintenance',\n description:\n 'This U.S. industry comprises establishments primarily engaged in repairing or customizing automotive vehicle and trailer bodies and interiors; and/or painting automotive vehicles and trailer bodies.'\n },\n '811122': {\n title: 'Automotive Glass Replacement Shops',\n description:\n 'This U.S. industry comprises establishments primarily engaged in replacing, repairing, and/or tinting automotive vehicle glass, such as passenger car, truck, and van glass.'\n },\n '811191': {\n title: 'Automotive Oil Change and Lubrication Shops',\n description:\n 'This U.S. industry comprises establishments primarily engaged in changing motor oil and lubricating the chassis of automotive vehicles, such as passenger cars, trucks, and vans.'\n },\n '811192': {\n title: 'Car Washes',\n description:\n 'This U.S. industry comprises establishments primarily engaged in cleaning, washing, and/or waxing automotive vehicles, such as passenger cars, trucks, and vans, and trailers.'\n },\n '811198': {\n title: 'All Other Automotive Repair and Maintenance',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing automotive repair and maintenance services (except mechanical and electrical repair and maintenance; body, paint, interior, and glass repair; motor oil change and lubrication; and car washing) for automotive vehicles, such as passenger cars, trucks, and vans, and all trailers.'\n },\n '811210': {\n title: 'Electronic and Precision Equipment Repair and Maintenance',\n description:\n 'This industry comprises establishments primarily engaged in repairing and maintaining one or more of the following: (1) consumer electronic equipment; (2) computers; (3) office machines; (4) communication equipment; and (5) other electronic and precision equipment and instruments, without retailing these products as new. Establishments in this industry repair items, such as microscopes, radar and sonar equipment, televisions, stereos, video recorders, computers, fax machines, photocopying machines, two-way radios, cellular telephones, and other communications equipment, scientific instruments, and medical equipment.'\n },\n '811310': {\n title:\n 'Commercial and Industrial Machinery and Equipment (except Automotive and Electronic) Repair and Maintenance',\n description:\n 'This industry comprises establishments primarily engaged in the repair and maintenance of commercial and industrial machinery and equipment. Establishments in this industry either sharpen/install commercial and industrial machinery blades and saws or provide welding (e.g., automotive, general) repair services; or repair agricultural and other heavy and industrial machinery and equipment (e.g., forklifts and other material handling equipment, machine tools, commercial refrigeration equipment, construction equipment, and mining machinery).'\n },\n '811411': {\n title: 'Home and Garden Equipment Repair and Maintenance',\n description:\n 'This U.S. industry comprises establishments primarily engaged in repairing and servicing home and garden equipment without retailing new home and garden equipment, such as lawnmowers, handheld power tools, edgers, snowblowers, leaf blowers, and trimmers.'\n },\n '811412': {\n title: 'Appliance Repair and Maintenance',\n description:\n 'This U.S. industry comprises establishments primarily engaged in repairing and servicing household appliances without retailing new appliances, such as refrigerators, stoves, washing machines, clothes dryers, and room air-conditioners.'\n },\n '811420': {\n title: 'Reupholstery and Furniture Repair',\n description:\n 'This industry comprises establishments primarily engaged in one or more of the following: (1) reupholstering furniture; (2) refinishing furniture; (3) repairing furniture; and (4) repairing and restoring furniture.'\n },\n '811430': {\n title: 'Footwear and Leather Goods Repair',\n description:\n 'This industry comprises establishments primarily engaged in repairing footwear and/or repairing other leather or leather-like goods without retailing new footwear and leather or leather-like goods, such as handbags and briefcases.'\n },\n '811490': {\n title: 'Other Personal and Household Goods Repair and Maintenance',\n description:\n 'This industry comprises establishments primarily engaged in repairing and servicing personal or household-type goods without retailing new personal or household-type goods (except home and garden equipment, appliances, furniture, and footwear and leather goods). Establishments in this industry repair items, such as garments; watches; jewelry; musical instruments; bicycles and motorcycles; and motorboats, canoes, sailboats, and other recreational boats.'\n },\n '812111': {\n title: 'Barber Shops',\n description:\n \"This U.S. industry comprises establishments known as barber shops or men's hair stylist shops primarily engaged in cutting, trimming, and styling men's and boys' hair; and/or shaving and trimming men's beards.\"\n },\n '812112': {\n title: 'Beauty Salons',\n description:\n \"This U.S. industry comprises establishments (except those known as barber shops or men's hair stylist shops) primarily engaged in one or more of the following: (1) cutting, trimming, shampooing, coloring, waving, or styling hair; (2) providing facials; and (3) applying makeup (except permanent makeup).\"\n },\n '812113': {\n title: 'Nail Salons',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing nail care services, such as manicures, pedicures, and nail extensions.'\n },\n '812191': {\n title: 'Diet and Weight Reducing Centers',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing non-medical services to assist clients in attaining or maintaining a desired weight. The sale of weight reduction products, such as food supplements, may be an integral component of the program. These services typically include individual or group counseling, menu and exercise planning, and weight and body measurement monitoring.'\n },\n '812199': {\n title: 'Other Personal Care Services',\n description:\n 'This U.S. industry comprises establishments primarily engaged in providing personal care services (except hair, nail, facial, nonpermanent makeup, or non-medical diet and weight reducing services).'\n },\n '812210': {\n title: 'Funeral Homes and Funeral Services',\n description:\n 'This industry comprises establishments primarily engaged in preparing the dead for burial or interment and conducting funerals (i.e., providing facilities for wakes, arranging transportation for the dead, selling caskets and related merchandise). Funeral homes combined with crematories are included in this industry.'\n },\n '812220': {\n title: 'Cemeteries and Crematories',\n description:\n 'This industry comprises establishments primarily engaged in operating sites or structures reserved for the interment of human or animal remains and/or cremating the dead.'\n },\n '812310': {\n title: 'Coin-Operated Laundries and Drycleaners',\n description:\n 'This industry comprises establishments primarily engaged in (1) operating facilities with coin- or card-operated or similar self-service laundry and drycleaning equipment for customer use on the premises and/or (2) supplying and servicing coin- or card-operated or similar self-service laundry and drycleaning equipment for customer use in places of business operated by others, such as apartments and dormitories.'\n },\n '812320': {\n title: 'Drycleaning and Laundry Services (except Coin-Operated)',\n description:\n 'This industry comprises establishments primarily engaged in one or more of the following: (1) providing drycleaning services (except coin- or card-operated); (2) providing laundering services (except linen and uniform supply or coin- or card-operated); (3) providing drop-off and pick-up sites for laundries and/or drycleaners; and (4) providing specialty cleaning services for specific types of garments and other textile items (except carpets and upholstery), such as fur, leather, or suede garments; wedding gowns; hats; draperies; and pillows. These establishments may provide all, a combination of, or none of the cleaning services on the premises.'\n },\n '812331': {\n title: 'Linen Supply',\n description:\n 'This U.S. industry comprises establishments primarily engaged in supplying, on a rental or contract basis, laundered items, such as table and bed linens; towels; diapers; and uniforms, gowns, or coats of the type used by doctors, nurses, barbers, beauticians, and waitresses.'\n },\n '812332': {\n title: 'Industrial Launderers',\n description:\n 'This U.S. industry comprises establishments primarily engaged in supplying, on a rental or contract basis, laundered industrial work uniforms and related work clothing, such as protective apparel (flame and heat resistant) and clean room apparel; dust control items, such as treated mops, rugs, mats, dust tool covers, cloths, and shop or wiping towels.'\n },\n '812910': {\n title: 'Pet Care (except Veterinary) Services',\n description:\n 'This industry comprises establishments primarily engaged in providing pet care services (except veterinary), such as boarding, grooming, sitting, walking, and training pets.'\n },\n '812921': {\n title: 'Photofinishing Laboratories (except One-Hour)',\n description:\n 'This U.S. industry comprises establishments (except those known as \"one-hour\" photofinishing labs) primarily engaged in developing film and/or making photographic slides, prints, and enlargements.'\n },\n '812922': {\n title: 'One-Hour Photofinishing',\n description:\n 'This U.S. industry comprises establishments known as \"one-hour\" photofinishing labs primarily engaged in developing film and/or making photographic slides, prints, and enlargements on a short turnaround or while-you-wait basis.'\n },\n '812930': {\n title: 'Parking Lots and Garages',\n description:\n 'This industry comprises establishments primarily engaged in providing parking space for motor vehicles, usually on an hourly, daily, or monthly basis and/or valet parking services.'\n },\n '812990': {\n title: 'All Other Personal Services',\n description:\n 'This industry comprises establishments primarily engaged in providing personal services (except personal care services, death care services, drycleaning and laundry services, pet care services, photofinishing services, or parking space and/or valet parking services).'\n },\n '813110': {\n title: 'Religious Organizations',\n description:\n 'This industry comprises (1) establishments primarily engaged in operating religious organizations, such as churches, religious temples, mosques, and monasteries, and/or (2) establishments primarily engaged in administering an organized religion or promoting religious activities.'\n },\n '813211': {\n title: 'Grantmaking Foundations',\n description:\n 'This U.S. industry comprises establishments known as grantmaking foundations or charitable trusts. Establishments in this industry award grants from trust funds based on a competitive selection process or the preferences of the foundation managers and grantors; or fund a single entity, such as a museum or university.'\n },\n '813212': {\n title: 'Voluntary Health Organizations',\n description:\n 'This U.S. industry comprises establishments primarily engaged in raising funds for health related research, such as disease (e.g., heart, cancer, diabetes) prevention, health education, and patient services.'\n },\n '813219': {\n title: 'Other Grantmaking and Giving Services',\n description:\n 'This U.S. industry comprises establishments (except voluntary health organizations) primarily engaged in raising funds for a wide range of social welfare activities, such as educational, scientific, cultural, and health.'\n },\n '813311': {\n title: 'Human Rights Organizations',\n description:\n 'This U.S. industry comprises establishments primarily engaged in promoting causes associated with human rights either for a broad or specific constituency. Establishments in this industry address issues, such as protecting and promoting the broad constitutional rights and civil liberties of individuals and those suffering from neglect, abuse, or exploitation; promoting the interests of specific groups, such as children, women, senior citizens, or persons with disabilities; improving relations between racial, ethnic, and cultural groups; and promoting voter education and registration. These organizations may solicit contributions and offer memberships to support these causes.'\n },\n '813312': {\n title: 'Environment, Conservation and Wildlife Organizations',\n description:\n 'This U.S. industry comprises establishments primarily engaged in promoting the preservation and protection of the environment and wildlife. Establishments in this industry address issues, such as clean air and water; global warming; conserving and developing natural resources, including land, plant, water, and energy resources; and protecting and preserving wildlife and endangered species. These organizations may solicit contributions and offer memberships to support these causes.'\n },\n '813319': {\n title: 'Other Social Advocacy Organizations',\n description:\n 'This U.S. industry comprises establishments primarily engaged in social advocacy (except human rights and environmental protection, conservation, and wildlife preservation). Establishments in this industry address issues, such as peace and international understanding; community action (excluding civic organizations); or advancing social causes, such as firearms safety, drunk driving prevention, or drug abuse awareness. These organizations may solicit contributions and offer memberships to support these causes.'\n },\n '813410': {\n title: 'Civic and Social Organizations',\n description:\n 'This industry comprises establishments primarily engaged in promoting the civic and social interests of their members. Establishments in this industry may operate bars and restaurants for their members.'\n },\n '813910': {\n title: 'Business Associations',\n description:\n 'This industry comprises establishments primarily engaged in promoting the business interests of their members. These establishments may conduct research on new products and services; develop market statistics; sponsor quality and certification standards; lobby public officials; or publish newsletters, books, or periodicals for distribution to their members.'\n },\n '813920': {\n title: 'Professional Organizations',\n description:\n 'This industry comprises establishments primarily engaged in promoting the professional interests of their members and the profession as a whole. These establishments may conduct research; develop statistics; sponsor quality and certification standards; lobby public officials; or publish newsletters, books, or periodicals for distribution to their members.'\n },\n '813930': {\n title: 'Labor Unions and Similar Labor Organizations',\n description:\n 'This industry comprises establishments primarily engaged in promoting the interests of organized labor and union employees.'\n },\n '813940': {\n title: 'Political Organizations',\n description:\n 'This industry comprises establishments primarily engaged in promoting the interests of national, state, or local political parties or candidates. Included are political groups organized to raise funds for a political party or individual candidates.'\n },\n '813990': {\n title:\n 'Other Similar Organizations (except Business, Professional, Labor, and Political Organizations)',\n description:\n 'This industry comprises establishments (except religious organizations, social advocacy organizations, civic and social organizations, business associations, professional organizations, labor unions, and political organizations) primarily engaged in promoting the interests of their members.'\n },\n '814110': {\n title: 'Private Households',\n description:\n 'This industry comprises private households primarily engaged in employing workers on or about the premises in activities primarily concerned with the operation of the household. These private households may employ individuals, such as cooks, maids, nannies, butlers, non-medical personal care aides, and outside workers, such as gardeners, caretakers, and other maintenance workers.'\n },\n '921110': {\n title: 'Executive Offices',\n description:\n 'This industry comprises government establishments serving as offices of chief executives and their advisory committees and commissions. This industry includes offices of the president, governors, and mayors, in addition to executive advisory commissions.'\n },\n '921120': {\n title: 'Legislative Bodies',\n description:\n 'This industry comprises government establishments serving as legislative bodies and their advisory committees and commissions. Included in this industry are legislative bodies, such as Congress, state legislatures, and advisory and study legislative commissions.'\n },\n '921130': {\n title: 'Public Finance Activities',\n description:\n 'This industry comprises government establishments primarily engaged in public finance, taxation, and monetary policy. Included are financial administration activities, such as monetary policy; tax administration and collection; custody and disbursement of funds; debt and investment administration; auditing activities; and government employee retirement trust fund administration.'\n },\n '921140': {\n title: 'Executive and Legislative Offices, Combined',\n description:\n 'This industry comprises government establishments serving as councils and boards of commissioners or supervisors and such bodies where the chief executive (e.g., county executive or city mayor) is a member of the legislative body (e.g., county or city council) itself.'\n },\n '921150': {\n title: 'American Indian and Alaska Native Tribal Governments',\n description:\n 'This industry comprises American Indian and Alaska Native governing bodies. Establishments in this industry perform legislative, judicial, and administrative functions for their American Indian and Alaska Native lands. Included in this industry are American Indian and Alaska Native councils, courts, and law enforcement bodies.'\n },\n '921190': {\n title: 'Other General Government Support',\n description:\n 'This industry comprises government establishments primarily engaged in providing general support for government. Such support services include personnel services, election boards, and other general government support establishments that are not classified elsewhere in public administration.'\n },\n '922110': {\n title: 'Courts',\n description:\n \"This industry comprises civilian courts of law (except American Indian and Alaska Native tribal courts). Included in this industry are civilian courts, courts of law, and sheriffs' offices conducting court functions only.\"\n },\n '922120': {\n title: 'Police Protection',\n description:\n 'This industry comprises government establishments primarily engaged in criminal and civil law enforcement, police, traffic safety, and other activities related to the enforcement of the law and preservation of order. Combined police and fire departments are included in this industry.'\n },\n '922130': {\n title: 'Legal Counsel and Prosecution',\n description:\n 'This industry comprises government establishments primarily engaged in providing legal counsel or prosecution services for the government.'\n },\n '922140': {\n title: 'Correctional Institutions',\n description:\n 'This industry comprises government establishments primarily engaged in managing and operating correctional institutions. The facility is generally designed for the confinement, correction, and rehabilitation of adult and/or juvenile offenders sentenced by a court.'\n },\n '922150': {\n title: 'Parole Offices and Probation Offices',\n description:\n 'This industry comprises government establishments primarily engaged in judicially administering probation offices, parole offices and boards, and pardon boards.'\n },\n '922160': {\n title: 'Fire Protection',\n description:\n 'This industry comprises government establishments primarily engaged in firefighting and other related fire protection activities. Government establishments providing combined fire protection and ambulance or rescue services are classified in this industry.'\n },\n '922190': {\n title: 'Other Justice, Public Order, and Safety Activities',\n description:\n 'This industry comprises government establishments primarily engaged in public order and safety (except courts, police protection, legal counsel and prosecution, correctional institutions, parole offices, probation offices, pardon boards, and fire protection). These establishments include the general administration of public order and safety programs. Government establishments responsible for the collection of statistics on public safety are included in this industry.'\n },\n '923110': {\n title: 'Administration of Education Programs',\n description:\n 'This industry comprises government establishments primarily engaged in the central coordination, planning, supervision, and administration of funds, policies, intergovernmental activities, statistical reports and data collection, and centralized programs for educational administration. Government scholarship programs are included in this industry.'\n },\n '923120': {\n title: 'Administration of Public Health Programs',\n description:\n 'This industry comprises government establishments primarily engaged in the planning, administration, and coordination of public health programs and services, including environmental health activities, mental health, categorical health programs, health statistics, and immunization services. Government establishments primarily engaged in conducting public health-related inspections are included in this industry.'\n },\n '923130': {\n title:\n \"Administration of Human Resource Programs (except Education, Public Health, and Veterans' Affairs Programs)\",\n description:\n \"This industry comprises government establishments primarily engaged in the planning, administration, and coordination of programs for public assistance, social work, and welfare activities. The administration of Social Security, disability insurance, Medicare, unemployment insurance, and workers' compensation programs are included in this industry.\"\n },\n '923140': {\n title: \"Administration of Veterans' Affairs\",\n description:\n \"This industry comprises government establishments primarily engaged in the administration of programs of assistance, training, counseling, and other services to veterans and their dependents, heirs, or survivors. Included in this industry are Veterans' Affairs offices that maintain liaison and coordinate activities with other service organizations and governmental agencies.\"\n },\n '924110': {\n title: 'Administration of Air and Water Resource and Solid Waste Management Programs',\n description:\n 'This industry comprises government establishments primarily engaged in one or more of the following: (1) the administration, regulation, and enforcement of air and water resource programs; (2) the administration and regulation of solid waste management programs; (3) the administration and regulation of water and air pollution control and prevention programs; (4) the administration and regulation of flood control programs; (5) the administration and regulation of drainage development and water resource consumption programs; (6) the administration and regulation of toxic waste removal and cleanup programs; and (7) coordination of these activities at intergovernmental levels.'\n },\n '924120': {\n title: 'Administration of Conservation Programs',\n description:\n 'This industry comprises government establishments primarily engaged in the administration, regulation, supervision, and control of land use, including recreational areas; conservation and preservation of natural resources; erosion control; geological survey program administration; weather forecasting program administration; and the administration and protection of publicly and privately owned forest lands. Government establishments responsible for planning, management, regulation, and conservation of game, fish, and wildlife populations, including wildlife management areas and field stations; and other administrative matters relating to the protection of fish, game, and wildlife are included in this industry.'\n },\n '925110': {\n title: 'Administration of Housing Programs',\n description:\n 'This industry comprises government establishments primarily engaged in the administration and planning of housing programs.'\n },\n '925120': {\n title: 'Administration of Urban Planning and Community and Rural Development',\n description:\n 'This industry comprises government establishments primarily engaged in the administration and planning of the development of urban and rural areas. Included in this industry are government zoning boards and commissions.'\n },\n '926110': {\n title: 'Administration of General Economic Programs',\n description:\n 'This industry comprises government establishments primarily engaged in the administration, promotion, and development of economic resources, including business, industry, and tourism. Included in this industry are government establishments responsible for the development of general statistical data and analyses and promotion of the general economic well-being of the governed area.'\n },\n '926120': {\n title: 'Regulation and Administration of Transportation Programs',\n description:\n 'This industry comprises government establishments primarily engaged in the administration, regulation, licensing, planning, inspection, and investigation of transportation services and facilities. Included in this industry are government establishments responsible for motor vehicle and operator licensing, the Coast Guard (except the Coast Guard Academy), and parking authorities.'\n },\n '926130': {\n title: 'Regulation and Administration of Communications, Electric, Gas, and Other Utilities',\n description:\n 'This industry comprises government establishments primarily engaged in the administration, regulation, licensing, and inspection of utilities, such as communications, electric power (including fossil, nuclear, solar, water, and wind), gas and water supply, and sewerage.'\n },\n '926140': {\n title: 'Regulation of Agricultural Marketing and Commodities',\n description:\n 'This industry comprises government establishments primarily engaged in the planning, administration, and coordination of agricultural programs for production, marketing, and utilization, including educational and promotional activities. Included in this industry are government establishments responsible for regulating and controlling the grading and inspection of food, plants, animals, and other agricultural products.'\n },\n '926150': {\n title: 'Regulation, Licensing, and Inspection of Miscellaneous Commercial Sectors',\n description:\n 'This industry comprises government establishments primarily engaged in the regulation, licensing, and inspection of commercial sectors, such as retail trade, professional occupations, manufacturing, mining, construction, and services. Included in this industry are government establishments maintaining physical standards, regulating hazardous conditions not elsewhere classified, and enforcing alcoholic beverage control regulations.'\n },\n '927110': {\n title: 'Space Research and Technology',\n description:\n 'This industry comprises government establishments primarily engaged in the administration and operations of space flights, space research, and space exploration. Included in this industry are government establishments operating space flight centers.'\n },\n '928110': {\n title: 'National Security',\n description:\n 'This industry comprises government establishments of the Armed Forces, including the National Guard, primarily engaged in national security and related activities.'\n },\n '928120': {\n title: 'International Affairs',\n description:\n 'This industry comprises establishments of U.S. and foreign governments primarily engaged in international affairs and programs relating to other nations and peoples.'\n }\n};\n","export type Maybe = T | null | undefined;\nexport type InputMaybe = T | null | undefined;\nexport type Exact = { [K in keyof T]: T[K] };\nexport type MakeOptional = Omit & { [SubKey in K]?: Maybe };\nexport type MakeMaybe = Omit & { [SubKey in K]: Maybe };\nexport type MakeEmpty = {\n [_ in K]?: never;\n};\nexport type Incremental =\n | T\n | { [P in keyof T]?: P extends ' $fragmentName' | '__typename' ? T[P] : never };\n/** All built-in and custom scalars, mapped to their actual values */\nexport type Scalars = {\n ID: { input: string; output: string };\n String: { input: string; output: string };\n Boolean: { input: boolean; output: boolean };\n Int: { input: number; output: number };\n Float: { input: number; output: number };\n};\n\n/** ApplicationError represents an application-level error that occurred during request processing. */\nexport type ApplicationError = {\n __typename?: 'ApplicationError';\n /** The error code indicating the type of application error that occurred. */\n code: ApplicationErrorCode;\n /** A human-readable message describing the application error. */\n message: Scalars['String']['output'];\n};\n\n/** ApplicationErrorCode enumerates the possible types of application errors. */\nexport enum ApplicationErrorCode {\n /** Indicates the caller provided invalid input. */\n BadRequest = 'BAD_REQUEST',\n /** Indicates the caller does not have permission to perform the requested operation. */\n Forbidden = 'FORBIDDEN',\n /** Indicates the requested resource was not found. */\n NotFound = 'NOT_FOUND',\n /** Indicates the caller is not authorized to perform the requested operation. */\n Unauthorized = 'UNAUTHORIZED'\n}\n\n/** InternalServerError represents an internal server error that occurred during request processing. */\nexport type InternalServerError = {\n __typename?: 'InternalServerError';\n /** A human-readable message describing the internal server error. */\n message: Scalars['String']['output'];\n};\n\n/** InternalServerErrorCode enumerates the possible types of internal server errors. */\nexport enum InternalServerErrorCode {\n /** Indicates the server timed out waiting for an action or request to complete. */\n ServerTimedOut = 'SERVER_TIMED_OUT',\n /** Indicates an unknown internal server error occurred. */\n Unknown = 'UNKNOWN'\n}\n\n/** ValidationError represents a validation error that occurred during input validation. */\nexport type ValidationError = {\n __typename?: 'ValidationError';\n /** The validation error code indicating the type of validation failure. */\n code: ValidationErrorCode;\n /**\n * An array of field paths indicating which fields failed validation.\n * For nested fields, each path segment is an element in the array.\n */\n field: Array;\n /** A human-readable message describing the validation error. */\n message: Scalars['String']['output'];\n};\n\n/** ValidationErrorCode enumerates the possible types of validation errors. */\nexport enum ValidationErrorCode {\n /** Indicates a field's value was invalid according to validation rules. */\n Invalid = 'INVALID',\n /** Indicates a required field was missing or empty. */\n Required = 'REQUIRED'\n}\n","import {\n ApolloError,\n OperationVariables,\n MutationOptions,\n ApolloClient,\n NormalizedCacheObject,\n MaybeMasked\n} from '@apollo/client';\nimport { ApplicationError, ApplicationErrorCode, ValidationError } from '.';\nimport { redirect, ActionFunction } from 'react-router-dom';\nimport { getApplicationError, getValidationErrors } from './errors';\n\nexport type ActionResult =\n | {\n data?: T | null;\n serverError?: ApolloError;\n applicationError?: ApplicationError;\n validationErrors?: ValidationError[];\n }\n | undefined;\n\nexport const byMethod =\n (actions: {\n [K in 'GET' | 'POST' | 'PATCH' | 'PUT' | 'DELETE']?: ActionFunction;\n }): ActionFunction =>\n async (args) =>\n actions[args.request.method]?.(args);\n\nexport const mutate = async (\n client: ApolloClient,\n mutationOptions: MutationOptions,\n callback?: (data?: MaybeMasked | null) => Promise>>\n): Promise>> => {\n const { data, errors } = await client.mutate(mutationOptions);\n\n const applicationError = getApplicationError(new ApolloError({ graphQLErrors: errors }));\n const validationErrors = getValidationErrors(new ApolloError({ graphQLErrors: errors }));\n\n if (applicationError?.code === ApplicationErrorCode.Unauthorized) {\n return redirect('/signin');\n } else if (applicationError) {\n return { applicationError };\n } else if (validationErrors?.length) {\n return { validationErrors };\n } else if (errors?.length) {\n throw new ApolloError({ graphQLErrors: errors });\n }\n\n return callback ? callback(data) : { data };\n};\n","import { LoaderFunction, LoaderFunctionArgs, defer, redirect } from 'react-router-dom';\n\nimport { getApplicationError } from './errors';\nimport { ApplicationErrorCode } from '.';\nimport {\n ApolloClient,\n ApolloError,\n MaybeMasked,\n NormalizedCacheObject,\n OperationVariables,\n QueryOptions\n} from '@apollo/client';\n\nexport const query = async (\n client: ApolloClient,\n queryOptions: QueryOptions,\n transform: (data: MaybeMasked) => R | null | undefined | Promise,\n notFoundRedirect?: string\n) => {\n const { data, errors } = await client.query(queryOptions);\n\n const error = errors?.length ? new ApolloError({ graphQLErrors: errors }) : undefined;\n const applicationError = getApplicationError(error);\n\n if (applicationError?.code === ApplicationErrorCode.Unauthorized) {\n return redirect('/signin');\n } else if (applicationError?.code === ApplicationErrorCode.NotFound && notFoundRedirect) {\n return redirect(notFoundRedirect);\n } else if (error) {\n throw error;\n }\n\n return Promise.resolve(transform(data));\n};\n\nexport const merge =\n (loaders: Record) => async (args: LoaderFunctionArgs) => {\n return defer({\n data: (async () => {\n // Initiate all promises. If any reject, the await will cause the entire promise to reject.\n const promises = await Promise.all(Object.values(loaders).map((loader) => loader(args)));\n\n // Map the promises back to their keys and return the object\n return Object.fromEntries(Object.keys(loaders).map((key, index) => [key, promises[index]]));\n })()\n });\n };\n"],"names":["getEnvironment","environment","_b","_a","getApiBaseUrl","devServiceUrl","getAisBaseUrl","service","user","getServiceVersion","getSecret","secretName","devSecret","getMapboxPublicKey","getSentryDSN","getClientId","config.getEnvironment","getContext","context","ldClient","initializeClient","LaunchDarkly.initialize","error","setUser","Sentry.setUser","Sentry.init","config.getSentryDSN","Sentry.browserProfilingIntegration","Sentry.browserSessionIntegration","Sentry.browserTracingIntegration","Sentry.captureConsoleIntegration","Sentry.extraErrorDataIntegration","Sentry.httpClientIntegration","Sentry.launchDarklyIntegration","Sentry.reactRouterV6BrowserTracingIntegration","React.useEffect","useLocation","useNavigationType","createRoutesFromChildren","matchRoutes","Sentry.replayIntegration","config.getApiBaseUrl","Sentry.sessionTimingIntegration","config.getServiceVersion","getApplicationError","_c","e","getValidationErrors","createClient","namespace","ApolloClient","InMemoryCache","from","removeTypenameFromVariables","split","query","definition","getMainDefinition","Kind","OperationTypeNode","GraphQLWsLink","createWsClient","createUploadLink","uri","options","response","body","graphQLErrors","ApolloError","updateFormMulti","setForm","setValidationErrors","fieldPartsList","update","fieldParts","prev","v","i","updateForm","getValidationError","validationErrors","useFormActions","states","naics","ApplicationErrorCode","byMethod","actions","args","mutate","client","mutationOptions","callback","data","errors","applicationError","redirect","queryOptions","transform","notFoundRedirect","merge","loaders","defer","promises","loader","key","index"],"mappings":"kQAmBO,MAAMA,EAAiB,IAAmB,SAC3C,GAAA,OAAO,OAAW,IACb,MAAA,MAKH,MAAAC,GAAgDC,GAAAC,EAAA,2BAAQ,SAAR,YAAAA,EAAgB,OAAhB,YAAAD,EAAsB,YAC5E,OAAQD,EAAa,CACnB,IAAK,aACL,IAAK,UACL,IAAK,MACI,OAAAA,EACT,QACS,MAAA,KACX,CACF,EAKaG,EAAgB,IAAc,CACzC,OAAQJ,EAAkB,EAAA,CACxB,IAAK,aACI,MAAA,6BACT,IAAK,UACI,MAAA,qCACT,IAAK,MACH,OAAOK,EAAc,KAAK,CAC9B,CACF,EAKaC,GAAgB,IAAc,CACzC,OAAQN,EAAkB,EAAA,CACxB,IAAK,aACI,MAAA,6BACT,IAAK,UACI,MAAA,qCACT,IAAK,MACH,OAAOK,EAAc,KAAK,CAC9B,CACF,EAMMA,EAAiBE,GAA+B,CAE9C,KAAA,CAAA,CAAGC,CAAI,EAAI,OAAO,SAAS,KAAK,MAAM,GAAG,EAExC,MAAA,WAAWD,CAAO,IAAIC,CAAI,oBACnC,EAUaC,EAAoB,IAAc,2CAKzCC,EAAY,CAACC,EAAoBC,aACrC,OAAAA,KAAaV,GAAAC,EAAA,2BAAS,SAAT,YAAAA,EAAqB,OAArB,YAAAD,EAA+BS,KAKjCE,GAAqB,IAAMH,EAAU,kBAAmB,EAA6B,EAKrFI,EAAe,IAAM,GChG5BC,EAAc,IAAM,CAGxB,OAFYC,IAEC,CACX,IAAK,aACI,MAAA,2BACT,IAAK,UACI,MAAA,2BACT,IAAK,MACI,MAAA,0BACX,CACF,EAEMC,EAAcT,GAA8C,CAChE,GAAI,CAACA,EACI,MAAA,CACL,KAAM,OACN,UAAW,EAAA,EAIf,MAAMU,EAAkC,CACtC,KAAM,QACN,KAAM,CACJ,IAAKV,EAAK,GACV,KAAM,OACN,KAAMA,EAAK,SAAW,QAAU,SAChC,KAAMA,EAAK,KACX,MAAOA,EAAK,KACd,CAAA,EAGF,OAAIA,EAAK,WACPU,EAAQ,OAAS,CACf,KAAM,SACN,IAAKV,EAAK,SACV,KAAM,SACN,KAAMA,EAAK,UAAA,GAIXA,EAAK,YACPU,EAAQ,QAAU,CAChB,KAAM,UACN,IAAKV,EAAK,UACV,KAAM,UACN,KAAMA,EAAK,WAAA,GAIRU,CACT,EAEA,IAAIC,EAcS,MAAAC,GAAmB,MAAOZ,GAAsB,CAC3DW,EAAWE,EAAwBN,EAAA,EAAeE,EAAWT,CAAI,CAAC,EAC9D,GAAA,CACI,MAAAW,EAAS,sBAAsB,CAAC,QAC/BG,EAAO,CAGN,QAAA,MAAM,2CAA4CA,CAAK,CACjE,CACO,OAAAH,CACT,EC1DaI,GAAU,MAAOf,GAAsB,CAClDgB,EAAehB,CAAI,EACnB,MAAMY,GAAiBZ,CAAI,CAC7B,EAEAiB,EAAY,CACV,IAAKC,EAAoB,EACzB,aAAc,CACZC,EAAmC,EACnCC,EAAiC,EACjCC,EAAiC,EACjCC,EAAiC,CAC/B,OAAQ,CAAC,OAAO,CAAA,CACjB,EACDC,EAAiC,EACjCC,EAA6B,EAC7BC,EAA+B,EAC/BC,EAA8C,CAC5C,UAAWC,EAAM,UACjB,YAAAC,EACA,kBAAAC,EACA,yBAAAC,EACA,YAAAC,CAAA,CACD,EACDC,EAAyB,CACvB,uBAAwB,CAAC,OAAO,SAAS,OAAQC,GAAsB,EACvE,qBAAsB,GACtB,sBAAuB,CAAC,gCAAgC,EACxD,YAAa,GACb,cAAe,EAAA,CAChB,EACDC,EAAgC,CAClC,EAEA,oBAAqB,GACrB,QAAS1B,EAAO,IAAqB,aACrC,cAAe,GAEf,YAAaA,EAAsB,EACnC,QAAS2B,EAAyB,EAIlC,iBAAkB,EAGlB,wBAAyB,CAACF,GAAsB,EAIhD,yBAA0B,EAC1B,yBAA0B,CAC5B,CAAC,ECxEM,MAAMG,EAAuBtB,GAClC,WAAA,OAAAuB,GAAA3C,GAAAC,EAAAmB,GAAA,YAAAA,EAAO,gBAAP,YAAAnB,EAAsB,KAAM2C,UAAM,OAAC,GAAC3C,EAAA2C,EAAE,aAAF,MAAA3C,EAAc,sBAAlD,YAAAD,EAAqE,aAArE,YAAA2C,EACI,kBAEOE,EAAuBzB,YAClC,OAAApB,GAAAC,EAAAmB,GAAA,YAAAA,EAAO,gBAAP,YAAAnB,EACI,OAAQ2C,UAAM,OAAC,GAAC3C,EAAA2C,EAAE,aAAF,MAAA3C,EAAc,qBADlC,YAAAD,EAEI,IAAK4C,GAAM,OAAA,OAAA3C,EAAA2C,EAAE,aAAF,YAAA3C,EAAc,mBCElB6C,GAAgBC,GAC3B,IAAIC,EAAa,CACf,MAAO,IAAIC,EACX,eAAgB,CACd,WAAY,CACV,YAAa,MACb,YAAa,cACf,EACA,MAAO,CACL,YAAa,MACb,YAAa,cACf,EACA,OAAQ,CACN,YAAa,MACb,YAAa,cACf,CACF,EACA,KAAMC,EAAK,CACTC,EAA4B,EAC5BC,EACE,CAAC,CAAE,MAAAC,CAAA,IAAY,CACP,MAAAC,EAAaC,EAAkBF,CAAK,EAC1C,OACEC,EAAW,OAASE,EAAK,sBACzBF,EAAW,YAAcG,EAAkB,YAE/C,EACA,IAAIC,EACFC,EAAe,CACb,IAAK,GAAGzD,EAAe,CAAA,iBACvB,iBAAkB,CAChB,iCAAkC6C,CACpC,CAAA,CACD,CACH,EACAa,EAAiB,CACf,IAAK,GAAG1D,EAAe,CAAA,iBACvB,YAAa,UACb,MAAO,MAAO2D,EAAmBC,IAAyB,CAExDA,EAAQ,QAAU,CAChB,GAAGA,EAAQ,QACX,iCAAkCf,CAAA,EAIpC,MAAMgB,EAAW,MAAM,MAAMF,EAAKC,CAAO,EAOrC,GAAAC,EAAS,SAAW,IAAK,CAGrB,MAAAC,EAAO,MADED,EAAS,QACE,OAEpBE,EAAqDD,EAAK,OAE5D,GAAAC,GAAmBpB,EAAoB,IAAIqB,EAAY,CAAE,cAAAD,CAAe,CAAA,CAAC,EAE3E,OAAO,IAAI,SAAS,KAAK,UAAUD,CAAI,EAAG,CACxC,OAAQ,IACR,WAAY,KACZ,QAASD,EAAS,OAAA,CACnB,CAEL,CAEO,OAAAA,CACT,CAAA,CACD,CACH,CAAA,CACD,CACH,CAAC,ECzEUI,GACX,CACEC,EACAC,IAEF,CAACC,EAA4BC,IAA2B,CACvCD,EAAA,QAASE,GACtBH,EAAqBI,GACnBA,EAAK,OACF7B,GACCA,EAAE,MAAM,SAAW4B,EAAW,QAAU,CAAC5B,EAAE,MAAM,MAAM,CAAC8B,EAAGC,IAAMD,IAAMF,EAAWG,CAAC,CAAC,CACxF,CACF,CAAA,EAEFP,EAASK,GAASF,EAAOE,CAAI,CAAC,CAChC,EAcWG,GACX,CACER,EACAC,IAEF,CAACG,EAAsBD,IAA2B,CAChDF,EAAqBI,GAASA,EAAK,OAAQ7B,GAAM,CAACiC,EAAmB,CAACjC,CAAC,EAAG4B,CAAU,CAAC,CAAC,EACtFJ,EAASK,GAASF,EAAOE,CAAI,CAAC,CAChC,EAUWI,EAAqB,CAACC,EAAqCN,IAAA,OACtE,OAAAvE,EAAA6E,EAAiB,KACdlC,GACCA,EAAE,MAAM,QAAU4B,EAAW,QAC7B5B,EAAE,MAAM,MAAM,CAAC4B,EAAW,MAAM,EAAE,MAAM,CAACE,EAAGC,IAAMD,IAAMF,EAAWG,CAAC,CAAC,CACzE,IAJA,YAAA1E,EAIG,SAUQ8E,GAAiB,CAC5BX,EACAC,KACI,CACJ,WAAYO,GAAWR,EAASC,CAAmB,EACnD,gBAAiBF,GAAgBC,EAASC,CAAmB,EAC7D,mBAAAQ,CACF,GCnFaG,GAAS,CACpB,CAAE,MAAO,KAAM,KAAM,SAAU,EAC/B,CAAE,MAAO,KAAM,KAAM,QAAS,EAE9B,CAAE,MAAO,KAAM,KAAM,SAAU,EAC/B,CAAE,MAAO,KAAM,KAAM,UAAW,EAChC,CAAE,MAAO,KAAM,KAAM,YAAa,EAClC,CAAE,MAAO,KAAM,KAAM,UAAW,EAChC,CAAE,MAAO,KAAM,KAAM,aAAc,EACnC,CAAE,MAAO,KAAM,KAAM,UAAW,EAChC,CAAE,MAAO,KAAM,KAAM,qBAAsB,EAC3C,CAAE,MAAO,KAAM,KAAM,SAAU,EAC/B,CAAE,MAAO,KAAM,KAAM,SAAU,EAE/B,CAAE,MAAO,KAAM,KAAM,QAAS,EAC9B,CAAE,MAAO,KAAM,KAAM,OAAQ,EAC7B,CAAE,MAAO,KAAM,KAAM,UAAW,EAChC,CAAE,MAAO,KAAM,KAAM,SAAU,EAC/B,CAAE,MAAO,KAAM,KAAM,MAAO,EAC5B,CAAE,MAAO,KAAM,KAAM,QAAS,EAC9B,CAAE,MAAO,KAAM,KAAM,UAAW,EAChC,CAAE,MAAO,KAAM,KAAM,WAAY,EACjC,CAAE,MAAO,KAAM,KAAM,OAAQ,EAC7B,CAAE,MAAO,KAAM,KAAM,UAAW,EAChC,CAAE,MAAO,KAAM,KAAM,eAAgB,EACrC,CAAE,MAAO,KAAM,KAAM,UAAW,EAChC,CAAE,MAAO,KAAM,KAAM,WAAY,EACjC,CAAE,MAAO,KAAM,KAAM,aAAc,EACnC,CAAE,MAAO,KAAM,KAAM,UAAW,EAChC,CAAE,MAAO,KAAM,KAAM,SAAU,EAC/B,CAAE,MAAO,KAAM,KAAM,UAAW,EAChC,CAAE,MAAO,KAAM,KAAM,QAAS,EAC9B,CAAE,MAAO,KAAM,KAAM,eAAgB,EACrC,CAAE,MAAO,KAAM,KAAM,YAAa,EAClC,CAAE,MAAO,KAAM,KAAM,YAAa,EAClC,CAAE,MAAO,KAAM,KAAM,UAAW,EAChC,CAAE,MAAO,KAAM,KAAM,gBAAiB,EACtC,CAAE,MAAO,KAAM,KAAM,cAAe,EAEpC,CAAE,MAAO,KAAM,KAAM,MAAO,EAC5B,CAAE,MAAO,KAAM,KAAM,UAAW,EAChC,CAAE,MAAO,KAAM,KAAM,QAAS,EAC9B,CAAE,MAAO,KAAM,KAAM,cAAe,EAEpC,CAAE,MAAO,KAAM,KAAM,cAAe,EACpC,CAAE,MAAO,KAAM,KAAM,gBAAiB,EACtC,CAAE,MAAO,KAAM,KAAM,cAAe,EACpC,CAAE,MAAO,KAAM,KAAM,WAAY,EACjC,CAAE,MAAO,KAAM,KAAM,OAAQ,EAE7B,CAAE,MAAO,KAAM,KAAM,MAAO,EAC5B,CAAE,MAAO,KAAM,KAAM,SAAU,EAC/B,CAAE,MAAO,KAAM,KAAM,UAAW,EAEhC,CAAE,MAAO,KAAM,KAAM,YAAa,EAClC,CAAE,MAAO,KAAM,KAAM,eAAgB,EACrC,CAAE,MAAO,KAAM,KAAM,WAAY,EACjC,CAAE,MAAO,KAAM,KAAM,SAAU,CACjC,EC1DaC,GAAQ,CACnB,OAAU,CACR,MAAO,kBACP,YACE,8GACJ,EACA,OAAU,CACR,MAAO,mCACP,YACE,oMACJ,EACA,OAAU,CACR,MAAO,2BACP,YACE,sGACJ,EACA,OAAU,CACR,MAAO,gBACP,YACE,yGACJ,EACA,OAAU,CACR,MAAO,eACP,YACE,2HACJ,EACA,OAAU,CACR,MAAO,eACP,YACE,0HACJ,EACA,OAAU,CACR,MAAO,wCACP,YACE,4XACJ,EACA,OAAU,CACR,MAAO,0BACP,YACE,uLACJ,EACA,OAAU,CACR,MAAO,iBACP,YACE,mHACJ,EACA,OAAU,CACR,MAAO,oDACP,YACE,8TACJ,EACA,OAAU,CACR,MAAO,gBACP,YAAa,8EACf,EACA,OAAU,CACR,MAAO,gCACP,YACE,qGACJ,EACA,OAAU,CACR,MAAO,iBACP,YAAa,kFACf,EACA,OAAU,CACR,MAAO,kBACP,YACE,gIACJ,EACA,OAAU,CACR,MAAO,qBACP,YACE,wFACJ,EACA,OAAU,CACR,MAAO,oCACP,YAAa,mFACf,EACA,OAAU,CACR,MAAO,mBACP,YACE,qFACJ,EACA,OAAU,CACR,MAAO,yCACP,YACE,4RACJ,EACA,OAAU,CACR,MAAO,gCACP,YACE,wKACJ,EACA,OAAU,CACR,MAAO,sBACP,YACE,2JACJ,EACA,OAAU,CACR,MAAO,qCACP,YACE,yIACJ,EACA,OAAU,CACR,MAAO,8BACP,YACE,yTACJ,EACA,OAAU,CACR,MAAO,0BACP,YACE,6PACJ,EACA,OAAU,CACR,MAAO,kBACP,YAAa,8EACf,EACA,OAAU,CACR,MAAO,iBACP,YAAa,6EACf,EACA,OAAU,CACR,MAAO,oBACP,YAAa,gFACf,EACA,OAAU,CACR,MAAO,cACP,YACE,6GACJ,EACA,OAAU,CACR,MAAO,qBACP,YACE,uFACJ,EACA,OAAU,CACR,MAAO,iBACP,YAAa,mFACf,EACA,OAAU,CACR,MAAO,uCACP,YACE,gmBACJ,EACA,OAAU,CACR,MAAO,mCACP,YACE,iIACJ,EACA,OAAU,CACR,MAAO,kBACP,YACE,gGACJ,EACA,OAAU,CACR,MAAO,mCACP,YAAa,mFACf,EACA,OAAU,CACR,MAAO,2CACP,YACE,kHACJ,EACA,OAAU,CACR,MAAO,sBACP,YACE,0OACJ,EACA,OAAU,CACR,MAAO,yBACP,YACE,mKACJ,EACA,OAAU,CACR,MAAO,kDACP,YACE,+HACJ,EACA,OAAU,CACR,MAAO,oBACP,YACE,yGACJ,EACA,OAAU,CACR,MAAO,qBACP,YACE,2FACJ,EACA,OAAU,CACR,MAAO,2BACP,YACE,uIACJ,EACA,OAAU,CACR,MAAO,gBACP,YACE,oLACJ,EACA,OAAU,CACR,MAAO,eACP,YAAa,4EACf,EACA,OAAU,CACR,MAAO,sCACP,YACE,0LACJ,EACA,OAAU,CACR,MAAO,oBACP,YACE,6IACJ,EACA,OAAU,CACR,MAAO,oBACP,YACE,oQACJ,EACA,OAAU,CACR,MAAO,aACP,YACE,oPACJ,EACA,OAAU,CACR,MAAO,qCACP,YACE,gHACJ,EACA,OAAU,CACR,MAAO,2CACP,YACE,+KACJ,EACA,OAAU,CACR,MAAO,8BACP,YACE,qaACJ,EACA,OAAU,CACR,MAAO,0BACP,YACE,wIACJ,EACA,OAAU,CACR,MAAO,oDACP,YACE,mOACJ,EACA,OAAU,CACR,MAAO,UACP,YACE,+LACJ,EACA,OAAU,CACR,MAAO,kBACP,YACE,iLACJ,EACA,OAAU,CACR,MAAO,oBACP,YACE,mNACJ,EACA,OAAU,CACR,MAAO,uBACP,YACE,sJACJ,EACA,OAAU,CACR,MAAO,uBACP,YACE,qOACJ,EACA,OAAU,CACR,MAAO,iBACP,YAAa,kFACf,EACA,OAAU,CACR,MAAO,8CACP,YACE,8OACJ,EACA,OAAU,CACR,MAAO,wCACP,YACE,iNACJ,EACA,OAAU,CACR,MAAO,sDACP,YACE,+VACJ,EACA,OAAU,CACR,MAAO,0CACP,YACE,6HACJ,EACA,OAAU,CACR,MAAO,2BACP,YACE,wcACJ,EACA,OAAU,CACR,MAAO,2CACP,YACE,geACJ,EACA,OAAU,CACR,MAAO,kCACP,YACE,2dACJ,EACA,OAAU,CACR,MAAO,6BACP,YACE,kgBACJ,EACA,OAAU,CACR,MAAO,yBACP,YACE,ybACJ,EACA,OAAU,CACR,MAAO,sBACP,YACE,ogBACJ,EACA,OAAU,CACR,MAAO,0BACP,YACE,iWACJ,EACA,OAAU,CACR,MAAO,kBACP,YACE,uUACJ,EACA,OAAU,CACR,MAAO,iCACP,YACE,4WACJ,EACA,OAAU,CACR,MAAO,wCACP,YACE,kbACJ,EACA,OAAU,CACR,MAAO,yBACP,YACE,+QACJ,EACA,OAAU,CACR,MAAO,uCACP,YACE,kLACJ,EACA,OAAU,CACR,MAAO,oDACP,YACE,0VACJ,EACA,OAAU,CACR,MAAO,kDACP,YACE,gVACJ,EACA,OAAU,CACR,MAAO,sDACP,YACE,oaACJ,EACA,OAAU,CACR,MAAO,sCACP,YACE,kTACJ,EACA,OAAU,CACR,MAAO,yBACP,YACE,4PACJ,EACA,OAAU,CACR,MAAO,2DACP,YACE,uTACJ,EACA,OAAU,CACR,MAAO,iDACP,YACE,kaACJ,EACA,OAAU,CACR,MAAO,6BACP,YACE,0PACJ,EACA,OAAU,CACR,MAAO,gDACP,YACE,oiBACJ,EACA,OAAU,CACR,MAAO,qCACP,YACE,2bACJ,EACA,OAAU,CACR,MAAO,sCACP,YACE,8gBACJ,EACA,OAAU,CACR,MAAO,oEACP,YACE,yiBACJ,EACA,OAAU,CACR,MAAO,iCACP,YACE,2VACJ,EACA,OAAU,CACR,MAAO,wCACP,YACE,2bACJ,EACA,OAAU,CACR,MAAO,oCACP,YACE,4UACJ,EACA,OAAU,CACR,MAAO,kCACP,YACE,gVACJ,EACA,OAAU,CACR,MAAO,iCACP,YACE,0VACJ,EACA,OAAU,CACR,MAAO,uCACP,YACE,6VACJ,EACA,OAAU,CACR,MAAO,oCACP,YACE,yWACJ,EACA,OAAU,CACR,MAAO,kCACP,YACE,+aACJ,EACA,OAAU,CACR,MAAO,+CACP,YACE,gVACJ,EACA,OAAU,CACR,MAAO,8BACP,YACE,8UACJ,EACA,OAAU,CACR,MAAO,2BACP,YACE,0cACJ,EACA,OAAU,CACR,MAAO,sCACP,YACE,gSACJ,EACA,OAAU,CACR,MAAO,8BACP,YACE,+JACJ,EACA,OAAU,CACR,MAAO,oCACP,YACE,sJACJ,EACA,OAAU,CACR,MAAO,oEACP,YACE,6mBACJ,EACA,OAAU,CACR,MAAO,kEACP,YACE,2bACJ,EACA,OAAU,CACR,MAAO,gCACP,YACE,qaACJ,EACA,OAAU,CACR,MAAO,yBACP,YACE,kaACJ,EACA,OAAU,CACR,MAAO,mCACP,YACE,woBACJ,EACA,OAAU,CACR,MAAO,qDACP,YACE,2sBACJ,EACA,OAAU,CACR,MAAO,2DACP,YACE,0nBACJ,EACA,OAAU,CACR,MAAO,2DACP,YACE,ujBACJ,EACA,OAAU,CACR,MAAO,mEACP,YACE,unBACJ,EACA,OAAU,CACR,MAAO,mBACP,YACE,ynBACJ,EACA,OAAU,CACR,MAAO,2CACP,YACE,0cACJ,EACA,OAAU,CACR,MAAO,iDACP,YACE,+wBACJ,EACA,OAAU,CACR,MAAO,uDACP,YACE,4SACJ,EACA,OAAU,CACR,MAAO,oDACP,YACE,meACJ,EACA,OAAU,CACR,MAAO,sBACP,YACE,kPACJ,EACA,OAAU,CACR,MAAO,sBACP,YACE,wNACJ,EACA,OAAU,CACR,MAAO,gCACP,YACE,6PACJ,EACA,OAAU,CACR,MAAO,sBACP,YACE,4RACJ,EACA,OAAU,CACR,MAAO,qBACP,YACE,oWACJ,EACA,OAAU,CACR,MAAO,iEACP,YACE,8TACJ,EACA,OAAU,CACR,MAAO,mEACP,YACE,kTACJ,EACA,OAAU,CACR,MAAO,sDACP,YACE,wTACJ,EACA,OAAU,CACR,MAAO,uCACP,YACE,2WACJ,EACA,OAAU,CACR,MAAO,qCACP,YACE,qZACJ,EACA,OAAU,CACR,MAAO,yCACP,YACE,iNACJ,EACA,OAAU,CACR,MAAO,uBACP,YACE,8OACJ,EACA,OAAU,CACR,MAAO,gCACP,YACE,2SACJ,EACA,OAAU,CACR,MAAO,+BACP,YACE,+KACJ,EACA,OAAU,CACR,MAAO,uCACP,YACE,yUACJ,EACA,OAAU,CACR,MAAO,+BACP,YACE,obACJ,EACA,OAAU,CACR,MAAO,wCACP,YACE,6VACJ,EACA,OAAU,CACR,MAAO,iCACP,YACE,6KACJ,EACA,OAAU,CACR,MAAO,kCACP,YACE,6LACJ,EACA,OAAU,CACR,MAAO,gBACP,YACE,kMACJ,EACA,OAAU,CACR,MAAO,eACP,YACE,oRACJ,EACA,OAAU,CACR,MAAO,qBACP,YACE,wHACJ,EACA,OAAU,CACR,MAAO,4CACP,YACE,iSACJ,EACA,OAAU,CACR,MAAO,uCACP,YACE,uSACJ,EACA,OAAU,CACR,MAAO,sCACP,YACE,uUACJ,EACA,OAAU,CACR,MAAO,iCACP,YACE,mGACJ,EACA,OAAU,CACR,MAAO,2BACP,YACE,qHACJ,EACA,OAAU,CACR,MAAO,2BACP,YACE,+IACJ,EACA,OAAU,CACR,MAAO,2CACP,YACE,6QACJ,EACA,OAAU,CACR,MAAO,6DACP,YACE,kLACJ,EACA,OAAU,CACR,MAAO,uDACP,YACE,4UACJ,EACA,OAAU,CACR,MAAO,mDACP,YACE,0LACJ,EACA,OAAU,CACR,MAAO,sCACP,YACE,iQACJ,EACA,OAAU,CACR,MAAO,8BACP,YACE,2XACJ,EACA,OAAU,CACR,MAAO,oBACP,YACE,yRACJ,EACA,OAAU,CACR,MAAO,0CACP,YACE,2SACJ,EACA,OAAU,CACR,MAAO,2BACP,YACE,iQACJ,EACA,OAAU,CACR,MAAO,gCACP,YACE,0IACJ,EACA,OAAU,CACR,MAAO,uBACP,YACE,iQACJ,EACA,OAAU,CACR,MAAO,6DACP,YACE,mJACJ,EACA,OAAU,CACR,MAAO,6CACP,YACE,8LACJ,EACA,OAAU,CACR,MAAO,uCACP,YACE,uMACJ,EACA,OAAU,CACR,MAAO,gCACP,YACE,qTACJ,EACA,OAAU,CACR,MAAO,0CACP,YACE,gHACJ,EACA,OAAU,CACR,MAAO,qBACP,YACE,0LACJ,EACA,OAAU,CACR,MAAO,4CACP,YACE,+gBACJ,EACA,OAAU,CACR,MAAO,kBACP,YACE,oMACJ,EACA,OAAU,CACR,MAAO,sBACP,YACE,2LACJ,EACA,OAAU,CACR,MAAO,uDACP,YACE,2JACJ,EACA,OAAU,CACR,MAAO,mCACP,YACE,gJACJ,EACA,OAAU,CACR,MAAO,uEACP,YACE,yRACJ,EACA,OAAU,CACR,MAAO,yBACP,YACE,sFACJ,EACA,OAAU,CACR,MAAO,+CACP,YACE,gQACJ,EACA,OAAU,CACR,MAAO,iCACP,YACE,qIACJ,EACA,OAAU,CACR,MAAO,+BACP,YACE,mTACJ,EACA,OAAU,CACR,MAAO,gDACP,YACE,gMACJ,EACA,OAAU,CACR,MAAO,+DACP,YACE,qPACJ,EACA,OAAU,CACR,MAAO,kCACP,YACE,qVACJ,EACA,OAAU,CACR,MAAO,yCACP,YACE,+MACJ,EACA,OAAU,CACR,MAAO,6CACP,YACE,inBACJ,EACA,OAAU,CACR,MAAO,2BACP,YACE,gIACJ,EACA,OAAU,CACR,MAAO,8BACP,YACE,iIACJ,EACA,OAAU,CACR,MAAO,oBACP,YACE,qFACJ,EACA,OAAU,CACR,MAAO,YACP,YACE,4HACJ,EACA,OAAU,CACR,MAAO,WACP,YACE,4QACJ,EACA,OAAU,CACR,MAAO,eACP,YACE,6OACJ,EACA,OAAU,CACR,MAAO,wBACP,YACE,8JACJ,EACA,OAAU,CACR,MAAO,gCACP,YACE,4TACJ,EACA,OAAU,CACR,MAAO,0BACP,YACE,6PACJ,EACA,OAAU,CACR,MAAO,sDACP,YACE,+cACJ,EACA,OAAU,CACR,MAAO,wBACP,YACE,iPACJ,EACA,OAAU,CACR,MAAO,oBACP,YACE,uaACJ,EACA,OAAU,CACR,MAAO,qCACP,YACE,6hBACJ,EACA,OAAU,CACR,MAAO,uBACP,YACE,4IACJ,EACA,OAAU,CACR,MAAO,uBACP,YACE,4UACJ,EACA,OAAU,CACR,MAAO,0BACP,YACE,mVACJ,EACA,OAAU,CACR,MAAO,+BACP,YACE,0OACJ,EACA,OAAU,CACR,MAAO,yDACP,YACE,qaACJ,EACA,OAAU,CACR,MAAO,gDACP,YACE,+kBACJ,EACA,OAAU,CACR,MAAO,yBACP,YACE,2OACJ,EACA,OAAU,CACR,MAAO,kCACP,YACE,4OACJ,EACA,OAAU,CACR,MAAO,yDACP,YACE,qXACJ,EACA,OAAU,CACR,MAAO,sDACP,YACE,6nBACJ,EACA,OAAU,CACR,MAAO,yCACP,YACE,iPACJ,EACA,OAAU,CACR,MAAO,yBACP,YACE,4HACJ,EACA,OAAU,CACR,MAAO,iDACP,YACE,kMACJ,EACA,OAAU,CACR,MAAO,WACP,YACE,qTACJ,EACA,OAAU,CACR,MAAO,oBACP,YACE,iYACJ,EACA,OAAU,CACR,MAAO,4CACP,YACE,yHACJ,EACA,OAAU,CACR,MAAO,4CACP,YACE,yHACJ,EACA,OAAU,CACR,MAAO,uCACP,YACE,gNACJ,EACA,OAAU,CACR,MAAO,2CACP,YACE,sHACJ,EACA,OAAU,CACR,MAAO,qCACP,YACE,8LACJ,EACA,OAAU,CACR,MAAO,0CACP,YACE,wZACJ,EACA,OAAU,CACR,MAAO,sCACP,YACE,2IACJ,EACA,OAAU,CACR,MAAO,0CACP,YACE,uLACJ,EACA,OAAU,CACR,MAAO,gDACP,YACE,uUACJ,EACA,OAAU,CACR,MAAO,4CACP,YACE,4KACJ,EACA,OAAU,CACR,MAAO,qDACP,YACE,iZACJ,EACA,OAAU,CACR,MAAO,aACP,YACE,qSACJ,EACA,OAAU,CACR,MAAO,cACP,YACE,0TACJ,EACA,OAAU,CACR,MAAO,mBACP,YACE,uUACJ,EACA,OAAU,CACR,MAAO,+CACP,YACE,6SACJ,EACA,OAAU,CACR,MAAO,uCACP,YACE,sLACJ,EACA,OAAU,CACR,MAAO,2CACP,YACE,oNACJ,EACA,OAAU,CACR,MAAO,uDACP,YACE,+hBACJ,EACA,OAAU,CACR,MAAO,mCACP,YACE,wKACJ,EACA,OAAU,CACR,MAAO,uCACP,YACE,oRACJ,EACA,OAAU,CACR,MAAO,kDACP,YACE,yUACJ,EACA,OAAU,CACR,MAAO,gDACP,YACE,+xBACJ,EACA,OAAU,CACR,MAAO,6BACP,YACE,yfACJ,EACA,OAAU,CACR,MAAO,iBACP,YACE,2IACJ,EACA,OAAU,CACR,MAAO,kCACP,YACE,gYACJ,EACA,OAAU,CACR,MAAO,uBACP,YACE,gQACJ,EACA,OAAU,CACR,MAAO,iDACP,YACE,+JACJ,EACA,OAAU,CACR,MAAO,sDACP,YACE,4QACJ,EACA,OAAU,CACR,MAAO,qDACP,YACE,qMACJ,EACA,OAAU,CACR,MAAO,sDACP,YACE,4RACJ,EACA,OAAU,CACR,MAAO,8BACP,YACE,kYACJ,EACA,OAAU,CACR,MAAO,+BACP,YACE,0JACJ,EACA,OAAU,CACR,MAAO,0CACP,YACE,gMACJ,EACA,OAAU,CACR,MAAO,+CACP,YACE,gKACJ,EACA,OAAU,CACR,MAAO,8BACP,YACE,0GACJ,EACA,OAAU,CACR,MAAO,sEACP,YACE,mfACJ,EACA,OAAU,CACR,MAAO,iDACP,YACE,qRACJ,EACA,OAAU,CACR,MAAO,4CACP,YACE,uQACJ,EACA,OAAU,CACR,MAAO,iCACP,YACE,kGACJ,EACA,OAAU,CACR,MAAO,8DACP,YACE,gVACJ,EACA,OAAU,CACR,MAAO,uCACP,YACE,+SACJ,EACA,OAAU,CACR,MAAO,sCACP,YACE,kNACJ,EACA,OAAU,CACR,MAAO,yCACP,YACE,sHACJ,EACA,OAAU,CACR,MAAO,wBACP,YACE,wLACJ,EACA,OAAU,CACR,MAAO,0DACP,YACE,wKACJ,EACA,OAAU,CACR,MAAO,wCACP,YACE,oRACJ,EACA,OAAU,CACR,MAAO,2CACP,YACE,4TACJ,EACA,OAAU,CACR,MAAO,8CACP,YACE,qVACJ,EACA,OAAU,CACR,MAAO,uDACP,YACE,qLACJ,EACA,OAAU,CACR,MAAO,kCACP,YACE,oXACJ,EACA,OAAU,CACR,MAAO,yBACP,YACE,qHACJ,EACA,OAAU,CACR,MAAO,yCACP,YACE,wQACJ,EACA,OAAU,CACR,MAAO,iDACP,YACE,4IACJ,EACA,OAAU,CACR,MAAO,qCACP,YACE,wRACJ,EACA,OAAU,CACR,MAAO,mCACP,YACE,2QACJ,EACA,OAAU,CACR,MAAO,6BACP,YACE,2HACJ,EACA,OAAU,CACR,MAAO,2BACP,YACE,uFACJ,EACA,OAAU,CACR,MAAO,yCACP,YACE,sMACJ,EACA,OAAU,CACR,MAAO,0EACP,YACE,mSACJ,EACA,OAAU,CACR,MAAO,yEACP,YACE,kgBACJ,EACA,OAAU,CACR,MAAO,uCACP,YACE,0UACJ,EACA,OAAU,CACR,MAAO,wEACP,YACE,0JACJ,EACA,OAAU,CACR,MAAO,uEACP,YACE,0JACJ,EACA,OAAU,CACR,MAAO,mDACP,YACE,kNACJ,EACA,OAAU,CACR,MAAO,+CACP,YACE,oIACJ,EACA,OAAU,CACR,MAAO,8EACP,YACE,mRACJ,EACA,OAAU,CACR,MAAO,yCACP,YACE,sGACJ,EACA,OAAU,CACR,MAAO,qEACP,YACE,wHACJ,EACA,OAAU,CACR,MAAO,gCACP,YACE,6FACJ,EACA,OAAU,CACR,MAAO,0CACP,YACE,gQACJ,EACA,OAAU,CACR,MAAO,2CACP,YACE,qOACJ,EACA,OAAU,CACR,MAAO,yCACP,YACE,yIACJ,EACA,OAAU,CACR,MAAO,kBACP,YACE,kGACJ,EACA,OAAU,CACR,MAAO,sDACP,YACE,4RACJ,EACA,OAAU,CACR,MAAO,kDACP,YACE,kSACJ,EACA,OAAU,CACR,MAAO,yCACP,YACE,wZACJ,EACA,OAAU,CACR,MAAO,wDACP,YACE,6NACJ,EACA,OAAU,CACR,MAAO,wDACP,YACE,6bACJ,EACA,OAAU,CACR,MAAO,2BACP,YACE,2NACJ,EACA,OAAU,CACR,MAAO,4DACP,YACE,oNACJ,EACA,OAAU,CACR,MAAO,gCACP,YACE,mIACJ,EACA,OAAU,CACR,MAAO,sDACP,YACE,8HACJ,EACA,OAAU,CACR,MAAO,uBACP,YACE,uPACJ,EACA,OAAU,CACR,MAAO,mCACP,YACE,oRACJ,EACA,OAAU,CACR,MAAO,yCACP,YACE,0GACJ,EACA,OAAU,CACR,MAAO,8BACP,YACE,+FACJ,EACA,OAAU,CACR,MAAO,uCACP,YACE,8HACJ,EACA,OAAU,CACR,MAAO,qBACP,YACE,0SACJ,EACA,OAAU,CACR,MAAO,+BACP,YACE,gSACJ,EACA,OAAU,CACR,MAAO,iCACP,YACE,8LACJ,EACA,OAAU,CACR,MAAO,4CACP,YACE,0QACJ,EACA,OAAU,CACR,MAAO,oDACP,YACE,iOACJ,EACA,OAAU,CACR,MAAO,6BACP,YACE,wOACJ,EACA,OAAU,CACR,MAAO,oEACP,YACE,oZACJ,EACA,OAAU,CACR,MAAO,oDACP,YACE,yvBACJ,EACA,OAAU,CACR,MAAO,kEACP,YACE,oJACJ,EACA,OAAU,CACR,MAAO,mCACP,YACE,4KACJ,EACA,OAAU,CACR,MAAO,qBACP,YACE,qGACJ,EACA,OAAU,CACR,MAAO,mDACP,YACE,saACJ,EACA,OAAU,CACR,MAAO,8CACP,YACE,kSACJ,EACA,OAAU,CACR,MAAO,gDACP,YACE,8SACJ,EACA,OAAU,CACR,MAAO,iDACP,YACE,+VACJ,EACA,OAAU,CACR,MAAO,2DACP,YACE,yNACJ,EACA,OAAU,CACR,MAAO,mDACP,YACE,0aACJ,EACA,OAAU,CACR,MAAO,gFACP,YACE,iVACJ,EACA,OAAU,CACR,MACE,8FACF,YACE,kTACJ,EACA,OAAU,CACR,MAAO,iBACP,YACE,8RACJ,EACA,OAAU,CACR,MAAO,6BACP,YACE,sZACJ,EACA,OAAU,CACR,MAAO,sCACP,YACE,gNACJ,EACA,OAAU,CACR,MAAO,yCACP,YACE,+QACJ,EACA,OAAU,CACR,MAAO,0CACP,YACE,wPACJ,EACA,OAAU,CACR,MAAO,wDACP,YACE,6VACJ,EACA,OAAU,CACR,MAAO,yBACP,YACE,gfACJ,EACA,OAAU,CACR,MAAO,qBACP,YACE,ueACJ,EACA,OAAU,CACR,MAAO,sBACP,YACE,2LACJ,EACA,OAAU,CACR,MAAO,uCACP,YACE,sUACJ,EACA,OAAU,CACR,MAAO,qEACP,YACE,yoBACJ,EACA,OAAU,CACR,MAAO,yFACP,YACE,2QACJ,EACA,OAAU,CACR,MAAO,uCACP,YACE,oNACJ,EACA,OAAU,CACR,MAAO,2DACP,YACE,qIACJ,EACA,OAAU,CACR,MAAO,4CACP,YACE,oLACJ,EACA,OAAU,CACR,MAAO,2BACP,YACE,uLACJ,EACA,OAAU,CACR,MAAO,sCACP,YACE,6TACJ,EACA,OAAU,CACR,MAAO,iCACP,YACE,qHACJ,EACA,OAAU,CACR,MAAO,wDACP,YACE,iNACJ,EACA,OAAU,CACR,MAAO,gDACP,YACE,uOACJ,EACA,OAAU,CACR,MAAO,yCACP,YACE,kKACJ,EACA,OAAU,CACR,MAAO,0BACP,YACE,4GACJ,EACA,OAAU,CACR,MAAO,sCACP,YACE,8HACJ,EACA,OAAU,CACR,MAAO,yBACP,YACE,6LACJ,EACA,OAAU,CACR,MAAO,uBACP,YACE,4HACJ,EACA,OAAU,CACR,MAAO,8CACP,YACE,oJACJ,EACA,OAAU,CACR,MAAO,gBACP,YACE,oZACJ,EACA,OAAU,CACR,MAAO,yCACP,YACE,wXACJ,EACA,OAAU,CACR,MAAO,oDACP,YACE,iOACJ,EACA,OAAU,CACR,MAAO,sBACP,YACE,gMACJ,EACA,OAAU,CACR,MACE,iGACF,YACE,utBACJ,EACA,OAAU,CACR,MAAO,8DACP,YACE,+UACJ,EACA,OAAU,CACR,MAAO,iCACP,YACE,0JACJ,EACA,OAAU,CACR,MAAO,mDACP,YACE,sHACJ,EACA,OAAU,CACR,MAAO,kDACP,YACE,sLACJ,EACA,OAAU,CACR,MAAO,mDACP,YACE,gNACJ,EACA,OAAU,CACR,MAAO,wCACP,YACE,2HACJ,EACA,OAAU,CACR,MAAO,sCACP,YACE,uGACJ,EACA,OAAU,CACR,MAAO,+CACP,YACE,8PACJ,EACA,OAAU,CACR,MAAO,+DACP,YACE,yIACJ,EACA,OAAU,CACR,MAAO,iDACP,YACE,sLACJ,EACA,OAAU,CACR,MAAO,iEACP,YACE,4dACJ,EACA,OAAU,CACR,MAAO,6CACP,YACE,oQACJ,EACA,OAAU,CACR,MAAO,2EACP,YACE,oOACJ,EACA,OAAU,CACR,MAAO,uCACP,YACE,oJACJ,EACA,OAAU,CACR,MAAO,+CACP,YACE,0TACJ,EACA,OAAU,CACR,MAAO,0DACP,YACE,sUACJ,EACA,OAAU,CACR,MAAO,uCACP,YACE,+dACJ,EACA,OAAU,CACR,MAAO,wCACP,YACE,sMACJ,EACA,OAAU,CACR,MAAO,0DACP,YACE,2aACJ,EACA,OAAU,CACR,MAAO,+CACP,YACE,sSACJ,EACA,OAAU,CACR,MAAO,0DACP,YACE,+ZACJ,EACA,OAAU,CACR,MAAO,wFACP,YACE,0bACJ,EACA,OAAU,CACR,MAAO,6DACP,YACE,mPACJ,EACA,OAAU,CACR,MACE,sHACF,YACE,mPACJ,EACA,OAAU,CACR,MAAO,gCACP,YACE,oLACJ,EACA,OAAU,CACR,MAAO,gEACP,YACE,yKACJ,EACA,OAAU,CACR,MAAO,wDACP,YACE,+JACJ,EACA,OAAU,CACR,MAAO,6BACP,YACE,sSACJ,EACA,OAAU,CACR,MAAO,8DACP,YACE,ySACJ,EACA,OAAU,CACR,MAAO,wDACP,YACE,+LACJ,EACA,OAAU,CACR,MAAO,qEACP,YACE,8JACJ,EACA,OAAU,CACR,MAAO,wDACP,YACE,kSACJ,EACA,OAAU,CACR,MAAO,uCACP,YACE,uJACJ,EACA,OAAU,CACR,MAAO,uCACP,YACE,iSACJ,EACA,OAAU,CACR,MAAO,mEACP,YACE,mdACJ,EACA,OAAU,CACR,MAAO,6CACP,YACE,gHACJ,EACA,OAAU,CACR,MAAO,iDACP,YACE,kQACJ,EACA,OAAU,CACR,MAAO,qEACP,YACE,yIACJ,EACA,OAAU,CACR,MAAO,0EACP,YACE,oOACJ,EACA,OAAU,CACR,MAAO,sCACP,YACE,wNACJ,EACA,OAAU,CACR,MAAO,gDACP,YACE,kVACJ,EACA,OAAU,CACR,MAAO,oCACP,YACE,kKACJ,EACA,OAAU,CACR,MAAO,oDACP,YACE,2RACJ,EACA,OAAU,CACR,MAAO,kDACP,YACE,qJACJ,EACA,OAAU,CACR,MAAO,2CACP,YACE,8IACJ,EACA,OAAU,CACR,MAAO,kEACP,YACE,ggBACJ,EACA,OAAU,CACR,MAAO,oCACP,YACE,8hCACJ,EACA,OAAU,CACR,MAAO,wCACP,YACE,0VACJ,EACA,OAAU,CACR,MAAO,0EACP,YACE,qKACJ,EACA,OAAU,CACR,MAAO,oCACP,YACE,ofACJ,EACA,OAAU,CACR,MAAO,wFACP,YACE,6YACJ,EACA,OAAU,CACR,MAAO,+CACP,YACE,mNACJ,EACA,OAAU,CACR,MAAO,0CACP,YACE,4bACJ,EACA,OAAU,CACR,MAAO,2CACP,YACE,mTACJ,EACA,OAAU,CACR,MAAO,iDACP,YACE,8SACJ,EACA,OAAU,CACR,MAAO,2EACP,YACE,oXACJ,EACA,OAAU,CACR,MAAO,qCACP,YACE,uMACJ,EACA,OAAU,CACR,MAAO,+DACP,YACE,icACJ,EACA,OAAU,CACR,MAAO,2CACP,YACE,sTACJ,EACA,OAAU,CACR,MAAO,gEACP,YACE,qSACJ,EACA,OAAU,CACR,MACE,0GACF,YACE,+XACJ,EACA,OAAU,CACR,MACE,+FACF,YACE,sMACJ,EACA,OAAU,CACR,MACE,yHACF,YACE,gdACJ,EACA,OAAU,CACR,MAAO,2DACP,YACE,4UACJ,EACA,OAAU,CACR,MAAO,wFACP,YACE,0VACJ,EACA,OAAU,CACR,MAAO,iDACP,YACE,qQACJ,EACA,OAAU,CACR,MAAO,sCACP,YACE,iUACJ,EACA,OAAU,CACR,MAAO,uDACP,YACE,mmBACJ,EACA,OAAU,CACR,MAAO,2DACP,YACE,0YACJ,EACA,OAAU,CACR,MAAO,sDACP,YACE,2RACJ,EACA,OAAU,CACR,MAAO,oFACP,YACE,sJACJ,EACA,OAAU,CACR,MAAO,gEACP,YACE,8WACJ,EACA,OAAU,CACR,MAAO,2CACP,YACE,8PACJ,EACA,OAAU,CACR,MAAO,0CACP,YACE,kVACJ,EACA,OAAU,CACR,MAAO,+DACP,YACE,qVACJ,EACA,OAAU,CACR,MAAO,oCACP,YACE,0XACJ,EACA,OAAU,CACR,MAAO,qDACP,YACE,sHACJ,EACA,OAAU,CACR,MAAO,6CACP,YACE,+KACJ,EACA,OAAU,CACR,MAAO,wBACP,YACE,0GACJ,EACA,OAAU,CACR,MAAO,kCACP,YACE,+IACJ,EACA,OAAU,CACR,MAAO,oDACP,YACE,mJACJ,EACA,OAAU,CACR,MAAO,+CACP,YACE,iHACJ,EACA,OAAU,CACR,MAAO,kDACP,YACE,oHACJ,EACA,OAAU,CACR,MAAO,4CACP,YACE,oSACJ,EACA,OAAU,CACR,MAAO,2EACP,YACE,qkBACJ,EACA,OAAU,CACR,MAAO,wDACP,YACE,iXACJ,EACA,OAAU,CACR,MAAO,iCACP,YACE,0SACJ,EACA,OAAU,CACR,MAAO,mCACP,YACE,sPACJ,EACA,OAAU,CACR,MAAO,8BACP,YACE,+NACJ,EACA,OAAU,CACR,MAAO,2BACP,YACE,wRACJ,EACA,OAAU,CACR,MAAO,0CACP,YACE,qeACJ,EACA,OAAU,CACR,MAAO,+DACP,YACE,qRACJ,EACA,OAAU,CACR,MAAO,kEACP,YACE,yWACJ,EACA,OAAU,CACR,MAAO,iFACP,YACE,2KACJ,EACA,OAAU,CACR,MAAO,2CACP,YACE,iJACJ,EACA,OAAU,CACR,MAAO,iEACP,YACE,gJACJ,EACA,OAAU,CACR,MAAO,wDACP,YACE,0JACJ,EACA,OAAU,CACR,MAAO,+BACP,YACE,0JACJ,EACA,OAAU,CACR,MAAO,0CACP,YACE,sbACJ,EACA,OAAU,CACR,MAAO,yBACP,YACE,gYACJ,EACA,OAAU,CACR,MAAO,iDACP,YACE,4cACJ,EACA,OAAU,CACR,MAAO,6DACP,YACE,mZACJ,EACA,OAAU,CACR,MAAO,iDACP,YACE,kNACJ,EACA,OAAU,CACR,MACE,2FACF,YACE,+RACJ,EACA,OAAU,CACR,MAAO,qFACP,YACE,uVACJ,EACA,OAAU,CACR,MAAO,uCACP,YACE,ibACJ,EACA,OAAU,CACR,MAAO,8BACP,YACE,yeACJ,EACA,OAAU,CACR,MAAO,gBACP,YACE,yUACJ,EACA,OAAU,CACR,MAAO,+CACP,YACE,mJACJ,EACA,OAAU,CACR,MAAO,mEACP,YACE,uMACJ,EACA,OAAU,CACR,MAAO,mDACP,YACE,qQACJ,EACA,OAAU,CACR,MAAO,oDACP,YACE,4PACJ,EACA,OAAU,CACR,MAAO,gDACP,YACE,4KACJ,EACA,OAAU,CACR,MAAO,wDACP,YACE,6TACJ,EACA,OAAU,CACR,MAAO,kEACP,YACE,wYACJ,EACA,OAAU,CACR,MAAO,wCACP,YACE,icACJ,EACA,OAAU,CACR,MAAO,sCACP,YACE,wNACJ,EACA,OAAU,CACR,MAAO,2DACP,YACE,2hBACJ,EACA,OAAU,CACR,MAAO,+CACP,YACE,2NACJ,EACA,OAAU,CACR,MAAO,0DACP,YACE,qdACJ,EACA,OAAU,CACR,MAAO,yBACP,YACE,mIACJ,EACA,OAAU,CACR,MAAO,gCACP,YACE,kUACJ,EACA,OAAU,CACR,MAAO,gDACP,YACE,6ZACJ,EACA,OAAU,CACR,MAAO,gDACP,YACE,6WACJ,EACA,OAAU,CACR,MAAO,8CACP,YACE,uSACJ,EACA,OAAU,CACR,MAAO,iCACP,YACE,4UACJ,EACA,OAAU,CACR,MAAO,sBACP,YACE,6KACJ,EACA,OAAU,CACR,MAAO,uCACP,YACE,+8BACJ,EACA,OAAU,CACR,MAAO,4CACP,YACE,sIACJ,EACA,OAAU,CACR,MAAO,oCACP,YACE,kTACJ,EACA,OAAU,CACR,MAAO,+CACP,YACE,4TACJ,EACA,OAAU,CACR,MAAO,qBACP,YACE,wLACJ,EACA,OAAU,CACR,MAAO,oDACP,YACE,wIACJ,EACA,OAAU,CACR,MAAO,mCACP,YACE,mHACJ,EACA,OAAU,CACR,MAAO,kDACP,YACE,8MACJ,EACA,OAAU,CACR,MAAO,sCACP,YACE,2GACJ,EACA,OAAU,CACR,MAAO,8BACP,YACE,qIACJ,EACA,OAAU,CACR,MAAO,wCACP,YACE,kXACJ,EACA,OAAU,CACR,MAAO,0DACP,YACE,uOACJ,EACA,OAAU,CACR,MAAO,4DACP,YACE,yNACJ,EACA,OAAU,CACR,MAAO,qCACP,YACE,2KACJ,EACA,OAAU,CACR,MAAO,kDACP,YACE,oQACJ,EACA,OAAU,CACR,MAAO,iCACP,YACE,8KACJ,EACA,OAAU,CACR,MAAO,uCACP,YACE,wIACJ,EACA,OAAU,CACR,MAAO,iEACP,YACE,wRACJ,EACA,OAAU,CACR,MAAO,uEACP,YACE,oPACJ,EACA,OAAU,CACR,MAAO,gEACP,YACE,iKACJ,EACA,OAAU,CACR,MAAO,mDACP,YACE,maACJ,EACA,OAAU,CACR,MAAO,2DACP,YACE,mKACJ,EACA,OAAU,CACR,MAAO,wCACP,YACE,gMACJ,EACA,OAAU,CACR,MAAO,+EACP,YACE,gMACJ,EACA,OAAU,CACR,MAAO,kDACP,YACE,yTACJ,EACA,OAAU,CACR,MAAO,4EACP,YACE,6QACJ,EACA,OAAU,CACR,MAAO,wCACP,YACE,kOACJ,EACA,OAAU,CACR,MAAO,iEACP,YACE,4NACJ,EACA,OAAU,CACR,MAAO,6DACP,YACE,gUACJ,EACA,OAAU,CACR,MAAO,sDACP,YACE,8PACJ,EACA,OAAU,CACR,MACE,kGACF,YACE,+SACJ,EACA,OAAU,CACR,MACE,2FACF,YACE,oRACJ,EACA,OAAU,CACR,MAAO,4DACP,YACE,mSACJ,EACA,OAAU,CACR,MAAO,gCACP,YACE,oIACJ,EACA,OAAU,CACR,MAAO,+EACP,YACE,mMACJ,EACA,OAAU,CACR,MAAO,oFACP,YACE,kKACJ,EACA,OAAU,CACR,MAAO,4DACP,YACE,mMACJ,EACA,OAAU,CACR,MAAO,yFACP,YACE,0OACJ,EACA,OAAU,CACR,MAAO,+DACP,YACE,8NACJ,EACA,OAAU,CACR,MAAO,0DACP,YACE,+NACJ,EACA,OAAU,CACR,MAAO,2CACP,YACE,gNACJ,EACA,OAAU,CACR,MAAO,oEACP,YACE,2ZACJ,EACA,OAAU,CACR,MAAO,oFACP,YACE,6LACJ,EACA,OAAU,CACR,MAAO,oEACP,YACE,yPACJ,EACA,OAAU,CACR,MAAO,wDACP,YACE,2LACJ,EACA,OAAU,CACR,MAAO,2CACP,YACE,0SACJ,EACA,OAAU,CACR,MAAO,0EACP,YACE,4PACJ,EACA,OAAU,CACR,MAAO,yDACP,YACE,wmBACJ,EACA,OAAU,CACR,MAAO,kDACP,YACE,kLACJ,EACA,OAAU,CACR,MAAO,sDACP,YACE,mJACJ,EACA,OAAU,CACR,MAAO,6DACP,YACE,6PACJ,EACA,OAAU,CACR,MAAO,qDACP,YACE,mVACJ,EACA,OAAU,CACR,MAAO,iEACP,YACE,iNACJ,EACA,OAAU,CACR,MAAO,gCACP,YACE,wNACJ,EACA,OAAU,CACR,MAAO,yDACP,YACE,uIACJ,EACA,OAAU,CACR,MAAO,4CACP,YACE,8IACJ,EACA,OAAU,CACR,MAAO,4CACP,YACE,mJACJ,EACA,OAAU,CACR,MAAO,8DACP,YACE,6IACJ,EACA,OAAU,CACR,MAAO,mDACP,YACE,yKACJ,EACA,OAAU,CACR,MAAO,qCACP,YACE,0NACJ,EACA,OAAU,CACR,MAAO,wCACP,YACE,yJACJ,EACA,OAAU,CACR,MAAO,6CACP,YACE,6KACJ,EACA,OAAU,CACR,MAAO,iDACP,YACE,iIACJ,EACA,OAAU,CACR,MAAO,0DACP,YACE,miBACJ,EACA,OAAU,CACR,MAAO,4CACP,YACE,gXACJ,EACA,OAAU,CACR,MAAO,iCACP,YACE,yIACJ,EACA,OAAU,CACR,MAAO,uDACP,YACE,sNACJ,EACA,OAAU,CACR,MAAO,qEACP,YACE,gOACJ,EACA,OAAU,CACR,MAAO,0DACP,YACE,qQACJ,EACA,OAAU,CACR,MAAO,wCACP,YACE,mNACJ,EACA,OAAU,CACR,MACE,6FACF,YACE,mLACJ,EACA,OAAU,CACR,MAAO,oCACP,YACE,2JACJ,EACA,OAAU,CACR,MAAO,6DACP,YACE,+NACJ,EACA,OAAU,CACR,MAAO,qCACP,YACE,wNACJ,EACA,OAAU,CACR,MAAO,uDACP,YACE,wIACJ,EACA,OAAU,CACR,MAAO,qEACP,YACE,4LACJ,EACA,OAAU,CACR,MAAO,gEACP,YACE,4OACJ,EACA,OAAU,CACR,MAAO,oDACP,YACE,kNACJ,EACA,OAAU,CACR,MAAO,4DACP,YACE,4nBACJ,EACA,OAAU,CACR,MAAO,qCACP,YACE,8bACJ,EACA,OAAU,CACR,MAAO,kBACP,YACE,oUACJ,EACA,OAAU,CACR,MAAO,mBACP,YACE,wKACJ,EACA,OAAU,CACR,MAAO,+BACP,YACE,gRACJ,EACA,OAAU,CACR,MAAO,eACP,YACE,kVACJ,EACA,OAAU,CACR,MAAO,uDACP,YACE,8bACJ,EACA,OAAU,CACR,MAAO,6CACP,YACE,sQACJ,EACA,OAAU,CACR,MAAO,eACP,YACE,8KACJ,EACA,OAAU,CACR,MAAO,eACP,YACE,0UACJ,EACA,OAAU,CACR,MAAO,gCACP,YACE,+GACJ,EACA,OAAU,CACR,MAAO,qBACP,YACE,mJACJ,EACA,OAAU,CACR,MAAO,kCACP,YACE,8XACJ,EACA,OAAU,CACR,MAAO,oCACP,YACE,mOACJ,EACA,OAAU,CACR,MAAO,oDACP,YACE,2cACJ,EACA,OAAU,CACR,MAAO,0EACP,YACE,+ZACJ,EACA,OAAU,CACR,MAAO,wBACP,YACE,6OACJ,EACA,OAAU,CACR,MAAO,4BACP,YACE,oIACJ,EACA,OAAU,CACR,MAAO,gCACP,YACE,oGACJ,EACA,OAAU,CACR,MAAO,iBACP,YACE,0PACJ,EACA,OAAU,CACR,MAAO,6BACP,YACE,wJACJ,EACA,OAAU,CACR,MAAO,wBACP,YACE,oJACJ,EACA,OAAU,CACR,MAAO,kCACP,YACE,uLACJ,EACA,OAAU,CACR,MAAO,qCACP,YACE,sQACJ,EACA,OAAU,CACR,MAAO,mCACP,YACE,0IACJ,EACA,OAAU,CACR,MAAO,sBACP,YACE,mYACJ,EACA,OAAU,CACR,MAAO,2BACP,YACE,gVACJ,EACA,OAAU,CACR,MAAO,6BACP,YACE,iJACJ,EACA,OAAU,CACR,MAAO,uCACP,YACE,6JACJ,EACA,OAAU,CACR,MAAO,sCACP,YACE,+oBACJ,EACA,OAAU,CACR,MAAO,oBACP,YACE,0hBACJ,EACA,OAAU,CACR,MAAO,mCACP,YACE,6YACJ,EACA,OAAU,CACR,MAAO,0CACP,YACE,wjBACJ,EACA,OAAU,CACR,MAAO,gCACP,YACE,mKACJ,EACA,OAAU,CACR,MAAO,oDACP,YACE,wIACJ,EACA,OAAU,CACR,MAAO,0BACP,YACE,0TACJ,EACA,OAAU,CACR,MAAO,qCACP,YACE,+KACJ,EACA,OAAU,CACR,MAAO,+CACP,YACE,oPACJ,EACA,OAAU,CACR,MAAO,4CACP,YACE,wXACJ,EACA,OAAU,CACR,MAAO,0BACP,YACE,8aACJ,EACA,OAAU,CACR,MAAO,eACP,YACE,4KACJ,EACA,OAAU,CACR,MAAO,8CACP,YACE,mXACJ,EACA,OAAU,CACR,MAAO,iBACP,YACE,iTACJ,EACA,OAAU,CACR,MAAO,oBACP,YACE,qVACJ,EACA,OAAU,CACR,MAAO,sCACP,YACE,+PACJ,EACA,OAAU,CACR,MAAO,2BACP,YACE,sRACJ,EACA,OAAU,CACR,MAAO,iCACP,YACE,2IACJ,EACA,OAAU,CACR,MAAO,gDACP,YACE,4NACJ,EACA,OAAU,CACR,MAAO,4CACP,YACE,gPACJ,EACA,OAAU,CACR,MAAO,kCACP,YACE,qJACJ,EACA,OAAU,CACR,MAAO,WACP,YACE,qOACJ,EACA,OAAU,CACR,MAAO,2CACP,YACE,wVACJ,EACA,OAAU,CACR,MAAO,wCACP,YACE,gLACJ,EACA,OAAU,CACR,MAAO,6BACP,YACE,uUACJ,EACA,OAAU,CACR,MAAO,iCACP,YACE,0GACJ,EACA,OAAU,CACR,MAAO,cACP,YACE,6PACJ,EACA,OAAU,CACR,MAAO,qCACP,YACE,sJACJ,EACA,OAAU,CACR,MAAO,sEACP,YACE,oKACJ,EACA,OAAU,CACR,MAAO,oCACP,YACE,izBACJ,EACA,OAAU,CACR,MAAO,yCACP,YACE,0YACJ,EACA,OAAU,CACR,MAAO,uCACP,YACE,sYACJ,EACA,OAAU,CACR,MAAO,sDACP,YACE,mLACJ,EACA,OAAU,CACR,MAAO,oDACP,YACE,sLACJ,EACA,OAAU,CACR,MAAO,wCACP,YACE,oXACJ,EACA,OAAU,CACR,MAAO,sBACP,YACE,6YACJ,EACA,OAAU,CACR,MAAO,uBACP,YACE,qNACJ,EACA,OAAU,CACR,MAAO,kCACP,YACE,uIACJ,EACA,OAAU,CACR,MAAO,oCACP,YACE,4IACJ,EACA,OAAU,CACR,MAAO,iDACP,YACE,qkBACJ,EACA,OAAU,CACR,MAAO,mDACP,YACE,kcACJ,EACA,OAAU,CACR,MAAO,sCACP,YACE,iMACJ,EACA,OAAU,CACR,MAAO,wCACP,YACE,sMACJ,EACA,OAAU,CACR,MAAO,kCACP,YACE,iaACJ,EACA,OAAU,CACR,MAAO,qDACP,YACE,wXACJ,EACA,OAAU,CACR,MAAO,+DACP,YACE,meACJ,EACA,OAAU,CACR,MAAO,yCACP,YACE,gRACJ,EACA,OAAU,CACR,MAAO,0DACP,YACE,mPACJ,EACA,OAAU,CACR,MAAO,kEACP,YACE,2NACJ,EACA,OAAU,CACR,MAAO,6BACP,YACE,+QACJ,EACA,OAAU,CACR,MAAO,wBACP,YACE,0YACJ,EACA,OAAU,CACR,MAAO,8CACP,YACE,6QACJ,EACA,OAAU,CACR,MAAO,8BACP,YACE,wUACJ,EACA,OAAU,CACR,MAAO,0CACP,YACE,kOACJ,EACA,OAAU,CACR,MAAO,gCACP,YACE,6ZACJ,EACA,OAAU,CACR,MAAO,oBACP,YACE,yRACJ,EACA,OAAU,CACR,MAAO,yCACP,YACE,4KACJ,EACA,OAAU,CACR,MAAO,uBACP,YACE,0PACJ,EACA,OAAU,CACR,MAAO,+BACP,YACE,wQACJ,EACA,OAAU,CACR,MAAO,wDACP,YACE,4pBACJ,EACA,OAAU,CACR,MAAO,uCACP,YACE,uGACJ,EACA,OAAU,CACR,MAAO,yCACP,YACE,4WACJ,EACA,OAAU,CACR,MAAO,wDACP,YACE,wHACJ,EACA,OAAU,CACR,MAAO,oCACP,YACE,sKACJ,EACA,OAAU,CACR,MAAO,8CACP,YACE,iTACJ,EACA,OAAU,CACR,MAAO,+CACP,YACE,+MACJ,EACA,OAAU,CACR,MAAO,+CACP,YACE,oOACJ,EACA,OAAU,CACR,MAAO,sBACP,YACE,gKACJ,EACA,OAAU,CACR,MAAO,2BACP,YACE,yRACJ,EACA,OAAU,CACR,MAAO,kDACP,YACE,8KACJ,EACA,OAAU,CACR,MAAO,6CACP,YACE,wUACJ,EACA,OAAU,CACR,MAAO,6BACP,YACE,0IACJ,EACA,OAAU,CACR,MAAO,wBACP,YACE,kJACJ,EACA,OAAU,CACR,MAAO,oCACP,YACE,uKACJ,EACA,OAAU,CACR,MAAO,oDACP,YACE,oNACJ,EACA,OAAU,CACR,MAAO,uBACP,YACE,2OACJ,EACA,OAAU,CACR,MAAO,mDACP,YACE,qIACJ,EACA,OAAU,CACR,MAAO,qCACP,YACE,0VACJ,EACA,OAAU,CACR,MAAO,sBACP,YACE,sIACJ,EACA,OAAU,CACR,MAAO,kDACP,YACE,+QACJ,EACA,OAAU,CACR,MAAO,iBACP,YACE,8qBACJ,EACA,OAAU,CACR,MAAO,yCACP,YACE,qiBACJ,EACA,OAAU,CACR,MAAO,sCACP,YACE,gUACJ,EACA,OAAU,CACR,MAAO,kCACP,YACE,mYACJ,EACA,OAAU,CACR,MAAO,uCACP,YACE,wVACJ,EACA,OAAU,CACR,MAAO,uCACP,YACE,+NACJ,EACA,OAAU,CACR,MAAO,gCACP,YACE,gMACJ,EACA,OAAU,CACR,MAAO,sCACP,YACE,+KACJ,EACA,OAAU,CACR,MAAO,wCACP,YACE,kQACJ,EACA,OAAU,CACR,MAAO,6CACP,YACE,oMACJ,EACA,OAAU,CACR,MAAO,mCACP,YACE,8GACJ,EACA,OAAU,CACR,MAAO,mDACP,YACE,0PACJ,EACA,OAAU,CACR,MAAO,4CACP,YACE,4OACJ,EACA,OAAU,CACR,MAAO,mBACP,YACE,wrBACJ,EACA,OAAU,CACR,MAAO,0BACP,YACE,0WACJ,EACA,OAAU,CACR,MAAO,qCACP,YACE,wpBACJ,EACA,OAAU,CACR,MAAO,mCACP,YACE,wSACJ,EACA,OAAU,CACR,MAAO,uBACP,YACE,4ZACJ,EACA,OAAU,CACR,MAAO,wBACP,YACE,+bACJ,EACA,OAAU,CACR,MAAO,kBACP,YACE,yTACJ,EACA,OAAU,CACR,MAAO,wCACP,YACE,kjBACJ,EACA,OAAU,CACR,MAAO,2BACP,YACE,wMACJ,EACA,OAAU,CACR,MAAO,uBACP,YACE,kSACJ,EACA,OAAU,CACR,MAAO,sBACP,YACE,0eACJ,EACA,OAAU,CACR,MAAO,8BACP,YACE,6VACJ,EACA,OAAU,CACR,MAAO,mCACP,YACE,uVACJ,EACA,OAAU,CACR,MACE,yGACF,YACE,2YACJ,EACA,OAAU,CACR,MAAO,oCACP,YACE,u0BACJ,EACA,OAAU,CACR,MAAO,0DACP,YACE,wXACJ,EACA,OAAU,CACR,MAAO,+BACP,YACE,wcACJ,EACA,OAAU,CACR,MAAO,kDACP,YACE,yLACJ,EACA,OAAU,CACR,MAAO,+BACP,YACE,0SACJ,EACA,OAAU,CACR,MAAO,+BACP,YACE,guBACJ,EACA,OAAU,CACR,MAAO,yFACP,YACE,kcACJ,EACA,OAAU,CACR,MAAO,yBACP,YACE,6uBACJ,EACA,OAAU,CACR,MAAO,wDACP,YACE,6eACJ,EACA,OAAU,CACR,MAAO,oCACP,YACE,0UACJ,EACA,OAAU,CACR,MAAO,qBACP,YACE,sOACJ,EACA,OAAU,CACR,MAAO,gBACP,YACE,4KACJ,EACA,OAAU,CACR,MAAO,kEACP,YACE,gdACJ,EACA,OAAU,CACR,MAAO,sBACP,YACE,uTACJ,EACA,OAAU,CACR,MAAO,kBACP,YACE,mWACJ,EACA,OAAU,CACR,MAAO,mBACP,YACE,4GACJ,EACA,OAAU,CACR,MAAO,qBACP,YACE,gHACJ,EACA,OAAU,CACR,MAAO,qFACP,YACE,msBACJ,EACA,OAAU,CACR,MAAO,wCACP,YACE,sJACJ,EACA,OAAU,CACR,MAAO,2EACP,YACE,wTACJ,EACA,OAAU,CACR,MAAO,oDACP,YACE,oNACJ,EACA,OAAU,CACR,MAAO,mDACP,YACE,4nBACJ,EACA,OAAU,CACR,MAAO,qCACP,YACE,wcACJ,EACA,OAAU,CACR,MAAO,qCACP,YACE,4NACJ,EACA,OAAU,CACR,MAAO,+BACP,YACE,0SACJ,EACA,OAAU,CACR,MAAO,6CACP,YACE,qlBACJ,EACA,OAAU,CACR,MAAO,2CACP,YACE,8OACJ,EACA,OAAU,CACR,MAAO,gDACP,YACE,8ZACJ,EACA,OAAU,CACR,MAAO,iCACP,YACE,kRACJ,EACA,OAAU,CACR,MAAO,+CACP,YACE,6VACJ,EACA,OAAU,CACR,MAAO,kDACP,YACE,mQACJ,EACA,OAAU,CACR,MAAO,kCACP,YACE,kSACJ,EACA,OAAU,CACR,MAAO,qEACP,YACE,ySACJ,EACA,OAAU,CACR,MAAO,uBACP,YACE,+LACJ,EACA,OAAU,CACR,MAAO,oCACP,YACE,2IACJ,EACA,OAAU,CACR,MAAO,mBACP,YACE,4HACJ,EACA,OAAU,CACR,MACE,kGACF,YACE,0UACJ,EACA,OAAU,CACR,MAAO,yCACP,YACE,oVACJ,EACA,OAAU,CACR,MAAO,gBACP,YACE,kLACJ,EACA,OAAU,CACR,MAAO,2BACP,YACE,gQACJ,EACA,OAAU,CACR,MAAO,wBACP,YACE,4VACJ,EACA,OAAU,CACR,MAAO,4BACP,YACE,qWACJ,EACA,OAAU,CACR,MAAO,uCACP,YACE,2LACJ,EACA,OAAU,CACR,MAAO,2BACP,YACE,oPACJ,EACA,OAAU,CACR,MAAO,iDACP,YACE,kcACJ,EACA,OAAU,CACR,MAAO,8DACP,YACE,wkBACJ,EACA,OAAU,CACR,MAAO,mDACP,YACE,uQACJ,EACA,OAAU,CACR,MAAO,wCACP,YACE,sMACJ,EACA,OAAU,CACR,MAAO,4CACP,YACE,6OACJ,EACA,OAAU,CACR,MAAO,gCACP,YACE,+GACJ,EACA,OAAU,CACR,MAAO,mCACP,YACE,kHACJ,EACA,OAAU,CACR,MAAO,oCACP,YACE,8GACJ,EACA,OAAU,CACR,MAAO,0CACP,YACE,uPACJ,EACA,OAAU,CACR,MAAO,uBACP,YACE,+IACJ,EACA,OAAU,CACR,MAAO,wBACP,YACE,8IACJ,EACA,OAAU,CACR,MAAO,2EACP,YACE,gOACJ,EACA,OAAU,CACR,MAAO,6CACP,YACE,6NACJ,EACA,OAAU,CACR,MAAO,iCACP,YACE,sMACJ,EACA,OAAU,CACR,MAAO,6BACP,YACE,uLACJ,EACA,OAAU,CACR,MAAO,+BACP,YACE,2LACJ,EACA,OAAU,CACR,MAAO,4BACP,YACE,yLACJ,EACA,OAAU,CACR,MAAO,kCACP,YACE,oYACJ,EACA,OAAU,CACR,MAAO,yBACP,YACE,qmBACJ,EACA,OAAU,CACR,MAAO,8EACP,YACE,uMACJ,EACA,OAAU,CACR,MAAO,gFACP,YACE,4QACJ,EACA,OAAU,CACR,MAAO,oDACP,YACE,kNACJ,EACA,OAAU,CACR,MAAO,6EACP,YACE,6mBACJ,EACA,OAAU,CACR,MAAO,uEACP,YACE,0OACJ,EACA,OAAU,CACR,MAAO,qBACP,YACE,6VACJ,EACA,OAAU,CACR,MAAO,sBACP,YACE,2QACJ,EACA,OAAU,CACR,MAAO,wCACP,YACE,wkBACJ,EACA,OAAU,CACR,MAAO,2BACP,YACE,gQACJ,EACA,OAAU,CACR,MAAO,0CACP,YACE,moBACJ,EACA,OAAU,CACR,MAAO,2BACP,YACE,oRACJ,EACA,OAAU,CACR,MAAO,mBACP,YACE,6dACJ,EACA,OAAU,CACR,MAAO,4BACP,YACE,iXACJ,EACA,OAAU,CACR,MAAO,yBACP,YACE,mSACJ,EACA,OAAU,CACR,MAAO,mCACP,YACE,oaACJ,EACA,OAAU,CACR,MAAO,uBACP,YACE,glBACJ,EACA,OAAU,CACR,MAAO,oBACP,YACE,oNACJ,EACA,OAAU,CACR,MAAO,+BACP,YACE,+bACJ,EACA,OAAU,CACR,MAAO,6CACP,YACE,shBACJ,EACA,OAAU,CACR,MAAO,sDACP,YACE,2XACJ,EACA,OAAU,CACR,MAAO,oCACP,YACE,yaACJ,EACA,OAAU,CACR,MAAO,2BACP,YACE,qsBACJ,EACA,OAAU,CACR,MAAO,6BACP,YACE,8lBACJ,EACA,OAAU,CACR,MAAO,0BACP,YACE,iiBACJ,EACA,OAAU,CACR,MAAO,oCACP,YACE,6NACJ,EACA,OAAU,CACR,MAAO,uCACP,YACE,mKACJ,EACA,OAAU,CACR,MAAO,mCACP,YACE,kcACJ,EACA,OAAU,CACR,MAAO,0CACP,YACE,qSACJ,EACA,OAAU,CACR,MAAO,kCACP,YACE,iUACJ,EACA,OAAU,CACR,MAAO,uEACP,YACE,uoBACJ,EACA,OAAU,CACR,MAAO,sCACP,YACE,mYACJ,EACA,OAAU,CACR,MAAO,gCACP,YACE,2VACJ,EACA,OAAU,CACR,MAAO,oEACP,YACE,sfACJ,EACA,OAAU,CACR,MAAO,uCACP,YACE,4YACJ,EACA,OAAU,CACR,MAAO,oCACP,YACE,suBACJ,EACA,OAAU,CACR,MAAO,qDACP,YACE,8LACJ,EACA,OAAU,CACR,MAAO,6CACP,YACE,mgBACJ,EACA,OAAU,CACR,MAAO,uEACP,YACE,spBACJ,EACA,OAAU,CACR,MACE,qHACF,YACE,sdACJ,EACA,OAAU,CACR,MAAO,iEACP,YACE,+NACJ,EACA,OAAU,CACR,MAAO,uBACP,YACE,ieACJ,EACA,OAAU,CACR,MAAO,4BACP,YACE,6TACJ,EACA,OAAU,CACR,MAAO,wBACP,YACE,gMACJ,EACA,OAAU,CACR,MAAO,wBACP,YACE,0IACJ,EACA,OAAU,CACR,MAAO,yCACP,YACE,iYACJ,EACA,OAAU,CACR,MAAO,0BACP,YACE,qfACJ,EACA,OAAU,CACR,MAAO,6CACP,YACE,oXACJ,EACA,OAAU,CACR,MAAO,wCACP,YACE,gXACJ,EACA,OAAU,CACR,MAAO,gDACP,YACE,gKACJ,EACA,OAAU,CACR,MAAO,gCACP,YACE,8JACJ,EACA,OAAU,CACR,MAAO,yBACP,YACE,sMACJ,EACA,OAAU,CACR,MAAO,0CACP,YACE,yNACJ,EACA,OAAU,CACR,MAAO,sBACP,YACE,oRACJ,EACA,OAAU,CACR,MAAO,6DACP,YACE,unBACJ,EACA,OAAU,CACR,MAAO,oCACP,YACE,0bACJ,EACA,OAAU,CACR,MAAO,qCACP,YACE,2cACJ,EACA,OAAU,CACR,MAAO,uDACP,YACE,8ZACJ,EACA,OAAU,CACR,MAAO,iCACP,YACE,uXACJ,EACA,OAAU,CACR,MAAO,8BACP,YACE,40BACJ,EACA,OAAU,CACR,MAAO,gCACP,YACE,oPACJ,EACA,OAAU,CACR,MAAO,4BACP,YACE,4qBACJ,EACA,OAAU,CACR,MAAO,0BACP,YACE,qXACJ,EACA,OAAU,CACR,MAAO,sCACP,YACE,kwBACJ,EACA,OAAU,CACR,MAAO,gCACP,YACE,uUACJ,EACA,OAAU,CACR,MAAO,+BACP,YACE,2LACJ,EACA,OAAU,CACR,MAAO,kDACP,YACE,6lBACJ,EACA,OAAU,CACR,MAAO,uBACP,YACE,0YACJ,EACA,OAAU,CACR,MAAO,wDACP,YACE,6kBACJ,EACA,OAAU,CACR,MAAO,sBACP,YACE,+IACJ,EACA,OAAU,CACR,MAAO,iBACP,YACE,4RACJ,EACA,OAAU,CACR,MAAO,wBACP,YACE,sNACJ,EACA,OAAU,CACR,MAAO,yCACP,YACE,iMACJ,EACA,OAAU,CACR,MAAO,sCACP,YACE,yeACJ,EACA,OAAU,CACR,MAAO,kBACP,YACE,gLACJ,EACA,OAAU,CACR,MAAO,iBACP,YACE,6NACJ,EACA,OAAU,CACR,MAAO,kCACP,YACE,icACJ,EACA,OAAU,CACR,MAAO,wDACP,YACE,uMACJ,EACA,OAAU,CACR,MAAO,uDACP,YACE,8IACJ,EACA,OAAU,CACR,MAAO,sCACP,YACE,oKACJ,EACA,OAAU,CACR,MAAO,uBACP,YACE,yOACJ,EACA,OAAU,CACR,MAAO,gDACP,YACE,8PACJ,EACA,OAAU,CACR,MAAO,aACP,YACE,qVACJ,EACA,OAAU,CACR,MAAO,0CACP,YACE,+RACJ,EACA,OAAU,CACR,MAAO,sBACP,YACE,oLACJ,EACA,OAAU,CACR,MAAO,uBACP,YACE,qZACJ,EACA,OAAU,CACR,MAAO,0CACP,YACE,qHACJ,EACA,OAAU,CACR,MAAO,4CACP,YACE,sOACJ,EACA,OAAU,CACR,MAAO,kCACP,YACE,gKACJ,EACA,OAAU,CACR,MAAO,uCACP,YACE,oSACJ,EACA,OAAU,CACR,MAAO,6BACP,YACE,6cACJ,EACA,OAAU,CACR,MAAO,yBACP,YACE,wUACJ,EACA,OAAU,CACR,MAAO,6BACP,YACE,oVACJ,EACA,OAAU,CACR,MAAO,yBACP,YACE,uQACJ,EACA,OAAU,CACR,MAAO,yCACP,YACE,wTACJ,EACA,OAAU,CACR,MAAO,uBACP,YACE,sXACJ,EACA,OAAU,CACR,MAAO,0CACP,YACE,kOACJ,EACA,OAAU,CACR,MAAO,kDACP,YACE,ohBACJ,EACA,OAAU,CACR,MAAO,uBACP,YACE,iaACJ,EACA,OAAU,CACR,MAAO,gCACP,YACE,2VACJ,EACA,OAAU,CACR,MAAO,mCACP,YACE,gLACJ,EACA,OAAU,CACR,MAAO,oDACP,YACE,4SACJ,EACA,OAAU,CACR,MAAO,mCACP,YACE,kTACJ,EACA,OAAU,CACR,MAAO,kBACP,YACE,gvBACJ,EACA,OAAU,CACR,MAAO,mDACP,YACE,woBACJ,EACA,OAAU,CACR,MAAO,mCACP,YACE,oyBACJ,EACA,OAAU,CACR,MAAO,oBACP,YACE,4rBACJ,EACA,OAAU,CACR,MAAO,mDACP,YACE,kvBACJ,EACA,OAAU,CACR,MAAO,iCACP,YACE,qNACJ,EACA,OAAU,CACR,MAAO,kBACP,YACE,6LACJ,EACA,OAAU,CACR,MAAO,0BACP,YACE,6KACJ,EACA,OAAU,CACR,MAAO,oCACP,YACE,qVACJ,EACA,OAAU,CACR,MAAO,oBACP,YACE,uIACJ,EACA,OAAU,CACR,MAAO,oCACP,YACE,gNACJ,EACA,OAAU,CACR,MAAO,mBACP,YACE,gUACJ,EACA,OAAU,CACR,MAAO,gCACP,YACE,wJACJ,EACA,OAAU,CACR,MAAO,6BACP,YACE,2GACJ,EACA,OAAU,CACR,MAAO,kDACP,YACE,4UACJ,EACA,OAAU,CACR,MAAO,+BACP,YACE,iJACJ,EACA,OAAU,CACR,MAAO,2DACP,YACE,+cACJ,EACA,OAAU,CACR,MAAO,mDACP,YACE,2ZACJ,EACA,OAAU,CACR,MAAO,sBACP,YACE,mlBACJ,EACA,OAAU,CACR,MAAO,2BACP,YACE,8gBACJ,EACA,OAAU,CACR,MAAO,0BACP,YACE,qvBACJ,EACA,OAAU,CACR,MAAO,6DACP,YACE,kkBACJ,EACA,OAAU,CACR,MAAO,4EACP,YACE,00BACJ,EACA,OAAU,CACR,MAAO,yBACP,YACE,saACJ,EACA,OAAU,CACR,MAAO,0DACP,YACE,qaACJ,EACA,OAAU,CACR,MAAO,0BACP,YACE,gTACJ,EACA,OAAU,CACR,MAAO,uDACP,YACE,8eACJ,EACA,OAAU,CACR,MAAO,sBACP,YACE,4bACJ,EACA,OAAU,CACR,MAAO,0BACP,YACE,6IACJ,EACA,OAAU,CACR,MAAO,yDACP,YACE,8mBACJ,EACA,OAAU,CACR,MAAO,oCACP,YACE,uiBACJ,EACA,OAAU,CACR,MAAO,uBACP,YACE,wQACJ,EACA,OAAU,CACR,MAAO,6BACP,YACE,wLACJ,EACA,OAAU,CACR,MAAO,4BACP,YACE,odACJ,EACA,OAAU,CACR,MAAO,qBACP,YACE,8UACJ,EACA,OAAU,CACR,MAAO,wBACP,YACE,2KACJ,EACA,OAAU,CACR,MAAO,0DACP,YACE,uTACJ,EACA,OAAU,CACR,MAAO,yCACP,YACE,0uBACJ,EACA,OAAU,CACR,MAAO,4CACP,YACE,2yBACJ,EACA,OAAU,CACR,MAAO,+DACP,YACE,27BACJ,EACA,OAAU,CACR,MAAO,uDACP,YACE,2YACJ,EACA,OAAU,CACR,MAAO,mEACP,YACE,oVACJ,EACA,OAAU,CACR,MAAO,2DACP,YACE,ufACJ,EACA,OAAU,CACR,MAAO,yCACP,YACE,ykBACJ,EACA,OAAU,CACR,MAAO,6CACP,YACE,+ZACJ,EACA,OAAU,CACR,MAAO,oCACP,YACE,+XACJ,EACA,OAAU,CACR,MAAO,2BACP,YACE,qTACJ,EACA,OAAU,CACR,MAAO,yDACP,YACE,+ZACJ,EACA,OAAU,CACR,MAAO,uCACP,YACE,0QACJ,EACA,OAAU,CACR,MAAO,0BACP,YACE,gjBACJ,EACA,OAAU,CACR,MAAO,qBACP,YACE,kcACJ,EACA,OAAU,CACR,MAAO,mCACP,YACE,yoBACJ,EACA,OAAU,CACR,MAAO,sCACP,YACE,0NACJ,EACA,OAAU,CACR,MAAO,qCACP,YACE,0mBACJ,EACA,OAAU,CACR,MAAO,sBACP,YACE,seACJ,EACA,OAAU,CACR,MAAO,wCACP,YACE,sfACJ,EACA,OAAU,CACR,MAAO,kBACP,YACE,sSACJ,EACA,OAAU,CACR,MAAO,6BACP,YACE,oZACJ,EACA,OAAU,CACR,MAAO,kCACP,YACE,uLACJ,EACA,OAAU,CACR,MAAO,yBACP,YACE,4WACJ,EACA,OAAU,CACR,MAAO,aACP,YACE,uOACJ,EACA,OAAU,CACR,MAAO,yBACP,YACE,iiBACJ,EACA,OAAU,CACR,MAAO,2EACP,YACE,ybACJ,EACA,OAAU,CACR,MAAO,8EACP,YACE,8XACJ,EACA,OAAU,CACR,MAAO,oFACP,YACE,iaACJ,EACA,OAAU,CACR,MAAO,+CACP,YACE,saACJ,EACA,OAAU,CACR,MAAO,UACP,YACE,2JACJ,EACA,OAAU,CACR,MAAO,mBACP,YACE,oTACJ,EACA,OAAU,CACR,MAAO,6BACP,YACE,qIACJ,EACA,OAAU,CACR,MAAO,8CACP,YACE,2HACJ,EACA,OAAU,CACR,MAAO,4BACP,YACE,wTACJ,EACA,OAAU,CACR,MAAO,oBACP,YACE,2IACJ,EACA,OAAU,CACR,MAAO,iCACP,YACE,kYACJ,EACA,OAAU,CACR,MAAO,4BACP,YACE,6JACJ,EACA,OAAU,CACR,MAAO,iCACP,YACE,wYACJ,EACA,OAAU,CACR,MAAO,oBACP,YACE,gXACJ,EACA,OAAU,CACR,MAAO,UACP,YACE,ySACJ,EACA,OAAU,CACR,MAAO,0CACP,YACE,qQACJ,EACA,OAAU,CACR,MAAO,kBACP,YACE,6IACJ,EACA,OAAU,CACR,MAAO,gDACP,YACE,gSACJ,EACA,OAAU,CACR,MAAO,2CACP,YACE,yVACJ,EACA,OAAU,CACR,MAAO,gBACP,YACE,whBACJ,EACA,OAAU,CACR,MAAO,yBACP,YACE,4XACJ,EACA,OAAU,CACR,MAAO,mCACP,YACE,mKACJ,EACA,OAAU,CACR,MAAO,kDACP,YACE,gWACJ,EACA,OAAU,CACR,MAAO,uDACP,YACE,yfACJ,EACA,OAAU,CACR,MAAO,+DACP,YACE,qeACJ,EACA,OAAU,CACR,MAAO,2BACP,YACE,4sBACJ,EACA,OAAU,CACR,MAAO,WACP,YACE,sdACJ,EACA,OAAU,CACR,MAAO,uBACP,YACE,gbACJ,EACA,OAAU,CACR,MAAO,wCACP,YACE,sPACJ,EACA,OAAU,CACR,MAAO,2BACP,YACE,qYACJ,EACA,OAAU,CACR,MAAO,8BACP,YACE,maACJ,EACA,OAAU,CACR,MAAO,yCACP,YACE,+bACJ,EACA,OAAU,CACR,MAAO,uCACP,YACE,8fACJ,EACA,OAAU,CACR,MAAO,4BACP,YACE,oRACJ,EACA,OAAU,CACR,MAAO,gCACP,YACE,6QACJ,EACA,OAAU,CACR,MAAO,8DACP,YACE,wMACJ,EACA,OAAU,CACR,MAAO,qCACP,YACE,8KACJ,EACA,OAAU,CACR,MAAO,8CACP,YACE,mLACJ,EACA,OAAU,CACR,MAAO,aACP,YACE,gLACJ,EACA,OAAU,CACR,MAAO,8CACP,YACE,kWACJ,EACA,OAAU,CACR,MAAO,4DACP,YACE,inBACJ,EACA,OAAU,CACR,MACE,8GACF,YACE,iiBACJ,EACA,OAAU,CACR,MAAO,mDACP,YACE,gQACJ,EACA,OAAU,CACR,MAAO,mCACP,YACE,6OACJ,EACA,OAAU,CACR,MAAO,oCACP,YACE,wNACJ,EACA,OAAU,CACR,MAAO,oCACP,YACE,wOACJ,EACA,OAAU,CACR,MAAO,4DACP,YACE,0cACJ,EACA,OAAU,CACR,MAAO,eACP,YACE,mNACJ,EACA,OAAU,CACR,MAAO,gBACP,YACE,iTACJ,EACA,OAAU,CACR,MAAO,cACP,YACE,mJACJ,EACA,OAAU,CACR,MAAO,mCACP,YACE,wZACJ,EACA,OAAU,CACR,MAAO,+BACP,YACE,uMACJ,EACA,OAAU,CACR,MAAO,qCACP,YACE,+TACJ,EACA,OAAU,CACR,MAAO,6BACP,YACE,4KACJ,EACA,OAAU,CACR,MAAO,0CACP,YACE,gaACJ,EACA,OAAU,CACR,MAAO,0DACP,YACE,+oBACJ,EACA,OAAU,CACR,MAAO,eACP,YACE,qRACJ,EACA,OAAU,CACR,MAAO,wBACP,YACE,mWACJ,EACA,OAAU,CACR,MAAO,wCACP,YACE,+KACJ,EACA,OAAU,CACR,MAAO,gDACP,YACE,sMACJ,EACA,OAAU,CACR,MAAO,0BACP,YACE,qOACJ,EACA,OAAU,CACR,MAAO,2BACP,YACE,sLACJ,EACA,OAAU,CACR,MAAO,8BACP,YACE,6QACJ,EACA,OAAU,CACR,MAAO,0BACP,YACE,yRACJ,EACA,OAAU,CACR,MAAO,0BACP,YACE,gUACJ,EACA,OAAU,CACR,MAAO,iCACP,YACE,iNACJ,EACA,OAAU,CACR,MAAO,wCACP,YACE,8NACJ,EACA,OAAU,CACR,MAAO,6BACP,YACE,6qBACJ,EACA,OAAU,CACR,MAAO,uDACP,YACE,ueACJ,EACA,OAAU,CACR,MAAO,sCACP,YACE,qgBACJ,EACA,OAAU,CACR,MAAO,iCACP,YACE,4MACJ,EACA,OAAU,CACR,MAAO,wBACP,YACE,yWACJ,EACA,OAAU,CACR,MAAO,6BACP,YACE,uWACJ,EACA,OAAU,CACR,MAAO,+CACP,YACE,6HACJ,EACA,OAAU,CACR,MAAO,0BACP,YACE,0PACJ,EACA,OAAU,CACR,MACE,kGACF,YACE,qSACJ,EACA,OAAU,CACR,MAAO,qBACP,YACE,gYACJ,EACA,OAAU,CACR,MAAO,oBACP,YACE,gQACJ,EACA,OAAU,CACR,MAAO,qBACP,YACE,wQACJ,EACA,OAAU,CACR,MAAO,4BACP,YACE,+XACJ,EACA,OAAU,CACR,MAAO,8CACP,YACE,8QACJ,EACA,OAAU,CACR,MAAO,uDACP,YACE,0UACJ,EACA,OAAU,CACR,MAAO,mCACP,YACE,qSACJ,EACA,OAAU,CACR,MAAO,SACP,YACE,+NACJ,EACA,OAAU,CACR,MAAO,oBACP,YACE,8RACJ,EACA,OAAU,CACR,MAAO,gCACP,YACE,4IACJ,EACA,OAAU,CACR,MAAO,4BACP,YACE,0QACJ,EACA,OAAU,CACR,MAAO,uCACP,YACE,kKACJ,EACA,OAAU,CACR,MAAO,kBACP,YACE,kQACJ,EACA,OAAU,CACR,MAAO,qDACP,YACE,ydACJ,EACA,OAAU,CACR,MAAO,uCACP,YACE,+VACJ,EACA,OAAU,CACR,MAAO,2CACP,YACE,+ZACJ,EACA,OAAU,CACR,MACE,8GACF,YACE,gWACJ,EACA,OAAU,CACR,MAAO,sCACP,YACE,0XACJ,EACA,OAAU,CACR,MAAO,+EACP,YACE,2qBACJ,EACA,OAAU,CACR,MAAO,0CACP,YACE,gtBACJ,EACA,OAAU,CACR,MAAO,qCACP,YACE,6HACJ,EACA,OAAU,CACR,MAAO,uEACP,YACE,6NACJ,EACA,OAAU,CACR,MAAO,8CACP,YACE,iYACJ,EACA,OAAU,CACR,MAAO,2DACP,YACE,+XACJ,EACA,OAAU,CACR,MAAO,sFACP,YACE,gRACJ,EACA,OAAU,CACR,MAAO,uDACP,YACE,uaACJ,EACA,OAAU,CACR,MAAO,4EACP,YACE,obACJ,EACA,OAAU,CACR,MAAO,gCACP,YACE,2PACJ,EACA,OAAU,CACR,MAAO,oBACP,YACE,qKACJ,EACA,OAAU,CACR,MAAO,wBACP,YACE,uKACJ,CACF,EC76JY,IAAAC,GAAAA,IAEVA,EAAA,WAAa,cAEbA,EAAA,UAAY,YAEZA,EAAA,SAAW,YAEXA,EAAA,aAAe,eARLA,IAAAA,GAAA,CAAA,CAAA,ECTC,MAAAC,GACVC,GAGD,MAAOC,GACL,OAAA,OAAApF,EAAAmF,EAAQC,EAAK,QAAQ,UAArB,YAAApF,EAAA,KAAAmF,EAA+BC,IAEtBC,GAAS,MACpBC,EACAC,EACAC,IACqD,CACrD,KAAM,CAAE,KAAAC,EAAM,OAAAC,GAAW,MAAMJ,EAAO,OAAaC,CAAe,EAE5DI,EAAmBlD,EAAoB,IAAIwB,EAAY,CAAE,cAAeyB,CAAQ,CAAA,CAAC,EACjFb,EAAmBjC,EAAoB,IAAIqB,EAAY,CAAE,cAAeyB,CAAQ,CAAA,CAAC,EAEnF,IAAAC,GAAA,YAAAA,EAAkB,QAASV,EAAqB,aAClD,OAAOW,EAAS,SAAS,KAChBD,EACT,MAAO,CAAE,iBAAAA,CAAiB,EAC5B,GAAWd,GAAA,MAAAA,EAAkB,OAC3B,MAAO,CAAE,iBAAAA,CAAiB,EAC5B,GAAWa,GAAA,MAAAA,EAAQ,OACjB,MAAM,IAAIzB,EAAY,CAAE,cAAeyB,CAAQ,CAAA,EAGjD,OAAOF,EAAWA,EAASC,CAAI,EAAI,CAAE,KAAAA,CAAK,CAC5C,ECpCarC,GAAQ,MACnBkC,EACAO,EACAC,EACAC,IACG,CACH,KAAM,CAAE,KAAAN,EAAM,OAAAC,GAAW,MAAMJ,EAAO,MAAYO,CAAY,EAExD1E,EAAQuE,GAAA,MAAAA,EAAQ,OAAS,IAAIzB,EAAY,CAAE,cAAeyB,CAAO,CAAC,EAAI,OACtEC,EAAmBlD,EAAoBtB,CAAK,EAE9C,IAAAwE,GAAA,YAAAA,EAAkB,QAASV,EAAqB,aAClD,OAAOW,EAAS,SAAS,EAChB,IAAAD,GAAA,YAAAA,EAAkB,QAASV,EAAqB,UAAYc,EACrE,OAAOH,EAASG,CAAgB,KACvB5E,EACH,MAAAA,EAGR,OAAO,QAAQ,QAAQ2E,EAAUL,CAAI,CAAC,CACxC,EAEaO,GACVC,GAA4C,MAAOb,GAC3Cc,EAAM,CACX,MAAO,SAAY,CAEjB,MAAMC,EAAW,MAAM,QAAQ,IAAI,OAAO,OAAOF,CAAO,EAAE,IAAKG,GAAWA,EAAOhB,CAAI,CAAC,CAAC,EAGvF,OAAO,OAAO,YAAY,OAAO,KAAKa,CAAO,EAAE,IAAI,CAACI,EAAKC,IAAU,CAACD,EAAKF,EAASG,CAAK,CAAC,CAAC,CAAC,CAAA,GACzF,CAAA,CACJ"}