diff --git a/.gitignore b/.gitignore index 5a88a8c..de76b14 100644 --- a/.gitignore +++ b/.gitignore @@ -4,4 +4,5 @@ *.pyc env/* -creds.json \ No newline at end of file +env3/* +creds.json diff --git a/classification.py b/classification.py index 456520a..0d9860e 100644 --- a/classification.py +++ b/classification.py @@ -16,7 +16,7 @@ def slugify(s): """Get a string like 'Foo Bar' and convert to foo_bar. Usually good for creating codes from names, especially for languages with special characters.""" - return re.sub(r'[^a-zA-Z0-9\_]', '', s.replace(" ", "_").lower()) + return re.sub(r"[^a-zA-Z0-9\_]", "", s.replace(" ", "_").lower()) def load(path): @@ -31,14 +31,11 @@ def parent_code_table_to_parent_id_table(df, hierarchy): code_table = df[["code", "level"]].reset_index() code_table.columns = ["parent_id", "parent_code", "parent_level"] - df["parent_level"] = df["level"]\ - .map(hierarchy.parent)\ - .fillna(value=pd.np.nan) + df["parent_level"] = df["level"].map(hierarchy.parent).fillna(value=pd.np.nan) - return df.merge(code_table, - on=["parent_level", "parent_code"], - how="left")\ - .drop(["parent_code", "parent_level"], axis=1) + return df.merge(code_table, on=["parent_level", "parent_code"], how="left").drop( + ["parent_code", "parent_level"], axis=1 + ) def ordered_table_to_parent_code_table(df, hierarchy): @@ -92,7 +89,6 @@ def repeated_table_to_parent_id_table(df, hierarchy, level_fields={}): assert df[codes].duplicated().any() == False assert pd.Series(hierarchy).isin(list(level_fields.keys())).all() - new_table = [] for idx, row in df.iterrows(): @@ -101,24 +97,19 @@ def repeated_table_to_parent_id_table(df, hierarchy, level_fields={}): for level in hierarchy: code = row["{}_code".format(level)] - row_dict = { - "code": code, - "level": level, - "parent_code": parent_codes[-1] - } + row_dict = {"code": code, "level": level, "parent_code": parent_codes[-1]} for field in level_fields[level]: # Strip _section from the end - assert field.endswith("_"+ level) - new_field_name = field[:-1 * len(level) - 1] + assert field.endswith("_" + level) + new_field_name = field[: -1 * len(level) - 1] row_dict[new_field_name] = row[field] new_table.append(row_dict) parent_codes.append(code) - new_df = pd.DataFrame(new_table) new_df = new_df[~new_df.duplicated()] new_df = new_df.reset_index(drop=True) @@ -131,8 +122,12 @@ def sort_by_code_and_level(parent_code_table, hierarchy): """ Sort by level order (not necessarily alphabetical). Uses merge-sort because it's stable i.e. won't mess with the original order of the entries if that matters. """ - parent_code_table.level = parent_code_table.level.astype("category", categories=hierarchy) - parent_code_table = parent_code_table.sort_values(["level", "code"], kind="mergesort").reset_index(drop=True) + parent_code_table.level = parent_code_table.level.astype( + "category", categories=hierarchy + ) + parent_code_table = parent_code_table.sort_values( + ["level", "code"], kind="mergesort" + ).reset_index(drop=True) parent_code_table.level = parent_code_table.level.astype("str") return parent_code_table @@ -143,12 +138,20 @@ def spread_out_entries(parent_id_table, level_starts, hierarchy): add more.""" # Ensure start points are specified for all levels - assert set(level_starts.keys()) == set(hierarchy), """Your level gap list + assert set(level_starts.keys()) == set( + hierarchy + ), """Your level gap list doesn't have the same levels as the hierarchy: {} vs - {}""".format(level_starts.keys(), hierarchy) + {}""".format( + level_starts.keys(), hierarchy + ) - assert "new_index" not in parent_id_table.columns, "You already have a level named 'new_index', please get rid of it." - assert "new_parent_id" not in parent_id_table.columns, "You already have a level named 'new_parent_id', please get rid of it." + assert ( + "new_index" not in parent_id_table.columns + ), "You already have a level named 'new_index', please get rid of it." + assert ( + "new_parent_id" not in parent_id_table.columns + ), "You already have a level named 'new_parent_id', please get rid of it." level_counts = parent_id_table.level.value_counts().to_dict() for i, level in enumerate(hierarchy): @@ -164,14 +167,19 @@ def spread_out_entries(parent_id_table, level_starts, hierarchy): # need to fit next_level = hierarchy[i + 1] next_level_start = level_starts[next_level] - assert (level_start + level_size) <= next_level_start, """Gap between + assert ( + level_start + level_size + ) <= next_level_start, """Gap between levels {} ({}) and {} ({}) not large enough to fit {} - items.""".format(level, level_start, next_level, next_level_start, - level_size) + items.""".format( + level, level_start, next_level, next_level_start, level_size + ) # Set new index new_level_indexes = range(level_start, level_start + level_counts[level]) - parent_id_table.loc[parent_id_table.level == level, "new_index"] = new_level_indexes + parent_id_table.loc[ + parent_id_table.level == level, "new_index" + ] = new_level_indexes # Set new parent ids if i > 0: @@ -181,15 +189,17 @@ def spread_out_entries(parent_id_table, level_starts, hierarchy): new_parent_ids = parent_id_table.iloc[parent_ids.values].new_index new_parent_ids.index = parent_ids.index # Update new parent_id field with new ids - parent_id_table.loc[parent_id_table.level == level, "new_parent_id"] = new_parent_ids + parent_id_table.loc[ + parent_id_table.level == level, "new_parent_id" + ] = new_parent_ids # Make sure there aren't any gaps left assert parent_id_table.new_index.isnull().any() == False # Replace parent id column - parent_id_table = parent_id_table\ - .drop("parent_id", axis=1)\ - .rename(columns={"new_parent_id": "parent_id"}) + parent_id_table = parent_id_table.drop("parent_id", axis=1).rename( + columns={"new_parent_id": "parent_id"} + ) # Replace index (i.e. id column) parent_id_table.new_index = parent_id_table.new_index.astype(int) @@ -200,7 +210,6 @@ def spread_out_entries(parent_id_table, level_starts, hierarchy): class Hierarchy(collections.Mapping): - def __init__(self, items): self.items = list(items) @@ -216,8 +225,12 @@ def __getitem__(self, item): elif isinstance(item, string_types): return self.items.index(item) else: - raise KeyError("Don't know how to find {} in hierarchy\ - {}".format(item, self)) + raise KeyError( + "Don't know how to find {} in hierarchy\ + {}".format( + item, self + ) + ) def __iter__(self): return self.items.__iter__() @@ -231,8 +244,12 @@ def move(self, item, amount): elif isinstance(item, string_types): index = self[item] else: - raise KeyError("Don't know how to find {} in hierarchy\ - {}".format(item, self)) + raise KeyError( + "Don't know how to find {} in hierarchy\ + {}".format( + item, self + ) + ) parent_index = index + amount if parent_index < 0: @@ -280,8 +297,7 @@ def validate(self): # Check that index is in sorted order assert sorted(self.table.index) == self.table.index.tolist() - assert (self.table[["name", "level", "code"]].isnull() - .any().any() == False) + assert self.table[["name", "level", "code"]].isnull().any().any() == False assert np.issubdtype(self.table.index.dtype, np.int) assert np.issubdtype(self.table.parent_id.dtype, np.number) @@ -290,7 +306,6 @@ def validate(self): assert self.table.name.dtype == np.object_ assert self.table.level.dtype == np.object_ - def level(self, level): """Return only codes from a specific aggregation level.""" assert level in self.levels @@ -308,8 +323,12 @@ def aggregation_table(self, from_level, to_level, names=False): to_index = self.levels[to_level] if not (from_index > to_index): - raise ValueError("""{} is higher level than {}. Did you specify them - backwards?""".format(from_level, to_level)) + raise ValueError( + """{} is higher level than {}. Did you specify them + backwards?""".format( + from_level, to_level + ) + ) # Shortcut df = self.table @@ -339,20 +358,22 @@ def to_merged_table(self): levelize = lambda x: x + "_" + level prev_levelize = lambda x: x + "_" + prev_level - current_level = self\ - .level(level)\ - .rename(columns=levelize)\ + current_level = ( + self.level(level) + .rename(columns=levelize) .drop("level_" + level, axis=1) + ) if data is None: data = current_level else: - data = data.merge(current_level, - left_on=prev_levelize("parent_id"), - right_index=True, - how="inner", - suffixes=("_" + prev_level, "_" + level) - ) + data = data.merge( + current_level, + left_on=prev_levelize("parent_id"), + right_index=True, + how="inner", + suffixes=("_" + prev_level, "_" + level), + ) data = data.drop(prev_levelize("parent_id"), axis=1) prev_level = level @@ -374,16 +395,26 @@ def to_stata(self, path): for column in merged_table.columns: col = merged_table[column] if col.dtype == pd.np.object_: + infered_dtype = pd.lib.infer_dtype(col.dropna()) # Chop long fields because STATA format doesn't support them - if pd.lib.infer_dtype(col.dropna()) == "string": + if infered_dtype == "string": merged_table[column] = col.str.slice(0, 244) - elif pd.lib.infer_dtype(col.dropna()) == "unicode": - merged_table[column] = col.str.slice(0, 244).map(unidecode, na_action="ignore") + elif infered_dtype == "unicode": + merged_table[column] = col.str.slice(0, 244).map( + unidecode, na_action="ignore" + ) + elif infered_dtype == "mixed": + raise ValueError("Column {} has mixed types".format(col.name)) # Workaround issue in pandas where to_stata() rejects an object # field full of nulls if col.isnull().all(): merged_table[column] = col.astype(float) - merged_table.to_stata(path, encoding="latin-1", write_index=False, time_stamp=datetime.datetime.utcfromtimestamp(0)) + merged_table.to_stata( + path, + encoding="latin-1", + write_index=False, + time_stamp=datetime.datetime.utcfromtimestamp(0), + ) diff --git a/product/SITC/IntlAtlas/Tupfile b/product/SITC/IntlAtlas/Tupfile index a918e6b..1678737 100644 --- a/product/SITC/IntlAtlas/Tupfile +++ b/product/SITC/IntlAtlas/Tupfile @@ -3,4 +3,4 @@ PYTHON_PREFIX = PYTHONPATH=../../../ python -B SITCREV2 = in/SITC_Rev2_Hierarchy.tsv in/SITC_Rev2_Names.tsv : |> $(PYTHON_PREFIX) download_sheets.py |> $(SITCREV2) -: $(SITCREV2) |> $(PYTHON_PREFIX) clean_sitc.py |> out/sitc_rev2.csv out/sitc_rev2.dta +: $(SITCREV2) |> $(PYTHON_PREFIX) clean_sitc.py |> out/sitc_rev2.csv out/sitc_rev2.dta out/sitc_rev2_with3digit.csv out/sitc_rev2_with3digit.dta diff --git a/product/SITC/IntlAtlas/clean_sitc.py b/product/SITC/IntlAtlas/clean_sitc.py index 330bbde..78a6eee 100644 --- a/product/SITC/IntlAtlas/clean_sitc.py +++ b/product/SITC/IntlAtlas/clean_sitc.py @@ -1,29 +1,39 @@ import pandas as pd -from classification import (Hierarchy, repeated_table_to_parent_id_table, - parent_code_table_to_parent_id_table, - spread_out_entries, sort_by_code_and_level, - Classification) +from classification import ( + Hierarchy, + repeated_table_to_parent_id_table, + parent_code_table_to_parent_id_table, + spread_out_entries, + sort_by_code_and_level, + Classification, +) if __name__ == "__main__": - names = pd.read_table("./in/SITC_Rev2_Names.tsv", encoding="utf-8", - dtype={"code": str}) + names = pd.read_table( + "./in/SITC_Rev2_Names.tsv", encoding="utf-8", dtype={"code": str} + ) - hierarchy = pd.read_table("./in/SITC_Rev2_Hierarchy.tsv", encoding="utf-8", dtype="str") - hierarchy.columns = ["5digit_code", "4digit_code", "3digit_code", "2digit_code", "section_code"] + hierarchy = pd.read_table( + "./in/SITC_Rev2_Hierarchy.tsv", encoding="utf-8", dtype="str" + ) + hierarchy.columns = [ + "5digit_code", + "4digit_code", + "3digit_code", + "2digit_code", + "section_code", + ] - services = pd.read_table("./in/Services_Hierarchy.tsv", encoding="utf-8", dtype={"code": str}) + services = pd.read_table( + "./in/Services_Hierarchy.tsv", encoding="utf-8", dtype={"code": str} + ) # Drop the 5-digit level. names = names[names.level != "5digit"] hierarchy = hierarchy.iloc[:, 1:].drop_duplicates() - fields = { - "section": [], - "2digit": [], - "3digit": [], - "4digit": [], - } + fields = {"section": [], "2digit": [], "3digit": [], "4digit": []} h = Hierarchy(["section", "2digit", "3digit", "4digit"]) parent_code_table = repeated_table_to_parent_id_table(hierarchy, h, fields) @@ -36,32 +46,37 @@ parent_id_table = parent_code_table_to_parent_id_table(parent_code_table, h) parent_id_table["name"] = parent_id_table.name_en - parent_id_table = parent_id_table[["code", "name", "level", "name_en", - "name_es", "name_short_en", "name_short_es", "parent_id"]] + parent_id_table = parent_id_table[ + [ + "code", + "name", + "level", + "name_en", + "name_es", + "name_short_en", + "name_short_es", + "parent_id", + ] + ] # Decide what id each level should start from # Put ample space between each range of ids - level_starts = { - "section": 0, - "2digit": 100, - "3digit": 250, - "4digit": 650 - } + level_starts = {"section": 0, "2digit": 100, "3digit": 250, "4digit": 650} parent_id_table = spread_out_entries(parent_id_table, level_starts, h) # Add services classes with additional padding - service_starts = { - "section": 10, - "2digit": 200, - "3digit": 600, - "4digit": 2000 - } + service_starts = {"section": 10, "2digit": 200, "3digit": 600, "4digit": 2000} services = spread_out_entries(services, service_starts, h) # Append to main table and sort on combined spread out indices parent_id_table = parent_id_table.append(services).sort_index() + # Store two versions, with and without 3 digit c = Classification(parent_id_table, h) + c.to_csv("out/sitc_rev2_with3digit.csv") + c.to_stata("out/sitc_rev2_with3digit.dta") + parent_id_table = parent_id_table[parent_id_table.level != "3digit"] + c = Classification(parent_id_table, h) c.to_csv("out/sitc_rev2.csv") c.to_stata("out/sitc_rev2.dta") diff --git a/product/SITC/IntlAtlas/out/sitc_rev2.csv b/product/SITC/IntlAtlas/out/sitc_rev2.csv index 602381a..9ed0056 100644 --- a/product/SITC/IntlAtlas/out/sitc_rev2.csv +++ b/product/SITC/IntlAtlas/out/sitc_rev2.csv @@ -85,251 +85,6 @@ 202,"Transport services","Transport services","2digit","Transport services","Transport services","Transport","Transport",10.0 203,"Communications","Communications","2digit","Communications","Communications","Communications","Communications",10.0 204,"Insurance and financial services","Insurance and financial services","2digit","Insurance and financial services","Insurance and financial services","Insurance and finance","Insurance and finance",10.0 -250,"001","Live animals chiefly for food","3digit","Live animals chiefly for food","","Live animals chiefly for food","",100.0 -251,"011","Meat and edible meat offal, fresh, chilled or frozen","3digit","Meat and edible meat offal, fresh, chilled or frozen","","Meat and edible meat offal, fresh, chilled or frozen","",101.0 -252,"012","Meat and edible meat offal, in brine, dried, salted or smoked","3digit","Meat and edible meat offal, in brine, dried, salted or smoked","","Meat and edible meat offal, in brine, dried, salted or smoked","",101.0 -253,"014","Meat and edible meat offal, prepared, preserved, nes; fish extracts","3digit","Meat and edible meat offal, prepared, preserved, nes; fish extracts","","Meat and edible meat offal, prepared, preserved, nes; fish extracts","",101.0 -254,"022","Milk and cream","3digit","Milk and cream","","Milk and cream","",102.0 -255,"023","Butter","3digit","Butter","","Butter","",102.0 -256,"024","Cheese and curd","3digit","Cheese and curd","","Cheese and curd","",102.0 -257,"025","Eggs, birds', and egg yolks, fresh, dried or preserved","3digit","Eggs, birds', and egg yolks, fresh, dried or preserved","","Eggs, birds', and egg yolks, fresh, dried or preserved","",102.0 -258,"034","Fish, fresh, chilled or frozen","3digit","Fish, fresh, chilled or frozen","","Fish, fresh, chilled or frozen","",103.0 -259,"035","Fish, dried, salted or in brine; smoked fish","3digit","Fish, dried, salted or in brine; smoked fish","","Fish, dried, salted or in brine; smoked fish","",103.0 -260,"036","Crustaceans and molluscs, fresh, chilled, frozen, salted, etc","3digit","Crustaceans and molluscs, fresh, chilled, frozen, salted, etc","","Crustaceans and molluscs, fresh, chilled, frozen, salted, etc","",103.0 -261,"037","Fish, crustaceans and molluscs, prepared or preserved, nes","3digit","Fish, crustaceans and molluscs, prepared or preserved, nes","","Fish, crustaceans and molluscs, prepared or preserved, nes","",103.0 -262,"041","Wheat and meslin, unmilled","3digit","Wheat and meslin, unmilled","","Wheat and meslin, unmilled","",104.0 -263,"042","Rice","3digit","Rice","","Rice","",104.0 -264,"043","Barley, unmilled","3digit","Barley, unmilled","","Barley, unmilled","",104.0 -265,"044","Maize, unmilled","3digit","Maize, unmilled","","Maize, unmilled","",104.0 -266,"045","Cereals, unmilled","3digit","Cereals, unmilled","","Cereals, unmilled","",104.0 -267,"046","Meal and flour of wheat and flour of meslin","3digit","Meal and flour of wheat and flour of meslin","","Meal and flour of wheat and flour of meslin","",104.0 -268,"047","Other cereal meals and flour","3digit","Other cereal meals and flour","","Other cereal meals and flour","",104.0 -269,"048","Cereal, flour or starch preparations of fruits or vegetables","3digit","Cereal, flour or starch preparations of fruits or vegetables","","Cereal, flour or starch preparations of fruits or vegetables","",104.0 -270,"054","Vegetables, fresh or simply preserved; roots and tubers, nes","3digit","Vegetables, fresh or simply preserved; roots and tubers, nes","","Vegetables, fresh or simply preserved; roots and tubers, nes","",105.0 -271,"056","Vegetables, roots and tubers, prepared or preserved, nes","3digit","Vegetables, roots and tubers, prepared or preserved, nes","","Vegetables, roots and tubers, prepared or preserved, nes","",105.0 -272,"057","Fruit and nuts, fresh, dried","3digit","Fruit and nuts, fresh, dried","","Fruit and nuts, fresh, dried","",105.0 -273,"058","Fruit, preserved, and fruits preparations","3digit","Fruit, preserved, and fruits preparations","","Fruit, preserved, and fruits preparations","",105.0 -274,"061","Sugar and honey","3digit","Sugar and honey","","Sugar and honey","",106.0 -275,"062","Sugar confectionery and preparations, non-chocolate","3digit","Sugar confectionery and preparations, non-chocolate","","Sugar confectionery and preparations, non-chocolate","",106.0 -276,"071","Coffee and coffee substitutes","3digit","Coffee and coffee substitutes","","Coffee and coffee substitutes","",107.0 -277,"072","Cocoa","3digit","Cocoa","","Cocoa","",107.0 -278,"073","Chocolate and other preparations containing cocoa, nes","3digit","Chocolate and other preparations containing cocoa, nes","","Chocolate and other preparations containing cocoa, nes","",107.0 -279,"074","Tea and mate","3digit","Tea and mate","","Tea and mate","",107.0 -280,"075","Spices","3digit","Spices","","Spices","",107.0 -281,"081","Feeding stuff for animals (not including unmilled cereals)","3digit","Feeding stuff for animals (not including unmilled cereals)","","Feeding stuff for animals (not including unmilled cereals)","",108.0 -282,"091","Margarine and shortening","3digit","Margarine and shortening","","Margarine and shortening","",109.0 -283,"098","Edible products and preparations, nes","3digit","Edible products and preparations, nes","","Edible products and preparations, nes","",109.0 -284,"111","Non-alcoholic beverages, nes","3digit","Non-alcoholic beverages, nes","","Non-alcoholic beverages, nes","",110.0 -285,"112","Alcoholic beverages","3digit","Alcoholic beverages","","Alcoholic beverages","",110.0 -286,"121","Tobacco unmanufactured; tobacco refuse","3digit","Tobacco unmanufactured; tobacco refuse","","Tobacco unmanufactured; tobacco refuse","",111.0 -287,"122","Tobacco, manufactured","3digit","Tobacco, manufactured","","Tobacco, manufactured","",111.0 -288,"211","Hides and skins, excluding furs, raw","3digit","Hides and skins, excluding furs, raw","","Hides and skins, excluding furs, raw","",112.0 -289,"212","Furskins, raw","3digit","Furskins, raw","","Furskins, raw","",112.0 -290,"222","Seeds and oleaginous fruit, whole or broken, for 'soft' fixed oil","3digit","Seeds and oleaginous fruit, whole or broken, for 'soft' fixed oil","","Seeds and oleaginous fruit, whole or broken, for 'soft' fixed oil","",113.0 -291,"223","Seeds and oleaginous fruit, whole or broken, for other fixed oils","3digit","Seeds and oleaginous fruit, whole or broken, for other fixed oils","","Seeds and oleaginous fruit, whole or broken, for other fixed oils","",113.0 -292,"232","Natural rubber latex; rubber and gums","3digit","Natural rubber latex; rubber and gums","","Natural rubber latex; rubber and gums","",114.0 -293,"233","Synthetic rubber, latex, etc; waste, scrap of unhardened rubber","3digit","Synthetic rubber, latex, etc; waste, scrap of unhardened rubber","","Synthetic rubber, latex, etc; waste, scrap of unhardened rubber","",114.0 -294,"244","Cork, natural, raw and waste","3digit","Cork, natural, raw and waste","","Cork, natural, raw and waste","",115.0 -295,"245","Fuel wood and wood charcoal","3digit","Fuel wood and wood charcoal","","Fuel wood and wood charcoal","",115.0 -296,"246","Pulpwood (including chips and wood waste)","3digit","Pulpwood (including chips and wood waste)","","Pulpwood (including chips and wood waste)","",115.0 -297,"247","Other wood in the rough or roughly squared","3digit","Other wood in the rough or roughly squared","","Other wood in the rough or roughly squared","",115.0 -298,"248","Wood, simply worked, and railway sleepers of wood","3digit","Wood, simply worked, and railway sleepers of wood","","Wood, simply worked, and railway sleepers of wood","",115.0 -299,"251","Pulp and waste paper","3digit","Pulp and waste paper","","Pulp and waste paper","",116.0 -300,"261","Silk","3digit","Silk","","Silk","",117.0 -301,"263","Cotton","3digit","Cotton","","Cotton","",117.0 -302,"264","Jute, other textile bast fibres, nes, raw, processed but not spun","3digit","Jute, other textile bast fibres, nes, raw, processed but not spun","","Jute, other textile bast fibres, nes, raw, processed but not spun","",117.0 -303,"265","Vegetable textile fibres, excluding cotton, jute, and waste","3digit","Vegetable textile fibres, excluding cotton, jute, and waste","","Vegetable textile fibres, excluding cotton, jute, and waste","",117.0 -304,"266","Synthetic fibres suitable for spinning","3digit","Synthetic fibres suitable for spinning","","Synthetic fibres suitable for spinning","",117.0 -305,"267","Other man-made fibres suitable for spinning, and waste","3digit","Other man-made fibres suitable for spinning, and waste","","Other man-made fibres suitable for spinning, and waste","",117.0 -306,"268","Wool and other animal hair (excluding tops)","3digit","Wool and other animal hair (excluding tops)","","Wool and other animal hair (excluding tops)","",117.0 -307,"269","Old clothing and other old textile articles; rags","3digit","Old clothing and other old textile articles; rags","","Old clothing and other old textile articles; rags","",117.0 -308,"271","Fertilizers, crude","3digit","Fertilizers, crude","","Fertilizers, crude","",118.0 -309,"273","Stone, sand and gravel","3digit","Stone, sand and gravel","","Stone, sand and gravel","",118.0 -310,"274","Sulphur and unroasted iron pyrites","3digit","Sulphur and unroasted iron pyrites","","Sulphur and unroasted iron pyrites","",118.0 -311,"277","Natural abrasives, nes","3digit","Natural abrasives, nes","","Natural abrasives, nes","",118.0 -312,"278","Other crude minerals","3digit","Other crude minerals","","Other crude minerals","",118.0 -313,"281","Iron ore and concentrates","3digit","Iron ore and concentrates","","Iron ore and concentrates","",119.0 -314,"282","Waste and scrap metal of iron or steel","3digit","Waste and scrap metal of iron or steel","","Waste and scrap metal of iron or steel","",119.0 -315,"286","Ores and concentrates of uranium and thorium","3digit","Ores and concentrates of uranium and thorium","","Ores and concentrates of uranium and thorium","",119.0 -316,"287","Ores and concentrates of base metals, nes","3digit","Ores and concentrates of base metals, nes","","Ores and concentrates of base metals, nes","",119.0 -317,"288","Non-ferrous base metal waste and scrap, nes","3digit","Non-ferrous base metal waste and scrap, nes","","Non-ferrous base metal waste and scrap, nes","",119.0 -318,"289","Ores and concentrates of precious metals, waste, scrap","3digit","Ores and concentrates of precious metals, waste, scrap","","Ores and concentrates of precious metals, waste, scrap","",119.0 -319,"291","Crude animal materials, nes","3digit","Crude animal materials, nes","","Crude animal materials, nes","",120.0 -320,"292","Crude vegetable materials, nes","3digit","Crude vegetable materials, nes","","Crude vegetable materials, nes","",120.0 -321,"322","Coal, lignite and peat","3digit","Coal, lignite and peat","","Coal, lignite and peat","",121.0 -322,"323","Briquettes; coke and semi-coke; lignite or peat; retort carbon","3digit","Briquettes; coke and semi-coke; lignite or peat; retort carbon","","Briquettes; coke and semi-coke; lignite or peat; retort carbon","",121.0 -323,"333","Crude petroleum and oils obtained from bituminous minerals","3digit","Crude petroleum and oils obtained from bituminous minerals","","Crude petroleum and oils obtained from bituminous minerals","",122.0 -324,"334","Petroleum products, refined","3digit","Petroleum products, refined","","Petroleum products, refined","",122.0 -325,"335","Residual petroleum products, nes and related materials","3digit","Residual petroleum products, nes and related materials","","Residual petroleum products, nes and related materials","",122.0 -326,"341","Gas, natural and manufactured","3digit","Gas, natural and manufactured","","Gas, natural and manufactured","",123.0 -327,"351","Electric current","3digit","Electric current","","Electric current","",124.0 -328,"411","Animal oils and fats","3digit","Animal oils and fats","","Animal oils and fats","",125.0 -329,"423","Fixed vegetable oils, soft, crude refined or purified","3digit","Fixed vegetable oils, soft, crude refined or purified","","Fixed vegetable oils, soft, crude refined or purified","",126.0 -330,"424","Other fixed vegetable oils, fluid or solid, crude, refined","3digit","Other fixed vegetable oils, fluid or solid, crude, refined","","Other fixed vegetable oils, fluid or solid, crude, refined","",126.0 -331,"431","Animal and vegetable oils and fats, processed, and waxes","3digit","Animal and vegetable oils and fats, processed, and waxes","","Animal and vegetable oils and fats, processed, and waxes","",127.0 -332,"511","Hydrocarbons, nes, and derivatives","3digit","Hydrocarbons, nes, and derivatives","","Hydrocarbons, nes, and derivatives","",128.0 -333,"512","Alcohols, phenols etc, and their derivatives","3digit","Alcohols, phenols etc, and their derivatives","","Alcohols, phenols etc, and their derivatives","",128.0 -334,"513","Carboxylic acids, and their derivatives","3digit","Carboxylic acids, and their derivatives","","Carboxylic acids, and their derivatives","",128.0 -335,"514","Nitrogen-function compounds","3digit","Nitrogen-function compounds","","Nitrogen-function compounds","",128.0 -336,"515","Organo-inorganic and heterocyclic compounds","3digit","Organo-inorganic and heterocyclic compounds","","Organo-inorganic and heterocyclic compounds","",128.0 -337,"516","Other organic chemicals","3digit","Other organic chemicals","","Other organic chemicals","",128.0 -338,"522","Inorganic chemical elements, oxides and halogen salts","3digit","Inorganic chemical elements, oxides and halogen salts","","Inorganic chemical elements, oxides and halogen salts","",129.0 -339,"523","Other inorganic chemicals; compounds of precious metals","3digit","Other inorganic chemicals; compounds of precious metals","","Other inorganic chemicals; compounds of precious metals","",129.0 -340,"524","Radioactive and associated material","3digit","Radioactive and associated material","","Radioactive and associated material","",129.0 -341,"531","Synthetic dye, natural indigo, lakes","3digit","Synthetic dye, natural indigo, lakes","","Synthetic dye, natural indigo, lakes","",130.0 -342,"532","Dyeing and tanning extracts, and synthetic tanning materials","3digit","Dyeing and tanning extracts, and synthetic tanning materials","","Dyeing and tanning extracts, and synthetic tanning materials","",130.0 -343,"533","Pigments, paints, varnishes and related materials","3digit","Pigments, paints, varnishes and related materials","","Pigments, paints, varnishes and related materials","",130.0 -344,"541","Medicinal and pharmaceutical products","3digit","Medicinal and pharmaceutical products","","Medicinal and pharmaceutical products","",131.0 -345,"551","Essential oils, perfume and flavour materials","3digit","Essential oils, perfume and flavour materials","","Essential oils, perfume and flavour materials","",132.0 -346,"553","Perfumery, cosmetics, toilet preparations, etc","3digit","Perfumery, cosmetics, toilet preparations, etc","","Perfumery, cosmetics, toilet preparations, etc","",132.0 -347,"554","Soap, cleansing and polishing preparations","3digit","Soap, cleansing and polishing preparations","","Soap, cleansing and polishing preparations","",132.0 -348,"562","Fertilizers, manufactured","3digit","Fertilizers, manufactured","","Fertilizers, manufactured","",133.0 -349,"572","Explosives and pyrotechnic products","3digit","Explosives and pyrotechnic products","","Explosives and pyrotechnic products","",134.0 -350,"582","Condensation, polycondensation and polyaddition products","3digit","Condensation, polycondensation and polyaddition products","","Condensation, polycondensation and polyaddition products","",135.0 -351,"583","Polymerization and copolymerization products","3digit","Polymerization and copolymerization products","","Polymerization and copolymerization products","",135.0 -352,"584","Regenerated cellulose; derivatives of cellulose; vulcanized fibre","3digit","Regenerated cellulose; derivatives of cellulose; vulcanized fibre","","Regenerated cellulose; derivatives of cellulose; vulcanized fibre","",135.0 -353,"585","Other artificial resins and plastic materials","3digit","Other artificial resins and plastic materials","","Other artificial resins and plastic materials","",135.0 -354,"591","Pesticides, disinfectants","3digit","Pesticides, disinfectants","","Pesticides, disinfectants","",136.0 -355,"592","Starches, insulin and wheat gluten; albuminoidal substances; glues","3digit","Starches, insulin and wheat gluten; albuminoidal substances; glues","","Starches, insulin and wheat gluten; albuminoidal substances; glues","",136.0 -356,"598","Miscellaneous chemical products, nes","3digit","Miscellaneous chemical products, nes","","Miscellaneous chemical products, nes","",136.0 -357,"611","Leather","3digit","Leather","","Leather","",137.0 -358,"612","Manufactures of leather or of composition leather, nes; etc","3digit","Manufactures of leather or of composition leather, nes; etc","","Manufactures of leather or of composition leather, nes; etc","",137.0 -359,"613","Furskins, tanned or dressed; pieces of furskin, tanned or dressed","3digit","Furskins, tanned or dressed; pieces of furskin, tanned or dressed","","Furskins, tanned or dressed; pieces of furskin, tanned or dressed","",137.0 -360,"621","Materials of rubber","3digit","Materials of rubber","","Materials of rubber","",138.0 -361,"625","Rubber tires, tire cases, inner and flaps, for wheels of all kinds","3digit","Rubber tires, tire cases, inner and flaps, for wheels of all kinds","","Rubber tires, tire cases, inner and flaps, for wheels of all kinds","",138.0 -362,"628","Articles of rubber, nes","3digit","Articles of rubber, nes","","Articles of rubber, nes","",138.0 -363,"633","Cork manufactures","3digit","Cork manufactures","","Cork manufactures","",139.0 -364,"634","Veneers, plywood, ""improved"" wood and other wood, worked, nes","3digit","Veneers, plywood, ""improved"" wood and other wood, worked, nes","","Veneers, plywood, ""improved"" wood and other wood, worked, nes","",139.0 -365,"635","Wood manufactures, nes","3digit","Wood manufactures, nes","","Wood manufactures, nes","",139.0 -366,"641","Paper and paperboard","3digit","Paper and paperboard","","Paper and paperboard","",140.0 -367,"642","Paper and paperboard, precut, and articles of paper or paperboard","3digit","Paper and paperboard, precut, and articles of paper or paperboard","","Paper and paperboard, precut, and articles of paper or paperboard","",140.0 -368,"651","Textile yarn","3digit","Textile yarn","","Textile yarn","",141.0 -369,"652","Cotton fabrics, woven (not including narrow or special fabrics)","3digit","Cotton fabrics, woven (not including narrow or special fabrics)","","Cotton fabrics, woven (not including narrow or special fabrics)","",141.0 -370,"653","Fabrics, woven, of man-made fibres (not narrow or special fabrics)","3digit","Fabrics, woven, of man-made fibres (not narrow or special fabrics)","","Fabrics, woven, of man-made fibres (not narrow or special fabrics)","",141.0 -371,"654","Textile fabrics, woven, other than cotton or man-made fibres","3digit","Textile fabrics, woven, other than cotton or man-made fibres","","Textile fabrics, woven, other than cotton or man-made fibres","",141.0 -372,"655","Knitted or crocheted fabrics (including tubular, etc, fabrics)","3digit","Knitted or crocheted fabrics (including tubular, etc, fabrics)","","Knitted or crocheted fabrics (including tubular, etc, fabrics)","",141.0 -373,"656","Tulle, lace, embroidery, ribbons, trimmings and other small wares","3digit","Tulle, lace, embroidery, ribbons, trimmings and other small wares","","Tulle, lace, embroidery, ribbons, trimmings and other small wares","",141.0 -374,"657","Special textile fabrics and related products","3digit","Special textile fabrics and related products","","Special textile fabrics and related products","",141.0 -375,"658","Made-up articles, wholly or chiefly of textile materials, nes","3digit","Made-up articles, wholly or chiefly of textile materials, nes","","Made-up articles, wholly or chiefly of textile materials, nes","",141.0 -376,"659","Floor coverings, etc","3digit","Floor coverings, etc","","Floor coverings, etc","",141.0 -377,"661","Lime, cement, and fabricated construction materials","3digit","Lime, cement, and fabricated construction materials","","Lime, cement, and fabricated construction materials","",142.0 -378,"662","Clay and refractory construction materials","3digit","Clay and refractory construction materials","","Clay and refractory construction materials","",142.0 -379,"663","Mineral manufactures, nes","3digit","Mineral manufactures, nes","","Mineral manufactures, nes","",142.0 -380,"664","Glass","3digit","Glass","","Glass","",142.0 -381,"665","Glassware","3digit","Glassware","","Glassware","",142.0 -382,"666","Pottery","3digit","Pottery","","Pottery","",142.0 -383,"667","Pearl, precious and semi-precious stones, unworked or worked","3digit","Pearl, precious and semi-precious stones, unworked or worked","","Pearl, precious and semi-precious stones, unworked or worked","",142.0 -384,"671","Pig and sponge iron, spiegeleisen, etc, and ferro-alloys","3digit","Pig and sponge iron, spiegeleisen, etc, and ferro-alloys","","Pig and sponge iron, spiegeleisen, etc, and ferro-alloys","",143.0 -385,"672","Ingots and other primary forms, of iron or steel","3digit","Ingots and other primary forms, of iron or steel","","Ingots and other primary forms, of iron or steel","",143.0 -386,"673","Iron and steel bars, rods, shapes and sections","3digit","Iron and steel bars, rods, shapes and sections","","Iron and steel bars, rods, shapes and sections","",143.0 -387,"674","Universals, plates, and sheets, of iron or steel","3digit","Universals, plates, and sheets, of iron or steel","","Universals, plates, and sheets, of iron or steel","",143.0 -388,"675","Hoop and strip of iron or steel, hot-rolled or cold-rolled","3digit","Hoop and strip of iron or steel, hot-rolled or cold-rolled","","Hoop and strip of iron or steel, hot-rolled or cold-rolled","",143.0 -389,"676","Rails and railway track construction materials, of iron or steel","3digit","Rails and railway track construction materials, of iron or steel","","Rails and railway track construction materials, of iron or steel","",143.0 -390,"677","Iron or steel wire (excluding wire rod), not insulated","3digit","Iron or steel wire (excluding wire rod), not insulated","","Iron or steel wire (excluding wire rod), not insulated","",143.0 -391,"678","Tube, pipes and fittings, of iron or steel","3digit","Tube, pipes and fittings, of iron or steel","","Tube, pipes and fittings, of iron or steel","",143.0 -392,"679","Iron, steel casting, forging and stamping, in the rough state, nes","3digit","Iron, steel casting, forging and stamping, in the rough state, nes","","Iron, steel casting, forging and stamping, in the rough state, nes","",143.0 -393,"681","Silver, platinum and other metals of the platinum group","3digit","Silver, platinum and other metals of the platinum group","","Silver, platinum and other metals of the platinum group","",144.0 -394,"682","Copper","3digit","Copper","","Copper","",144.0 -395,"683","Nickel","3digit","Nickel","","Nickel","",144.0 -396,"684","Aluminium","3digit","Aluminium","","Aluminium","",144.0 -397,"685","Lead","3digit","Lead","","Lead","",144.0 -398,"686","Zinc","3digit","Zinc","","Zinc","",144.0 -399,"687","Tin","3digit","Tin","","Tin","",144.0 -400,"688","Uranium depleted in U235, thorium, and alloys, nes; waste and scrap","3digit","Uranium depleted in U235, thorium, and alloys, nes; waste and scrap","","Uranium depleted in U235, thorium, and alloys, nes; waste and scrap","",144.0 -401,"689","Miscellaneous non-ferrous base metals, employed in metallurgy","3digit","Miscellaneous non-ferrous base metals, employed in metallurgy","","Miscellaneous non-ferrous base metals, employed in metallurgy","",144.0 -402,"691","Structures and parts, nes, of iron, steel or aluminium","3digit","Structures and parts, nes, of iron, steel or aluminium","","Structures and parts, nes, of iron, steel or aluminium","",145.0 -403,"692","Metal containers for storage and transport","3digit","Metal containers for storage and transport","","Metal containers for storage and transport","",145.0 -404,"693","Wire products (excluding insulated electrical wire); fencing grills","3digit","Wire products (excluding insulated electrical wire); fencing grills","","Wire products (excluding insulated electrical wire); fencing grills","",145.0 -405,"694","Nails, screws, nuts, bolts, rivets, etc, of iron, steel or copper","3digit","Nails, screws, nuts, bolts, rivets, etc, of iron, steel or copper","","Nails, screws, nuts, bolts, rivets, etc, of iron, steel or copper","",145.0 -406,"695","Tools for use in the hand or in machines","3digit","Tools for use in the hand or in machines","","Tools for use in the hand or in machines","",145.0 -407,"696","Cutlery","3digit","Cutlery","","Cutlery","",145.0 -408,"697","Household equipment of base metal, nes","3digit","Household equipment of base metal, nes","","Household equipment of base metal, nes","",145.0 -409,"699","Manufactures of base metal, nes","3digit","Manufactures of base metal, nes","","Manufactures of base metal, nes","",145.0 -410,"711","Steam boilers and auxiliary plant; and parts thereof, nes","3digit","Steam boilers and auxiliary plant; and parts thereof, nes","","Steam boilers and auxiliary plant; and parts thereof, nes","",146.0 -411,"712","Steam engines, turbines","3digit","Steam engines, turbines","","Steam engines, turbines","",146.0 -412,"713","Internal combustion piston engines, and parts thereof, nes","3digit","Internal combustion piston engines, and parts thereof, nes","","Internal combustion piston engines, and parts thereof, nes","",146.0 -413,"714","Engines and motors, non-electric; parts, nes; group 714, item 71888","3digit","Engines and motors, non-electric; parts, nes; group 714, item 71888","","Engines and motors, non-electric; parts, nes; group 714, item 71888","",146.0 -414,"716","Rotating electric plant and parts thereof, nes","3digit","Rotating electric plant and parts thereof, nes","","Rotating electric plant and parts thereof, nes","",146.0 -415,"718","Other power generating machinery and parts thereof, nes","3digit","Other power generating machinery and parts thereof, nes","","Other power generating machinery and parts thereof, nes","",146.0 -416,"721","Agricultural machinery (excluding tractors) and parts thereof, nes","3digit","Agricultural machinery (excluding tractors) and parts thereof, nes","","Agricultural machinery (excluding tractors) and parts thereof, nes","",147.0 -417,"722","Tractors (other than those falling in heading 74411 and 7832)","3digit","Tractors (other than those falling in heading 74411 and 7832)","","Tractors (other than those falling in heading 74411 and 7832)","",147.0 -418,"723","Civil engineering, contractors' plant and equipment and parts, nes","3digit","Civil engineering, contractors' plant and equipment and parts, nes","","Civil engineering, contractors' plant and equipment and parts, nes","",147.0 -419,"724","Textile and leather machinery, and parts thereof, nes","3digit","Textile and leather machinery, and parts thereof, nes","","Textile and leather machinery, and parts thereof, nes","",147.0 -420,"725","Paper and paper manufacture machinery, and parts thereof, nes","3digit","Paper and paper manufacture machinery, and parts thereof, nes","","Paper and paper manufacture machinery, and parts thereof, nes","",147.0 -421,"726","Printing, bookbinding machinery, and parts thereof, nes","3digit","Printing, bookbinding machinery, and parts thereof, nes","","Printing, bookbinding machinery, and parts thereof, nes","",147.0 -422,"727","Food-processing machines (non-domestic) and parts thereof, nes","3digit","Food-processing machines (non-domestic) and parts thereof, nes","","Food-processing machines (non-domestic) and parts thereof, nes","",147.0 -423,"728","Other machinery, equipment, for specialized industries; parts nes","3digit","Other machinery, equipment, for specialized industries; parts nes","","Other machinery, equipment, for specialized industries; parts nes","",147.0 -424,"736","Metalworking machine-tools, parts and accessories thereof, nes","3digit","Metalworking machine-tools, parts and accessories thereof, nes","","Metalworking machine-tools, parts and accessories thereof, nes","",148.0 -425,"737","Metalworking machinery (other than machine-tools), and parts, nes","3digit","Metalworking machinery (other than machine-tools), and parts, nes","","Metalworking machinery (other than machine-tools), and parts, nes","",148.0 -426,"741","Heating and cooling equipment and parts thereof, nes","3digit","Heating and cooling equipment and parts thereof, nes","","Heating and cooling equipment and parts thereof, nes","",149.0 -427,"742","Pumps for liquids; liquid elevators; and parts thereof, nes","3digit","Pumps for liquids; liquid elevators; and parts thereof, nes","","Pumps for liquids; liquid elevators; and parts thereof, nes","",149.0 -428,"743","Pumps, compressors; centrifuges; filtering apparatus; etc, parts","3digit","Pumps, compressors; centrifuges; filtering apparatus; etc, parts","","Pumps, compressors; centrifuges; filtering apparatus; etc, parts","",149.0 -429,"744","Mechanical handling equipment, and parts thereof, nes","3digit","Mechanical handling equipment, and parts thereof, nes","","Mechanical handling equipment, and parts thereof, nes","",149.0 -430,"745","Other non-electric machinery, tools and mechanical apparatus, nes","3digit","Other non-electric machinery, tools and mechanical apparatus, nes","","Other non-electric machinery, tools and mechanical apparatus, nes","",149.0 -431,"749","Non-electric parts and accessories of machinery, nes","3digit","Non-electric parts and accessories of machinery, nes","","Non-electric parts and accessories of machinery, nes","",149.0 -432,"751","Office machines","3digit","Office machines","","Office machines","",150.0 -433,"752","Automatic data processing machines and units thereof","3digit","Automatic data processing machines and units thereof","","Automatic data processing machines and units thereof","",150.0 -434,"759","Parts, nes of and accessories for machines of headings 751 or 752","3digit","Parts, nes of and accessories for machines of headings 751 or 752","","Parts, nes of and accessories for machines of headings 751 or 752","",150.0 -435,"761","Television receivers","3digit","Television receivers","","Television receivers","",151.0 -436,"762","Radio-broadcast receivers","3digit","Radio-broadcast receivers","","Radio-broadcast receivers","",151.0 -437,"763","Gramophones, dictating machines and other sound recorders","3digit","Gramophones, dictating machines and other sound recorders","","Gramophones, dictating machines and other sound recorders","",151.0 -438,"764","Telecommunication equipment, nes; parts and accessories, nes","3digit","Telecommunication equipment, nes; parts and accessories, nes","","Telecommunication equipment, nes; parts and accessories, nes","",151.0 -439,"771","Electric power machinery, and parts thereof, nes","3digit","Electric power machinery, and parts thereof, nes","","Electric power machinery, and parts thereof, nes","",152.0 -440,"772","Electrical apparatus for making and breaking electrical circuits","3digit","Electrical apparatus for making and breaking electrical circuits","","Electrical apparatus for making and breaking electrical circuits","",152.0 -441,"773","Equipment for distribution of electricity","3digit","Equipment for distribution of electricity","","Equipment for distribution of electricity","",152.0 -442,"774","Electro-medical and radiological equipment","3digit","Electro-medical and radiological equipment","","Electro-medical and radiological equipment","",152.0 -443,"775","Household type equipment, nes","3digit","Household type equipment, nes","","Household type equipment, nes","",152.0 -444,"776","Thermionic, microcircuits, transistors, valves, etc","3digit","Thermionic, microcircuits, transistors, valves, etc","","Thermionic, microcircuits, transistors, valves, etc","",152.0 -445,"778","Electrical machinery and apparatus, nes","3digit","Electrical machinery and apparatus, nes","","Electrical machinery and apparatus, nes","",152.0 -446,"781","Passenger motor vehicles (excluding buses)","3digit","Passenger motor vehicles (excluding buses)","","Passenger motor vehicles (excluding buses)","",153.0 -447,"782","Lorries and special purposes motor vehicles","3digit","Lorries and special purposes motor vehicles","","Lorries and special purposes motor vehicles","",153.0 -448,"783","Road motor vehicles, nes","3digit","Road motor vehicles, nes","","Road motor vehicles, nes","",153.0 -449,"784","Motor vehicle parts and accessories, nes","3digit","Motor vehicle parts and accessories, nes","","Motor vehicle parts and accessories, nes","",153.0 -450,"785","Cycles, scooters, motorized or not; invalid carriages","3digit","Cycles, scooters, motorized or not; invalid carriages","","Cycles, scooters, motorized or not; invalid carriages","",153.0 -451,"786","Trailers, and other vehicles, not motorized, nes","3digit","Trailers, and other vehicles, not motorized, nes","","Trailers, and other vehicles, not motorized, nes","",153.0 -452,"791","Railway vehicles and associated equipment","3digit","Railway vehicles and associated equipment","","Railway vehicles and associated equipment","",154.0 -453,"792","Aircraft and associated equipment, and parts thereof, nes","3digit","Aircraft and associated equipment, and parts thereof, nes","","Aircraft and associated equipment, and parts thereof, nes","",154.0 -454,"793","Ships, boats and floating structures","3digit","Ships, boats and floating structures","","Ships, boats and floating structures","",154.0 -455,"812","Sanitary, plumbing, heating, lighting fixtures and fittings, nes","3digit","Sanitary, plumbing, heating, lighting fixtures and fittings, nes","","Sanitary, plumbing, heating, lighting fixtures and fittings, nes","",155.0 -456,"821","Furniture and parts thereof","3digit","Furniture and parts thereof","","Furniture and parts thereof","",156.0 -457,"831","Travel goods, handbags etc, of leather, plastics, textile, others","3digit","Travel goods, handbags etc, of leather, plastics, textile, others","","Travel goods, handbags etc, of leather, plastics, textile, others","",157.0 -458,"842","Men's and boys' outerwear, textile fabrics not knitted or crocheted","3digit","Men's and boys' outerwear, textile fabrics not knitted or crocheted","","Men's and boys' outerwear, textile fabrics not knitted or crocheted","",158.0 -459,"843","Womens, girls, infants outerwear, textile, not knitted or crocheted","3digit","Womens, girls, infants outerwear, textile, not knitted or crocheted","","Womens, girls, infants outerwear, textile, not knitted or crocheted","",158.0 -460,"844","Under garments of textile fabrics, not knitted or crocheted","3digit","Under garments of textile fabrics, not knitted or crocheted","","Under garments of textile fabrics, not knitted or crocheted","",158.0 -461,"845","Outerwear knitted or crocheted, not elastic nor rubberized","3digit","Outerwear knitted or crocheted, not elastic nor rubberized","","Outerwear knitted or crocheted, not elastic nor rubberized","",158.0 -462,"846","Under-garments, knitted or crocheted","3digit","Under-garments, knitted or crocheted","","Under-garments, knitted or crocheted","",158.0 -463,"847","Clothing accessories, of textile fabrics, nes","3digit","Clothing accessories, of textile fabrics, nes","","Clothing accessories, of textile fabrics, nes","",158.0 -464,"848","Articles of apparel, clothing accessories, non-textile, headgear","3digit","Articles of apparel, clothing accessories, non-textile, headgear","","Articles of apparel, clothing accessories, non-textile, headgear","",158.0 -465,"851","Footwear","3digit","Footwear","","Footwear","",159.0 -466,"871","Optical instruments and apparatus","3digit","Optical instruments and apparatus","","Optical instruments and apparatus","",160.0 -467,"872","Medical instruments and appliances, nes","3digit","Medical instruments and appliances, nes","","Medical instruments and appliances, nes","",160.0 -468,"873","Meters and counters, nes","3digit","Meters and counters, nes","","Meters and counters, nes","",160.0 -469,"874","Measuring, checking, analysis, controlling instruments, nes, parts","3digit","Measuring, checking, analysis, controlling instruments, nes, parts","","Measuring, checking, analysis, controlling instruments, nes, parts","",160.0 -470,"881","Photographic apparatus and equipment, nes","3digit","Photographic apparatus and equipment, nes","","Photographic apparatus and equipment, nes","",161.0 -471,"882","Photographic and cinematographic supplies","3digit","Photographic and cinematographic supplies","","Photographic and cinematographic supplies","",161.0 -472,"883","Cinematograph film, exposed and developed","3digit","Cinematograph film, exposed and developed","","Cinematograph film, exposed and developed","",161.0 -473,"884","Optical goods nes","3digit","Optical goods nes","","Optical goods nes","",161.0 -474,"885","Watches and clocks","3digit","Watches and clocks","","Watches and clocks","",161.0 -475,"892","Printed matter","3digit","Printed matter","","Printed matter","",162.0 -476,"893","Articles, nes of plastic materials","3digit","Articles, nes of plastic materials","","Articles, nes of plastic materials","",162.0 -477,"894","Baby carriages, toys, games and sporting goods","3digit","Baby carriages, toys, games and sporting goods","","Baby carriages, toys, games and sporting goods","",162.0 -478,"895","Office and stationary supplies, nes","3digit","Office and stationary supplies, nes","","Office and stationary supplies, nes","",162.0 -479,"896","Works of art, collectors' pieces and antiques","3digit","Works of art, collectors' pieces and antiques","","Works of art, collectors' pieces and antiques","",162.0 -480,"897","Gold, silver ware, jewelry and articles of precious materials, nes","3digit","Gold, silver ware, jewelry and articles of precious materials, nes","","Gold, silver ware, jewelry and articles of precious materials, nes","",162.0 -481,"898","Musical instruments, parts and accessories thereof","3digit","Musical instruments, parts and accessories thereof","","Musical instruments, parts and accessories thereof","",162.0 -482,"899","Other miscellaneous manufactured articles, nes","3digit","Other miscellaneous manufactured articles, nes","","Other miscellaneous manufactured articles, nes","",162.0 -483,"911","Postal packages not classified according to kind","3digit","Postal packages not classified according to kind","","Postal packages not classified according to kind","",163.0 -484,"931","Special transactions, commodity not classified according to class","3digit","Special transactions, commodity not classified according to class","","Special transactions, commodity not classified according to class","",164.0 -485,"941","Animals, live, nes, (including zoo animals, pets, insects, etc)","3digit","Animals, live, nes, (including zoo animals, pets, insects, etc)","","Animals, live, nes, (including zoo animals, pets, insects, etc)","",165.0 -486,"951","Armoured fighting vehicles, war firearms, ammunition, parts, nes","3digit","Armoured fighting vehicles, war firearms, ammunition, parts, nes","","Armoured fighting vehicles, war firearms, ammunition, parts, nes","",166.0 -487,"961","Coin (other than gold coin), not being legal tender","3digit","Coin (other than gold coin), not being legal tender","","Coin (other than gold coin), not being legal tender","",167.0 -488,"971","Gold, non-monetary (excluding gold ores and concentrates)","3digit","Gold, non-monetary (excluding gold ores and concentrates)","","Gold, non-monetary (excluding gold ores and concentrates)","",168.0 -489,"ZZZ","Unknown","3digit","Unknown","","Unknown","",169.0 -600,"Other","Other","3digit","Other","Other","Other","Other",200.0 -601,"Travel services","Travel services","3digit","Travel services","Travel services","Travel","Travel",201.0 -602,"Transport services","Transport services","3digit","Transport services","Transport services","Transport","Transport",202.0 -603,"Communications","Communications","3digit","Communications","Communications","Communications","Communications",203.0 -604,"Insurance and financial services","Insurance and financial services","3digit","Insurance and financial services","Insurance and financial services","Insurance and finance","Insurance and finance",204.0 650,"0011","Animals of the bovine species (including buffaloes), live","4digit","Animals of the bovine species (including buffaloes), live","","Animals of the bovine species (including buffaloes), live","",250.0 651,"0012","Sheep and goats, live","4digit","Sheep and goats, live","","Sheep and goats, live","",250.0 652,"0013","Swine, live","4digit","Swine, live","","Swine, live","",250.0 diff --git a/product/SITC/IntlAtlas/out/sitc_rev2.dta b/product/SITC/IntlAtlas/out/sitc_rev2.dta index f424140..346e5b2 100644 Binary files a/product/SITC/IntlAtlas/out/sitc_rev2.dta and b/product/SITC/IntlAtlas/out/sitc_rev2.dta differ diff --git a/product/SITC/IntlAtlas/out/sitc_rev2_with3digit.csv b/product/SITC/IntlAtlas/out/sitc_rev2_with3digit.csv new file mode 100644 index 0000000..602381a --- /dev/null +++ b/product/SITC/IntlAtlas/out/sitc_rev2_with3digit.csv @@ -0,0 +1,1124 @@ +"","code","name","level","name_en","name_es","name_short_en","name_short_es","parent_id" +0,"0","Food and live animals chiefly for food","section","Food and live animals chiefly for food","","Food & live animals for food","","" +1,"1","Beverages and tobacco","section","Beverages and tobacco","","Drinks and tobacco","","" +2,"2","Crude materials, inedible, except fuels","section","Crude materials, inedible, except fuels","","Crude materials (inedible)","","" +3,"3","Mineral fuels, lubricants and related materials","section","Mineral fuels, lubricants and related materials","","Fuels, lubricants & related materials","","" +4,"4","Animal and vegetable oils, fats and waxes","section","Animal and vegetable oils, fats and waxes","","Animal and vegetable oils, fats and waxes","","" +5,"5","Chemicals and related products, nes","section","Chemicals and related products, nes","","Chemicals and related products","","" +6,"6","Manufactured goods classified chiefly by materials","section","Manufactured goods classified chiefly by materials","","Manufactured goods","","" +7,"7","Machinery and transport equipment","section","Machinery and transport equipment","","Machinery & transport","","" +8,"8","Miscellaneous manufactured articles","section","Miscellaneous manufactured articles","","Other manufactured articles","","" +9,"9","Commodities and transactions not classified elsewhere in the SITC","section","Commodities and transactions not classified elsewhere in the SITC","","Other","","" +10,"Services","Services","section","Services","Services","Services","Services","" +100,"00","Live animals chiefly for food","2digit","Live animals chiefly for food","","Live animals chiefly for food","",0.0 +101,"01","Meat and preparations","2digit","Meat and preparations","","Meat and preparations","",0.0 +102,"02","Dairy products and birds' eggs","2digit","Dairy products and birds' eggs","","Dairy products and birds' eggs","",0.0 +103,"03","Fish, crustacean and molluscs, and preparations thereof","2digit","Fish, crustacean and molluscs, and preparations thereof","","Fish, crustacean and molluscs, and preparations thereof","",0.0 +104,"04","Cereals and cereal preparations","2digit","Cereals and cereal preparations","","Cereals and cereal preparations","",0.0 +105,"05","Vegetables and fruit","2digit","Vegetables and fruit","","Vegetables and fruit","",0.0 +106,"06","Sugar, sugar preparations and honey","2digit","Sugar, sugar preparations and honey","","Sugar, sugar preparations and honey","",0.0 +107,"07","Coffee, tea, cocoa, spices, and manufactures thereof","2digit","Coffee, tea, cocoa, spices, and manufactures thereof","","Coffee, tea, cocoa, spices, and manufactures thereof","",0.0 +108,"08","Feeding stuff for animals (not including unmilled cereals)","2digit","Feeding stuff for animals (not including unmilled cereals)","","Feeding stuff for animals (not including unmilled cereals)","",0.0 +109,"09","Miscellaneous edible products and preparations","2digit","Miscellaneous edible products and preparations","","Miscellaneous edible products and preparations","",0.0 +110,"11","Beverages","2digit","Beverages","","Beverages","",1.0 +111,"12","Tobacco and tobacco manufactures","2digit","Tobacco and tobacco manufactures","","Tobacco and tobacco manufactures","",1.0 +112,"21","Hides, skins and furskins, raw","2digit","Hides, skins and furskins, raw","","Hides, skins and furskins, raw","",2.0 +113,"22","Oil seeds and oleaginous fruit","2digit","Oil seeds and oleaginous fruit","","Oil seeds and oleaginous fruit","",2.0 +114,"23","Crude rubber (including synthetic and reclaimed)","2digit","Crude rubber (including synthetic and reclaimed)","","Crude rubber (including synthetic and reclaimed)","",2.0 +115,"24","Cork and wood","2digit","Cork and wood","","Cork and wood","",2.0 +116,"25","Pulp and waste paper","2digit","Pulp and waste paper","","Pulp and waste paper","",2.0 +117,"26","Textile fibres (not wool tops) and their wastes (not in yarn)","2digit","Textile fibres (not wool tops) and their wastes (not in yarn)","","Textile fibres (not wool tops) and their wastes (not in yarn)","",2.0 +118,"27","Crude fertilizer and crude minerals","2digit","Crude fertilizer and crude minerals","","Crude fertilizer and crude minerals","",2.0 +119,"28","Metalliferous ores and metal scrap","2digit","Metalliferous ores and metal scrap","","Metalliferous ores and metal scrap","",2.0 +120,"29","Crude animal and vegetable materials, nes","2digit","Crude animal and vegetable materials, nes","","Crude animal and vegetable materials, nes","",2.0 +121,"32","Coal, coke and briquettes","2digit","Coal, coke and briquettes","","Coal, coke and briquettes","",3.0 +122,"33","Petroleum, petroleum products and related materials","2digit","Petroleum, petroleum products and related materials","","Petroleum, petroleum products and related materials","",3.0 +123,"34","Gas, natural and manufactured","2digit","Gas, natural and manufactured","","Gas, natural and manufactured","",3.0 +124,"35","Electric current","2digit","Electric current","","Electric current","",3.0 +125,"41","Animal oils and fats","2digit","Animal oils and fats","","Animal oils and fats","",4.0 +126,"42","Fixed vegetable oils and fats","2digit","Fixed vegetable oils and fats","","Fixed vegetable oils and fats","",4.0 +127,"43","Animal and vegetable oils and fats, processed, and waxes","2digit","Animal and vegetable oils and fats, processed, and waxes","","Animal and vegetable oils and fats, processed, and waxes","",4.0 +128,"51","Organic chemicals","2digit","Organic chemicals","","Organic chemicals","",5.0 +129,"52","Inorganic chemicals","2digit","Inorganic chemicals","","Inorganic chemicals","",5.0 +130,"53","Dyeing, tanning and colouring materials","2digit","Dyeing, tanning and colouring materials","","Dyeing, tanning and colouring materials","",5.0 +131,"54","Medicinal and pharmaceutical products","2digit","Medicinal and pharmaceutical products","","Medicinal and pharmaceutical products","",5.0 +132,"55","Oils and perfume materials; toilet and cleansing preparations","2digit","Oils and perfume materials; toilet and cleansing preparations","","Oils and perfume materials; toilet and cleansing preparations","",5.0 +133,"56","Fertilizers, manufactured","2digit","Fertilizers, manufactured","","Fertilizers, manufactured","",5.0 +134,"57","Explosives and pyrotechnic products","2digit","Explosives and pyrotechnic products","","Explosives and pyrotechnic products","",5.0 +135,"58","Artificial resins and plastic materials, and cellulose esters etc","2digit","Artificial resins and plastic materials, and cellulose esters etc","","Artificial resins and plastic materials, and cellulose esters etc","",5.0 +136,"59","Chemical materials and products, nes","2digit","Chemical materials and products, nes","","Chemical materials and products, nes","",5.0 +137,"61","Leather, leather manufactures, nes, and dressed furskins","2digit","Leather, leather manufactures, nes, and dressed furskins","","Leather, leather manufactures, nes, and dressed furskins","",6.0 +138,"62","Rubber manufactures, nes","2digit","Rubber manufactures, nes","","Rubber manufactures, nes","",6.0 +139,"63","Cork and wood, cork manufactures","2digit","Cork and wood, cork manufactures","","Cork and wood, cork manufactures","",6.0 +140,"64","Paper, paperboard, and articles of pulp, of paper or of paperboard","2digit","Paper, paperboard, and articles of pulp, of paper or of paperboard","","Paper, paperboard, and articles of pulp, of paper or of paperboard","",6.0 +141,"65","Textile yarn, fabrics, made-up articles, nes, and related products","2digit","Textile yarn, fabrics, made-up articles, nes, and related products","","Textile yarn, fabrics, made-up articles, nes, and related products","",6.0 +142,"66","Non-metallic mineral manufactures, nes","2digit","Non-metallic mineral manufactures, nes","","Non-metallic mineral manufactures, nes","",6.0 +143,"67","Iron and steel","2digit","Iron and steel","","Iron and steel","",6.0 +144,"68","Non-ferrous metals","2digit","Non-ferrous metals","","Non-ferrous metals","",6.0 +145,"69","Manufactures of metals, nes","2digit","Manufactures of metals, nes","","Manufactures of metals, nes","",6.0 +146,"71","Power generating machinery and equipment","2digit","Power generating machinery and equipment","","Power generating machinery and equipment","",7.0 +147,"72","Machinery specialized for particular industries","2digit","Machinery specialized for particular industries","","Machinery specialized for particular industries","",7.0 +148,"73","Metalworking machinery","2digit","Metalworking machinery","","Metalworking machinery","",7.0 +149,"74","General industrial machinery and equipment, nes, and parts of, nes","2digit","General industrial machinery and equipment, nes, and parts of, nes","","General industrial machinery and equipment, nes, and parts of, nes","",7.0 +150,"75","Office machines and automatic data processing equipment","2digit","Office machines and automatic data processing equipment","","Office machines and automatic data processing equipment","",7.0 +151,"76","Telecommunications, sound recording and reproducing equipment","2digit","Telecommunications, sound recording and reproducing equipment","","Telecommunications, sound recording and reproducing equipment","",7.0 +152,"77","Electric machinery, apparatus and appliances, nes, and parts, nes","2digit","Electric machinery, apparatus and appliances, nes, and parts, nes","","Electric machinery, apparatus and appliances, nes, and parts, nes","",7.0 +153,"78","Road vehicles","2digit","Road vehicles","","Road vehicles","",7.0 +154,"79","Other transport equipment","2digit","Other transport equipment","","Other transport equipment","",7.0 +155,"81","Sanitary, plumbing, heating, lighting fixtures and fittings, nes","2digit","Sanitary, plumbing, heating, lighting fixtures and fittings, nes","","Sanitary, plumbing, heating, lighting fixtures and fittings, nes","",8.0 +156,"82","Furniture and parts thereof","2digit","Furniture and parts thereof","","Furniture and parts thereof","",8.0 +157,"83","Travel goods, handbags and similar containers","2digit","Travel goods, handbags and similar containers","","Travel goods, handbags and similar containers","",8.0 +158,"84","Articles of apparel and clothing accessories","2digit","Articles of apparel and clothing accessories","","Articles of apparel and clothing accessories","",8.0 +159,"85","Footwear","2digit","Footwear","","Footwear","",8.0 +160,"87","Professional, scientific, controlling instruments, apparatus, nes","2digit","Professional, scientific, controlling instruments, apparatus, nes","","Professional, scientific, controlling instruments, apparatus, nes","",8.0 +161,"88","Photographic equipment and supplies, optical goods; watches, etc","2digit","Photographic equipment and supplies, optical goods; watches, etc","","Photographic equipment and supplies, optical goods; watches, etc","",8.0 +162,"89","Miscellaneous manufactured articles, nes","2digit","Miscellaneous manufactured articles, nes","","Miscellaneous manufactured articles, nes","",8.0 +163,"91","Postal packages not classified according to kind","2digit","Postal packages not classified according to kind","","Postal packages not classified according to kind","",9.0 +164,"93","Special transactions, commodity not classified according to class","2digit","Special transactions, commodity not classified according to class","","Special transactions, commodity not classified according to class","",9.0 +165,"94","Animals, live, nes, (including zoo animals, pets, insects, etc)","2digit","Animals, live, nes, (including zoo animals, pets, insects, etc)","","Animals, live, nes, (including zoo animals, pets, insects, etc)","",9.0 +166,"95","Armoured fighting vehicles, war firearms, ammunition, parts, nes","2digit","Armoured fighting vehicles, war firearms, ammunition, parts, nes","","Armoured fighting vehicles, war firearms, ammunition, parts, nes","",9.0 +167,"96","Coin (other than gold coin), not being legal tender","2digit","Coin (other than gold coin), not being legal tender","","Coin (other than gold coin), not being legal tender","",9.0 +168,"97","Gold, non-monetary (excluding gold ores and concentrates)","2digit","Gold, non-monetary (excluding gold ores and concentrates)","","Gold, non-monetary (excluding gold ores and concentrates)","",9.0 +169,"ZZ","Unknown","2digit","Unknown","","Unknown","",9.0 +200,"Other","Other","2digit","Other","Other","Other","Other",10.0 +201,"Travel services","Travel services","2digit","Travel services","Travel services","Travel","Travel",10.0 +202,"Transport services","Transport services","2digit","Transport services","Transport services","Transport","Transport",10.0 +203,"Communications","Communications","2digit","Communications","Communications","Communications","Communications",10.0 +204,"Insurance and financial services","Insurance and financial services","2digit","Insurance and financial services","Insurance and financial services","Insurance and finance","Insurance and finance",10.0 +250,"001","Live animals chiefly for food","3digit","Live animals chiefly for food","","Live animals chiefly for food","",100.0 +251,"011","Meat and edible meat offal, fresh, chilled or frozen","3digit","Meat and edible meat offal, fresh, chilled or frozen","","Meat and edible meat offal, fresh, chilled or frozen","",101.0 +252,"012","Meat and edible meat offal, in brine, dried, salted or smoked","3digit","Meat and edible meat offal, in brine, dried, salted or smoked","","Meat and edible meat offal, in brine, dried, salted or smoked","",101.0 +253,"014","Meat and edible meat offal, prepared, preserved, nes; fish extracts","3digit","Meat and edible meat offal, prepared, preserved, nes; fish extracts","","Meat and edible meat offal, prepared, preserved, nes; fish extracts","",101.0 +254,"022","Milk and cream","3digit","Milk and cream","","Milk and cream","",102.0 +255,"023","Butter","3digit","Butter","","Butter","",102.0 +256,"024","Cheese and curd","3digit","Cheese and curd","","Cheese and curd","",102.0 +257,"025","Eggs, birds', and egg yolks, fresh, dried or preserved","3digit","Eggs, birds', and egg yolks, fresh, dried or preserved","","Eggs, birds', and egg yolks, fresh, dried or preserved","",102.0 +258,"034","Fish, fresh, chilled or frozen","3digit","Fish, fresh, chilled or frozen","","Fish, fresh, chilled or frozen","",103.0 +259,"035","Fish, dried, salted or in brine; smoked fish","3digit","Fish, dried, salted or in brine; smoked fish","","Fish, dried, salted or in brine; smoked fish","",103.0 +260,"036","Crustaceans and molluscs, fresh, chilled, frozen, salted, etc","3digit","Crustaceans and molluscs, fresh, chilled, frozen, salted, etc","","Crustaceans and molluscs, fresh, chilled, frozen, salted, etc","",103.0 +261,"037","Fish, crustaceans and molluscs, prepared or preserved, nes","3digit","Fish, crustaceans and molluscs, prepared or preserved, nes","","Fish, crustaceans and molluscs, prepared or preserved, nes","",103.0 +262,"041","Wheat and meslin, unmilled","3digit","Wheat and meslin, unmilled","","Wheat and meslin, unmilled","",104.0 +263,"042","Rice","3digit","Rice","","Rice","",104.0 +264,"043","Barley, unmilled","3digit","Barley, unmilled","","Barley, unmilled","",104.0 +265,"044","Maize, unmilled","3digit","Maize, unmilled","","Maize, unmilled","",104.0 +266,"045","Cereals, unmilled","3digit","Cereals, unmilled","","Cereals, unmilled","",104.0 +267,"046","Meal and flour of wheat and flour of meslin","3digit","Meal and flour of wheat and flour of meslin","","Meal and flour of wheat and flour of meslin","",104.0 +268,"047","Other cereal meals and flour","3digit","Other cereal meals and flour","","Other cereal meals and flour","",104.0 +269,"048","Cereal, flour or starch preparations of fruits or vegetables","3digit","Cereal, flour or starch preparations of fruits or vegetables","","Cereal, flour or starch preparations of fruits or vegetables","",104.0 +270,"054","Vegetables, fresh or simply preserved; roots and tubers, nes","3digit","Vegetables, fresh or simply preserved; roots and tubers, nes","","Vegetables, fresh or simply preserved; roots and tubers, nes","",105.0 +271,"056","Vegetables, roots and tubers, prepared or preserved, nes","3digit","Vegetables, roots and tubers, prepared or preserved, nes","","Vegetables, roots and tubers, prepared or preserved, nes","",105.0 +272,"057","Fruit and nuts, fresh, dried","3digit","Fruit and nuts, fresh, dried","","Fruit and nuts, fresh, dried","",105.0 +273,"058","Fruit, preserved, and fruits preparations","3digit","Fruit, preserved, and fruits preparations","","Fruit, preserved, and fruits preparations","",105.0 +274,"061","Sugar and honey","3digit","Sugar and honey","","Sugar and honey","",106.0 +275,"062","Sugar confectionery and preparations, non-chocolate","3digit","Sugar confectionery and preparations, non-chocolate","","Sugar confectionery and preparations, non-chocolate","",106.0 +276,"071","Coffee and coffee substitutes","3digit","Coffee and coffee substitutes","","Coffee and coffee substitutes","",107.0 +277,"072","Cocoa","3digit","Cocoa","","Cocoa","",107.0 +278,"073","Chocolate and other preparations containing cocoa, nes","3digit","Chocolate and other preparations containing cocoa, nes","","Chocolate and other preparations containing cocoa, nes","",107.0 +279,"074","Tea and mate","3digit","Tea and mate","","Tea and mate","",107.0 +280,"075","Spices","3digit","Spices","","Spices","",107.0 +281,"081","Feeding stuff for animals (not including unmilled cereals)","3digit","Feeding stuff for animals (not including unmilled cereals)","","Feeding stuff for animals (not including unmilled cereals)","",108.0 +282,"091","Margarine and shortening","3digit","Margarine and shortening","","Margarine and shortening","",109.0 +283,"098","Edible products and preparations, nes","3digit","Edible products and preparations, nes","","Edible products and preparations, nes","",109.0 +284,"111","Non-alcoholic beverages, nes","3digit","Non-alcoholic beverages, nes","","Non-alcoholic beverages, nes","",110.0 +285,"112","Alcoholic beverages","3digit","Alcoholic beverages","","Alcoholic beverages","",110.0 +286,"121","Tobacco unmanufactured; tobacco refuse","3digit","Tobacco unmanufactured; tobacco refuse","","Tobacco unmanufactured; tobacco refuse","",111.0 +287,"122","Tobacco, manufactured","3digit","Tobacco, manufactured","","Tobacco, manufactured","",111.0 +288,"211","Hides and skins, excluding furs, raw","3digit","Hides and skins, excluding furs, raw","","Hides and skins, excluding furs, raw","",112.0 +289,"212","Furskins, raw","3digit","Furskins, raw","","Furskins, raw","",112.0 +290,"222","Seeds and oleaginous fruit, whole or broken, for 'soft' fixed oil","3digit","Seeds and oleaginous fruit, whole or broken, for 'soft' fixed oil","","Seeds and oleaginous fruit, whole or broken, for 'soft' fixed oil","",113.0 +291,"223","Seeds and oleaginous fruit, whole or broken, for other fixed oils","3digit","Seeds and oleaginous fruit, whole or broken, for other fixed oils","","Seeds and oleaginous fruit, whole or broken, for other fixed oils","",113.0 +292,"232","Natural rubber latex; rubber and gums","3digit","Natural rubber latex; rubber and gums","","Natural rubber latex; rubber and gums","",114.0 +293,"233","Synthetic rubber, latex, etc; waste, scrap of unhardened rubber","3digit","Synthetic rubber, latex, etc; waste, scrap of unhardened rubber","","Synthetic rubber, latex, etc; waste, scrap of unhardened rubber","",114.0 +294,"244","Cork, natural, raw and waste","3digit","Cork, natural, raw and waste","","Cork, natural, raw and waste","",115.0 +295,"245","Fuel wood and wood charcoal","3digit","Fuel wood and wood charcoal","","Fuel wood and wood charcoal","",115.0 +296,"246","Pulpwood (including chips and wood waste)","3digit","Pulpwood (including chips and wood waste)","","Pulpwood (including chips and wood waste)","",115.0 +297,"247","Other wood in the rough or roughly squared","3digit","Other wood in the rough or roughly squared","","Other wood in the rough or roughly squared","",115.0 +298,"248","Wood, simply worked, and railway sleepers of wood","3digit","Wood, simply worked, and railway sleepers of wood","","Wood, simply worked, and railway sleepers of wood","",115.0 +299,"251","Pulp and waste paper","3digit","Pulp and waste paper","","Pulp and waste paper","",116.0 +300,"261","Silk","3digit","Silk","","Silk","",117.0 +301,"263","Cotton","3digit","Cotton","","Cotton","",117.0 +302,"264","Jute, other textile bast fibres, nes, raw, processed but not spun","3digit","Jute, other textile bast fibres, nes, raw, processed but not spun","","Jute, other textile bast fibres, nes, raw, processed but not spun","",117.0 +303,"265","Vegetable textile fibres, excluding cotton, jute, and waste","3digit","Vegetable textile fibres, excluding cotton, jute, and waste","","Vegetable textile fibres, excluding cotton, jute, and waste","",117.0 +304,"266","Synthetic fibres suitable for spinning","3digit","Synthetic fibres suitable for spinning","","Synthetic fibres suitable for spinning","",117.0 +305,"267","Other man-made fibres suitable for spinning, and waste","3digit","Other man-made fibres suitable for spinning, and waste","","Other man-made fibres suitable for spinning, and waste","",117.0 +306,"268","Wool and other animal hair (excluding tops)","3digit","Wool and other animal hair (excluding tops)","","Wool and other animal hair (excluding tops)","",117.0 +307,"269","Old clothing and other old textile articles; rags","3digit","Old clothing and other old textile articles; rags","","Old clothing and other old textile articles; rags","",117.0 +308,"271","Fertilizers, crude","3digit","Fertilizers, crude","","Fertilizers, crude","",118.0 +309,"273","Stone, sand and gravel","3digit","Stone, sand and gravel","","Stone, sand and gravel","",118.0 +310,"274","Sulphur and unroasted iron pyrites","3digit","Sulphur and unroasted iron pyrites","","Sulphur and unroasted iron pyrites","",118.0 +311,"277","Natural abrasives, nes","3digit","Natural abrasives, nes","","Natural abrasives, nes","",118.0 +312,"278","Other crude minerals","3digit","Other crude minerals","","Other crude minerals","",118.0 +313,"281","Iron ore and concentrates","3digit","Iron ore and concentrates","","Iron ore and concentrates","",119.0 +314,"282","Waste and scrap metal of iron or steel","3digit","Waste and scrap metal of iron or steel","","Waste and scrap metal of iron or steel","",119.0 +315,"286","Ores and concentrates of uranium and thorium","3digit","Ores and concentrates of uranium and thorium","","Ores and concentrates of uranium and thorium","",119.0 +316,"287","Ores and concentrates of base metals, nes","3digit","Ores and concentrates of base metals, nes","","Ores and concentrates of base metals, nes","",119.0 +317,"288","Non-ferrous base metal waste and scrap, nes","3digit","Non-ferrous base metal waste and scrap, nes","","Non-ferrous base metal waste and scrap, nes","",119.0 +318,"289","Ores and concentrates of precious metals, waste, scrap","3digit","Ores and concentrates of precious metals, waste, scrap","","Ores and concentrates of precious metals, waste, scrap","",119.0 +319,"291","Crude animal materials, nes","3digit","Crude animal materials, nes","","Crude animal materials, nes","",120.0 +320,"292","Crude vegetable materials, nes","3digit","Crude vegetable materials, nes","","Crude vegetable materials, nes","",120.0 +321,"322","Coal, lignite and peat","3digit","Coal, lignite and peat","","Coal, lignite and peat","",121.0 +322,"323","Briquettes; coke and semi-coke; lignite or peat; retort carbon","3digit","Briquettes; coke and semi-coke; lignite or peat; retort carbon","","Briquettes; coke and semi-coke; lignite or peat; retort carbon","",121.0 +323,"333","Crude petroleum and oils obtained from bituminous minerals","3digit","Crude petroleum and oils obtained from bituminous minerals","","Crude petroleum and oils obtained from bituminous minerals","",122.0 +324,"334","Petroleum products, refined","3digit","Petroleum products, refined","","Petroleum products, refined","",122.0 +325,"335","Residual petroleum products, nes and related materials","3digit","Residual petroleum products, nes and related materials","","Residual petroleum products, nes and related materials","",122.0 +326,"341","Gas, natural and manufactured","3digit","Gas, natural and manufactured","","Gas, natural and manufactured","",123.0 +327,"351","Electric current","3digit","Electric current","","Electric current","",124.0 +328,"411","Animal oils and fats","3digit","Animal oils and fats","","Animal oils and fats","",125.0 +329,"423","Fixed vegetable oils, soft, crude refined or purified","3digit","Fixed vegetable oils, soft, crude refined or purified","","Fixed vegetable oils, soft, crude refined or purified","",126.0 +330,"424","Other fixed vegetable oils, fluid or solid, crude, refined","3digit","Other fixed vegetable oils, fluid or solid, crude, refined","","Other fixed vegetable oils, fluid or solid, crude, refined","",126.0 +331,"431","Animal and vegetable oils and fats, processed, and waxes","3digit","Animal and vegetable oils and fats, processed, and waxes","","Animal and vegetable oils and fats, processed, and waxes","",127.0 +332,"511","Hydrocarbons, nes, and derivatives","3digit","Hydrocarbons, nes, and derivatives","","Hydrocarbons, nes, and derivatives","",128.0 +333,"512","Alcohols, phenols etc, and their derivatives","3digit","Alcohols, phenols etc, and their derivatives","","Alcohols, phenols etc, and their derivatives","",128.0 +334,"513","Carboxylic acids, and their derivatives","3digit","Carboxylic acids, and their derivatives","","Carboxylic acids, and their derivatives","",128.0 +335,"514","Nitrogen-function compounds","3digit","Nitrogen-function compounds","","Nitrogen-function compounds","",128.0 +336,"515","Organo-inorganic and heterocyclic compounds","3digit","Organo-inorganic and heterocyclic compounds","","Organo-inorganic and heterocyclic compounds","",128.0 +337,"516","Other organic chemicals","3digit","Other organic chemicals","","Other organic chemicals","",128.0 +338,"522","Inorganic chemical elements, oxides and halogen salts","3digit","Inorganic chemical elements, oxides and halogen salts","","Inorganic chemical elements, oxides and halogen salts","",129.0 +339,"523","Other inorganic chemicals; compounds of precious metals","3digit","Other inorganic chemicals; compounds of precious metals","","Other inorganic chemicals; compounds of precious metals","",129.0 +340,"524","Radioactive and associated material","3digit","Radioactive and associated material","","Radioactive and associated material","",129.0 +341,"531","Synthetic dye, natural indigo, lakes","3digit","Synthetic dye, natural indigo, lakes","","Synthetic dye, natural indigo, lakes","",130.0 +342,"532","Dyeing and tanning extracts, and synthetic tanning materials","3digit","Dyeing and tanning extracts, and synthetic tanning materials","","Dyeing and tanning extracts, and synthetic tanning materials","",130.0 +343,"533","Pigments, paints, varnishes and related materials","3digit","Pigments, paints, varnishes and related materials","","Pigments, paints, varnishes and related materials","",130.0 +344,"541","Medicinal and pharmaceutical products","3digit","Medicinal and pharmaceutical products","","Medicinal and pharmaceutical products","",131.0 +345,"551","Essential oils, perfume and flavour materials","3digit","Essential oils, perfume and flavour materials","","Essential oils, perfume and flavour materials","",132.0 +346,"553","Perfumery, cosmetics, toilet preparations, etc","3digit","Perfumery, cosmetics, toilet preparations, etc","","Perfumery, cosmetics, toilet preparations, etc","",132.0 +347,"554","Soap, cleansing and polishing preparations","3digit","Soap, cleansing and polishing preparations","","Soap, cleansing and polishing preparations","",132.0 +348,"562","Fertilizers, manufactured","3digit","Fertilizers, manufactured","","Fertilizers, manufactured","",133.0 +349,"572","Explosives and pyrotechnic products","3digit","Explosives and pyrotechnic products","","Explosives and pyrotechnic products","",134.0 +350,"582","Condensation, polycondensation and polyaddition products","3digit","Condensation, polycondensation and polyaddition products","","Condensation, polycondensation and polyaddition products","",135.0 +351,"583","Polymerization and copolymerization products","3digit","Polymerization and copolymerization products","","Polymerization and copolymerization products","",135.0 +352,"584","Regenerated cellulose; derivatives of cellulose; vulcanized fibre","3digit","Regenerated cellulose; derivatives of cellulose; vulcanized fibre","","Regenerated cellulose; derivatives of cellulose; vulcanized fibre","",135.0 +353,"585","Other artificial resins and plastic materials","3digit","Other artificial resins and plastic materials","","Other artificial resins and plastic materials","",135.0 +354,"591","Pesticides, disinfectants","3digit","Pesticides, disinfectants","","Pesticides, disinfectants","",136.0 +355,"592","Starches, insulin and wheat gluten; albuminoidal substances; glues","3digit","Starches, insulin and wheat gluten; albuminoidal substances; glues","","Starches, insulin and wheat gluten; albuminoidal substances; glues","",136.0 +356,"598","Miscellaneous chemical products, nes","3digit","Miscellaneous chemical products, nes","","Miscellaneous chemical products, nes","",136.0 +357,"611","Leather","3digit","Leather","","Leather","",137.0 +358,"612","Manufactures of leather or of composition leather, nes; etc","3digit","Manufactures of leather or of composition leather, nes; etc","","Manufactures of leather or of composition leather, nes; etc","",137.0 +359,"613","Furskins, tanned or dressed; pieces of furskin, tanned or dressed","3digit","Furskins, tanned or dressed; pieces of furskin, tanned or dressed","","Furskins, tanned or dressed; pieces of furskin, tanned or dressed","",137.0 +360,"621","Materials of rubber","3digit","Materials of rubber","","Materials of rubber","",138.0 +361,"625","Rubber tires, tire cases, inner and flaps, for wheels of all kinds","3digit","Rubber tires, tire cases, inner and flaps, for wheels of all kinds","","Rubber tires, tire cases, inner and flaps, for wheels of all kinds","",138.0 +362,"628","Articles of rubber, nes","3digit","Articles of rubber, nes","","Articles of rubber, nes","",138.0 +363,"633","Cork manufactures","3digit","Cork manufactures","","Cork manufactures","",139.0 +364,"634","Veneers, plywood, ""improved"" wood and other wood, worked, nes","3digit","Veneers, plywood, ""improved"" wood and other wood, worked, nes","","Veneers, plywood, ""improved"" wood and other wood, worked, nes","",139.0 +365,"635","Wood manufactures, nes","3digit","Wood manufactures, nes","","Wood manufactures, nes","",139.0 +366,"641","Paper and paperboard","3digit","Paper and paperboard","","Paper and paperboard","",140.0 +367,"642","Paper and paperboard, precut, and articles of paper or paperboard","3digit","Paper and paperboard, precut, and articles of paper or paperboard","","Paper and paperboard, precut, and articles of paper or paperboard","",140.0 +368,"651","Textile yarn","3digit","Textile yarn","","Textile yarn","",141.0 +369,"652","Cotton fabrics, woven (not including narrow or special fabrics)","3digit","Cotton fabrics, woven (not including narrow or special fabrics)","","Cotton fabrics, woven (not including narrow or special fabrics)","",141.0 +370,"653","Fabrics, woven, of man-made fibres (not narrow or special fabrics)","3digit","Fabrics, woven, of man-made fibres (not narrow or special fabrics)","","Fabrics, woven, of man-made fibres (not narrow or special fabrics)","",141.0 +371,"654","Textile fabrics, woven, other than cotton or man-made fibres","3digit","Textile fabrics, woven, other than cotton or man-made fibres","","Textile fabrics, woven, other than cotton or man-made fibres","",141.0 +372,"655","Knitted or crocheted fabrics (including tubular, etc, fabrics)","3digit","Knitted or crocheted fabrics (including tubular, etc, fabrics)","","Knitted or crocheted fabrics (including tubular, etc, fabrics)","",141.0 +373,"656","Tulle, lace, embroidery, ribbons, trimmings and other small wares","3digit","Tulle, lace, embroidery, ribbons, trimmings and other small wares","","Tulle, lace, embroidery, ribbons, trimmings and other small wares","",141.0 +374,"657","Special textile fabrics and related products","3digit","Special textile fabrics and related products","","Special textile fabrics and related products","",141.0 +375,"658","Made-up articles, wholly or chiefly of textile materials, nes","3digit","Made-up articles, wholly or chiefly of textile materials, nes","","Made-up articles, wholly or chiefly of textile materials, nes","",141.0 +376,"659","Floor coverings, etc","3digit","Floor coverings, etc","","Floor coverings, etc","",141.0 +377,"661","Lime, cement, and fabricated construction materials","3digit","Lime, cement, and fabricated construction materials","","Lime, cement, and fabricated construction materials","",142.0 +378,"662","Clay and refractory construction materials","3digit","Clay and refractory construction materials","","Clay and refractory construction materials","",142.0 +379,"663","Mineral manufactures, nes","3digit","Mineral manufactures, nes","","Mineral manufactures, nes","",142.0 +380,"664","Glass","3digit","Glass","","Glass","",142.0 +381,"665","Glassware","3digit","Glassware","","Glassware","",142.0 +382,"666","Pottery","3digit","Pottery","","Pottery","",142.0 +383,"667","Pearl, precious and semi-precious stones, unworked or worked","3digit","Pearl, precious and semi-precious stones, unworked or worked","","Pearl, precious and semi-precious stones, unworked or worked","",142.0 +384,"671","Pig and sponge iron, spiegeleisen, etc, and ferro-alloys","3digit","Pig and sponge iron, spiegeleisen, etc, and ferro-alloys","","Pig and sponge iron, spiegeleisen, etc, and ferro-alloys","",143.0 +385,"672","Ingots and other primary forms, of iron or steel","3digit","Ingots and other primary forms, of iron or steel","","Ingots and other primary forms, of iron or steel","",143.0 +386,"673","Iron and steel bars, rods, shapes and sections","3digit","Iron and steel bars, rods, shapes and sections","","Iron and steel bars, rods, shapes and sections","",143.0 +387,"674","Universals, plates, and sheets, of iron or steel","3digit","Universals, plates, and sheets, of iron or steel","","Universals, plates, and sheets, of iron or steel","",143.0 +388,"675","Hoop and strip of iron or steel, hot-rolled or cold-rolled","3digit","Hoop and strip of iron or steel, hot-rolled or cold-rolled","","Hoop and strip of iron or steel, hot-rolled or cold-rolled","",143.0 +389,"676","Rails and railway track construction materials, of iron or steel","3digit","Rails and railway track construction materials, of iron or steel","","Rails and railway track construction materials, of iron or steel","",143.0 +390,"677","Iron or steel wire (excluding wire rod), not insulated","3digit","Iron or steel wire (excluding wire rod), not insulated","","Iron or steel wire (excluding wire rod), not insulated","",143.0 +391,"678","Tube, pipes and fittings, of iron or steel","3digit","Tube, pipes and fittings, of iron or steel","","Tube, pipes and fittings, of iron or steel","",143.0 +392,"679","Iron, steel casting, forging and stamping, in the rough state, nes","3digit","Iron, steel casting, forging and stamping, in the rough state, nes","","Iron, steel casting, forging and stamping, in the rough state, nes","",143.0 +393,"681","Silver, platinum and other metals of the platinum group","3digit","Silver, platinum and other metals of the platinum group","","Silver, platinum and other metals of the platinum group","",144.0 +394,"682","Copper","3digit","Copper","","Copper","",144.0 +395,"683","Nickel","3digit","Nickel","","Nickel","",144.0 +396,"684","Aluminium","3digit","Aluminium","","Aluminium","",144.0 +397,"685","Lead","3digit","Lead","","Lead","",144.0 +398,"686","Zinc","3digit","Zinc","","Zinc","",144.0 +399,"687","Tin","3digit","Tin","","Tin","",144.0 +400,"688","Uranium depleted in U235, thorium, and alloys, nes; waste and scrap","3digit","Uranium depleted in U235, thorium, and alloys, nes; waste and scrap","","Uranium depleted in U235, thorium, and alloys, nes; waste and scrap","",144.0 +401,"689","Miscellaneous non-ferrous base metals, employed in metallurgy","3digit","Miscellaneous non-ferrous base metals, employed in metallurgy","","Miscellaneous non-ferrous base metals, employed in metallurgy","",144.0 +402,"691","Structures and parts, nes, of iron, steel or aluminium","3digit","Structures and parts, nes, of iron, steel or aluminium","","Structures and parts, nes, of iron, steel or aluminium","",145.0 +403,"692","Metal containers for storage and transport","3digit","Metal containers for storage and transport","","Metal containers for storage and transport","",145.0 +404,"693","Wire products (excluding insulated electrical wire); fencing grills","3digit","Wire products (excluding insulated electrical wire); fencing grills","","Wire products (excluding insulated electrical wire); fencing grills","",145.0 +405,"694","Nails, screws, nuts, bolts, rivets, etc, of iron, steel or copper","3digit","Nails, screws, nuts, bolts, rivets, etc, of iron, steel or copper","","Nails, screws, nuts, bolts, rivets, etc, of iron, steel or copper","",145.0 +406,"695","Tools for use in the hand or in machines","3digit","Tools for use in the hand or in machines","","Tools for use in the hand or in machines","",145.0 +407,"696","Cutlery","3digit","Cutlery","","Cutlery","",145.0 +408,"697","Household equipment of base metal, nes","3digit","Household equipment of base metal, nes","","Household equipment of base metal, nes","",145.0 +409,"699","Manufactures of base metal, nes","3digit","Manufactures of base metal, nes","","Manufactures of base metal, nes","",145.0 +410,"711","Steam boilers and auxiliary plant; and parts thereof, nes","3digit","Steam boilers and auxiliary plant; and parts thereof, nes","","Steam boilers and auxiliary plant; and parts thereof, nes","",146.0 +411,"712","Steam engines, turbines","3digit","Steam engines, turbines","","Steam engines, turbines","",146.0 +412,"713","Internal combustion piston engines, and parts thereof, nes","3digit","Internal combustion piston engines, and parts thereof, nes","","Internal combustion piston engines, and parts thereof, nes","",146.0 +413,"714","Engines and motors, non-electric; parts, nes; group 714, item 71888","3digit","Engines and motors, non-electric; parts, nes; group 714, item 71888","","Engines and motors, non-electric; parts, nes; group 714, item 71888","",146.0 +414,"716","Rotating electric plant and parts thereof, nes","3digit","Rotating electric plant and parts thereof, nes","","Rotating electric plant and parts thereof, nes","",146.0 +415,"718","Other power generating machinery and parts thereof, nes","3digit","Other power generating machinery and parts thereof, nes","","Other power generating machinery and parts thereof, nes","",146.0 +416,"721","Agricultural machinery (excluding tractors) and parts thereof, nes","3digit","Agricultural machinery (excluding tractors) and parts thereof, nes","","Agricultural machinery (excluding tractors) and parts thereof, nes","",147.0 +417,"722","Tractors (other than those falling in heading 74411 and 7832)","3digit","Tractors (other than those falling in heading 74411 and 7832)","","Tractors (other than those falling in heading 74411 and 7832)","",147.0 +418,"723","Civil engineering, contractors' plant and equipment and parts, nes","3digit","Civil engineering, contractors' plant and equipment and parts, nes","","Civil engineering, contractors' plant and equipment and parts, nes","",147.0 +419,"724","Textile and leather machinery, and parts thereof, nes","3digit","Textile and leather machinery, and parts thereof, nes","","Textile and leather machinery, and parts thereof, nes","",147.0 +420,"725","Paper and paper manufacture machinery, and parts thereof, nes","3digit","Paper and paper manufacture machinery, and parts thereof, nes","","Paper and paper manufacture machinery, and parts thereof, nes","",147.0 +421,"726","Printing, bookbinding machinery, and parts thereof, nes","3digit","Printing, bookbinding machinery, and parts thereof, nes","","Printing, bookbinding machinery, and parts thereof, nes","",147.0 +422,"727","Food-processing machines (non-domestic) and parts thereof, nes","3digit","Food-processing machines (non-domestic) and parts thereof, nes","","Food-processing machines (non-domestic) and parts thereof, nes","",147.0 +423,"728","Other machinery, equipment, for specialized industries; parts nes","3digit","Other machinery, equipment, for specialized industries; parts nes","","Other machinery, equipment, for specialized industries; parts nes","",147.0 +424,"736","Metalworking machine-tools, parts and accessories thereof, nes","3digit","Metalworking machine-tools, parts and accessories thereof, nes","","Metalworking machine-tools, parts and accessories thereof, nes","",148.0 +425,"737","Metalworking machinery (other than machine-tools), and parts, nes","3digit","Metalworking machinery (other than machine-tools), and parts, nes","","Metalworking machinery (other than machine-tools), and parts, nes","",148.0 +426,"741","Heating and cooling equipment and parts thereof, nes","3digit","Heating and cooling equipment and parts thereof, nes","","Heating and cooling equipment and parts thereof, nes","",149.0 +427,"742","Pumps for liquids; liquid elevators; and parts thereof, nes","3digit","Pumps for liquids; liquid elevators; and parts thereof, nes","","Pumps for liquids; liquid elevators; and parts thereof, nes","",149.0 +428,"743","Pumps, compressors; centrifuges; filtering apparatus; etc, parts","3digit","Pumps, compressors; centrifuges; filtering apparatus; etc, parts","","Pumps, compressors; centrifuges; filtering apparatus; etc, parts","",149.0 +429,"744","Mechanical handling equipment, and parts thereof, nes","3digit","Mechanical handling equipment, and parts thereof, nes","","Mechanical handling equipment, and parts thereof, nes","",149.0 +430,"745","Other non-electric machinery, tools and mechanical apparatus, nes","3digit","Other non-electric machinery, tools and mechanical apparatus, nes","","Other non-electric machinery, tools and mechanical apparatus, nes","",149.0 +431,"749","Non-electric parts and accessories of machinery, nes","3digit","Non-electric parts and accessories of machinery, nes","","Non-electric parts and accessories of machinery, nes","",149.0 +432,"751","Office machines","3digit","Office machines","","Office machines","",150.0 +433,"752","Automatic data processing machines and units thereof","3digit","Automatic data processing machines and units thereof","","Automatic data processing machines and units thereof","",150.0 +434,"759","Parts, nes of and accessories for machines of headings 751 or 752","3digit","Parts, nes of and accessories for machines of headings 751 or 752","","Parts, nes of and accessories for machines of headings 751 or 752","",150.0 +435,"761","Television receivers","3digit","Television receivers","","Television receivers","",151.0 +436,"762","Radio-broadcast receivers","3digit","Radio-broadcast receivers","","Radio-broadcast receivers","",151.0 +437,"763","Gramophones, dictating machines and other sound recorders","3digit","Gramophones, dictating machines and other sound recorders","","Gramophones, dictating machines and other sound recorders","",151.0 +438,"764","Telecommunication equipment, nes; parts and accessories, nes","3digit","Telecommunication equipment, nes; parts and accessories, nes","","Telecommunication equipment, nes; parts and accessories, nes","",151.0 +439,"771","Electric power machinery, and parts thereof, nes","3digit","Electric power machinery, and parts thereof, nes","","Electric power machinery, and parts thereof, nes","",152.0 +440,"772","Electrical apparatus for making and breaking electrical circuits","3digit","Electrical apparatus for making and breaking electrical circuits","","Electrical apparatus for making and breaking electrical circuits","",152.0 +441,"773","Equipment for distribution of electricity","3digit","Equipment for distribution of electricity","","Equipment for distribution of electricity","",152.0 +442,"774","Electro-medical and radiological equipment","3digit","Electro-medical and radiological equipment","","Electro-medical and radiological equipment","",152.0 +443,"775","Household type equipment, nes","3digit","Household type equipment, nes","","Household type equipment, nes","",152.0 +444,"776","Thermionic, microcircuits, transistors, valves, etc","3digit","Thermionic, microcircuits, transistors, valves, etc","","Thermionic, microcircuits, transistors, valves, etc","",152.0 +445,"778","Electrical machinery and apparatus, nes","3digit","Electrical machinery and apparatus, nes","","Electrical machinery and apparatus, nes","",152.0 +446,"781","Passenger motor vehicles (excluding buses)","3digit","Passenger motor vehicles (excluding buses)","","Passenger motor vehicles (excluding buses)","",153.0 +447,"782","Lorries and special purposes motor vehicles","3digit","Lorries and special purposes motor vehicles","","Lorries and special purposes motor vehicles","",153.0 +448,"783","Road motor vehicles, nes","3digit","Road motor vehicles, nes","","Road motor vehicles, nes","",153.0 +449,"784","Motor vehicle parts and accessories, nes","3digit","Motor vehicle parts and accessories, nes","","Motor vehicle parts and accessories, nes","",153.0 +450,"785","Cycles, scooters, motorized or not; invalid carriages","3digit","Cycles, scooters, motorized or not; invalid carriages","","Cycles, scooters, motorized or not; invalid carriages","",153.0 +451,"786","Trailers, and other vehicles, not motorized, nes","3digit","Trailers, and other vehicles, not motorized, nes","","Trailers, and other vehicles, not motorized, nes","",153.0 +452,"791","Railway vehicles and associated equipment","3digit","Railway vehicles and associated equipment","","Railway vehicles and associated equipment","",154.0 +453,"792","Aircraft and associated equipment, and parts thereof, nes","3digit","Aircraft and associated equipment, and parts thereof, nes","","Aircraft and associated equipment, and parts thereof, nes","",154.0 +454,"793","Ships, boats and floating structures","3digit","Ships, boats and floating structures","","Ships, boats and floating structures","",154.0 +455,"812","Sanitary, plumbing, heating, lighting fixtures and fittings, nes","3digit","Sanitary, plumbing, heating, lighting fixtures and fittings, nes","","Sanitary, plumbing, heating, lighting fixtures and fittings, nes","",155.0 +456,"821","Furniture and parts thereof","3digit","Furniture and parts thereof","","Furniture and parts thereof","",156.0 +457,"831","Travel goods, handbags etc, of leather, plastics, textile, others","3digit","Travel goods, handbags etc, of leather, plastics, textile, others","","Travel goods, handbags etc, of leather, plastics, textile, others","",157.0 +458,"842","Men's and boys' outerwear, textile fabrics not knitted or crocheted","3digit","Men's and boys' outerwear, textile fabrics not knitted or crocheted","","Men's and boys' outerwear, textile fabrics not knitted or crocheted","",158.0 +459,"843","Womens, girls, infants outerwear, textile, not knitted or crocheted","3digit","Womens, girls, infants outerwear, textile, not knitted or crocheted","","Womens, girls, infants outerwear, textile, not knitted or crocheted","",158.0 +460,"844","Under garments of textile fabrics, not knitted or crocheted","3digit","Under garments of textile fabrics, not knitted or crocheted","","Under garments of textile fabrics, not knitted or crocheted","",158.0 +461,"845","Outerwear knitted or crocheted, not elastic nor rubberized","3digit","Outerwear knitted or crocheted, not elastic nor rubberized","","Outerwear knitted or crocheted, not elastic nor rubberized","",158.0 +462,"846","Under-garments, knitted or crocheted","3digit","Under-garments, knitted or crocheted","","Under-garments, knitted or crocheted","",158.0 +463,"847","Clothing accessories, of textile fabrics, nes","3digit","Clothing accessories, of textile fabrics, nes","","Clothing accessories, of textile fabrics, nes","",158.0 +464,"848","Articles of apparel, clothing accessories, non-textile, headgear","3digit","Articles of apparel, clothing accessories, non-textile, headgear","","Articles of apparel, clothing accessories, non-textile, headgear","",158.0 +465,"851","Footwear","3digit","Footwear","","Footwear","",159.0 +466,"871","Optical instruments and apparatus","3digit","Optical instruments and apparatus","","Optical instruments and apparatus","",160.0 +467,"872","Medical instruments and appliances, nes","3digit","Medical instruments and appliances, nes","","Medical instruments and appliances, nes","",160.0 +468,"873","Meters and counters, nes","3digit","Meters and counters, nes","","Meters and counters, nes","",160.0 +469,"874","Measuring, checking, analysis, controlling instruments, nes, parts","3digit","Measuring, checking, analysis, controlling instruments, nes, parts","","Measuring, checking, analysis, controlling instruments, nes, parts","",160.0 +470,"881","Photographic apparatus and equipment, nes","3digit","Photographic apparatus and equipment, nes","","Photographic apparatus and equipment, nes","",161.0 +471,"882","Photographic and cinematographic supplies","3digit","Photographic and cinematographic supplies","","Photographic and cinematographic supplies","",161.0 +472,"883","Cinematograph film, exposed and developed","3digit","Cinematograph film, exposed and developed","","Cinematograph film, exposed and developed","",161.0 +473,"884","Optical goods nes","3digit","Optical goods nes","","Optical goods nes","",161.0 +474,"885","Watches and clocks","3digit","Watches and clocks","","Watches and clocks","",161.0 +475,"892","Printed matter","3digit","Printed matter","","Printed matter","",162.0 +476,"893","Articles, nes of plastic materials","3digit","Articles, nes of plastic materials","","Articles, nes of plastic materials","",162.0 +477,"894","Baby carriages, toys, games and sporting goods","3digit","Baby carriages, toys, games and sporting goods","","Baby carriages, toys, games and sporting goods","",162.0 +478,"895","Office and stationary supplies, nes","3digit","Office and stationary supplies, nes","","Office and stationary supplies, nes","",162.0 +479,"896","Works of art, collectors' pieces and antiques","3digit","Works of art, collectors' pieces and antiques","","Works of art, collectors' pieces and antiques","",162.0 +480,"897","Gold, silver ware, jewelry and articles of precious materials, nes","3digit","Gold, silver ware, jewelry and articles of precious materials, nes","","Gold, silver ware, jewelry and articles of precious materials, nes","",162.0 +481,"898","Musical instruments, parts and accessories thereof","3digit","Musical instruments, parts and accessories thereof","","Musical instruments, parts and accessories thereof","",162.0 +482,"899","Other miscellaneous manufactured articles, nes","3digit","Other miscellaneous manufactured articles, nes","","Other miscellaneous manufactured articles, nes","",162.0 +483,"911","Postal packages not classified according to kind","3digit","Postal packages not classified according to kind","","Postal packages not classified according to kind","",163.0 +484,"931","Special transactions, commodity not classified according to class","3digit","Special transactions, commodity not classified according to class","","Special transactions, commodity not classified according to class","",164.0 +485,"941","Animals, live, nes, (including zoo animals, pets, insects, etc)","3digit","Animals, live, nes, (including zoo animals, pets, insects, etc)","","Animals, live, nes, (including zoo animals, pets, insects, etc)","",165.0 +486,"951","Armoured fighting vehicles, war firearms, ammunition, parts, nes","3digit","Armoured fighting vehicles, war firearms, ammunition, parts, nes","","Armoured fighting vehicles, war firearms, ammunition, parts, nes","",166.0 +487,"961","Coin (other than gold coin), not being legal tender","3digit","Coin (other than gold coin), not being legal tender","","Coin (other than gold coin), not being legal tender","",167.0 +488,"971","Gold, non-monetary (excluding gold ores and concentrates)","3digit","Gold, non-monetary (excluding gold ores and concentrates)","","Gold, non-monetary (excluding gold ores and concentrates)","",168.0 +489,"ZZZ","Unknown","3digit","Unknown","","Unknown","",169.0 +600,"Other","Other","3digit","Other","Other","Other","Other",200.0 +601,"Travel services","Travel services","3digit","Travel services","Travel services","Travel","Travel",201.0 +602,"Transport services","Transport services","3digit","Transport services","Transport services","Transport","Transport",202.0 +603,"Communications","Communications","3digit","Communications","Communications","Communications","Communications",203.0 +604,"Insurance and financial services","Insurance and financial services","3digit","Insurance and financial services","Insurance and financial services","Insurance and finance","Insurance and finance",204.0 +650,"0011","Animals of the bovine species (including buffaloes), live","4digit","Animals of the bovine species (including buffaloes), live","","Animals of the bovine species (including buffaloes), live","",250.0 +651,"0012","Sheep and goats, live","4digit","Sheep and goats, live","","Sheep and goats, live","",250.0 +652,"0013","Swine, live","4digit","Swine, live","","Swine, live","",250.0 +653,"0014","Poultry, live","4digit","Poultry, live","","Poultry, live","",250.0 +654,"0015","Equine species, live","4digit","Equine species, live","","Equine species, live","",250.0 +655,"0019","Live animals of a kind mainly used for human food, nes","4digit","Live animals of a kind mainly used for human food, nes","","Live animals of a kind mainly used for human food, nes","",250.0 +656,"0111","Bovine meat, fresh, chilled or frozen","4digit","Bovine meat, fresh, chilled or frozen","","Bovine meat, fresh, chilled or frozen","",251.0 +657,"0112","Meat of sheep and goats, fresh, chilled or frozen","4digit","Meat of sheep and goats, fresh, chilled or frozen","","Meat of sheep and goats, fresh, chilled or frozen","",251.0 +658,"0113","Pig meat fresh, chilled or frozen","4digit","Pig meat fresh, chilled or frozen","","Pig meat fresh, chilled or frozen","",251.0 +659,"0114","Poultry, dead and edible offal, fresh, chilled or frozen","4digit","Poultry, dead and edible offal, fresh, chilled or frozen","","Poultry, dead and edible offal, fresh, chilled or frozen","",251.0 +660,"0115","Meat of horses, asses, mules and hinnies, fresh, chilled or frozen","4digit","Meat of horses, asses, mules and hinnies, fresh, chilled or frozen","","Meat of horses, asses, mules and hinnies, fresh, chilled or frozen","",251.0 +661,"0116","Edible offal of headings 0011-5 and 0015, fresh, chilled or frozen","4digit","Edible offal of headings 0011-5 and 0015, fresh, chilled or frozen","","Edible offal of headings 0011-5 and 0015, fresh, chilled or frozen","",251.0 +662,"0118","Other fresh, chilled or frozen meat or edible meat offal","4digit","Other fresh, chilled or frozen meat or edible meat offal","","Other fresh, chilled or frozen meat or edible meat offal","",251.0 +663,"0121","Bacon, ham, other dried, salted or smoked meat of domestic swine","4digit","Bacon, ham, other dried, salted or smoked meat of domestic swine","","Bacon, ham, other dried, salted or smoked meat of domestic swine","",252.0 +664,"0129","Meat and edible meat offal, nes, in brine, dried, salted or smoked","4digit","Meat and edible meat offal, nes, in brine, dried, salted or smoked","","Meat and edible meat offal, nes, in brine, dried, salted or smoked","",252.0 +665,"0141","Meat extracts and juices; fish extracts","4digit","Meat extracts and juices; fish extracts","","Meat extracts and juices; fish extracts","",253.0 +666,"0142","Sausages and the like, of meat, meat offal or animal blood","4digit","Sausages and the like, of meat, meat offal or animal blood","","Sausages and the like, of meat, meat offal or animal blood","",253.0 +667,"0149","Other prepared or preserved meat or meat offal","4digit","Other prepared or preserved meat or meat offal","","Other prepared or preserved meat or meat offal","",253.0 +668,"0223","Milk and cream fresh, not concentrated or sweetened","4digit","Milk and cream fresh, not concentrated or sweetened","","Milk and cream fresh, not concentrated or sweetened","",254.0 +669,"0224","Milk and cream, preserved, concentrated or sweetened","4digit","Milk and cream, preserved, concentrated or sweetened","","Milk and cream, preserved, concentrated or sweetened","",254.0 +670,"0230","Butter","4digit","Butter","","Butter","",255.0 +671,"0240","Cheese and curd","4digit","Cheese and curd","","Cheese and curd","",256.0 +672,"0251","Eggs, birds', and egg yolks, fresh, dried or preserved, in shell","4digit","Eggs, birds', and egg yolks, fresh, dried or preserved, in shell","","Eggs, birds', and egg yolks, fresh, dried or preserved, in shell","",257.0 +673,"0252","Eggs, birds', egg yolks, fresh, dried or preserved, not in shell","4digit","Eggs, birds', egg yolks, fresh, dried or preserved, not in shell","","Eggs, birds', egg yolks, fresh, dried or preserved, not in shell","",257.0 +674,"0341","Fish, fresh or chilled, excluding fillet","4digit","Fish, fresh or chilled, excluding fillet","","Fish, fresh or chilled, excluding fillet","",258.0 +675,"0342","Fish, frozen, excluding fillets","4digit","Fish, frozen, excluding fillets","","Fish, frozen, excluding fillets","",258.0 +676,"0343","Fish fillets, fresh or chilled","4digit","Fish fillets, fresh or chilled","","Fish fillets, fresh or chilled","",258.0 +677,"0344","Fish fillets, frozen","4digit","Fish fillets, frozen","","Fish fillets, frozen","",258.0 +678,"0350","Fish, dried, salted or in brine; smoked fish","4digit","Fish, dried, salted or in brine; smoked fish","","Fish, dried, salted or in brine; smoked fish","",259.0 +679,"0360","Crustaceans and molluscs, fresh, chilled, frozen, salted, etc","4digit","Crustaceans and molluscs, fresh, chilled, frozen, salted, etc","","Crustaceans and molluscs, fresh, chilled, frozen, salted, etc","",260.0 +680,"0371","Fish, prepared or preserved, nes","4digit","Fish, prepared or preserved, nes","","Fish, prepared or preserved, nes","",261.0 +681,"0372","Crustaceans and molluscs, prepared or prepared, nes","4digit","Crustaceans and molluscs, prepared or prepared, nes","","Crustaceans and molluscs, prepared or prepared, nes","",261.0 +682,"0411","Durum wheat, unmilled","4digit","Durum wheat, unmilled","","Durum wheat, unmilled","",262.0 +683,"0412","Other wheat and meslin, unmilled","4digit","Other wheat and meslin, unmilled","","Other wheat and meslin, unmilled","",262.0 +684,"0421","Rice in the husk or husked, but not farther prepared","4digit","Rice in the husk or husked, but not farther prepared","","Rice in the husk or husked, but not farther prepared","",263.0 +685,"0422","Rice, semi-milled or wholly milled","4digit","Rice, semi-milled or wholly milled","","Rice, semi-milled or wholly milled","",263.0 +686,"0430","Barley, unmilled","4digit","Barley, unmilled","","Barley, unmilled","",264.0 +687,"0440","Maize, unmilled","4digit","Maize, unmilled","","Maize, unmilled","",265.0 +688,"0451","Rye, unmilled","4digit","Rye, unmilled","","Rye, unmilled","",266.0 +689,"0452","Oats, unmilled","4digit","Oats, unmilled","","Oats, unmilled","",266.0 +690,"0459","Buckwheat, millet, etc, and other cereals, unmilled, nes","4digit","Buckwheat, millet, etc, and other cereals, unmilled, nes","","Buckwheat, millet, etc, and other cereals, unmilled, nes","",266.0 +691,"0460","Meal and flour of wheat and flour of meslin","4digit","Meal and flour of wheat and flour of meslin","","Meal and flour of wheat and flour of meslin","",267.0 +692,"0470","Other cereal meals and flour","4digit","Other cereal meals and flour","","Other cereal meals and flour","",268.0 +693,"0481","Cereal grains, worked or prepared, not elsewhere specified","4digit","Cereal grains, worked or prepared, not elsewhere specified","","Cereal grains, worked or prepared, not elsewhere specified","",269.0 +694,"0482","Malt, roasted or not, including flour","4digit","Malt, roasted or not, including flour","","Malt, roasted or not, including flour","",269.0 +695,"0483","Macaroni, spaghetti and similar products","4digit","Macaroni, spaghetti and similar products","","Macaroni, spaghetti and similar products","",269.0 +696,"0484","Bakery products","4digit","Bakery products","","Bakery products","",269.0 +697,"0488","Malt extract; cereals preparations with less 50% of cocoa","4digit","Malt extract; cereals preparations with less 50% of cocoa","","Malt extract; cereals preparations with less 50% of cocoa","",269.0 +698,"0541","Potatoes, fresh or chilled, excluding sweet potatoes","4digit","Potatoes, fresh or chilled, excluding sweet potatoes","","Potatoes, fresh or chilled, excluding sweet potatoes","",270.0 +699,"0542","Beans, peas, other leguminous vegetables, dried, shelled","4digit","Beans, peas, other leguminous vegetables, dried, shelled","","Beans, peas, other leguminous vegetables, dried, shelled","",270.0 +700,"0544","Tomatoes, fresh or chilled","4digit","Tomatoes, fresh or chilled","","Tomatoes, fresh or chilled","",270.0 +701,"0545","Other fresh or chilled vegetables","4digit","Other fresh or chilled vegetables","","Other fresh or chilled vegetables","",270.0 +702,"0546","Vegetables, frozen or in temporary preservative","4digit","Vegetables, frozen or in temporary preservative","","Vegetables, frozen or in temporary preservative","",270.0 +703,"0548","Vegetable products roots and tubers, nes, fresh, dried","4digit","Vegetable products roots and tubers, nes, fresh, dried","","Vegetable products roots and tubers, nes, fresh, dried","",270.0 +704,"0561","Vegetables (excluding leguminous), dried, evaporated, etc","4digit","Vegetables (excluding leguminous), dried, evaporated, etc","","Vegetables (excluding leguminous), dried, evaporated, etc","",271.0 +705,"0564","Flour, meals and flakes of potatoes, fruit and vegetables, nes","4digit","Flour, meals and flakes of potatoes, fruit and vegetables, nes","","Flour, meals and flakes of potatoes, fruit and vegetables, nes","",271.0 +706,"0565","Vegetables, prepared or preserved, nes","4digit","Vegetables, prepared or preserved, nes","","Vegetables, prepared or preserved, nes","",271.0 +707,"0571","Oranges, mandarins, etc, fresh or dried","4digit","Oranges, mandarins, etc, fresh or dried","","Oranges, mandarins, etc, fresh or dried","",272.0 +708,"0572","Other citrus fruits, fresh or dried","4digit","Other citrus fruits, fresh or dried","","Other citrus fruits, fresh or dried","",272.0 +709,"0573","Banana, plantain, fresh or dried","4digit","Banana, plantain, fresh or dried","","Banana, plantain, fresh or dried","",272.0 +710,"0574","Apples, fresh","4digit","Apples, fresh","","Apples, fresh","",272.0 +711,"0575","Grapes, fresh or dried","4digit","Grapes, fresh or dried","","Grapes, fresh or dried","",272.0 +712,"0576","Figs, fresh or dried","4digit","Figs, fresh or dried","","Figs, fresh or dried","",272.0 +713,"0577","Nuts edible, fresh or dried","4digit","Nuts edible, fresh or dried","","Nuts edible, fresh or dried","",272.0 +714,"0579","Fruit, fresh or dried, nes","4digit","Fruit, fresh or dried, nes","","Fruit, fresh or dried, nes","",272.0 +715,"0582","Fruit, fruit-peel and parts of plants, preserved by sugar","4digit","Fruit, fruit-peel and parts of plants, preserved by sugar","","Fruit, fruit-peel and parts of plants, preserved by sugar","",273.0 +716,"0583","Jams, jellies, marmalades, etc, as cooked preparations","4digit","Jams, jellies, marmalades, etc, as cooked preparations","","Jams, jellies, marmalades, etc, as cooked preparations","",273.0 +717,"0585","Fruit or vegetable juices","4digit","Fruit or vegetable juices","","Fruit or vegetable juices","",273.0 +718,"0586","Fruit, temporarily preserved","4digit","Fruit, temporarily preserved","","Fruit, temporarily preserved","",273.0 +719,"0589","Fruit prepared or preserved, nes","4digit","Fruit prepared or preserved, nes","","Fruit prepared or preserved, nes","",273.0 +720,"0611","Sugars, beet and cane, raw, solid","4digit","Sugars, beet and cane, raw, solid","","Sugars, beet and cane, raw, solid","",274.0 +721,"0612","Refined sugar etc","4digit","Refined sugar etc","","Refined sugar etc","",274.0 +722,"0615","Molasses","4digit","Molasses","","Molasses","",274.0 +723,"0616","Natural honey","4digit","Natural honey","","Natural honey","",274.0 +724,"0619","Sugars and syrups nes; artificial honey; caramel","4digit","Sugars and syrups nes; artificial honey; caramel","","Sugars and syrups nes; artificial honey; caramel","",274.0 +725,"0620","Sugar confectionery and preparations, non-chocolate","4digit","Sugar confectionery and preparations, non-chocolate","","Sugar confectionery and preparations, non-chocolate","",275.0 +726,"0711","Coffee green, roasted; coffee substitutes containing coffee","4digit","Coffee green, roasted; coffee substitutes containing coffee","","Coffee green, roasted; coffee substitutes containing coffee","",276.0 +727,"0712","Coffee extracts, essences or concentrates","4digit","Coffee extracts, essences or concentrates","","Coffee extracts, essences or concentrates","",276.0 +728,"0721","Cocoa beans, raw, roasted","4digit","Cocoa beans, raw, roasted","","Cocoa beans, raw, roasted","",277.0 +729,"0722","Cocoa powder, unsweetened","4digit","Cocoa powder, unsweetened","","Cocoa powder, unsweetened","",277.0 +730,"0723","Cocoa butter and paste","4digit","Cocoa butter and paste","","Cocoa butter and paste","",277.0 +731,"0730","Chocolate and other preparations containing cocoa, nes","4digit","Chocolate and other preparations containing cocoa, nes","","Chocolate and other preparations containing cocoa, nes","",278.0 +732,"0741","Tea","4digit","Tea","","Tea","",279.0 +733,"0742","Mate","4digit","Mate","","Mate","",279.0 +734,"0751","Pepper of ""piper""; pimento of ""capsicum or pimenta""","4digit","Pepper of ""piper""; pimento of ""capsicum or pimenta""","","Pepper of ""piper""; pimento of ""capsicum or pimenta""","",280.0 +735,"0752","Spices, except pepper and pimento","4digit","Spices, except pepper and pimento","","Spices, except pepper and pimento","",280.0 +736,"0811","Hay and fodder, green or dry","4digit","Hay and fodder, green or dry","","Hay and fodder, green or dry","",281.0 +737,"0812","Bran, sharps and other residues derives of cereals","4digit","Bran, sharps and other residues derives of cereals","","Bran, sharps and other residues derives of cereals","",281.0 +738,"0813","Oilcake and other residues (except dregs)","4digit","Oilcake and other residues (except dregs)","","Oilcake and other residues (except dregs)","",281.0 +739,"0814","Flours and meals, of meat, fish,etc, unfit for human; greaves","4digit","Flours and meals, of meat, fish,etc, unfit for human; greaves","","Flours and meals, of meat, fish,etc, unfit for human; greaves","",281.0 +740,"0819","Food waste and prepared animal feed, nes","4digit","Food waste and prepared animal feed, nes","","Food waste and prepared animal feed, nes","",281.0 +741,"0913","Lard, pig and poultry fat, rendered or solvent-extracted","4digit","Lard, pig and poultry fat, rendered or solvent-extracted","","Lard, pig and poultry fat, rendered or solvent-extracted","",282.0 +742,"0914","Margarine, imitation lard and other prepared edible fats, nes","4digit","Margarine, imitation lard and other prepared edible fats, nes","","Margarine, imitation lard and other prepared edible fats, nes","",282.0 +743,"0980","Edible products and preparations, nes","4digit","Edible products and preparations, nes","","Edible products and preparations, nes","",283.0 +744,"1110","Non-alcoholic beverages, nes","4digit","Non-alcoholic beverages, nes","","Non-alcoholic beverages, nes","",284.0 +745,"1121","Wine of fresh grapes etc","4digit","Wine of fresh grapes etc","","Wine of fresh grapes etc","",285.0 +746,"1122","Other fermented beverages, nes (cider, perry, mead, etc)","4digit","Other fermented beverages, nes (cider, perry, mead, etc)","","Other fermented beverages, nes (cider, perry, mead, etc)","",285.0 +747,"1123","Beer made from malt (including ale, stout and porter)","4digit","Beer made from malt (including ale, stout and porter)","","Beer made from malt (including ale, stout and porter)","",285.0 +748,"1124","Distilled alcoholic beverages, nes","4digit","Distilled alcoholic beverages, nes","","Distilled alcoholic beverages, nes","",285.0 +749,"1211","Tobacco, not stripped","4digit","Tobacco, not stripped","","Tobacco, not stripped","",286.0 +750,"1212","Tobacco, wholly or partly stripped","4digit","Tobacco, wholly or partly stripped","","Tobacco, wholly or partly stripped","",286.0 +751,"1213","Tobacco refuse","4digit","Tobacco refuse","","Tobacco refuse","",286.0 +752,"1221","Cigars, cheroots: cigarillos","4digit","Cigars, cheroots: cigarillos","","Cigars, cheroots: cigarillos","",287.0 +753,"1222","Cigarettes","4digit","Cigarettes","","Cigarettes","",287.0 +754,"1223","Tobacco, manufactured; tobacco extract and essences","4digit","Tobacco, manufactured; tobacco extract and essences","","Tobacco, manufactured; tobacco extract and essences","",287.0 +755,"2111","Bovine and equine hides, raw, whether or not split","4digit","Bovine and equine hides, raw, whether or not split","","Bovine and equine hides, raw, whether or not split","",288.0 +756,"2112","Calf skins, raw, whether or not split","4digit","Calf skins, raw, whether or not split","","Calf skins, raw, whether or not split","",288.0 +757,"2114","Goat and kid skins, raw, whether or not split","4digit","Goat and kid skins, raw, whether or not split","","Goat and kid skins, raw, whether or not split","",288.0 +758,"2116","Sheep and lamb skin with the wool on, raw, whether or not split","4digit","Sheep and lamb skin with the wool on, raw, whether or not split","","Sheep and lamb skin with the wool on, raw, whether or not split","",288.0 +759,"2117","Sheep and lamb skin without the wool, raw, whether or not split","4digit","Sheep and lamb skin without the wool, raw, whether or not split","","Sheep and lamb skin without the wool, raw, whether or not split","",288.0 +760,"2119","Hides and skins, nes; waste and used leather","4digit","Hides and skins, nes; waste and used leather","","Hides and skins, nes; waste and used leather","",288.0 +761,"2120","Furskins, raw","4digit","Furskins, raw","","Furskins, raw","",289.0 +762,"2221","Groundnuts, green","4digit","Groundnuts, green","","Groundnuts, green","",290.0 +763,"2222","Soya beans","4digit","Soya beans","","Soya beans","",290.0 +764,"2223","Cotton seeds","4digit","Cotton seeds","","Cotton seeds","",290.0 +765,"2224","Sunflower seeds","4digit","Sunflower seeds","","Sunflower seeds","",290.0 +766,"2225","Sesame seeds","4digit","Sesame seeds","","Sesame seeds","",290.0 +767,"2226","Rape and colza seeds","4digit","Rape and colza seeds","","Rape and colza seeds","",290.0 +768,"2231","Copra","4digit","Copra","","Copra","",291.0 +769,"2232","Palm nuts and kernels","4digit","Palm nuts and kernels","","Palm nuts and kernels","",291.0 +770,"2234","Linseed","4digit","Linseed","","Linseed","",291.0 +771,"2235","Castor oil seeds","4digit","Castor oil seeds","","Castor oil seeds","",291.0 +772,"2238","Oil seeds and oleaginous fruits, nes","4digit","Oil seeds and oleaginous fruits, nes","","Oil seeds and oleaginous fruits, nes","",291.0 +773,"2239","Flour or meals of oil seeds or oleaginous fruit, non-defatted","4digit","Flour or meals of oil seeds or oleaginous fruit, non-defatted","","Flour or meals of oil seeds or oleaginous fruit, non-defatted","",291.0 +774,"2320","Natural rubber latex; natural rubber and gums","4digit","Natural rubber latex; natural rubber and gums","","Natural rubber latex; natural rubber and gums","",292.0 +775,"2331","Synthetic rubber, latex; factice derived from oils","4digit","Synthetic rubber, latex; factice derived from oils","","Synthetic rubber, latex; factice derived from oils","",293.0 +776,"2332","Reclaimed rubber, waste, scrap of unhardened rubber","4digit","Reclaimed rubber, waste, scrap of unhardened rubber","","Reclaimed rubber, waste, scrap of unhardened rubber","",293.0 +777,"2440","Cork, natural, raw and waste","4digit","Cork, natural, raw and waste","","Cork, natural, raw and waste","",294.0 +778,"2450","Fuel wood and wood charcoal","4digit","Fuel wood and wood charcoal","","Fuel wood and wood charcoal","",295.0 +779,"2460","Pulpwood (including chips and wood waste)","4digit","Pulpwood (including chips and wood waste)","","Pulpwood (including chips and wood waste)","",296.0 +780,"2471","Sawlogs and veneer logs, of coniferous species","4digit","Sawlogs and veneer logs, of coniferous species","","Sawlogs and veneer logs, of coniferous species","",297.0 +781,"2472","Sawlogs and veneer logs, of non-coniferous species","4digit","Sawlogs and veneer logs, of non-coniferous species","","Sawlogs and veneer logs, of non-coniferous species","",297.0 +782,"2479","Pitprops, poles, piling, post and other wood in the rough, nes","4digit","Pitprops, poles, piling, post and other wood in the rough, nes","","Pitprops, poles, piling, post and other wood in the rough, nes","",297.0 +783,"2481","Railway or tramway sleepers (ties) of wood","4digit","Railway or tramway sleepers (ties) of wood","","Railway or tramway sleepers (ties) of wood","",298.0 +784,"2482","Wood of coniferous species, sawn, planed, tongued, grooved, etc","4digit","Wood of coniferous species, sawn, planed, tongued, grooved, etc","","Wood of coniferous species, sawn, planed, tongued, grooved, etc","",298.0 +785,"2483","Wood, non-coniferous species, sawn, planed, tongued, grooved, etc","4digit","Wood, non-coniferous species, sawn, planed, tongued, grooved, etc","","Wood, non-coniferous species, sawn, planed, tongued, grooved, etc","",298.0 +786,"2511","Waste paper and paperboard, etc","4digit","Waste paper and paperboard, etc","","Waste paper and paperboard, etc","",299.0 +787,"2512","Mechanical wood pulp","4digit","Mechanical wood pulp","","Mechanical wood pulp","",299.0 +788,"2516","Chemical wood pulp, dissolving grades","4digit","Chemical wood pulp, dissolving grades","","Chemical wood pulp, dissolving grades","",299.0 +789,"2517","Chemical wood pulp, soda or sulphate","4digit","Chemical wood pulp, soda or sulphate","","Chemical wood pulp, soda or sulphate","",299.0 +790,"2518","Chemical wood pulp, sulphite","4digit","Chemical wood pulp, sulphite","","Chemical wood pulp, sulphite","",299.0 +791,"2519","Other cellulosic pulps","4digit","Other cellulosic pulps","","Other cellulosic pulps","",299.0 +792,"2613","Raw silk (not thrown)","4digit","Raw silk (not thrown)","","Raw silk (not thrown)","",300.0 +793,"2614","Silk worm cocoons and silk waste","4digit","Silk worm cocoons and silk waste","","Silk worm cocoons and silk waste","",300.0 +794,"2631","Raw cotton, excluding linters, not carded or combed","4digit","Raw cotton, excluding linters, not carded or combed","","Raw cotton, excluding linters, not carded or combed","",301.0 +795,"2632","Cotton linters","4digit","Cotton linters","","Cotton linters","",301.0 +796,"2633","Cotton waste, not carded or combed","4digit","Cotton waste, not carded or combed","","Cotton waste, not carded or combed","",301.0 +797,"2634","Cotton, carded or combed","4digit","Cotton, carded or combed","","Cotton, carded or combed","",301.0 +798,"2640","Jute, other textile bast fibres, nes, raw, processed but not spun","4digit","Jute, other textile bast fibres, nes, raw, processed but not spun","","Jute, other textile bast fibres, nes, raw, processed but not spun","",302.0 +799,"2651","Flax and ramie, flax tow, ramie noils, and waste","4digit","Flax and ramie, flax tow, ramie noils, and waste","","Flax and ramie, flax tow, ramie noils, and waste","",303.0 +800,"2652","True hemp, raw or processed but not spun, its tow and waste","4digit","True hemp, raw or processed but not spun, its tow and waste","","True hemp, raw or processed but not spun, its tow and waste","",303.0 +801,"2654","Sisal, agave fibres, raw or processed but not spun, and waste","4digit","Sisal, agave fibres, raw or processed but not spun, and waste","","Sisal, agave fibres, raw or processed but not spun, and waste","",303.0 +802,"2655","Manila hemp, raw or processed but not spun, its tow and waste","4digit","Manila hemp, raw or processed but not spun, its tow and waste","","Manila hemp, raw or processed but not spun, its tow and waste","",303.0 +803,"2659","Vegetable textile fibres, nes, and waste","4digit","Vegetable textile fibres, nes, and waste","","Vegetable textile fibres, nes, and waste","",303.0 +804,"2665","Discontinuous synthetic fibres, not carded or combed","4digit","Discontinuous synthetic fibres, not carded or combed","","Discontinuous synthetic fibres, not carded or combed","",304.0 +805,"2666","Continuous filament tow for synthetic (discontinuous) fibres","4digit","Continuous filament tow for synthetic (discontinuous) fibres","","Continuous filament tow for synthetic (discontinuous) fibres","",304.0 +806,"2667","Discontinuous synthetic fibres, carded or combed","4digit","Discontinuous synthetic fibres, carded or combed","","Discontinuous synthetic fibres, carded or combed","",304.0 +807,"2671","Regenerated fibre suitable for spinning","4digit","Regenerated fibre suitable for spinning","","Regenerated fibre suitable for spinning","",305.0 +808,"2672","Waste of man-made fibres, not carded or combed","4digit","Waste of man-made fibres, not carded or combed","","Waste of man-made fibres, not carded or combed","",305.0 +809,"2681","Wool greasy or fleece-washed of sheep or lambs","4digit","Wool greasy or fleece-washed of sheep or lambs","","Wool greasy or fleece-washed of sheep or lambs","",306.0 +810,"2682","Wool degreased, uncombed of sheep or lambs","4digit","Wool degreased, uncombed of sheep or lambs","","Wool degreased, uncombed of sheep or lambs","",306.0 +811,"2683","Fine animal hair, not carded or combed","4digit","Fine animal hair, not carded or combed","","Fine animal hair, not carded or combed","",306.0 +812,"2685","Horsehair and other coarse animal hair, not carded or combed","4digit","Horsehair and other coarse animal hair, not carded or combed","","Horsehair and other coarse animal hair, not carded or combed","",306.0 +813,"2686","Waste of sheep's or lambs' wool, or of other animal hair, nes","4digit","Waste of sheep's or lambs' wool, or of other animal hair, nes","","Waste of sheep's or lambs' wool, or of other animal hair, nes","",306.0 +814,"2687","Sheep's or lambs' wool, or of other animal hair, carded or combed","4digit","Sheep's or lambs' wool, or of other animal hair, carded or combed","","Sheep's or lambs' wool, or of other animal hair, carded or combed","",306.0 +815,"2690","Old clothing and other old textile articles; rags","4digit","Old clothing and other old textile articles; rags","","Old clothing and other old textile articles; rags","",307.0 +816,"2711","Animal or vegetable fertilizer, crude","4digit","Animal or vegetable fertilizer, crude","","Animal or vegetable fertilizer, crude","",308.0 +817,"2712","Natural sodium nitrate","4digit","Natural sodium nitrate","","Natural sodium nitrate","",308.0 +818,"2713","Natural calcium phosphates, natural aluminium, etc","4digit","Natural calcium phosphates, natural aluminium, etc","","Natural calcium phosphates, natural aluminium, etc","",308.0 +819,"2714","Potassium salts, natural, crude","4digit","Potassium salts, natural, crude","","Potassium salts, natural, crude","",308.0 +820,"2731","Building and monumental (dimension) stone, roughly squared, split","4digit","Building and monumental (dimension) stone, roughly squared, split","","Building and monumental (dimension) stone, roughly squared, split","",309.0 +821,"2732","Gypsum, plasters, limestone flux and calcareous stone","4digit","Gypsum, plasters, limestone flux and calcareous stone","","Gypsum, plasters, limestone flux and calcareous stone","",309.0 +822,"2733","Sands, excluding metal-bearing sands","4digit","Sands, excluding metal-bearing sands","","Sands, excluding metal-bearing sands","",309.0 +823,"2734","Pebbles, gravel, crushed or broken stone, etc","4digit","Pebbles, gravel, crushed or broken stone, etc","","Pebbles, gravel, crushed or broken stone, etc","",309.0 +824,"2741","Sulphur (other than sublimed, precipitated or colloidal)","4digit","Sulphur (other than sublimed, precipitated or colloidal)","","Sulphur (other than sublimed, precipitated or colloidal)","",310.0 +825,"2742","Iron pyrites, unroasted","4digit","Iron pyrites, unroasted","","Iron pyrites, unroasted","",310.0 +826,"2771","Industrial diamonds","4digit","Industrial diamonds","","Industrial diamonds","",311.0 +827,"2772","Other natural abrasives","4digit","Other natural abrasives","","Other natural abrasives","",311.0 +828,"2782","Clay and other refractory minerals, nes","4digit","Clay and other refractory minerals, nes","","Clay and other refractory minerals, nes","",312.0 +829,"2783","Common salt; pure sodium chloride; salt liquors; sea water","4digit","Common salt; pure sodium chloride; salt liquors; sea water","","Common salt; pure sodium chloride; salt liquors; sea water","",312.0 +830,"2784","Asbestos","4digit","Asbestos","","Asbestos","",312.0 +831,"2785","Quartz, mica, felspar, fluorspar, cryolite and chiolite","4digit","Quartz, mica, felspar, fluorspar, cryolite and chiolite","","Quartz, mica, felspar, fluorspar, cryolite and chiolite","",312.0 +832,"2786","Slag, scalings, dross and similar waste, nes","4digit","Slag, scalings, dross and similar waste, nes","","Slag, scalings, dross and similar waste, nes","",312.0 +833,"2789","Minerals, crude, nes","4digit","Minerals, crude, nes","","Minerals, crude, nes","",312.0 +834,"2814","Roasted iron pyrites","4digit","Roasted iron pyrites","","Roasted iron pyrites","",313.0 +835,"2815","Iron ore and concentrates, not agglomerated","4digit","Iron ore and concentrates, not agglomerated","","Iron ore and concentrates, not agglomerated","",313.0 +836,"2816","Iron ore agglomerates","4digit","Iron ore agglomerates","","Iron ore agglomerates","",313.0 +837,"2820","Waste and scrap metal of iron or steel","4digit","Waste and scrap metal of iron or steel","","Waste and scrap metal of iron or steel","",314.0 +838,"2860","Ores and concentrates of uranium and thorium","4digit","Ores and concentrates of uranium and thorium","","Ores and concentrates of uranium and thorium","",315.0 +839,"2871","Copper ore and concentrates; copper matte; cement copper","4digit","Copper ore and concentrates; copper matte; cement copper","","Copper ore and concentrates; copper matte; cement copper","",316.0 +840,"2872","Nickel ores and concentrates; nickel mattes, etc","4digit","Nickel ores and concentrates; nickel mattes, etc","","Nickel ores and concentrates; nickel mattes, etc","",316.0 +841,"2873","Aluminium ores and concentrates (including alumina)","4digit","Aluminium ores and concentrates (including alumina)","","Aluminium ores and concentrates (including alumina)","",316.0 +842,"2874","Lead ores and concentrates","4digit","Lead ores and concentrates","","Lead ores and concentrates","",316.0 +843,"2875","Zinc ores and concentrates","4digit","Zinc ores and concentrates","","Zinc ores and concentrates","",316.0 +844,"2876","Tin ores and concentrates","4digit","Tin ores and concentrates","","Tin ores and concentrates","",316.0 +845,"2877","Manganese ore and concentrates","4digit","Manganese ore and concentrates","","Manganese ore and concentrates","",316.0 +846,"2879","Ores and concentrates of other non-ferrous base metals","4digit","Ores and concentrates of other non-ferrous base metals","","Ores and concentrates of other non-ferrous base metals","",316.0 +847,"2881","Ash and residues, nes","4digit","Ash and residues, nes","","Ash and residues, nes","",317.0 +848,"2882","Other non-ferrous base metal waste and scrap, nes","4digit","Other non-ferrous base metal waste and scrap, nes","","Other non-ferrous base metal waste and scrap, nes","",317.0 +849,"2890","Ores and concentrates of precious metals, waste, scrap","4digit","Ores and concentrates of precious metals, waste, scrap","","Ores and concentrates of precious metals, waste, scrap","",318.0 +850,"2911","Bones, ivory, horns, coral, shells and similar products","4digit","Bones, ivory, horns, coral, shells and similar products","","Bones, ivory, horns, coral, shells and similar products","",319.0 +851,"2919","Other materials of animal origin, nes","4digit","Other materials of animal origin, nes","","Other materials of animal origin, nes","",319.0 +852,"2922","Natural gums, resins, lacs and balsams","4digit","Natural gums, resins, lacs and balsams","","Natural gums, resins, lacs and balsams","",320.0 +853,"2923","Vegetable plaiting materials","4digit","Vegetable plaiting materials","","Vegetable plaiting materials","",320.0 +854,"2924","Plants and parts of trees used in perfumery; in pharmacy; etc","4digit","Plants and parts of trees used in perfumery; in pharmacy; etc","","Plants and parts of trees used in perfumery; in pharmacy; etc","",320.0 +855,"2925","Seeds, fruits and spores, nes, for planting","4digit","Seeds, fruits and spores, nes, for planting","","Seeds, fruits and spores, nes, for planting","",320.0 +856,"2926","Live plants, bulbs, etc","4digit","Live plants, bulbs, etc","","Live plants, bulbs, etc","",320.0 +857,"2927","Cut flowers and foliage","4digit","Cut flowers and foliage","","Cut flowers and foliage","",320.0 +858,"2929","Other materials of vegetable origin, nes","4digit","Other materials of vegetable origin, nes","","Other materials of vegetable origin, nes","",320.0 +859,"3221","Anthracite, not agglomerated","4digit","Anthracite, not agglomerated","","Anthracite, not agglomerated","",321.0 +860,"3222","Other coal, not agglomerated","4digit","Other coal, not agglomerated","","Other coal, not agglomerated","",321.0 +861,"3223","Lignite, not agglomerated","4digit","Lignite, not agglomerated","","Lignite, not agglomerated","",321.0 +862,"3224","Peat, not agglomerated","4digit","Peat, not agglomerated","","Peat, not agglomerated","",321.0 +863,"3231","Briquettes, ovoids, from coal, lignite or peat","4digit","Briquettes, ovoids, from coal, lignite or peat","","Briquettes, ovoids, from coal, lignite or peat","",322.0 +864,"3232","Coke and semi-coke of coal, of lignite or peat; retort carbon","4digit","Coke and semi-coke of coal, of lignite or peat; retort carbon","","Coke and semi-coke of coal, of lignite or peat; retort carbon","",322.0 +865,"3330","Crude petroleum and oils obtained from bituminous materials","4digit","Crude petroleum and oils obtained from bituminous materials","","Crude petroleum and oils obtained from bituminous materials","",323.0 +866,"3341","Gasoline and other light oils","4digit","Gasoline and other light oils","","Gasoline and other light oils","",324.0 +867,"3342","Kerosene and other medium oils","4digit","Kerosene and other medium oils","","Kerosene and other medium oils","",324.0 +868,"3343","Gas oils","4digit","Gas oils","","Gas oils","",324.0 +869,"3344","Fuel oils, nes","4digit","Fuel oils, nes","","Fuel oils, nes","",324.0 +870,"3345","Lubricating petroleum oils, and preparations, nes","4digit","Lubricating petroleum oils, and preparations, nes","","Lubricating petroleum oils, and preparations, nes","",324.0 +871,"3351","Petroleum jelly and mineral waxes","4digit","Petroleum jelly and mineral waxes","","Petroleum jelly and mineral waxes","",325.0 +872,"3352","Mineral tars and products","4digit","Mineral tars and products","","Mineral tars and products","",325.0 +873,"3353","Mineral tar pitch, pitch coke","4digit","Mineral tar pitch, pitch coke","","Mineral tar pitch, pitch coke","",325.0 +874,"3354","Petroleum bitumen, petroleum coke and bituminous mixtures, nes","4digit","Petroleum bitumen, petroleum coke and bituminous mixtures, nes","","Petroleum bitumen, petroleum coke and bituminous mixtures, nes","",325.0 +875,"3413","Petroleum gases and other gaseous hydrocarbons, nes, liquefied","4digit","Petroleum gases and other gaseous hydrocarbons, nes, liquefied","","Petroleum gases and other gaseous hydrocarbons, nes, liquefied","",326.0 +876,"3414","Petroleum gases, nes, in gaseous state","4digit","Petroleum gases, nes, in gaseous state","","Petroleum gases, nes, in gaseous state","",326.0 +877,"3415","Coal gas, water gas and similar gases","4digit","Coal gas, water gas and similar gases","","Coal gas, water gas and similar gases","",326.0 +878,"3510","Electric current","4digit","Electric current","","Electric current","",327.0 +879,"4111","Fat and oils of fish and marine mammals","4digit","Fat and oils of fish and marine mammals","","Fat and oils of fish and marine mammals","",328.0 +880,"4113","Animals oils, fats and greases, nes","4digit","Animals oils, fats and greases, nes","","Animals oils, fats and greases, nes","",328.0 +881,"4232","Soya bean oil","4digit","Soya bean oil","","Soya bean oil","",329.0 +882,"4233","Cotton seed oil","4digit","Cotton seed oil","","Cotton seed oil","",329.0 +883,"4234","Groundnut (peanut) oil","4digit","Groundnut (peanut) oil","","Groundnut (peanut) oil","",329.0 +884,"4235","Olive oil","4digit","Olive oil","","Olive oil","",329.0 +885,"4236","Sunflower seed oil","4digit","Sunflower seed oil","","Sunflower seed oil","",329.0 +886,"4239","Other fixed vegetable oils, soft","4digit","Other fixed vegetable oils, soft","","Other fixed vegetable oils, soft","",329.0 +887,"4241","Linseed oil","4digit","Linseed oil","","Linseed oil","",330.0 +888,"4242","Palm oil","4digit","Palm oil","","Palm oil","",330.0 +889,"4243","Coconut (copra) oil","4digit","Coconut (copra) oil","","Coconut (copra) oil","",330.0 +890,"4244","Palm kernel oil","4digit","Palm kernel oil","","Palm kernel oil","",330.0 +891,"4245","Castor oil","4digit","Castor oil","","Castor oil","",330.0 +892,"4249","Fixed vegetable oils, nes","4digit","Fixed vegetable oils, nes","","Fixed vegetable oils, nes","",330.0 +893,"4311","Processed animal and vegetable oils","4digit","Processed animal and vegetable oils","","Processed animal and vegetable oils","",331.0 +894,"4312","Hydrogenated animal or vegetable oils and fats","4digit","Hydrogenated animal or vegetable oils and fats","","Hydrogenated animal or vegetable oils and fats","",331.0 +895,"4313","Fatty acids, acid oils, and residues; degras","4digit","Fatty acids, acid oils, and residues; degras","","Fatty acids, acid oils, and residues; degras","",331.0 +896,"4314","Waxes of animal or vegetable origin","4digit","Waxes of animal or vegetable origin","","Waxes of animal or vegetable origin","",331.0 +897,"5111","Acyclic hydrocarbons","4digit","Acyclic hydrocarbons","","Acyclic hydrocarbons","",332.0 +898,"5112","Cyclic hydrocarbons","4digit","Cyclic hydrocarbons","","Cyclic hydrocarbons","",332.0 +899,"5113","Halogenated derivatives of hydrocarbons","4digit","Halogenated derivatives of hydrocarbons","","Halogenated derivatives of hydrocarbons","",332.0 +900,"5114","Hydrocarbons derivatives, nonhaloganeted","4digit","Hydrocarbons derivatives, nonhaloganeted","","Hydrocarbons derivatives, nonhaloganeted","",332.0 +901,"5121","Acyclic alcohols, and their derivatives","4digit","Acyclic alcohols, and their derivatives","","Acyclic alcohols, and their derivatives","",333.0 +902,"5122","Cyclic alcohols, and their derivatives","4digit","Cyclic alcohols, and their derivatives","","Cyclic alcohols, and their derivatives","",333.0 +903,"5123","Phenols and phenol-alcohols, and their derivatives","4digit","Phenols and phenol-alcohols, and their derivatives","","Phenols and phenol-alcohols, and their derivatives","",333.0 +904,"5137","Monocarboxylic acids and their derivatives","4digit","Monocarboxylic acids and their derivatives","","Monocarboxylic acids and their derivatives","",334.0 +905,"5138","Polycarboxylic acids and their derivatives","4digit","Polycarboxylic acids and their derivatives","","Polycarboxylic acids and their derivatives","",334.0 +906,"5139","Oxygen-function acids, and their derivatives","4digit","Oxygen-function acids, and their derivatives","","Oxygen-function acids, and their derivatives","",334.0 +907,"5145","Amine-function compounds","4digit","Amine-function compounds","","Amine-function compounds","",335.0 +908,"5146","Oxygen-function amino-compounds","4digit","Oxygen-function amino-compounds","","Oxygen-function amino-compounds","",335.0 +909,"5147","Amide-function compounds; excluding urea","4digit","Amide-function compounds; excluding urea","","Amide-function compounds; excluding urea","",335.0 +910,"5148","Other nitrogen-function compounds","4digit","Other nitrogen-function compounds","","Other nitrogen-function compounds","",335.0 +911,"5154","Organo-sulphur compounds","4digit","Organo-sulphur compounds","","Organo-sulphur compounds","",336.0 +912,"5155","Other organo-inorganic compounds","4digit","Other organo-inorganic compounds","","Other organo-inorganic compounds","",336.0 +913,"5156","Heterocyclic compound; nucleic acids","4digit","Heterocyclic compound; nucleic acids","","Heterocyclic compound; nucleic acids","",336.0 +914,"5157","Sulphonamides, sultones and sultams","4digit","Sulphonamides, sultones and sultams","","Sulphonamides, sultones and sultams","",336.0 +915,"5161","Ethers, epoxides, acetals","4digit","Ethers, epoxides, acetals","","Ethers, epoxides, acetals","",337.0 +916,"5162","Aldehyde, ketone and quinone-function compounds","4digit","Aldehyde, ketone and quinone-function compounds","","Aldehyde, ketone and quinone-function compounds","",337.0 +917,"5163","Inorganic esters, their salts and derivatives","4digit","Inorganic esters, their salts and derivatives","","Inorganic esters, their salts and derivatives","",337.0 +918,"5169","Organic chemicals, nes","4digit","Organic chemicals, nes","","Organic chemicals, nes","",337.0 +919,"5221","Chemical elements","4digit","Chemical elements","","Chemical elements","",338.0 +920,"5222","Inorganic acids and oxygen compounds of non-metals","4digit","Inorganic acids and oxygen compounds of non-metals","","Inorganic acids and oxygen compounds of non-metals","",338.0 +921,"5223","Halogen and sulphur compounds of non-metals","4digit","Halogen and sulphur compounds of non-metals","","Halogen and sulphur compounds of non-metals","",338.0 +922,"5224","Metallic oxides of zinc, iron, lead, chromium etc","4digit","Metallic oxides of zinc, iron, lead, chromium etc","","Metallic oxides of zinc, iron, lead, chromium etc","",338.0 +923,"5225","Inorganic bases and metallic oxides, hydroxides and peroxides","4digit","Inorganic bases and metallic oxides, hydroxides and peroxides","","Inorganic bases and metallic oxides, hydroxides and peroxides","",338.0 +924,"5231","Metallic salts and peroxysalts of inorganic acids","4digit","Metallic salts and peroxysalts of inorganic acids","","Metallic salts and peroxysalts of inorganic acids","",339.0 +925,"5232","Metallic salts and peroxysalts of inorganic acids","4digit","Metallic salts and peroxysalts of inorganic acids","","Metallic salts and peroxysalts of inorganic acids","",339.0 +926,"5233","Salts of metallic acids; compounds of precious metals","4digit","Salts of metallic acids; compounds of precious metals","","Salts of metallic acids; compounds of precious metals","",339.0 +927,"5239","Inorganic chemical products, nes","4digit","Inorganic chemical products, nes","","Inorganic chemical products, nes","",339.0 +928,"5241","Radio-active chemical elements, isotopes etc","4digit","Radio-active chemical elements, isotopes etc","","Radio-active chemical elements, isotopes etc","",340.0 +929,"5249","Other radio-active and associated materials","4digit","Other radio-active and associated materials","","Other radio-active and associated materials","",340.0 +930,"5311","Synthetic organic dyestuffs, etc, natural indigo and colour lakes","4digit","Synthetic organic dyestuffs, etc, natural indigo and colour lakes","","Synthetic organic dyestuffs, etc, natural indigo and colour lakes","",341.0 +931,"5312","Synthetic organic luminophores, indigo, lakes","4digit","Synthetic organic luminophores, indigo, lakes","","Synthetic organic luminophores, indigo, lakes","",341.0 +932,"5322","Dyeing, tanning extracts, tannins and their derivatives","4digit","Dyeing, tanning extracts, tannins and their derivatives","","Dyeing, tanning extracts, tannins and their derivatives","",342.0 +933,"5323","Synthetic tanning substances; tanning preparations","4digit","Synthetic tanning substances; tanning preparations","","Synthetic tanning substances; tanning preparations","",342.0 +934,"5331","Other colouring matter; inorganic products use as luminophores","4digit","Other colouring matter; inorganic products use as luminophores","","Other colouring matter; inorganic products use as luminophores","",343.0 +935,"5332","Printing inks","4digit","Printing inks","","Printing inks","",343.0 +936,"5334","Varnishes and lacquers; distempers etc","4digit","Varnishes and lacquers; distempers etc","","Varnishes and lacquers; distempers etc","",343.0 +937,"5335","Glazes, driers, putty etc","4digit","Glazes, driers, putty etc","","Glazes, driers, putty etc","",343.0 +938,"5411","Provitamins and vitamins","4digit","Provitamins and vitamins","","Provitamins and vitamins","",344.0 +939,"5413","Antibiotics, not put up as medicaments","4digit","Antibiotics, not put up as medicaments","","Antibiotics, not put up as medicaments","",344.0 +940,"5414","Vegetable alkaloids and derivatives, not put up as medicaments","4digit","Vegetable alkaloids and derivatives, not put up as medicaments","","Vegetable alkaloids and derivatives, not put up as medicaments","",344.0 +941,"5415","Hormones, natural, or reproduce by synthesis, in bulk","4digit","Hormones, natural, or reproduce by synthesis, in bulk","","Hormones, natural, or reproduce by synthesis, in bulk","",344.0 +942,"5416","Glycosides, glands, antisera, vaccines and similar products","4digit","Glycosides, glands, antisera, vaccines and similar products","","Glycosides, glands, antisera, vaccines and similar products","",344.0 +943,"5417","Medicaments (including veterinary medicaments)","4digit","Medicaments (including veterinary medicaments)","","Medicaments (including veterinary medicaments)","",344.0 +944,"5419","Pharmaceutical goods, other than medicaments","4digit","Pharmaceutical goods, other than medicaments","","Pharmaceutical goods, other than medicaments","",344.0 +945,"5513","Essential oil, resinoid, etc","4digit","Essential oil, resinoid, etc","","Essential oil, resinoid, etc","",345.0 +946,"5514","Mixtures of odoriferous substances, used in perfumery, food etc","4digit","Mixtures of odoriferous substances, used in perfumery, food etc","","Mixtures of odoriferous substances, used in perfumery, food etc","",345.0 +947,"5530","Perfumery, cosmetics, toilet preparations, etc","4digit","Perfumery, cosmetics, toilet preparations, etc","","Perfumery, cosmetics, toilet preparations, etc","",346.0 +948,"5541","Soaps, organic products and preparations for use as soap","4digit","Soaps, organic products and preparations for use as soap","","Soaps, organic products and preparations for use as soap","",347.0 +949,"5542","Organic surface-active agents, nes","4digit","Organic surface-active agents, nes","","Organic surface-active agents, nes","",347.0 +950,"5543","Polishes and creams, for furniture, floors, footwear, metals etc","4digit","Polishes and creams, for furniture, floors, footwear, metals etc","","Polishes and creams, for furniture, floors, footwear, metals etc","",347.0 +951,"5621","Mineral or chemical fertilizers, nitrogenous","4digit","Mineral or chemical fertilizers, nitrogenous","","Mineral or chemical fertilizers, nitrogenous","",348.0 +952,"5622","Mineral or chemical fertilizers, phosphatic","4digit","Mineral or chemical fertilizers, phosphatic","","Mineral or chemical fertilizers, phosphatic","",348.0 +953,"5623","Mineral or chemical fertilizer, potassic","4digit","Mineral or chemical fertilizer, potassic","","Mineral or chemical fertilizer, potassic","",348.0 +954,"5629","Fertilizers, nes","4digit","Fertilizers, nes","","Fertilizers, nes","",348.0 +955,"5721","Propellent powders and other prepared explosives","4digit","Propellent powders and other prepared explosives","","Propellent powders and other prepared explosives","",349.0 +956,"5722","Fuses, caps, igniters, detonators","4digit","Fuses, caps, igniters, detonators","","Fuses, caps, igniters, detonators","",349.0 +957,"5723","Pyrotechnic articles","4digit","Pyrotechnic articles","","Pyrotechnic articles","",349.0 +958,"5821","Phenoplasts","4digit","Phenoplasts","","Phenoplasts","",350.0 +959,"5822","Aminoplasts","4digit","Aminoplasts","","Aminoplasts","",350.0 +960,"5823","Alkyds and other polyesters","4digit","Alkyds and other polyesters","","Alkyds and other polyesters","",350.0 +961,"5824","Polyamides","4digit","Polyamides","","Polyamides","",350.0 +962,"5825","Polyurethanes","4digit","Polyurethanes","","Polyurethanes","",350.0 +963,"5826","Epoxide resins","4digit","Epoxide resins","","Epoxide resins","",350.0 +964,"5827","Silicones","4digit","Silicones","","Silicones","",350.0 +965,"5828","Ion exchangers of the condensation, polycondensation etc","4digit","Ion exchangers of the condensation, polycondensation etc","","Ion exchangers of the condensation, polycondensation etc","",350.0 +966,"5829","Other condensation, polycodensation or polyaddition products","4digit","Other condensation, polycodensation or polyaddition products","","Other condensation, polycodensation or polyaddition products","",350.0 +967,"5831","Polyethylene","4digit","Polyethylene","","Polyethylene","",351.0 +968,"5832","Polypropylene","4digit","Polypropylene","","Polypropylene","",351.0 +969,"5833","Polystyrene and its copolymers","4digit","Polystyrene and its copolymers","","Polystyrene and its copolymers","",351.0 +970,"5834","Polyvinyl chloride","4digit","Polyvinyl chloride","","Polyvinyl chloride","",351.0 +971,"5835","Copolymers of vinyl chloride and vinyl acetate","4digit","Copolymers of vinyl chloride and vinyl acetate","","Copolymers of vinyl chloride and vinyl acetate","",351.0 +972,"5836","Acrylic and methaacrylic polymers; acrylo-methacrylic copolymers","4digit","Acrylic and methaacrylic polymers; acrylo-methacrylic copolymers","","Acrylic and methaacrylic polymers; acrylo-methacrylic copolymers","",351.0 +973,"5837","Polyvinyl acetate","4digit","Polyvinyl acetate","","Polyvinyl acetate","",351.0 +974,"5838","Ion exchangers of the polymerization or copolymerization type","4digit","Ion exchangers of the polymerization or copolymerization type","","Ion exchangers of the polymerization or copolymerization type","",351.0 +975,"5839","Other polymerization and copolymarization products","4digit","Other polymerization and copolymarization products","","Other polymerization and copolymarization products","",351.0 +976,"5841","Regenerated cellulose","4digit","Regenerated cellulose","","Regenerated cellulose","",352.0 +977,"5842","Cellulose nitrates","4digit","Cellulose nitrates","","Cellulose nitrates","",352.0 +978,"5843","Cellulose acetates","4digit","Cellulose acetates","","Cellulose acetates","",352.0 +979,"5849","Other chemical derivatives of cellulose; vulcanized fibre","4digit","Other chemical derivatives of cellulose; vulcanized fibre","","Other chemical derivatives of cellulose; vulcanized fibre","",352.0 +980,"5851","Modified natural resins etc; derivatives of natural rubber","4digit","Modified natural resins etc; derivatives of natural rubber","","Modified natural resins etc; derivatives of natural rubber","",353.0 +981,"5852","Other artificial plastic materials, nes","4digit","Other artificial plastic materials, nes","","Other artificial plastic materials, nes","",353.0 +982,"5911","Insecticides, for sale by retail or as preparations","4digit","Insecticides, for sale by retail or as preparations","","Insecticides, for sale by retail or as preparations","",354.0 +983,"5912","Fungicides, for sale by retail or as preparation","4digit","Fungicides, for sale by retail or as preparation","","Fungicides, for sale by retail or as preparation","",354.0 +984,"5913","Herbicides, for sale by retail or as preparation","4digit","Herbicides, for sale by retail or as preparation","","Herbicides, for sale by retail or as preparation","",354.0 +985,"5914","Disinfectants, etc, for sale by retail or as preparation","4digit","Disinfectants, etc, for sale by retail or as preparation","","Disinfectants, etc, for sale by retail or as preparation","",354.0 +986,"5921","Starches, insulin and wheat gluten","4digit","Starches, insulin and wheat gluten","","Starches, insulin and wheat gluten","",355.0 +987,"5922","Albuminoid substances; glues","4digit","Albuminoid substances; glues","","Albuminoid substances; glues","",355.0 +988,"5981","Woods and resin-based chemical products","4digit","Woods and resin-based chemical products","","Woods and resin-based chemical products","",356.0 +989,"5982","Anti-knock preparation, anti-corrosive; viscosity improvers; etc","4digit","Anti-knock preparation, anti-corrosive; viscosity improvers; etc","","Anti-knock preparation, anti-corrosive; viscosity improvers; etc","",356.0 +990,"5983","Organic chemical products, nes","4digit","Organic chemical products, nes","","Organic chemical products, nes","",356.0 +991,"5989","Chemical products and preparations, nes","4digit","Chemical products and preparations, nes","","Chemical products and preparations, nes","",356.0 +992,"6112","Composition leather, in slabs, sheets or rolls","4digit","Composition leather, in slabs, sheets or rolls","","Composition leather, in slabs, sheets or rolls","",357.0 +993,"6113","Calf leather","4digit","Calf leather","","Calf leather","",357.0 +994,"6114","Leather of other bovine cattle and equine leather","4digit","Leather of other bovine cattle and equine leather","","Leather of other bovine cattle and equine leather","",357.0 +995,"6115","Sheep and lamb skin leather","4digit","Sheep and lamb skin leather","","Sheep and lamb skin leather","",357.0 +996,"6116","Leather of other hides or skins","4digit","Leather of other hides or skins","","Leather of other hides or skins","",357.0 +997,"6118","Leather, specially dressed or finished, nes","4digit","Leather, specially dressed or finished, nes","","Leather, specially dressed or finished, nes","",357.0 +998,"6121","Articles of leather use in machinery or mechanical appliances, etc","4digit","Articles of leather use in machinery or mechanical appliances, etc","","Articles of leather use in machinery or mechanical appliances, etc","",358.0 +999,"6122","Saddlery and harness, of any material, for any kind of animal","4digit","Saddlery and harness, of any material, for any kind of animal","","Saddlery and harness, of any material, for any kind of animal","",358.0 +1000,"6123","Parts of footwear of any material except metal and asbestos","4digit","Parts of footwear of any material except metal and asbestos","","Parts of footwear of any material except metal and asbestos","",358.0 +1001,"6129","Other articles of leather or of composition leather","4digit","Other articles of leather or of composition leather","","Other articles of leather or of composition leather","",358.0 +1002,"6130","Furskins, tanned or dressed; pieces of furskin, tanned or dressed","4digit","Furskins, tanned or dressed; pieces of furskin, tanned or dressed","","Furskins, tanned or dressed; pieces of furskin, tanned or dressed","",359.0 +1003,"6210","Materials of rubber","4digit","Materials of rubber","","Materials of rubber","",360.0 +1004,"6251","Tires, pneumatic, new, for motor cars","4digit","Tires, pneumatic, new, for motor cars","","Tires, pneumatic, new, for motor cars","",361.0 +1005,"6252","Tires, pneumatic, new, for buses and lorries","4digit","Tires, pneumatic, new, for buses and lorries","","Tires, pneumatic, new, for buses and lorries","",361.0 +1006,"6253","Tires, pneumatic, new, for aircraft","4digit","Tires, pneumatic, new, for aircraft","","Tires, pneumatic, new, for aircraft","",361.0 +1007,"6254","Tires, pneumatic, new, for motorcycles and bicycles","4digit","Tires, pneumatic, new, for motorcycles and bicycles","","Tires, pneumatic, new, for motorcycles and bicycles","",361.0 +1008,"6259","Other tires, tire cases, tire flaps and inner tubes, etc","4digit","Other tires, tire cases, tire flaps and inner tubes, etc","","Other tires, tire cases, tire flaps and inner tubes, etc","",361.0 +1009,"6281","Hygienic, pharmaceutical articles of unhardened vulcanized rubber","4digit","Hygienic, pharmaceutical articles of unhardened vulcanized rubber","","Hygienic, pharmaceutical articles of unhardened vulcanized rubber","",362.0 +1010,"6282","Transmission, conveyor or elevator belts, of vulcanized rubber","4digit","Transmission, conveyor or elevator belts, of vulcanized rubber","","Transmission, conveyor or elevator belts, of vulcanized rubber","",362.0 +1011,"6289","Other articles of rubber, nes","4digit","Other articles of rubber, nes","","Other articles of rubber, nes","",362.0 +1012,"6330","Cork manufactures","4digit","Cork manufactures","","Cork manufactures","",363.0 +1013,"6341","Wood sawn lengthwise, veneer sheets etc, up to 5 mm in thickness","4digit","Wood sawn lengthwise, veneer sheets etc, up to 5 mm in thickness","","Wood sawn lengthwise, veneer sheets etc, up to 5 mm in thickness","",364.0 +1014,"6342","Plywood consisting solely of sheets of wood","4digit","Plywood consisting solely of sheets of wood","","Plywood consisting solely of sheets of wood","",364.0 +1015,"6343","Improved wood and reconstituted wood","4digit","Improved wood and reconstituted wood","","Improved wood and reconstituted wood","",364.0 +1016,"6344","Wood-based panels, nes","4digit","Wood-based panels, nes","","Wood-based panels, nes","",364.0 +1017,"6349","Wood, simply shaped, nes","4digit","Wood, simply shaped, nes","","Wood, simply shaped, nes","",364.0 +1018,"6351","Wood packing cases, boxes, cases, crates, etc, complete","4digit","Wood packing cases, boxes, cases, crates, etc, complete","","Wood packing cases, boxes, cases, crates, etc, complete","",365.0 +1019,"6352","Casks, barrels; other coopers products and parts, including staves","4digit","Casks, barrels; other coopers products and parts, including staves","","Casks, barrels; other coopers products and parts, including staves","",365.0 +1020,"6353","Builders` carpentry and joinery (including prefabricated)","4digit","Builders` carpentry and joinery (including prefabricated)","","Builders` carpentry and joinery (including prefabricated)","",365.0 +1021,"6354","Manufactures of wood for domestic or decorative use","4digit","Manufactures of wood for domestic or decorative use","","Manufactures of wood for domestic or decorative use","",365.0 +1022,"6359","Manufactured articles of wood, nes","4digit","Manufactured articles of wood, nes","","Manufactured articles of wood, nes","",365.0 +1023,"6411","Newsprint","4digit","Newsprint","","Newsprint","",366.0 +1024,"6412","Printing paper and writing paper, in rolls or sheets","4digit","Printing paper and writing paper, in rolls or sheets","","Printing paper and writing paper, in rolls or sheets","",366.0 +1025,"6413","Kraft paper and paperboard, in rolls or sheets","4digit","Kraft paper and paperboard, in rolls or sheets","","Kraft paper and paperboard, in rolls or sheets","",366.0 +1026,"6415","Paper and paperboard, in rolls or sheets, nes","4digit","Paper and paperboard, in rolls or sheets, nes","","Paper and paperboard, in rolls or sheets, nes","",366.0 +1027,"6416","Fibre building board of wood or other vegetable material","4digit","Fibre building board of wood or other vegetable material","","Fibre building board of wood or other vegetable material","",366.0 +1028,"6417","Paper and paperboard, creped, crinkled, etc, in rolls or sheets","4digit","Paper and paperboard, creped, crinkled, etc, in rolls or sheets","","Paper and paperboard, creped, crinkled, etc, in rolls or sheets","",366.0 +1029,"6418","Paper and paperboard, coated, impregnated, etc, in rolls or sheets","4digit","Paper and paperboard, coated, impregnated, etc, in rolls or sheets","","Paper and paperboard, coated, impregnated, etc, in rolls or sheets","",366.0 +1030,"6419","Converted paper and paperboard, nes","4digit","Converted paper and paperboard, nes","","Converted paper and paperboard, nes","",366.0 +1031,"6421","Packing containers, box files, etc, of paper, used in offices","4digit","Packing containers, box files, etc, of paper, used in offices","","Packing containers, box files, etc, of paper, used in offices","",367.0 +1032,"6422","Correspondence stationary","4digit","Correspondence stationary","","Correspondence stationary","",367.0 +1033,"6423","Registers, exercise books, file and book covers, etc, of paper","4digit","Registers, exercise books, file and book covers, etc, of paper","","Registers, exercise books, file and book covers, etc, of paper","",367.0 +1034,"6424","Paper and paperboard cut to size or shape, nes","4digit","Paper and paperboard cut to size or shape, nes","","Paper and paperboard cut to size or shape, nes","",367.0 +1035,"6428","Articles of paper pulp, paper, paperboard or cellulose wadding, nes","4digit","Articles of paper pulp, paper, paperboard or cellulose wadding, nes","","Articles of paper pulp, paper, paperboard or cellulose wadding, nes","",367.0 +1036,"6511","Silk yarn and spun from noil or waste; silkworm gut","4digit","Silk yarn and spun from noil or waste; silkworm gut","","Silk yarn and spun from noil or waste; silkworm gut","",368.0 +1037,"6512","Yarn of wool or animal hair (including wool tops)","4digit","Yarn of wool or animal hair (including wool tops)","","Yarn of wool or animal hair (including wool tops)","",368.0 +1038,"6513","Cotton yarn","4digit","Cotton yarn","","Cotton yarn","",368.0 +1039,"6514","Yarn 85% of synthetic fibres, not for retail; monofil, strip, etc","4digit","Yarn 85% of synthetic fibres, not for retail; monofil, strip, etc","","Yarn 85% of synthetic fibres, not for retail; monofil, strip, etc","",368.0 +1040,"6515","Yarn containing 85% or more of synthetic fibres, put up for retail","4digit","Yarn containing 85% or more of synthetic fibres, put up for retail","","Yarn containing 85% or more of synthetic fibres, put up for retail","",368.0 +1041,"6516","Yarn containing less than 85% of discontinuous synthetic fibres","4digit","Yarn containing less than 85% of discontinuous synthetic fibres","","Yarn containing less than 85% of discontinuous synthetic fibres","",368.0 +1042,"6517","Yarn of regenerated fibres, not for retail, monofil, strip, etc","4digit","Yarn of regenerated fibres, not for retail, monofil, strip, etc","","Yarn of regenerated fibres, not for retail, monofil, strip, etc","",368.0 +1043,"6518","Yarn of regenerated fibres, put up for retail sale","4digit","Yarn of regenerated fibres, put up for retail sale","","Yarn of regenerated fibres, put up for retail sale","",368.0 +1044,"6519","Yarn of textile fibres, nes","4digit","Yarn of textile fibres, nes","","Yarn of textile fibres, nes","",368.0 +1045,"6521","Cotton fabrics, woven, unbleached, not mercerized","4digit","Cotton fabrics, woven, unbleached, not mercerized","","Cotton fabrics, woven, unbleached, not mercerized","",369.0 +1046,"6522","Cotton fabrics, woven, bleached, dyed, etc, or otherwise finished","4digit","Cotton fabrics, woven, bleached, dyed, etc, or otherwise finished","","Cotton fabrics, woven, bleached, dyed, etc, or otherwise finished","",369.0 +1047,"6531","Fabrics, woven, of continuous synthetic textile materials","4digit","Fabrics, woven, of continuous synthetic textile materials","","Fabrics, woven, of continuous synthetic textile materials","",370.0 +1048,"6532","Fabrics, woven, 85% plus of discontinuous synthetic fibres","4digit","Fabrics, woven, 85% plus of discontinuous synthetic fibres","","Fabrics, woven, 85% plus of discontinuous synthetic fibres","",370.0 +1049,"6534","Fabrics, woven, less 85% of discontinuous synthetic fibres","4digit","Fabrics, woven, less 85% of discontinuous synthetic fibres","","Fabrics, woven, less 85% of discontinuous synthetic fibres","",370.0 +1050,"6535","Fabric, woven of continuous regenerated textile materials","4digit","Fabric, woven of continuous regenerated textile materials","","Fabric, woven of continuous regenerated textile materials","",370.0 +1051,"6536","Fabrics, woven, 85% plus of discontinuous regenerated fibres","4digit","Fabrics, woven, 85% plus of discontinuous regenerated fibres","","Fabrics, woven, 85% plus of discontinuous regenerated fibres","",370.0 +1052,"6538","Fabrics, woven, less 85% of discontinuous regenerated fibres","4digit","Fabrics, woven, less 85% of discontinuous regenerated fibres","","Fabrics, woven, less 85% of discontinuous regenerated fibres","",370.0 +1053,"6539","Pile and chenille fabrics, woven, of man-made fibres","4digit","Pile and chenille fabrics, woven, of man-made fibres","","Pile and chenille fabrics, woven, of man-made fibres","",370.0 +1054,"6541","Fabrics, woven, of silk, of noil or other waste silk","4digit","Fabrics, woven, of silk, of noil or other waste silk","","Fabrics, woven, of silk, of noil or other waste silk","",371.0 +1055,"6542","Fabrics, woven, 85% plus of sheep's or lambs' wool or of fine hair","4digit","Fabrics, woven, 85% plus of sheep's or lambs' wool or of fine hair","","Fabrics, woven, 85% plus of sheep's or lambs' wool or of fine hair","",371.0 +1056,"6543","Fabrics, woven, of sheep's or lambs' wool or of fine hair, nes","4digit","Fabrics, woven, of sheep's or lambs' wool or of fine hair, nes","","Fabrics, woven, of sheep's or lambs' wool or of fine hair, nes","",371.0 +1057,"6544","Fabrics, woven, of flax or of ramie","4digit","Fabrics, woven, of flax or of ramie","","Fabrics, woven, of flax or of ramie","",371.0 +1058,"6545","Fabrics, woven of jute or other textile bast fibres of heading 2640","4digit","Fabrics, woven of jute or other textile bast fibres of heading 2640","","Fabrics, woven of jute or other textile bast fibres of heading 2640","",371.0 +1059,"6546","Fabrics of glass fibre (including narrow, pile fabrics, lace, etc)","4digit","Fabrics of glass fibre (including narrow, pile fabrics, lace, etc)","","Fabrics of glass fibre (including narrow, pile fabrics, lace, etc)","",371.0 +1060,"6549","Fabrics, woven, nes","4digit","Fabrics, woven, nes","","Fabrics, woven, nes","",371.0 +1061,"6551","Knitted etc, not elastic nor rubberized, of synthetic fibres","4digit","Knitted etc, not elastic nor rubberized, of synthetic fibres","","Knitted etc, not elastic nor rubberized, of synthetic fibres","",372.0 +1062,"6552","Knitted, not elastic nor rubberized, of fibres other than synthetic","4digit","Knitted, not elastic nor rubberized, of fibres other than synthetic","","Knitted, not elastic nor rubberized, of fibres other than synthetic","",372.0 +1063,"6553","Knitted or crocheted fabrics, elastic or rubberized","4digit","Knitted or crocheted fabrics, elastic or rubberized","","Knitted or crocheted fabrics, elastic or rubberized","",372.0 +1064,"6560","Tulle, lace, embroidery, ribbons, trimmings and other small wares","4digit","Tulle, lace, embroidery, ribbons, trimmings and other small wares","","Tulle, lace, embroidery, ribbons, trimmings and other small wares","",373.0 +1065,"6571","Felt, articles of felt, nes, whether or not impregnated or coated","4digit","Felt, articles of felt, nes, whether or not impregnated or coated","","Felt, articles of felt, nes, whether or not impregnated or coated","",374.0 +1066,"6572","Bonded fibre fabrics, etc, whether or not impregnated or coated","4digit","Bonded fibre fabrics, etc, whether or not impregnated or coated","","Bonded fibre fabrics, etc, whether or not impregnated or coated","",374.0 +1067,"6573","Coated or impregnated textile fabrics and products, nes","4digit","Coated or impregnated textile fabrics and products, nes","","Coated or impregnated textile fabrics and products, nes","",374.0 +1068,"6574","Elastic fabrics and trimming (not knitted or crocheted)","4digit","Elastic fabrics and trimming (not knitted or crocheted)","","Elastic fabrics and trimming (not knitted or crocheted)","",374.0 +1069,"6575","Twine, cordage, ropes and cables and manufactures thereof","4digit","Twine, cordage, ropes and cables and manufactures thereof","","Twine, cordage, ropes and cables and manufactures thereof","",374.0 +1070,"6576","Hat shapes, hat-forms, hat bodies and hoods","4digit","Hat shapes, hat-forms, hat bodies and hoods","","Hat shapes, hat-forms, hat bodies and hoods","",374.0 +1071,"6577","Wadding, wicks and textiles fabrics for use in machinery or plant","4digit","Wadding, wicks and textiles fabrics for use in machinery or plant","","Wadding, wicks and textiles fabrics for use in machinery or plant","",374.0 +1072,"6579","Special products of textile materials","4digit","Special products of textile materials","","Special products of textile materials","",374.0 +1073,"6581","Bags, sacks of textile materials, for the packing of goods","4digit","Bags, sacks of textile materials, for the packing of goods","","Bags, sacks of textile materials, for the packing of goods","",375.0 +1074,"6582","Tarpaulins, sails, tents, camping goods, etc, of textile fabrics","4digit","Tarpaulins, sails, tents, camping goods, etc, of textile fabrics","","Tarpaulins, sails, tents, camping goods, etc, of textile fabrics","",375.0 +1075,"6583","Travelling rugs, blankets (non electric), not knitted or crocheted","4digit","Travelling rugs, blankets (non electric), not knitted or crocheted","","Travelling rugs, blankets (non electric), not knitted or crocheted","",375.0 +1076,"6584","Linens and furnishing articles of textile, not knitted or crocheted","4digit","Linens and furnishing articles of textile, not knitted or crocheted","","Linens and furnishing articles of textile, not knitted or crocheted","",375.0 +1077,"6589","Other made-up articles of textile materials, nes","4digit","Other made-up articles of textile materials, nes","","Other made-up articles of textile materials, nes","",375.0 +1078,"6591","Linoleum and similar floor covering","4digit","Linoleum and similar floor covering","","Linoleum and similar floor covering","",376.0 +1079,"6592","Carpets, carpeting and rugs, knotted","4digit","Carpets, carpeting and rugs, knotted","","Carpets, carpeting and rugs, knotted","",376.0 +1080,"6593","Kelem, Schumacks and Karamanie rugs and the like","4digit","Kelem, Schumacks and Karamanie rugs and the like","","Kelem, Schumacks and Karamanie rugs and the like","",376.0 +1081,"6594","Carpets, rugs, mats, of wool or fine animal hair","4digit","Carpets, rugs, mats, of wool or fine animal hair","","Carpets, rugs, mats, of wool or fine animal hair","",376.0 +1082,"6595","Carpets, rugs, mats, of man-made textile materials, nes","4digit","Carpets, rugs, mats, of man-made textile materials, nes","","Carpets, rugs, mats, of man-made textile materials, nes","",376.0 +1083,"6596","Carpets, rugs, mats, of other textile materials, nes","4digit","Carpets, rugs, mats, of other textile materials, nes","","Carpets, rugs, mats, of other textile materials, nes","",376.0 +1084,"6597","Plaits, plaited products for all uses; straw envelopes for bottles","4digit","Plaits, plaited products for all uses; straw envelopes for bottles","","Plaits, plaited products for all uses; straw envelopes for bottles","",376.0 +1085,"6611","Lime, quick, slaked and hydraulic (no calcium oxide or hydroxide)","4digit","Lime, quick, slaked and hydraulic (no calcium oxide or hydroxide)","","Lime, quick, slaked and hydraulic (no calcium oxide or hydroxide)","",377.0 +1086,"6612","Cement","4digit","Cement","","Cement","",377.0 +1087,"6613","Building and monumental stone, worked, and articles thereof","4digit","Building and monumental stone, worked, and articles thereof","","Building and monumental stone, worked, and articles thereof","",377.0 +1088,"6618","Construction materials, of asbestos-cement or fibre-cements, etc","4digit","Construction materials, of asbestos-cement or fibre-cements, etc","","Construction materials, of asbestos-cement or fibre-cements, etc","",377.0 +1089,"6623","Refractory bricks and other refractory construction materials","4digit","Refractory bricks and other refractory construction materials","","Refractory bricks and other refractory construction materials","",378.0 +1090,"6624","Non-refractory ceramic bricks, tiles, pipes and similar products","4digit","Non-refractory ceramic bricks, tiles, pipes and similar products","","Non-refractory ceramic bricks, tiles, pipes and similar products","",378.0 +1091,"6631","Hand polishing stone, grindstones, grinding wheels, etc","4digit","Hand polishing stone, grindstones, grinding wheels, etc","","Hand polishing stone, grindstones, grinding wheels, etc","",379.0 +1092,"6632","Abrasive power or grain, on a base of woven fabrics","4digit","Abrasive power or grain, on a base of woven fabrics","","Abrasive power or grain, on a base of woven fabrics","",379.0 +1093,"6633","Manufactures of mineral materials, nes (other than ceramic)","4digit","Manufactures of mineral materials, nes (other than ceramic)","","Manufactures of mineral materials, nes (other than ceramic)","",379.0 +1094,"6635","Wool; expanding or insulating mineral materials, nes","4digit","Wool; expanding or insulating mineral materials, nes","","Wool; expanding or insulating mineral materials, nes","",379.0 +1095,"6637","Refractory goods, nes","4digit","Refractory goods, nes","","Refractory goods, nes","",379.0 +1096,"6638","Manufactures of asbestos; friction materials","4digit","Manufactures of asbestos; friction materials","","Manufactures of asbestos; friction materials","",379.0 +1097,"6639","Articles of ceramic materials, nes","4digit","Articles of ceramic materials, nes","","Articles of ceramic materials, nes","",379.0 +1098,"6641","Glass in the mass, in balls, rods or tubes (nonoptical); waste","4digit","Glass in the mass, in balls, rods or tubes (nonoptical); waste","","Glass in the mass, in balls, rods or tubes (nonoptical); waste","",380.0 +1099,"6642","Optical glass and elements of optical glass (unworked)","4digit","Optical glass and elements of optical glass (unworked)","","Optical glass and elements of optical glass (unworked)","",380.0 +1100,"6643","Drawn or blown glass (flashed glass), unworked, in rectangles","4digit","Drawn or blown glass (flashed glass), unworked, in rectangles","","Drawn or blown glass (flashed glass), unworked, in rectangles","",380.0 +1101,"6644","Glass, cast, rolled, etc, surface-ground, but no further worked","4digit","Glass, cast, rolled, etc, surface-ground, but no further worked","","Glass, cast, rolled, etc, surface-ground, but no further worked","",380.0 +1102,"6645","Cast, rolled glass (flashed or wired), unworked, in rectangles","4digit","Cast, rolled glass (flashed or wired), unworked, in rectangles","","Cast, rolled glass (flashed or wired), unworked, in rectangles","",380.0 +1103,"6646","Bricks, tiles, etc of pressed or moulded glass, used in building","4digit","Bricks, tiles, etc of pressed or moulded glass, used in building","","Bricks, tiles, etc of pressed or moulded glass, used in building","",380.0 +1104,"6647","Safety glass consisting of toughened or laminated glass, cut or not","4digit","Safety glass consisting of toughened or laminated glass, cut or not","","Safety glass consisting of toughened or laminated glass, cut or not","",380.0 +1105,"6648","Glass mirror, unframed, framed or backed","4digit","Glass mirror, unframed, framed or backed","","Glass mirror, unframed, framed or backed","",380.0 +1106,"6649","Glass, nes","4digit","Glass, nes","","Glass, nes","",380.0 +1107,"6651","Bottles etc of glass","4digit","Bottles etc of glass","","Bottles etc of glass","",381.0 +1108,"6652","Glassware (other than heading 66582), for indoor decoration","4digit","Glassware (other than heading 66582), for indoor decoration","","Glassware (other than heading 66582), for indoor decoration","",381.0 +1109,"6658","Articles made of glass, nes","4digit","Articles made of glass, nes","","Articles made of glass, nes","",381.0 +1110,"6664","Porcelain or china house ware","4digit","Porcelain or china house ware","","Porcelain or china house ware","",382.0 +1111,"6665","Articles of domestic or toilet purposes, of other kind of pottery","4digit","Articles of domestic or toilet purposes, of other kind of pottery","","Articles of domestic or toilet purposes, of other kind of pottery","",382.0 +1112,"6666","Ornaments, personal articles of porcelain, china, or ceramic, nes","4digit","Ornaments, personal articles of porcelain, china, or ceramic, nes","","Ornaments, personal articles of porcelain, china, or ceramic, nes","",382.0 +1113,"6671","Pearls, not mounted, set or strung","4digit","Pearls, not mounted, set or strung","","Pearls, not mounted, set or strung","",383.0 +1114,"6672","Diamonds (non-industrial), not mounted or set","4digit","Diamonds (non-industrial), not mounted or set","","Diamonds (non-industrial), not mounted or set","",383.0 +1115,"6673","Precious and semi-precious stones, not mounted, set or strung","4digit","Precious and semi-precious stones, not mounted, set or strung","","Precious and semi-precious stones, not mounted, set or strung","",383.0 +1116,"6674","Synthetic or reconstructed precious or semi-precious stones","4digit","Synthetic or reconstructed precious or semi-precious stones","","Synthetic or reconstructed precious or semi-precious stones","",383.0 +1117,"6712","Pig iron, cast iron, spiegeleisen, in pigs, blocks, lumps, etc","4digit","Pig iron, cast iron, spiegeleisen, in pigs, blocks, lumps, etc","","Pig iron, cast iron, spiegeleisen, in pigs, blocks, lumps, etc","",384.0 +1118,"6713","Iron and steel powders, shot or sponge","4digit","Iron and steel powders, shot or sponge","","Iron and steel powders, shot or sponge","",384.0 +1119,"6716","Ferro-alloys","4digit","Ferro-alloys","","Ferro-alloys","",384.0 +1120,"6724","Puddled bars, pilings; ingots, blocks, lumps, etc, of iron or steel","4digit","Puddled bars, pilings; ingots, blocks, lumps, etc, of iron or steel","","Puddled bars, pilings; ingots, blocks, lumps, etc, of iron or steel","",385.0 +1121,"6725","Blooms, billets, slabs and sheet bars, of iron or steel","4digit","Blooms, billets, slabs and sheet bars, of iron or steel","","Blooms, billets, slabs and sheet bars, of iron or steel","",385.0 +1122,"6727","Iron or steel coils for re-rolling","4digit","Iron or steel coils for re-rolling","","Iron or steel coils for re-rolling","",385.0 +1123,"6731","Wire rod of iron or steel","4digit","Wire rod of iron or steel","","Wire rod of iron or steel","",386.0 +1124,"6732","Bars, rods (not wire rod), from iron or steel; hollow mining drill","4digit","Bars, rods (not wire rod), from iron or steel; hollow mining drill","","Bars, rods (not wire rod), from iron or steel; hollow mining drill","",386.0 +1125,"6733","Angles, shapes, sections and sheet piling, of iron or steel","4digit","Angles, shapes, sections and sheet piling, of iron or steel","","Angles, shapes, sections and sheet piling, of iron or steel","",386.0 +1126,"6741","Universal plates of iron or steel","4digit","Universal plates of iron or steel","","Universal plates of iron or steel","",387.0 +1127,"6744","Sheet, plates, rolled of thickness 4,75mm plus, of iron or steel","4digit","Sheet, plates, rolled of thickness 4,75mm plus, of iron or steel","","Sheet, plates, rolled of thickness 4,75mm plus, of iron or steel","",387.0 +1128,"6745","Sheet, plates, rolled of thickness 3mm to 4,75mm, of iron or steel","4digit","Sheet, plates, rolled of thickness 3mm to 4,75mm, of iron or steel","","Sheet, plates, rolled of thickness 3mm to 4,75mm, of iron or steel","",387.0 +1129,"6746","Sheet, plates, rolled of thickness less 3mm, of iron or steel","4digit","Sheet, plates, rolled of thickness less 3mm, of iron or steel","","Sheet, plates, rolled of thickness less 3mm, of iron or steel","",387.0 +1130,"6747","Tinned sheets, plates of steel (not of high carbon or alloy steel)","4digit","Tinned sheets, plates of steel (not of high carbon or alloy steel)","","Tinned sheets, plates of steel (not of high carbon or alloy steel)","",387.0 +1131,"6749","Other sheet and plates, of iron or steel, worked","4digit","Other sheet and plates, of iron or steel, worked","","Other sheet and plates, of iron or steel, worked","",387.0 +1132,"6750","Hoop and strip of iron or steel, hot-rolled or cold-rolled","4digit","Hoop and strip of iron or steel, hot-rolled or cold-rolled","","Hoop and strip of iron or steel, hot-rolled or cold-rolled","",388.0 +1133,"6760","Rails and railway track construction materials, of iron or steel","4digit","Rails and railway track construction materials, of iron or steel","","Rails and railway track construction materials, of iron or steel","",389.0 +1134,"6770","Iron or steel wire (excluding wire rod), not insulated","4digit","Iron or steel wire (excluding wire rod), not insulated","","Iron or steel wire (excluding wire rod), not insulated","",390.0 +1135,"6781","Tubes and pipes, of cast iron","4digit","Tubes and pipes, of cast iron","","Tubes and pipes, of cast iron","",391.0 +1136,"6782","Seamless tubes, pipes; blanks for tubes and pipes, of iron or steel","4digit","Seamless tubes, pipes; blanks for tubes and pipes, of iron or steel","","Seamless tubes, pipes; blanks for tubes and pipes, of iron or steel","",391.0 +1137,"6783","Other tubes and pipes, of iron or steel","4digit","Other tubes and pipes, of iron or steel","","Other tubes and pipes, of iron or steel","",391.0 +1138,"6784","High-pressure hydro-electric conduit of steel","4digit","High-pressure hydro-electric conduit of steel","","High-pressure hydro-electric conduit of steel","",391.0 +1139,"6785","Tube and pipes fittings, of iron or steel","4digit","Tube and pipes fittings, of iron or steel","","Tube and pipes fittings, of iron or steel","",391.0 +1140,"6793","Steel and iron forging and stampings, in the rough state","4digit","Steel and iron forging and stampings, in the rough state","","Steel and iron forging and stampings, in the rough state","",392.0 +1141,"6794","Castings of iron or steel, in rough state","4digit","Castings of iron or steel, in rough state","","Castings of iron or steel, in rough state","",392.0 +1142,"6811","Silver, unwrought, unworked, or semi-manufactured","4digit","Silver, unwrought, unworked, or semi-manufactured","","Silver, unwrought, unworked, or semi-manufactured","",393.0 +1143,"6812","Metals of platinum group, unwrought, unworked, or semi-manufactured","4digit","Metals of platinum group, unwrought, unworked, or semi-manufactured","","Metals of platinum group, unwrought, unworked, or semi-manufactured","",393.0 +1144,"6821","Copper and copper alloys, refined or not, unwrought","4digit","Copper and copper alloys, refined or not, unwrought","","Copper and copper alloys, refined or not, unwrought","",394.0 +1145,"6822","Copper and copper alloys, worked","4digit","Copper and copper alloys, worked","","Copper and copper alloys, worked","",394.0 +1146,"6831","Nickel and nickel alloys, unwrought","4digit","Nickel and nickel alloys, unwrought","","Nickel and nickel alloys, unwrought","",395.0 +1147,"6832","Nickel and nickel alloys, worked","4digit","Nickel and nickel alloys, worked","","Nickel and nickel alloys, worked","",395.0 +1148,"6841","Aluminium and aluminium alloys, unwrought","4digit","Aluminium and aluminium alloys, unwrought","","Aluminium and aluminium alloys, unwrought","",396.0 +1149,"6842","Aluminium and aluminium alloys, worked","4digit","Aluminium and aluminium alloys, worked","","Aluminium and aluminium alloys, worked","",396.0 +1150,"6851","Lead, and lead alloys, unwrought","4digit","Lead, and lead alloys, unwrought","","Lead, and lead alloys, unwrought","",397.0 +1151,"6852","Lead and lead alloys, worked","4digit","Lead and lead alloys, worked","","Lead and lead alloys, worked","",397.0 +1152,"6861","Zinc and zinc alloys, unwrought","4digit","Zinc and zinc alloys, unwrought","","Zinc and zinc alloys, unwrought","",398.0 +1153,"6863","Zinc and zinc alloys worked","4digit","Zinc and zinc alloys worked","","Zinc and zinc alloys worked","",398.0 +1154,"6871","Tin and tin alloys, unwrought","4digit","Tin and tin alloys, unwrought","","Tin and tin alloys, unwrought","",399.0 +1155,"6872","Tin and tin alloys worked","4digit","Tin and tin alloys worked","","Tin and tin alloys worked","",399.0 +1156,"6880","Uranium depleted in U235, thorium, and alloys, nes; waste and scrap","4digit","Uranium depleted in U235, thorium, and alloys, nes; waste and scrap","","Uranium depleted in U235, thorium, and alloys, nes; waste and scrap","",400.0 +1157,"6891","Tungsten, molybdenum, tantalum, magnesium, unwrought; waste, scrap","4digit","Tungsten, molybdenum, tantalum, magnesium, unwrought; waste, scrap","","Tungsten, molybdenum, tantalum, magnesium, unwrought; waste, scrap","",401.0 +1158,"6899","Base metals, nes and cermets, unwrought (including waste and scrap)","4digit","Base metals, nes and cermets, unwrought (including waste and scrap)","","Base metals, nes and cermets, unwrought (including waste and scrap)","",401.0 +1159,"6911","Structures and parts of, of iron, steel; plates, rods, and the like","4digit","Structures and parts of, of iron, steel; plates, rods, and the like","","Structures and parts of, of iron, steel; plates, rods, and the like","",402.0 +1160,"6912","Structures and parts of, of aluminium; plates, rods, and the like","4digit","Structures and parts of, of aluminium; plates, rods, and the like","","Structures and parts of, of aluminium; plates, rods, and the like","",402.0 +1161,"6921","Iron, steel, aluminium reservoirs, tanks, etc, capacity 300 lt plus","4digit","Iron, steel, aluminium reservoirs, tanks, etc, capacity 300 lt plus","","Iron, steel, aluminium reservoirs, tanks, etc, capacity 300 lt plus","",403.0 +1162,"6924","Cask, drums, etc, of iron, steel, aluminium, for packing goods","4digit","Cask, drums, etc, of iron, steel, aluminium, for packing goods","","Cask, drums, etc, of iron, steel, aluminium, for packing goods","",403.0 +1163,"6931","Wire, cables, cordage, ropes, plaited bans, sling and the like","4digit","Wire, cables, cordage, ropes, plaited bans, sling and the like","","Wire, cables, cordage, ropes, plaited bans, sling and the like","",404.0 +1164,"6932","Barbed iron or steel wire: fencing wire","4digit","Barbed iron or steel wire: fencing wire","","Barbed iron or steel wire: fencing wire","",404.0 +1165,"6935","Gauze, cloth, grill, netting, reinforced fabric and the like","4digit","Gauze, cloth, grill, netting, reinforced fabric and the like","","Gauze, cloth, grill, netting, reinforced fabric and the like","",404.0 +1166,"6940","Nails, screws, nuts, bolts, rivets, etc, of iron, steel or copper","4digit","Nails, screws, nuts, bolts, rivets, etc, of iron, steel or copper","","Nails, screws, nuts, bolts, rivets, etc, of iron, steel or copper","",405.0 +1167,"6951","Hand tools, used in agriculture, horticulture or forestry","4digit","Hand tools, used in agriculture, horticulture or forestry","","Hand tools, used in agriculture, horticulture or forestry","",406.0 +1168,"6953","Other hand tools","4digit","Other hand tools","","Other hand tools","",406.0 +1169,"6954","Interchangeable tools for hand or machine tools (tips, blades, etc)","4digit","Interchangeable tools for hand or machine tools (tips, blades, etc)","","Interchangeable tools for hand or machine tools (tips, blades, etc)","",406.0 +1170,"6960","Cutlery","4digit","Cutlery","","Cutlery","",407.0 +1171,"6973","Domestic, non-electric, heating, cooking apparatus, and parts, nes","4digit","Domestic, non-electric, heating, cooking apparatus, and parts, nes","","Domestic, non-electric, heating, cooking apparatus, and parts, nes","",408.0 +1172,"6974","Base metal domestic articles, nes, and parts thereof, nes","4digit","Base metal domestic articles, nes, and parts thereof, nes","","Base metal domestic articles, nes, and parts thereof, nes","",408.0 +1173,"6975","Base metal indoors sanitary ware, and parts thereof, nes","4digit","Base metal indoors sanitary ware, and parts thereof, nes","","Base metal indoors sanitary ware, and parts thereof, nes","",408.0 +1174,"6978","Household appliances, decorative article, etc, of base metal, nes","4digit","Household appliances, decorative article, etc, of base metal, nes","","Household appliances, decorative article, etc, of base metal, nes","",408.0 +1175,"6991","Locksmiths wares, safes, etc, and hardware, nes, of base metal","4digit","Locksmiths wares, safes, etc, and hardware, nes, of base metal","","Locksmiths wares, safes, etc, and hardware, nes, of base metal","",409.0 +1176,"6992","Chain and parts thereof, of iron or steel","4digit","Chain and parts thereof, of iron or steel","","Chain and parts thereof, of iron or steel","",409.0 +1177,"6993","Pins, needles, etc, of iron, steel; metal fittings for clothing","4digit","Pins, needles, etc, of iron, steel; metal fittings for clothing","","Pins, needles, etc, of iron, steel; metal fittings for clothing","",409.0 +1178,"6994","Springs and leaves for springs, of iron, steel or copper","4digit","Springs and leaves for springs, of iron, steel or copper","","Springs and leaves for springs, of iron, steel or copper","",409.0 +1179,"6996","Miscellaneous articles of base metal","4digit","Miscellaneous articles of base metal","","Miscellaneous articles of base metal","",409.0 +1180,"6997","Articles of iron or steel, nes","4digit","Articles of iron or steel, nes","","Articles of iron or steel, nes","",409.0 +1181,"6998","Articles, nes, of copper, nickel, aluminium, lead, zinc and tin","4digit","Articles, nes, of copper, nickel, aluminium, lead, zinc and tin","","Articles, nes, of copper, nickel, aluminium, lead, zinc and tin","",409.0 +1182,"6999","Other base metal manufactures, nes; and of cermets","4digit","Other base metal manufactures, nes; and of cermets","","Other base metal manufactures, nes; and of cermets","",409.0 +1183,"7111","Steam and other vapour-generated boilers; super-heated water boiler","4digit","Steam and other vapour-generated boilers; super-heated water boiler","","Steam and other vapour-generated boilers; super-heated water boiler","",410.0 +1184,"7112","Auxiliary plant for boilers of heading 7111; condensers","4digit","Auxiliary plant for boilers of heading 7111; condensers","","Auxiliary plant for boilers of heading 7111; condensers","",410.0 +1185,"7119","Parts, nes of boilers and auxiliary plant of headings 7111 and 7112","4digit","Parts, nes of boilers and auxiliary plant of headings 7111 and 7112","","Parts, nes of boilers and auxiliary plant of headings 7111 and 7112","",410.0 +1186,"7126","Steam power units (mobile engines but not steam tractors, etc)","4digit","Steam power units (mobile engines but not steam tractors, etc)","","Steam power units (mobile engines but not steam tractors, etc)","",411.0 +1187,"7129","Parts, nes of steam power units","4digit","Parts, nes of steam power units","","Parts, nes of steam power units","",411.0 +1188,"7131","Internal combustion piston engines, for aircraft, and parts, nes","4digit","Internal combustion piston engines, for aircraft, and parts, nes","","Internal combustion piston engines, for aircraft, and parts, nes","",412.0 +1189,"7132","Motor vehicles piston engines, headings: 722; 78; 74411 and 95101","4digit","Motor vehicles piston engines, headings: 722; 78; 74411 and 95101","","Motor vehicles piston engines, headings: 722; 78; 74411 and 95101","",412.0 +1190,"7133","Internal combustion piston engines, marine propulsion","4digit","Internal combustion piston engines, marine propulsion","","Internal combustion piston engines, marine propulsion","",412.0 +1191,"7138","Internal combustion piston engines, nes","4digit","Internal combustion piston engines, nes","","Internal combustion piston engines, nes","",412.0 +1192,"7139","Piston engines parts, nes, falling in headings: 7132, 7133 and 7138","4digit","Piston engines parts, nes, falling in headings: 7132, 7133 and 7138","","Piston engines parts, nes, falling in headings: 7132, 7133 and 7138","",412.0 +1193,"7144","Reaction engines","4digit","Reaction engines","","Reaction engines","",413.0 +1194,"7148","Gas turbines, nes","4digit","Gas turbines, nes","","Gas turbines, nes","",413.0 +1195,"7149","Parts, nes of the engines and motors of group 714 and item 71888","4digit","Parts, nes of the engines and motors of group 714 and item 71888","","Parts, nes of the engines and motors of group 714 and item 71888","",413.0 +1196,"7161","Motors and generators, direct current","4digit","Motors and generators, direct current","","Motors and generators, direct current","",414.0 +1197,"7162","Electric motors, generators (not direct current); generating sets","4digit","Electric motors, generators (not direct current); generating sets","","Electric motors, generators (not direct current); generating sets","",414.0 +1198,"7163","Rotary converters","4digit","Rotary converters","","Rotary converters","",414.0 +1199,"7169","Parts, nes, of rotating electric plant","4digit","Parts, nes, of rotating electric plant","","Parts, nes, of rotating electric plant","",414.0 +1200,"7187","Nuclear reactors, and parts thereof, nes","4digit","Nuclear reactors, and parts thereof, nes","","Nuclear reactors, and parts thereof, nes","",415.0 +1201,"7188","Engines and motors, nes (wind, hot air engines, water wheel, etc)","4digit","Engines and motors, nes (wind, hot air engines, water wheel, etc)","","Engines and motors, nes (wind, hot air engines, water wheel, etc)","",415.0 +1202,"7211","Agricultural and horticultural machinery for soil preparation, etc","4digit","Agricultural and horticultural machinery for soil preparation, etc","","Agricultural and horticultural machinery for soil preparation, etc","",416.0 +1203,"7212","Harvesting and threshing machines; fodder presses, etc; parts nes","4digit","Harvesting and threshing machines; fodder presses, etc; parts nes","","Harvesting and threshing machines; fodder presses, etc; parts nes","",416.0 +1204,"7213","Dairy machinery, nes (including milking machines), and parts nes","4digit","Dairy machinery, nes (including milking machines), and parts nes","","Dairy machinery, nes (including milking machines), and parts nes","",416.0 +1205,"7219","Agricultural machinery and appliances, nes, and parts thereof, nes","4digit","Agricultural machinery and appliances, nes, and parts thereof, nes","","Agricultural machinery and appliances, nes, and parts thereof, nes","",416.0 +1206,"7223","Track-laying tractors","4digit","Track-laying tractors","","Track-laying tractors","",417.0 +1207,"7224","Wheeled tractors (other than those falling in heading 74411, 7832)","4digit","Wheeled tractors (other than those falling in heading 74411, 7832)","","Wheeled tractors (other than those falling in heading 74411, 7832)","",417.0 +1208,"7233","Road rollers, mechanically propelled","4digit","Road rollers, mechanically propelled","","Road rollers, mechanically propelled","",418.0 +1209,"7234","Construction and mining machinery, nes","4digit","Construction and mining machinery, nes","","Construction and mining machinery, nes","",418.0 +1210,"7239","Parts, nes of machinery and equipment of headings 72341 to 72346","4digit","Parts, nes of machinery and equipment of headings 72341 to 72346","","Parts, nes of machinery and equipment of headings 72341 to 72346","",418.0 +1211,"7243","Sewing machines, furniture, needles etc, and parts thereof, nes","4digit","Sewing machines, furniture, needles etc, and parts thereof, nes","","Sewing machines, furniture, needles etc, and parts thereof, nes","",419.0 +1212,"7244","Machines for extruding man-made textile; other textile machinery","4digit","Machines for extruding man-made textile; other textile machinery","","Machines for extruding man-made textile; other textile machinery","",419.0 +1213,"7245","Weaving, knitting, etc, machines, machines for preparing yarns, etc","4digit","Weaving, knitting, etc, machines, machines for preparing yarns, etc","","Weaving, knitting, etc, machines, machines for preparing yarns, etc","",419.0 +1214,"7246","Auxiliary machinery for use with those of headings 72451 to 72453","4digit","Auxiliary machinery for use with those of headings 72451 to 72453","","Auxiliary machinery for use with those of headings 72451 to 72453","",419.0 +1215,"7247","Textile machinery, nes for cleaning, cutting, etc, and parts nes","4digit","Textile machinery, nes for cleaning, cutting, etc, and parts nes","","Textile machinery, nes for cleaning, cutting, etc, and parts nes","",419.0 +1216,"7248","Machinery for preparing, tanning, working leather, etc; parts nes","4digit","Machinery for preparing, tanning, working leather, etc; parts nes","","Machinery for preparing, tanning, working leather, etc; parts nes","",419.0 +1217,"7251","Machinery for making, finishing cellulose pulp, paper or paperboard","4digit","Machinery for making, finishing cellulose pulp, paper or paperboard","","Machinery for making, finishing cellulose pulp, paper or paperboard","",420.0 +1218,"7252","Machinery for making paper pulp, paper, paperboard; cutting machines","4digit","Machinery for making paper pulp, paper, paperboard; cutting machines","","Machinery for making paper pulp, paper, paperboard; cutting machines","",420.0 +1219,"7259","Parts, nes of the machines falling within heading 725","4digit","Parts, nes of the machines falling within heading 725","","Parts, nes of the machines falling within heading 725","",420.0 +1220,"7263","Machinery, accessories for type-setting, for printing blocks, etc","4digit","Machinery, accessories for type-setting, for printing blocks, etc","","Machinery, accessories for type-setting, for printing blocks, etc","",421.0 +1221,"7264","Printing presses","4digit","Printing presses","","Printing presses","",421.0 +1222,"7267","Other printing machinery; machines for uses ancilliary to printing","4digit","Other printing machinery; machines for uses ancilliary to printing","","Other printing machinery; machines for uses ancilliary to printing","",421.0 +1223,"7268","Bookbinding machinery; parts thereof, nes","4digit","Bookbinding machinery; parts thereof, nes","","Bookbinding machinery; parts thereof, nes","",421.0 +1224,"7269","Parts, nes of machines falling within headings 72631, 7264, 7267","4digit","Parts, nes of machines falling within headings 72631, 7264, 7267","","Parts, nes of machines falling within headings 72631, 7264, 7267","",421.0 +1225,"7271","Machinery for the grain milling industry; working cereals, parts","4digit","Machinery for the grain milling industry; working cereals, parts","","Machinery for the grain milling industry; working cereals, parts","",422.0 +1226,"7272","Other food-processing machinery and parts thereof, nes","4digit","Other food-processing machinery and parts thereof, nes","","Other food-processing machinery and parts thereof, nes","",422.0 +1227,"7281","Machine-tools for specialized industries; parts or accessories, nes","4digit","Machine-tools for specialized industries; parts or accessories, nes","","Machine-tools for specialized industries; parts or accessories, nes","",423.0 +1228,"7283","Other mineral working machinery; and parts thereof, nes","4digit","Other mineral working machinery; and parts thereof, nes","","Other mineral working machinery; and parts thereof, nes","",423.0 +1229,"7284","Machinery for specialized industries and parts thereof, nes","4digit","Machinery for specialized industries and parts thereof, nes","","Machinery for specialized industries and parts thereof, nes","",423.0 +1230,"7361","Metal cutting machine-tools","4digit","Metal cutting machine-tools","","Metal cutting machine-tools","",424.0 +1231,"7362","Metal forming machine-tool","4digit","Metal forming machine-tool","","Metal forming machine-tool","",424.0 +1232,"7367","Other machines-tools for working metal or metal carbides, nes","4digit","Other machines-tools for working metal or metal carbides, nes","","Other machines-tools for working metal or metal carbides, nes","",424.0 +1233,"7368","Work holders, dividing heads for machine-tools, etc; tool holders","4digit","Work holders, dividing heads for machine-tools, etc; tool holders","","Work holders, dividing heads for machine-tools, etc; tool holders","",424.0 +1234,"7369","Parts, nes of and accessories for machine-tools of heading 736","4digit","Parts, nes of and accessories for machine-tools of heading 736","","Parts, nes of and accessories for machine-tools of heading 736","",424.0 +1235,"7371","Metallurgy and metal foundry equipment, and parts thereof, nes","4digit","Metallurgy and metal foundry equipment, and parts thereof, nes","","Metallurgy and metal foundry equipment, and parts thereof, nes","",425.0 +1236,"7372","Rolling mills, rolls therefor, and parts, nes of rolling mills","4digit","Rolling mills, rolls therefor, and parts, nes of rolling mills","","Rolling mills, rolls therefor, and parts, nes of rolling mills","",425.0 +1237,"7373","Welding, brazing, cutting, etc machines and appliances, parts, nes","4digit","Welding, brazing, cutting, etc machines and appliances, parts, nes","","Welding, brazing, cutting, etc machines and appliances, parts, nes","",425.0 +1238,"7411","Gas generators, and parts, nes of gas generators","4digit","Gas generators, and parts, nes of gas generators","","Gas generators, and parts, nes of gas generators","",426.0 +1239,"7412","Furnace burners; mechanical stokers, etc, and parts thereof, nes","4digit","Furnace burners; mechanical stokers, etc, and parts thereof, nes","","Furnace burners; mechanical stokers, etc, and parts thereof, nes","",426.0 +1240,"7413","Industrial and laboratory furnaces and ovens, etc, parts, nes","4digit","Industrial and laboratory furnaces and ovens, etc, parts, nes","","Industrial and laboratory furnaces and ovens, etc, parts, nes","",426.0 +1241,"7414","Non-domestic refrigerators and refrigerating equipment, parts, nes","4digit","Non-domestic refrigerators and refrigerating equipment, parts, nes","","Non-domestic refrigerators and refrigerating equipment, parts, nes","",426.0 +1242,"7415","Air conditioning machines and parts thereof, nes","4digit","Air conditioning machines and parts thereof, nes","","Air conditioning machines and parts thereof, nes","",426.0 +1243,"7416","Machinery, plant, laboratory equipment for heating and cooling, nes","4digit","Machinery, plant, laboratory equipment for heating and cooling, nes","","Machinery, plant, laboratory equipment for heating and cooling, nes","",426.0 +1244,"7421","Reciprocating pumps (other than those of heading 74281)","4digit","Reciprocating pumps (other than those of heading 74281)","","Reciprocating pumps (other than those of heading 74281)","",427.0 +1245,"7422","Centrifugal pumps (other than those of heading 74281)","4digit","Centrifugal pumps (other than those of heading 74281)","","Centrifugal pumps (other than those of heading 74281)","",427.0 +1246,"7423","Rotary pumps (other than those of heading 74281)","4digit","Rotary pumps (other than those of heading 74281)","","Rotary pumps (other than those of heading 74281)","",427.0 +1247,"7428","Other pumps for liquids and liquid elevators","4digit","Other pumps for liquids and liquid elevators","","Other pumps for liquids and liquid elevators","",427.0 +1248,"7429","Parts, nes of pumps and liquids elevators falling in heading 742","4digit","Parts, nes of pumps and liquids elevators falling in heading 742","","Parts, nes of pumps and liquids elevators falling in heading 742","",427.0 +1249,"7431","Air pumps, vacuum pumps and air or gas compressors","4digit","Air pumps, vacuum pumps and air or gas compressors","","Air pumps, vacuum pumps and air or gas compressors","",428.0 +1250,"7432","Parts, nes of the pumps and compressor falling within heading 7431","4digit","Parts, nes of the pumps and compressor falling within heading 7431","","Parts, nes of the pumps and compressor falling within heading 7431","",428.0 +1251,"7433","Free-piston generators for gas turbines and parts thereof, nes","4digit","Free-piston generators for gas turbines and parts thereof, nes","","Free-piston generators for gas turbines and parts thereof, nes","",428.0 +1252,"7434","Fans, blowers and the like, and parts thereof, nes","4digit","Fans, blowers and the like, and parts thereof, nes","","Fans, blowers and the like, and parts thereof, nes","",428.0 +1253,"7435","Centrifuges","4digit","Centrifuges","","Centrifuges","",428.0 +1254,"7436","Filtering and purifying machinery, apparatus for liquids and gases","4digit","Filtering and purifying machinery, apparatus for liquids and gases","","Filtering and purifying machinery, apparatus for liquids and gases","",428.0 +1255,"7439","Parts, nes of the machines falling within headings 7435 and 7436","4digit","Parts, nes of the machines falling within headings 7435 and 7436","","Parts, nes of the machines falling within headings 7435 and 7436","",428.0 +1256,"7441","Work trucks, of the type use in factories, dock areas, etc","4digit","Work trucks, of the type use in factories, dock areas, etc","","Work trucks, of the type use in factories, dock areas, etc","",429.0 +1257,"7442","Lifting, handling, loading machinery, telphers and conveyors","4digit","Lifting, handling, loading machinery, telphers and conveyors","","Lifting, handling, loading machinery, telphers and conveyors","",429.0 +1258,"7449","Parts, nes of the machinery falling within heading 7442","4digit","Parts, nes of the machinery falling within heading 7442","","Parts, nes of the machinery falling within heading 7442","",429.0 +1259,"7451","Power hand tools, pneumatic or non-electric, and parts thereof, nes","4digit","Power hand tools, pneumatic or non-electric, and parts thereof, nes","","Power hand tools, pneumatic or non-electric, and parts thereof, nes","",430.0 +1260,"7452","Other non-electrical machines and parts thereof, nes","4digit","Other non-electrical machines and parts thereof, nes","","Other non-electrical machines and parts thereof, nes","",430.0 +1261,"7491","Ball, roller or needle roller bearings","4digit","Ball, roller or needle roller bearings","","Ball, roller or needle roller bearings","",431.0 +1262,"7492","Cocks, valves and similar appliances, for pipes boiler shells, etc","4digit","Cocks, valves and similar appliances, for pipes boiler shells, etc","","Cocks, valves and similar appliances, for pipes boiler shells, etc","",431.0 +1263,"7493","Shaft, crank, bearing housing, pulley and pulley blocks, etc","4digit","Shaft, crank, bearing housing, pulley and pulley blocks, etc","","Shaft, crank, bearing housing, pulley and pulley blocks, etc","",431.0 +1264,"7499","Other non-electric parts and accessories of machinery, nes","4digit","Other non-electric parts and accessories of machinery, nes","","Other non-electric parts and accessories of machinery, nes","",431.0 +1265,"7511","Typewriters; cheque-writing machines","4digit","Typewriters; cheque-writing machines","","Typewriters; cheque-writing machines","",432.0 +1266,"7512","Calculating, accounting, cash registers, ticketing, etc, machines","4digit","Calculating, accounting, cash registers, ticketing, etc, machines","","Calculating, accounting, cash registers, ticketing, etc, machines","",432.0 +1267,"7518","Office machines, nes","4digit","Office machines, nes","","Office machines, nes","",432.0 +1268,"7521","Analogue and hybrid data processing machines","4digit","Analogue and hybrid data processing machines","","Analogue and hybrid data processing machines","",433.0 +1269,"7522","Complete digital data processing machines","4digit","Complete digital data processing machines","","Complete digital data processing machines","",433.0 +1270,"7523","Complete digital central processing units; digital processors","4digit","Complete digital central processing units; digital processors","","Complete digital central processing units; digital processors","",433.0 +1271,"7524","Digital central storage units, separately consigned","4digit","Digital central storage units, separately consigned","","Digital central storage units, separately consigned","",433.0 +1272,"7525","Peripheral units, including control and adapting units","4digit","Peripheral units, including control and adapting units","","Peripheral units, including control and adapting units","",433.0 +1273,"7528","Off-line data processing equipment, nes","4digit","Off-line data processing equipment, nes","","Off-line data processing equipment, nes","",433.0 +1274,"7591","Parts, nes of and accessories for machines of headings 7511 or 7518","4digit","Parts, nes of and accessories for machines of headings 7511 or 7518","","Parts, nes of and accessories for machines of headings 7511 or 7518","",434.0 +1275,"7599","Parts, nes of and accessories for machines of headings 7512 and 752","4digit","Parts, nes of and accessories for machines of headings 7512 and 752","","Parts, nes of and accessories for machines of headings 7512 and 752","",434.0 +1276,"7611","Television receivers, colour","4digit","Television receivers, colour","","Television receivers, colour","",435.0 +1277,"7612","Television receivers, monochrome","4digit","Television receivers, monochrome","","Television receivers, monochrome","",435.0 +1278,"7621","Radio receivers for motor-vehicles","4digit","Radio receivers for motor-vehicles","","Radio receivers for motor-vehicles","",436.0 +1279,"7622","Portable radio receivers","4digit","Portable radio receivers","","Portable radio receivers","",436.0 +1280,"7628","Other radio receivers","4digit","Other radio receivers","","Other radio receivers","",436.0 +1281,"7631","Gramophones and record players, electric","4digit","Gramophones and record players, electric","","Gramophones and record players, electric","",437.0 +1282,"7638","Other sound recording and reproducer, nes; video recorders","4digit","Other sound recording and reproducer, nes; video recorders","","Other sound recording and reproducer, nes; video recorders","",437.0 +1283,"7641","Electrical line telephonic and telegraphic apparatus","4digit","Electrical line telephonic and telegraphic apparatus","","Electrical line telephonic and telegraphic apparatus","",438.0 +1284,"7642","Microphones; loud-speakers; audio-frequency electric amplifiers","4digit","Microphones; loud-speakers; audio-frequency electric amplifiers","","Microphones; loud-speakers; audio-frequency electric amplifiers","",438.0 +1285,"7643","Television, radio-broadcasting; transmitters, etc","4digit","Television, radio-broadcasting; transmitters, etc","","Television, radio-broadcasting; transmitters, etc","",438.0 +1286,"7648","Telecommunications equipment, nes","4digit","Telecommunications equipment, nes","","Telecommunications equipment, nes","",438.0 +1287,"7649","Parts, nes of and accessories for apparatus falling in heading 76","4digit","Parts, nes of and accessories for apparatus falling in heading 76","","Parts, nes of and accessories for apparatus falling in heading 76","",438.0 +1288,"7711","Transformers, electrical","4digit","Transformers, electrical","","Transformers, electrical","",439.0 +1289,"7712","Other electric power machinery, parts, nes","4digit","Other electric power machinery, parts, nes","","Other electric power machinery, parts, nes","",439.0 +1290,"7721","Switches, relays, fuses, etc; switchboards and control panels, nes","4digit","Switches, relays, fuses, etc; switchboards and control panels, nes","","Switches, relays, fuses, etc; switchboards and control panels, nes","",440.0 +1291,"7722","Printed circuits, and parts thereof, nes","4digit","Printed circuits, and parts thereof, nes","","Printed circuits, and parts thereof, nes","",440.0 +1292,"7723","Fixed, variable resistors, other than heating resistors, parts, nes","4digit","Fixed, variable resistors, other than heating resistors, parts, nes","","Fixed, variable resistors, other than heating resistors, parts, nes","",440.0 +1293,"7731","Insulated electric wire, cable, bars, etc","4digit","Insulated electric wire, cable, bars, etc","","Insulated electric wire, cable, bars, etc","",441.0 +1294,"7732","Electrical insulating equipment","4digit","Electrical insulating equipment","","Electrical insulating equipment","",441.0 +1295,"7741","Electro-medical equipment","4digit","Electro-medical equipment","","Electro-medical equipment","",442.0 +1296,"7742","X-ray apparatus and equipment; accessories; and parts, nes","4digit","X-ray apparatus and equipment; accessories; and parts, nes","","X-ray apparatus and equipment; accessories; and parts, nes","",442.0 +1297,"7751","Household laundry equipment, nes","4digit","Household laundry equipment, nes","","Household laundry equipment, nes","",443.0 +1298,"7752","Domestic refrigerators and freezers","4digit","Domestic refrigerators and freezers","","Domestic refrigerators and freezers","",443.0 +1299,"7753","Domestic dishwashing machines","4digit","Domestic dishwashing machines","","Domestic dishwashing machines","",443.0 +1300,"7754","Electric shavers and hair clippers, parts thereof, nes","4digit","Electric shavers and hair clippers, parts thereof, nes","","Electric shavers and hair clippers, parts thereof, nes","",443.0 +1301,"7757","Domestic electro-mechanical appliances; and parts thereof, nes","4digit","Domestic electro-mechanical appliances; and parts thereof, nes","","Domestic electro-mechanical appliances; and parts thereof, nes","",443.0 +1302,"7758","Electro-thermic appliances, nes","4digit","Electro-thermic appliances, nes","","Electro-thermic appliances, nes","",443.0 +1303,"7761","Television picture tubes, cathode ray","4digit","Television picture tubes, cathode ray","","Television picture tubes, cathode ray","",444.0 +1304,"7762","Other electronic valves and tubes","4digit","Other electronic valves and tubes","","Other electronic valves and tubes","",444.0 +1305,"7763","Diodes, transistors, photocells, etc","4digit","Diodes, transistors, photocells, etc","","Diodes, transistors, photocells, etc","",444.0 +1306,"7764","Electronic microcircuits","4digit","Electronic microcircuits","","Electronic microcircuits","",444.0 +1307,"7768","Crystals, and parts, nes of electronic components of heading 776","4digit","Crystals, and parts, nes of electronic components of heading 776","","Crystals, and parts, nes of electronic components of heading 776","",444.0 +1308,"7781","Batteries and electric accumulators, and parts thereof, nes","4digit","Batteries and electric accumulators, and parts thereof, nes","","Batteries and electric accumulators, and parts thereof, nes","",445.0 +1309,"7782","Electric filament lamps and discharge lamps; arc-lamps","4digit","Electric filament lamps and discharge lamps; arc-lamps","","Electric filament lamps and discharge lamps; arc-lamps","",445.0 +1310,"7783","Automotive electrical equipment; and parts thereof, nes","4digit","Automotive electrical equipment; and parts thereof, nes","","Automotive electrical equipment; and parts thereof, nes","",445.0 +1311,"7784","Electro-mechanical hand tools, and parts thereof, nes","4digit","Electro-mechanical hand tools, and parts thereof, nes","","Electro-mechanical hand tools, and parts thereof, nes","",445.0 +1312,"7788","Other electrical machinery and equipment, nes","4digit","Other electrical machinery and equipment, nes","","Other electrical machinery and equipment, nes","",445.0 +1313,"7810","Passenger motor vehicles (excluding buses)","4digit","Passenger motor vehicles (excluding buses)","","Passenger motor vehicles (excluding buses)","",446.0 +1314,"7821","Motor vehicles for the transport of goods or materials","4digit","Motor vehicles for the transport of goods or materials","","Motor vehicles for the transport of goods or materials","",447.0 +1315,"7822","Special purpose motor lorries and vans","4digit","Special purpose motor lorries and vans","","Special purpose motor lorries and vans","",447.0 +1316,"7831","Public service type passenger motor vehicles","4digit","Public service type passenger motor vehicles","","Public service type passenger motor vehicles","",448.0 +1317,"7832","Road tractors for semi-trailers","4digit","Road tractors for semi-trailers","","Road tractors for semi-trailers","",448.0 +1318,"7841","Chassis fitted with engines, for vehicles of headings 722, 781-783","4digit","Chassis fitted with engines, for vehicles of headings 722, 781-783","","Chassis fitted with engines, for vehicles of headings 722, 781-783","",449.0 +1319,"7842","Bodies, for vehicles of headings 722, 781-783","4digit","Bodies, for vehicles of headings 722, 781-783","","Bodies, for vehicles of headings 722, 781-783","",449.0 +1320,"7849","Other parts and accessories, for vehicles of headings 722, 781-783","4digit","Other parts and accessories, for vehicles of headings 722, 781-783","","Other parts and accessories, for vehicles of headings 722, 781-783","",449.0 +1321,"7851","Motorcycles, auto-cycles; side-cars of all kind, etc","4digit","Motorcycles, auto-cycles; side-cars of all kind, etc","","Motorcycles, auto-cycles; side-cars of all kind, etc","",450.0 +1322,"7852","Cycles, not motorized","4digit","Cycles, not motorized","","Cycles, not motorized","",450.0 +1323,"7853","Invalid carriages; parts, nes of articles of heading 785","4digit","Invalid carriages; parts, nes of articles of heading 785","","Invalid carriages; parts, nes of articles of heading 785","",450.0 +1324,"7861","Trailers and transports containers","4digit","Trailers and transports containers","","Trailers and transports containers","",451.0 +1325,"7868","Other not mechanically propelled vehicles; and parts, nes","4digit","Other not mechanically propelled vehicles; and parts, nes","","Other not mechanically propelled vehicles; and parts, nes","",451.0 +1326,"7911","Rail locomotives, electric","4digit","Rail locomotives, electric","","Rail locomotives, electric","",452.0 +1327,"7912","Other rail locomotives; tenders","4digit","Other rail locomotives; tenders","","Other rail locomotives; tenders","",452.0 +1328,"7913","Mechanically propelled railway, tramway, trolleys, etc","4digit","Mechanically propelled railway, tramway, trolleys, etc","","Mechanically propelled railway, tramway, trolleys, etc","",452.0 +1329,"7914","Railway, tramway passenger coaches, etc, not mechanically propelled","4digit","Railway, tramway passenger coaches, etc, not mechanically propelled","","Railway, tramway passenger coaches, etc, not mechanically propelled","",452.0 +1330,"7915","Railway and tramway freight, etc, not mechanically propelled","4digit","Railway and tramway freight, etc, not mechanically propelled","","Railway and tramway freight, etc, not mechanically propelled","",452.0 +1331,"7919","Railway track fixtures, and fittings, etc, parts nes of heading 791","4digit","Railway track fixtures, and fittings, etc, parts nes of heading 791","","Railway track fixtures, and fittings, etc, parts nes of heading 791","",452.0 +1332,"7921","Helicopters","4digit","Helicopters","","Helicopters","",453.0 +1333,"7922","Aircraft of an unladen weight not exceeding 2000 kg","4digit","Aircraft of an unladen weight not exceeding 2000 kg","","Aircraft of an unladen weight not exceeding 2000 kg","",453.0 +1334,"7923","Aircraft of an unladen weight from 2000 kg to 15000 kg","4digit","Aircraft of an unladen weight from 2000 kg to 15000 kg","","Aircraft of an unladen weight from 2000 kg to 15000 kg","",453.0 +1335,"7924","Aircraft of an unladen weight exceeding 15000 kg","4digit","Aircraft of an unladen weight exceeding 15000 kg","","Aircraft of an unladen weight exceeding 15000 kg","",453.0 +1336,"7928","Aircraft, nes and associated equipment","4digit","Aircraft, nes and associated equipment","","Aircraft, nes and associated equipment","",453.0 +1337,"7929","Parts, nes of the aircraft of heading 792","4digit","Parts, nes of the aircraft of heading 792","","Parts, nes of the aircraft of heading 792","",453.0 +1338,"7931","Warships","4digit","Warships","","Warships","",454.0 +1339,"7932","Ships, boats and other vessels","4digit","Ships, boats and other vessels","","Ships, boats and other vessels","",454.0 +1340,"7933","Ships, boats and other vessels for breaking up","4digit","Ships, boats and other vessels for breaking up","","Ships, boats and other vessels for breaking up","",454.0 +1341,"7938","Tugs, special purpose vessels and floating structures","4digit","Tugs, special purpose vessels and floating structures","","Tugs, special purpose vessels and floating structures","",454.0 +1342,"8121","Central heating equipment, not electrically heated, parts, nes","4digit","Central heating equipment, not electrically heated, parts, nes","","Central heating equipment, not electrically heated, parts, nes","",455.0 +1343,"8122","Ceramic plumbing fixtures","4digit","Ceramic plumbing fixtures","","Ceramic plumbing fixtures","",455.0 +1344,"8124","Lighting fixture and fittings, lamps, lanterns, and parts, nes","4digit","Lighting fixture and fittings, lamps, lanterns, and parts, nes","","Lighting fixture and fittings, lamps, lanterns, and parts, nes","",455.0 +1345,"8211","Chairs and other seats; and parts thereof, nes","4digit","Chairs and other seats; and parts thereof, nes","","Chairs and other seats; and parts thereof, nes","",456.0 +1346,"8212","Furniture for medical, surgical, dental or veterinary practice","4digit","Furniture for medical, surgical, dental or veterinary practice","","Furniture for medical, surgical, dental or veterinary practice","",456.0 +1347,"8219","Other furniture and parts thereof, nes","4digit","Other furniture and parts thereof, nes","","Other furniture and parts thereof, nes","",456.0 +1348,"8310","Travel goods, handbags etc, of leather, plastics, textile, others","4digit","Travel goods, handbags etc, of leather, plastics, textile, others","","Travel goods, handbags etc, of leather, plastics, textile, others","",457.0 +1349,"8421","Men's and boys' outerwear, textile fabrics not knitted or crocheted; overcoats and other coats","4digit","Men's and boys' outerwear, textile fabrics not knitted or crocheted; overcoats and other coats","","Men's and boys' outerwear, textile fabrics not knitted or crocheted; overcoats and other coats","",458.0 +1350,"8422","Men's and boys' outerwear, textile fabrics not knitted or crocheted; suits","4digit","Men's and boys' outerwear, textile fabrics not knitted or crocheted; suits","","Men's and boys' outerwear, textile fabrics not knitted or crocheted; suits","",458.0 +1351,"8423","Men's and boys' outerwear, textile fabrics not knitted or crocheted; trousers, breeches and the like","4digit","Men's and boys' outerwear, textile fabrics not knitted or crocheted; trousers, breeches and the like","","Men's and boys' outerwear, textile fabrics not knitted or crocheted; trousers, breeches and the like","",458.0 +1352,"8424","Men's and boys' outerwear, textile fabrics not knitted or crocheted; jackets, blazers and the like","4digit","Men's and boys' outerwear, textile fabrics not knitted or crocheted; jackets, blazers and the like","","Men's and boys' outerwear, textile fabrics not knitted or crocheted; jackets, blazers and the like","",458.0 +1353,"8429","Men's and boys' outerwear, textile fabrics not knitted or crocheted; other outer garments","4digit","Men's and boys' outerwear, textile fabrics not knitted or crocheted; other outer garments","","Men's and boys' outerwear, textile fabrics not knitted or crocheted; other outer garments","",458.0 +1354,"8431","Womens, girls, infants outerwear, textile, not knitted or crocheted; coats and jackets","4digit","Womens, girls, infants outerwear, textile, not knitted or crocheted; coats and jackets","","Womens, girls, infants outerwear, textile, not knitted or crocheted; coats and jackets","",459.0 +1355,"8432","Womens, girls, infants outerwear, textile, not knitted or crocheted; suits and costumes","4digit","Womens, girls, infants outerwear, textile, not knitted or crocheted; suits and costumes","","Womens, girls, infants outerwear, textile, not knitted or crocheted; suits and costumes","",459.0 +1356,"8433","Womens, girls, infants outerwear, textile, not knitted or crocheted; dresses","4digit","Womens, girls, infants outerwear, textile, not knitted or crocheted; dresses","","Womens, girls, infants outerwear, textile, not knitted or crocheted; dresses","",459.0 +1357,"8434","Womens, girls, infants outerwear, textile, not knitted or crocheted; skirts","4digit","Womens, girls, infants outerwear, textile, not knitted or crocheted; skirts","","Womens, girls, infants outerwear, textile, not knitted or crocheted; skirts","",459.0 +1358,"8435","Womens, girls, infants outerwear, textile, not knitted or crocheted; blouses","4digit","Womens, girls, infants outerwear, textile, not knitted or crocheted; blouses","","Womens, girls, infants outerwear, textile, not knitted or crocheted; blouses","",459.0 +1359,"8439","Womens, girls, infants outerwear, textile, not knitted or crocheted; other outer garments of textile fabrics, not knitted, crocheted","4digit","Womens, girls, infants outerwear, textile, not knitted or crocheted; other outer garments of textile fabrics, not knitted, crocheted","","Womens, girls, infants outerwear, textile, not knitted or crocheted; other outer garments of textile fabrics, not knitted, crocheted","",459.0 +1360,"8441","Under garments of textile fabrics, not knitted or crocheted; mens and boys shirts","4digit","Under garments of textile fabrics, not knitted or crocheted; mens and boys shirts","","Under garments of textile fabrics, not knitted or crocheted; mens and boys shirts","",460.0 +1361,"8442","Under garments of textile fabrics, not knitted or crocheted; mens, boys under garments; other than shirts","4digit","Under garments of textile fabrics, not knitted or crocheted; mens, boys under garments; other than shirts","","Under garments of textile fabrics, not knitted or crocheted; mens, boys under garments; other than shirts","",460.0 +1362,"8443","Under garments of textile fabrics, not knitted or crocheted; womens, girls, infants under garments, textile, not knitted, etc","4digit","Under garments of textile fabrics, not knitted or crocheted; womens, girls, infants under garments, textile, not knitted, etc","","Under garments of textile fabrics, not knitted or crocheted; womens, girls, infants under garments, textile, not knitted, etc","",460.0 +1363,"8451","Outerwear knitted or crocheted, not elastic nor rubberized; jerseys, pullovers, slip-overs, cardigans, etc","4digit","Outerwear knitted or crocheted, not elastic nor rubberized; jerseys, pullovers, slip-overs, cardigans, etc","","Outerwear knitted or crocheted, not elastic nor rubberized; jerseys, pullovers, slip-overs, cardigans, etc","",461.0 +1364,"8452","Outerwear knitted or crocheted, not elastic nor rubberized; womens, girls, infants, suits, dresses, etc, knitted, crocheted","4digit","Outerwear knitted or crocheted, not elastic nor rubberized; womens, girls, infants, suits, dresses, etc, knitted, crocheted","","Outerwear knitted or crocheted, not elastic nor rubberized; womens, girls, infants, suits, dresses, etc, knitted, crocheted","",461.0 +1365,"8459","Outerwear knitted or crocheted, not elastic nor rubberized; other, clothing accessories, non-elastic, knitted or crocheted","4digit","Outerwear knitted or crocheted, not elastic nor rubberized; other, clothing accessories, non-elastic, knitted or crocheted","","Outerwear knitted or crocheted, not elastic nor rubberized; other, clothing accessories, non-elastic, knitted or crocheted","",461.0 +1366,"8461","Under-garments, knitted or crocheted; of wool or fine animal hair, not elastic nor rubberized","4digit","Under-garments, knitted or crocheted; of wool or fine animal hair, not elastic nor rubberized","","Under-garments, knitted or crocheted; of wool or fine animal hair, not elastic nor rubberized","",462.0 +1367,"8462","Under-garments, knitted or crocheted; of cotton, not elastic nor rubberized","4digit","Under-garments, knitted or crocheted; of cotton, not elastic nor rubberized","","Under-garments, knitted or crocheted; of cotton, not elastic nor rubberized","",462.0 +1368,"8463","Under-garments, knitted or crocheted; of synthetic fibres not elastic nor rubberized","4digit","Under-garments, knitted or crocheted; of synthetic fibres not elastic nor rubberized","","Under-garments, knitted or crocheted; of synthetic fibres not elastic nor rubberized","",462.0 +1369,"8464","Under-garments, knitted or crocheted; of other fibres, not elastic nor rubberized","4digit","Under-garments, knitted or crocheted; of other fibres, not elastic nor rubberized","","Under-garments, knitted or crocheted; of other fibres, not elastic nor rubberized","",462.0 +1370,"8465","Corsets, garters, etc, not knitted or crocheted, elastic or not","4digit","Corsets, garters, etc, not knitted or crocheted, elastic or not","","Corsets, garters, etc, not knitted or crocheted, elastic or not","",462.0 +1371,"8471","Clothing accessories, of textile fabrics, not knitted or crocheted","4digit","Clothing accessories, of textile fabrics, not knitted or crocheted","","Clothing accessories, of textile fabrics, not knitted or crocheted","",463.0 +1372,"8472","Clothing accessories, knitted or crocheted, nes","4digit","Clothing accessories, knitted or crocheted, nes","","Clothing accessories, knitted or crocheted, nes","",463.0 +1373,"8481","Articles of apparel, clothing accessories of leather","4digit","Articles of apparel, clothing accessories of leather","","Articles of apparel, clothing accessories of leather","",464.0 +1374,"8482","Articles of apparel, clothing accessories of plastic or rubber","4digit","Articles of apparel, clothing accessories of plastic or rubber","","Articles of apparel, clothing accessories of plastic or rubber","",464.0 +1375,"8483","Fur clothing (not headgear) and other articles made of furskins","4digit","Fur clothing (not headgear) and other articles made of furskins","","Fur clothing (not headgear) and other articles made of furskins","",464.0 +1376,"8484","Headgear and fitting thereof, nes","4digit","Headgear and fitting thereof, nes","","Headgear and fitting thereof, nes","",464.0 +1377,"8510","Footwear","4digit","Footwear","","Footwear","",465.0 +1378,"8710","Optical instruments and apparatus","4digit","Optical instruments and apparatus","","Optical instruments and apparatus","",466.0 +1379,"8720","Medical instruments and appliances, nes","4digit","Medical instruments and appliances, nes","","Medical instruments and appliances, nes","",467.0 +1380,"8731","Gas, liquid and electricity supply or production meters; etc","4digit","Gas, liquid and electricity supply or production meters; etc","","Gas, liquid and electricity supply or production meters; etc","",468.0 +1381,"8732","Counting devices non-electrical; stroboscopes","4digit","Counting devices non-electrical; stroboscopes","","Counting devices non-electrical; stroboscopes","",468.0 +1382,"8741","Surveying, navigational, compasses, etc, instruments, nonelectrical","4digit","Surveying, navigational, compasses, etc, instruments, nonelectrical","","Surveying, navigational, compasses, etc, instruments, nonelectrical","",469.0 +1383,"8742","Drawing, marking-out and mathematical calculating instruments, etc","4digit","Drawing, marking-out and mathematical calculating instruments, etc","","Drawing, marking-out and mathematical calculating instruments, etc","",469.0 +1384,"8743","Gas, liquid control instruments and apparatus, non-electrical","4digit","Gas, liquid control instruments and apparatus, non-electrical","","Gas, liquid control instruments and apparatus, non-electrical","",469.0 +1385,"8744","Nonmechanical or electrical instruments for physical, etc, analysis","4digit","Nonmechanical or electrical instruments for physical, etc, analysis","","Nonmechanical or electrical instruments for physical, etc, analysis","",469.0 +1386,"8745","Measuring, controlling and scientific instruments, nes","4digit","Measuring, controlling and scientific instruments, nes","","Measuring, controlling and scientific instruments, nes","",469.0 +1387,"8748","Electrical measuring, controlling, etc, instruments, apparatus, nes","4digit","Electrical measuring, controlling, etc, instruments, apparatus, nes","","Electrical measuring, controlling, etc, instruments, apparatus, nes","",469.0 +1388,"8749","Parts, nes, and accessories of headings 873, 8743, 87454 or 8748","4digit","Parts, nes, and accessories of headings 873, 8743, 87454 or 8748","","Parts, nes, and accessories of headings 873, 8743, 87454 or 8748","",469.0 +1389,"8811","Photographic cameras, flashlight apparatus, parts, accessories, nes","4digit","Photographic cameras, flashlight apparatus, parts, accessories, nes","","Photographic cameras, flashlight apparatus, parts, accessories, nes","",470.0 +1390,"8812","Cinematographic cameras, projectors, etc, parts, accessories, nes","4digit","Cinematographic cameras, projectors, etc, parts, accessories, nes","","Cinematographic cameras, projectors, etc, parts, accessories, nes","",470.0 +1391,"8813","Photographic and cinematographic apparatus and equipment, nes","4digit","Photographic and cinematographic apparatus and equipment, nes","","Photographic and cinematographic apparatus and equipment, nes","",470.0 +1392,"8821","Chemical products and flashlight materials for use in photografy","4digit","Chemical products and flashlight materials for use in photografy","","Chemical products and flashlight materials for use in photografy","",471.0 +1393,"8822","Photographic film, plates and paper (other than cinematograph film)","4digit","Photographic film, plates and paper (other than cinematograph film)","","Photographic film, plates and paper (other than cinematograph film)","",471.0 +1394,"8830","Cinematograph film, exposed and developed","4digit","Cinematograph film, exposed and developed","","Cinematograph film, exposed and developed","",472.0 +1395,"8841","Lenses and other optical elements of any material","4digit","Lenses and other optical elements of any material","","Lenses and other optical elements of any material","",473.0 +1396,"8842","Spectacles and spectacle frames","4digit","Spectacles and spectacle frames","","Spectacles and spectacle frames","",473.0 +1397,"8851","Watches, watch movements and case","4digit","Watches, watch movements and case","","Watches, watch movements and case","",474.0 +1398,"8852","Clocks, clock movements and parts","4digit","Clocks, clock movements and parts","","Clocks, clock movements and parts","",474.0 +1399,"8921","Printed books, pamphlets, maps and globes","4digit","Printed books, pamphlets, maps and globes","","Printed books, pamphlets, maps and globes","",475.0 +1400,"8922","Newspapers, journals and periodicals","4digit","Newspapers, journals and periodicals","","Newspapers, journals and periodicals","",475.0 +1401,"8924","Picture postcards, decalcomanias, etc, printed","4digit","Picture postcards, decalcomanias, etc, printed","","Picture postcards, decalcomanias, etc, printed","",475.0 +1402,"8928","Printed matter, nes","4digit","Printed matter, nes","","Printed matter, nes","",475.0 +1403,"8931","Plastic packing containers, lids, stoppers and other closures","4digit","Plastic packing containers, lids, stoppers and other closures","","Plastic packing containers, lids, stoppers and other closures","",476.0 +1404,"8932","Plastic sanitary and toilet articles","4digit","Plastic sanitary and toilet articles","","Plastic sanitary and toilet articles","",476.0 +1405,"8933","Personal adornments and ornaments articles of plastic","4digit","Personal adornments and ornaments articles of plastic","","Personal adornments and ornaments articles of plastic","",476.0 +1406,"8935","Articles of electric lighting of plastic","4digit","Articles of electric lighting of plastic","","Articles of electric lighting of plastic","",476.0 +1407,"8939","Miscellaneous articles of plastic","4digit","Miscellaneous articles of plastic","","Miscellaneous articles of plastic","",476.0 +1408,"8941","Baby carriages and parts thereof, nes","4digit","Baby carriages and parts thereof, nes","","Baby carriages and parts thereof, nes","",477.0 +1409,"8942","Children's toys, indoor games, etc","4digit","Children's toys, indoor games, etc","","Children's toys, indoor games, etc","",477.0 +1410,"8946","Non-military arms and ammunition therefor","4digit","Non-military arms and ammunition therefor","","Non-military arms and ammunition therefor","",477.0 +1411,"8947","Other sporting goods and fairground amusements, etc","4digit","Other sporting goods and fairground amusements, etc","","Other sporting goods and fairground amusements, etc","",477.0 +1412,"8951","Office and stationary supplies, of base metal","4digit","Office and stationary supplies, of base metal","","Office and stationary supplies, of base metal","",478.0 +1413,"8952","Pens, pencils and, fountain pens","4digit","Pens, pencils and, fountain pens","","Pens, pencils and, fountain pens","",478.0 +1414,"8959","Other office and stationary supplies","4digit","Other office and stationary supplies","","Other office and stationary supplies","",478.0 +1415,"8960","Works of art, collectors' pieces and antiques","4digit","Works of art, collectors' pieces and antiques","","Works of art, collectors' pieces and antiques","",479.0 +1416,"8972","Imitation jewellery","4digit","Imitation jewellery","","Imitation jewellery","",480.0 +1417,"8973","Precious jewellery, goldsmiths' or silversmiths' wares","4digit","Precious jewellery, goldsmiths' or silversmiths' wares","","Precious jewellery, goldsmiths' or silversmiths' wares","",480.0 +1418,"8974","Other articles of precious metals or rolled precious metals, nes","4digit","Other articles of precious metals or rolled precious metals, nes","","Other articles of precious metals or rolled precious metals, nes","",480.0 +1419,"8981","Pianos, other string musical instruments","4digit","Pianos, other string musical instruments","","Pianos, other string musical instruments","",481.0 +1420,"8982","Musical instruments, nes","4digit","Musical instruments, nes","","Musical instruments, nes","",481.0 +1421,"8983","Sound recording tape, discs","4digit","Sound recording tape, discs","","Sound recording tape, discs","",481.0 +1422,"8989","Parts, nes of and accessories for musical instruments; metronomes","4digit","Parts, nes of and accessories for musical instruments; metronomes","","Parts, nes of and accessories for musical instruments; metronomes","",481.0 +1423,"8991","Articles and manufacture of carving, moulding materials, nes","4digit","Articles and manufacture of carving, moulding materials, nes","","Articles and manufacture of carving, moulding materials, nes","",482.0 +1424,"8993","Candles, matches, combustible products, etc","4digit","Candles, matches, combustible products, etc","","Candles, matches, combustible products, etc","",482.0 +1425,"8994","Umbrellas, canes and similar articles and parts thereof","4digit","Umbrellas, canes and similar articles and parts thereof","","Umbrellas, canes and similar articles and parts thereof","",482.0 +1426,"8996","Orthopaedic appliances, hearing aids, artificial parts of the body","4digit","Orthopaedic appliances, hearing aids, artificial parts of the body","","Orthopaedic appliances, hearing aids, artificial parts of the body","",482.0 +1427,"8997","Basketwork, wickerwork; brooms, paint rollers, etc","4digit","Basketwork, wickerwork; brooms, paint rollers, etc","","Basketwork, wickerwork; brooms, paint rollers, etc","",482.0 +1428,"8998","Small-wares and toilet articles, nes; sieves; tailors' dummies, etc","4digit","Small-wares and toilet articles, nes; sieves; tailors' dummies, etc","","Small-wares and toilet articles, nes; sieves; tailors' dummies, etc","",482.0 +1429,"8999","Manufactured goods, nes","4digit","Manufactured goods, nes","","Manufactured goods, nes","",482.0 +1430,"9110","Postal packages not classified according to kind","4digit","Postal packages not classified according to kind","","Postal packages not classified according to kind","",483.0 +1431,"9310","Special transactions, commodity not classified according to class","4digit","Special transactions, commodity not classified according to class","","Special transactions, commodity not classified according to class","",484.0 +1432,"9410","Animals, live, nes, (including zoo animals, pets, insects, etc)","4digit","Animals, live, nes, (including zoo animals, pets, insects, etc)","","Animals, live, nes, (including zoo animals, pets, insects, etc)","",485.0 +1433,"9510","Armoured fighting vehicles, war firearms, ammunition, parts, nes","4digit","Armoured fighting vehicles, war firearms, ammunition, parts, nes","","Armoured fighting vehicles, war firearms, ammunition, parts, nes","",486.0 +1434,"9610","Coin (other than gold coin), not being legal tender","4digit","Coin (other than gold coin), not being legal tender","","Coin (other than gold coin), not being legal tender","",487.0 +1435,"9710","Gold, non-monetary (excluding gold ores and concentrates)","4digit","Gold, non-monetary (excluding gold ores and concentrates)","","Gold, non-monetary (excluding gold ores and concentrates)","",488.0 +1436,"ZZZZ","Unknown","4digit","Unknown","","Unknown","",489.0 +2000,"Other","Other","4digit","Other","Other","Other","Other",600.0 +2001,"Travel services","Travel services","4digit","Travel services","Travel services","Travel","Travel",601.0 +2002,"Transport services","Transport services","4digit","Transport services","Transport services","Transport","Transport",602.0 +2003,"Communications","Communications","4digit","Communications","Communications","Communications","Communications",603.0 +2004,"Insurance and financial services","Insurance and financial services","4digit","Insurance and financial services","Insurance and financial services","Insurance and finance","Insurance and finance",604.0 diff --git a/product/SITC/IntlAtlas/out/sitc_rev2_with3digit.dta b/product/SITC/IntlAtlas/out/sitc_rev2_with3digit.dta new file mode 100644 index 0000000..f424140 Binary files /dev/null and b/product/SITC/IntlAtlas/out/sitc_rev2_with3digit.dta differ diff --git a/setup.py b/setup.py index 43ab7fe..18bd6d4 100644 --- a/setup.py +++ b/setup.py @@ -30,6 +30,7 @@ "product/HS/Peru_Datlas/out/products_peru_datlas.csv", "product/HS/IntlAtlas/out/hs92_atlas.csv", "product/SITC/IntlAtlas/out/sitc_rev2.csv", + "product/SITC/IntlAtlas/out/sitc_rev2_with3digit.csv", "occupation/SINCO/Mexico/out/occupations_sinco_2011.csv", "occupation/SINCO/Mexico_datlas/out/occupations_sinco_datlas_2011.csv", "occupation/SOC/Colombia/out/occupations_soc_2010.csv",