content stringlengths 7 1.05M |
|---|
num = 1
for i in range(5):
for j in range(i+1):
print(num, end=" ")
num+=1
print() |
# coding=utf-8
""" python基础知识 """
"""
1,列表 = 数组
2,字典 = map
3,元祖 = 不可修改的数组 ,函数返回的结果集一般都是元祖。元组可以转列表
4,函数 def定义 ,可以传参和return
5,定义类 class ,有OOP的思想
"""
class MathUtils:
def __init__(self, a, b):
self.a = a
self.b = b
def compare(self):
if self.a > self.b:
print("{} 大于 {}".format(self.a, self.b))
elif self.a <= self.b:
print("{} 小于等于 {}".format(self.a, self.b))
|
"""
Given an array of intervals where intervals[i] = [starti, endi],
merge all overlapping intervals, and return an array of the
non-overlapping intervals that cover all the intervals in the input.
Example 1:
Input: intervals = [[1,3],[2,6],[8,10],[15,18]]
Output: [[1,6],[8,10],[15,18]]
Explanation: Since intervals [1,3] and [2,6] overlaps, merge them into [1,6].
Example 2:
Input: intervals = [[1,4],[4,5]]
Output: [[1,5]]
Explanation: Intervals [1,4] and [4,5] are considered overlapping.
Constraints:
1 <= intervals.length <= 104
intervals[i].length == 2
0 <= starti <= endi <= 104
"""
class Solution:
def merge(self, intervals):
intervals.sort(key=lambda x: x[0])
merged = []
for interval in intervals:
first = interval[0]
second = interval[1]
if not merged or merged[-1][1] < first:
merged.append(interval)
else:
merged[-1][1] = second
return merged
if __name__ == "__main__":
intervals = [[1,3],[8,10],[2,6],[15,18]]
assert Solution().merge(intervals) == [[1,6],[8,10],[15,18]] |
# -*- coding: utf-8 -*-
'''
File name: code\tidying_up\sol_253.py
Author: Vaidic Joshi
Date created: Oct 20, 2018
Python Version: 3.x
'''
# Solution to Project Euler Problem #253 :: Tidying up
#
# For more information see:
# https://projecteuler.net/problem=253
# Problem Statement
'''
A small child has a “number caterpillar” consisting of forty jigsaw pieces, each with one number on it, which, when connected together in a line, reveal the numbers 1 to 40 in order.
Every night, the child's father has to pick up the pieces of the caterpillar that have been scattered across the play room. He picks up the pieces at random and places them in the correct order. As the caterpillar is built up in this way, it forms distinct segments that gradually merge together. The number of segments starts at zero (no pieces placed), generally increases up to about eleven or twelve, then tends to drop again before finishing at a single segment (all pieces placed).
For example:
Piece Placed
Segments So Far121422936434554354……
Let M be the maximum number of segments encountered during a random tidy-up of the caterpillar.
For a caterpillar of ten pieces, the number of possibilities for each M is
M
Possibilities1512 2250912 31815264 41418112 5144000
so the most likely value of M is 3 and the average value is 385643⁄113400 = 3.400732, rounded to six decimal places.
The most likely value of M for a forty-piece caterpillar is 11; but what is the average value of M?
Give your answer rounded to six decimal places.
'''
# Solution
# Solution Approach
'''
'''
|
class Quiz:
def __init__(self,question, alt, correct):
self.question = question
self.alt = alt
self.correct = correct
self.s =""
for a in range(len(self.alt)):
self.s =self.s+str(a+1)+". "+self.alt[a]+"\n"
def corect_ansrer_txt(self):
return "correct anser is:{self.alt[self.correct-1]}".format(self=self)
def __str__(self,*args,**kwargs):
return "{self.question}\n{self.s}".format(self=self)
class Player:
def __init__(self,name,Score):
self.score=0
self.name=name
def Correct(self):
self.score+=1
def Print_Score(self):
print(f"{self.name} score is {self.score}")
return self.score
def __str__(self):
return "{self.name}".format(self=self)
def Add_players(Player_Nr):
List_of_players=[]
for l in range(Player_Nr):
p=Player(input(f"Player{l+1}s name?"),0)
List_of_players.append(p)
return List_of_players
if __name__=="__main__":
file = open("C:/Users/bmm1/Dat120_Ovning9/sporsmaalsfil.txt", encoding="UTF8")
Nr_players = int(input("Select number of players"))
PlayerL = Add_players(Nr_players)
ScoreL = []
for line in file:
line = line.replace("[", "").replace("]","")
Qst_Ans = line.split(":")
Alt = Qst_Ans[2].replace(" ","").split(",")
Qst_Ans.pop()
int(Qst_Ans[1])
CorrectWrongL = []
Qst= Quiz(Qst_Ans[0], Alt, Qst_Ans[1])
print(Qst)
for a in range(Nr_players):
anser = int(input(f"{PlayerL[a]} select your anser"))
Correct = int(Qst_Ans[1])
if anser == Correct+1:
PlayerL[a].Correct()
CorrectWrongL.append("Correct")
else:
CorrectWrongL.append("Wrong")
print(f"Correct anser is {Alt[Correct]}")
for z in range(len(CorrectWrongL)):
print(f"{PlayerL[z]}'s anser is {CorrectWrongL[z]}")
print("")
for d in range(len(PlayerL)):
SL = PlayerL[d].Print_Score()
ScoreL.append(SL)
max_value = max(ScoreL)
max_index = ScoreL.index(max_value)
print(f"{PlayerL[max_index]} won")
|
program_list = []
def execute_command_with_params(input):
command, params = input.split(sep=" ", maxsplit=1)
if command == "insert":
i, e = map(int, params.split(sep=" ", maxsplit=1))
program_list.insert(i, e)
if command == "remove":
e = int(params)
program_list.remove(e)
if command == "append":
e = int(params)
program_list.append(e)
def execute_simple_command(input):
if input == "print":
print(program_list)
if input == "sort":
program_list.sort()
if input == "pop":
program_list.pop()
if input == "reverse":
program_list.reverse()
if __name__ == '__main__':
commands = list()
n = int(input())
for _ in range(n):
commands.append(input())
for command in commands:
if ' ' in command:
execute_command_with_params(command)
else:
execute_simple_command(command)
|
#
# @lc app=leetcode id=19 lang=python3
#
# [19] Remove Nth Node From End of List
#
# https://leetcode.com/problems/remove-nth-node-from-end-of-list/description/
#
# algorithms
# Medium (35.65%)
# Likes: 5231
# Dislikes: 302
# Total Accepted: 852.5K
# Total Submissions: 2.4M
# Testcase Example: '[1,2,3,4,5]\n2'
#
# Given the head of a linked list, remove the n^th node from the end of the
# list and return its head.
#
# Follow up: Could you do this in one pass?
#
#
# Example 1:
#
#
# Input: head = [1,2,3,4,5], n = 2
# Output: [1,2,3,5]
#
#
# Example 2:
#
#
# Input: head = [1], n = 1
# Output: []
#
#
# Example 3:
#
#
# Input: head = [1,2], n = 1
# Output: [1]
#
#
#
# Constraints:
#
#
# The number of nodes in the list is sz.
# 1 <= sz <= 30
# 0 <= Node.val <= 100
# 1 <= n <= sz
#
#
#
# @lc code=start
# Definition for singly-linked list.
# class ListNode:
# def __init__(self, val=0, next=None):
# self.val = val
# self.next = next
class Solution:
def removeNthFromEnd(self, head: ListNode, n: int) -> ListNode:
prev, curr, fast = None, head, head
for _ in range(n - 1):
fast = fast.next
while fast.next is not None:
prev = curr
curr = curr.next
fast = fast.next
if prev:
prev.next = curr.next
else:
head = curr.next
return head
# @lc code=end
|
ano = int(input(("Saiba se o ano é bixexto: ")))
if ano % 4 == 0 and ano % 100 !=0 or ano % 400 == 0:
print("Esse ano é bisexto")
else:
print("Esse ano não é bisexto") |
def help():
help_file = "help.txt"
with open(help_file) as help:
content = help.read()
return(content)
|
"""params.py: default parameters for the neural style algorithm"""
#TODO: These should all be settable by command line flags to the actual script
content_path = "./images/mitart_lowres.jpg" # relative path of content input image
style_path = "./images/starrynight.jpg" # relative path of style input image
output_path = "./images/output/lowres" # relative path of output image
# Algorithm parameters
content_layer = 9 # Which vgg layer to use for matching content
style_layers = [0, 2, 4, 8, 12]
style_weights = [1.0/len(style_layers)]*len(style_layers) # How to relatively weight style layers; default to equal weights
iterations = 1000
checkpoint = 200
content_weight = 5 # alpha and beta are relative weighting of style vs content in output
style_weight = 100.
tv_weight = 100.
learning_rate = 2.0 # arbitrarily picked
|
def euclide_e(a, n):
u, v = 1, 0
u1, v1 = 0, 1
while n > 0:
u1_t = u - a // n * u1
v1_t = v - a // n * v1
u, v = u1, v1
u1, v1 = u1_t, v1_t
a, n = n, a - a // n * n;
return [u, v, a]
print(euclide_e(39, 5))
|
# Third-party dependencies fetched by Bazel
# Unlike WORKSPACE, the content of this file is unordered.
# We keep them separate to make the WORKSPACE file more maintainable.
# Install the nodejs "bootstrap" package
# This provides the basic tools for running and packaging nodejs programs in Bazel
load("@bazel_tools//tools/build_defs/repo:http.bzl", "http_archive")
def fetch_dependencies():
http_archive(
name = "build_bazel_rules_nodejs",
sha256 = "8f5f192ba02319254aaf2cdcca00ec12eaafeb979a80a1e946773c520ae0a2c9",
urls = ["https://github.com/bazelbuild/rules_nodejs/releases/download/3.7.0/rules_nodejs-3.7.0.tar.gz"],
)
http_archive(
name = "io_bazel_rules_go",
sha256 = "8e968b5fcea1d2d64071872b12737bbb5514524ee5f0a4f54f5920266c261acb",
urls = [
"https://mirror.bazel.build/github.com/bazelbuild/rules_go/releases/download/v0.28.0/rules_go-v0.28.0.zip",
"https://github.com/bazelbuild/rules_go/releases/download/v0.28.0/rules_go-v0.28.0.zip",
],
)
http_archive(
name = "bazel_gazelle",
sha256 = "62ca106be173579c0a167deb23358fdfe71ffa1e4cfdddf5582af26520f1c66f",
urls = [
"https://mirror.bazel.build/github.com/bazelbuild/bazel-gazelle/releases/download/v0.23.0/bazel-gazelle-v0.23.0.tar.gz",
"https://github.com/bazelbuild/bazel-gazelle/releases/download/v0.23.0/bazel-gazelle-v0.23.0.tar.gz",
],
)
|
"""
Copyright 2020 Daniel Cortez Stevenson
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
https://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
"""
# fmt: off
# from {{cookiecutter.package_name}}.common.util import list_s3_keys
# fmt: on
def main(spark, logger, bucket, prefix, suffix, **kwargs):
"""Example One Job of PySpark on AWS EMR."""
keys = list_s3_keys(bucket=bucket, prefix=prefix, suffix=suffix)
logger.info(f"Found keys! -> {keys}")
|
class Solution:
def allPathsSourceTarget(self, graph: List[List[int]]) -> List[List[int]]:
def dfs(cur, path):
if cur == len(graph) - 1:
res.append(path)
else:
for i in graph[cur]:
dfs(i, path + [i])
res = []
dfs(0, [0])
return res |
# model settings
# norm_cfg = dict(type='BN', requires_grad=False)
model = dict(
type='FasterRCNN',
pretrained='open-mmlab://resnext101_32x4d', #resnet50_caffe
backbone=dict(
type='ResNeXt',
depth=101, #50
groups=32,
num_stages=3,
strides=(1, 2, 2),
dilations=(1, 1, 1),
out_indices=(2, ),
frozen_stages=1,
# norm_cfg=norm_cfg,
# norm_eval=True,
style='pytorch'),
shared_head=dict(
type='ResxLayer',
depth=101, #50
stage=3,
stride=1,
dilation=2,
style='pytorch',
# norm_cfg=norm_cfg,
# norm_eval=True
),
rpn_head=dict(
type='RPNHead',
in_channels=1024,
feat_channels=512,
anchor_scales=[2, 4, 8, 16, 32],
anchor_ratios=[0.5, 1.0, 2.0],
anchor_strides=[16],
target_means=[.0, .0, .0, .0],
target_stds=[1.0, 1.0, 1.0, 1.0],
loss_cls=dict(
type='CrossEntropyLoss', use_sigmoid=True, loss_weight=1.0),
loss_bbox=dict(type='SmoothL1Loss', beta=1.0 / 9.0, loss_weight=1.0)),
bbox_roi_extractor=dict(
type='SingleRoIExtractor',
roi_layer=dict(type='RoIAlign', out_size=7, sample_num=2),
out_channels=1024,
featmap_strides=[16]),
bbox_head=dict(
type='BBoxHead',
with_avg_pool=False, #True
roi_feat_size=7,
in_channels=1024,
num_classes=31,
target_means=[0., 0., 0., 0.],
target_stds=[0.1, 0.1, 0.2, 0.2],
reg_class_agnostic=False, #False
loss_cls=dict(
type='CrossEntropyLoss', use_sigmoid=False, loss_weight=1.0),
loss_bbox=dict(type='SmoothL1Loss', beta=1.0, loss_weight=1.0)),
selsa_head=dict(
type='SelsaHead',
in_channels=256,
out_channels=1024,
nongt_dim=3, # number of frames
feat_dim=1024, # 1024
dim=[1024, 1024, 1024],
# norm_cfg=norm_cfg,
# norm_eval=True,
apply=True)
)
# model training and testing settings
train_cfg = dict(
rpn=dict(
assigner=dict(
type='MaxIoUAssigner',
pos_iou_thr=0.7,
neg_iou_thr=0.3,
min_pos_iou=0.3,
ignore_iof_thr=-1),
sampler=dict(
type='RandomSampler',
num=256,
pos_fraction=0.5,
neg_pos_ub=-1,
add_gt_as_proposals=False),
allowed_border=-1, #0
pos_weight=-1,
debug=False),
rpn_proposal=dict(
nms_across_levels=False,
nms_pre=12000,
nms_post=2000,
max_num=2000,
nms_thr=0.7,
min_bbox_size=0),
rcnn=dict(
assigner=dict(
type='MaxIoUAssigner',
pos_iou_thr=0.5,
neg_iou_thr=0.5,
min_pos_iou=0.5,
ignore_iof_thr=-1),
sampler=dict(
type='OHEMSampler',
num=512, #512
pos_fraction=0.25, #0.25
neg_pos_ub=-1,
add_gt_as_proposals=True),
NUM_OHEM=None,
pos_weight=-1,
debug=False)
)
test_cfg = dict(
rpn=dict(
nms_across_levels=False,
nms_pre=6000,
nms_post=1000,
max_num=300, #1000
nms_thr=0.7,
min_bbox_size=0),
rcnn=dict(
score_thr=0.001, nms=dict(type='nms', iou_thr=0.5), max_per_img=300)) #0.05
# dataset settings
dataset_type = 'VIDDataset'
data_root = '/media/data1/jliang/dataset/ILSVRC/'
# img_norm_cfg = dict(
# mean=[102.9801, 115.9465, 122.7717], std=[1.0, 1.0, 1.0], to_rgb=False) #maybe need to change
img_norm_cfg = dict(
mean=[123.675, 116.28, 103.53], std=[58.395, 57.12, 57.375], to_rgb=True)
train_pipeline = [
dict(type='LoadImageFromFile', to_float32=True), #add to_float32=True
dict(type='LoadAnnotations', with_bbox=True),
dict(
type='PhotoMetricDistortion',
brightness_delta=32,
contrast_range=(0.5, 1.5),
saturation_range=(0.5, 1.5),
hue_delta=18),
dict(
type='Expand',
mean=img_norm_cfg['mean'],
to_rgb=img_norm_cfg['to_rgb'],
ratio_range=(1, 4)), #(1,4)
dict(
type='MinIoURandomCrop',
min_ious=(0.1, 0.3, 0.5, 0.7, 0.9), #(0.1, 0.3, 0.5, 0.7, 0.9)
min_crop_size=0.3),
dict(type='Resize', img_scale=(600, 1000), keep_ratio=True),
# when remove the crop, the gpu-util will be 100% then suspend
dict(type='RandomCrop', crop_size=(4096, 4096)),
dict(type='RandomFlip', flip_ratio=0.5),
dict(type='Normalize', **img_norm_cfg),
dict(type='Pad', size_divisor=32),
dict(type='DefaultFormatBundle'),
dict(type='Collect', keys=['img', 'gt_bboxes', 'gt_labels']),
]
test_pipeline = [
dict(type='LoadImageFromFile'),
dict(
type='MultiScaleFlipAug',
img_scale=(600, 1000),
flip=False,
transforms=[
dict(type='Resize', keep_ratio=True),
dict(type='RandomCrop', crop_size=(4096, 4096)),
dict(type='RandomFlip'),
dict(type='Normalize', **img_norm_cfg),
dict(type='Pad', size_divisor=32),
dict(type='ImageToTensor', keys=['img']),
dict(type='Collect', keys=['img'], meta_keys=('filename', 'ori_shape', 'img_shape', 'pad_shape',
'scale_factor', 'flip', 'img_norm_cfg', 'img_info')),
])
]
data = dict(
imgs_per_gpu=1,
workers_per_gpu=2,
train=dict(
type=dataset_type,
image_set='DET_train_30classes+VID_train_15frames',#VID_train_15frames
ann_file=data_root,
img_prefix=data_root,
pipeline=train_pipeline,
selsa_offset=dict(MAX_OFFSET=9,MIN_OFFSET=-9)),
val=dict(
type=dataset_type,
image_set='VID_val_frames_o',
ann_file=data_root,
img_prefix=data_root,
pipeline=test_pipeline),
test=dict(
type=dataset_type,
image_set='VID_val_videos', #VID_val_videos_o VID_val_videos_frames VID_val_videos_class_mofbg
ann_file=data_root,
img_prefix=data_root,
pipeline=test_pipeline,
selsa_offset=dict(MAX_OFFSET=9, MIN_OFFSET=-9)))
evaluation = dict(interval=1) #control eval interval epoch
# optimizer
optimizer = dict(type='SGD', lr=0.00125, momentum=0.9, weight_decay=0.0001)
optimizer_config = dict(grad_clip=dict(max_norm=35, norm_type=2))
# learning policy
lr_config = dict(
policy='step',
warmup='linear',
warmup_iters=500,
warmup_ratio=1.0 / 3,
step=[11, 14])
checkpoint_config = dict(interval=1)
# yapf:disable
log_config = dict(
interval=1000,
hooks=[
dict(type='TextLoggerHook'),
# dict(type='TensorboardLoggerHook')
])
# yapf:enable
# runtime settings
total_epochs = 15
dist_params = dict(backend='nccl')
log_level = 'INFO'
work_dir = './work_dirs/faster_rcnn_r101_caffe_c4_1x_gsfa/resnext'
load_from = None
resume_from = None
workflow = [('train', 1)]
|
def resolve():
'''
code here
'''
N, H = [int(item) for item in input().split()]
ab = [[int(item) for item in input().split()] for _ in range(N)]
a_max = max(ab, key=lambda x:x[0])
res = H // a_max
if H % a_max != 0:
res += 1
temp_attack = res * a_max
b_delta = [b - a_max for a, b in ab]
throw_atk_sum = 0
throw_num = 0
for item in b_delta:
if b_delta > 0:
throw_atk_sum += item
throw_num += 1
if throw_atk_sum < temp_attack:
reduce_num = throw_atk_sum//a_max
print(res - reduce_num)
else:
res = 0
for a, b in ab:
H -= b
res += 1
if H <= 0:
break
print(res)
if __name__ == "__main__":
resolve()
|
# -*- coding: utf-8 -*-
# source = https://de.wikipedia.org/wiki/Liste_der_Kfz-Nationalit%C3%A4tszeichen retrieved on 16.7.2015
car_signs = """
<table class="wikitable sortable zebra hintergrundfarbe1 jquery-tablesorter">
<thead><tr>
<th class="headerSort" tabindex="0" role="columnheader button" title="Aufsteigend sortieren">Kennzeichen</th>
<th class="headerSort" tabindex="0" role="columnheader button" title="Aufsteigend sortieren">Land</th>
<th class="headerSort" tabindex="0" role="columnheader button" title="Aufsteigend sortieren"><a href="/wiki/ISO_3166-2" title="ISO 3166-2">ISO</a></th>
<th class="headerSort" tabindex="0" role="columnheader button" title="Aufsteigend sortieren">seit</th>
<th class="headerSort" tabindex="0" role="columnheader button" title="Aufsteigend sortieren">zuvor</th>
<th class="unsortable">Herleitung/Bemerkung</th>
</tr></thead><tbody>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(%C3%96sterreich)" title="Kfz-Kennzeichen (Österreich)">A</a></td>
<td><a href="/wiki/%C3%96sterreich" title="Österreich">Österreich</a></td>
<td>AT</td>
<td>1910</td>
<td> </td>
<td><a href="/wiki/Austria" title="Austria"><b>A</b>ustria</a> (lat.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Afghanistan)" title="Kfz-Kennzeichen (Afghanistan)">AFG</a></td>
<td><a href="/wiki/Afghanistan" title="Afghanistan">Afghanistan</a></td>
<td>AF</td>
<td>1971</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>AG</td>
<td><a href="/wiki/Antigua_und_Barbuda" title="Antigua und Barbuda">Antigua und Barbuda</a></td>
<td>AG</td>
<td> </td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Albanien)" title="Kfz-Kennzeichen (Albanien)">AL</a></td>
<td><a href="/wiki/Albanien" title="Albanien">Albanien</a></td>
<td>AL</td>
<td>1934</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Andorra)" title="Kfz-Kennzeichen (Andorra)">AND</a></td>
<td><a href="/wiki/Andorra" title="Andorra">Andorra</a></td>
<td>AD</td>
<td>1957</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Angola)" title="Kfz-Kennzeichen (Angola)">ANG</a></td>
<td><a href="/wiki/Angola" title="Angola">Angola</a></td>
<td>AO</td>
<td> </td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Armenien)" title="Kfz-Kennzeichen (Armenien)">AM</a></td>
<td><a href="/wiki/Armenien" title="Armenien">Armenien</a></td>
<td>AM</td>
<td>1992</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>ARU*</td>
<td><a href="/wiki/Aruba" title="Aruba">Aruba</a></td>
<td>AW</td>
<td> </td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Australien)" title="Kfz-Kennzeichen (Australien)">AUS</a></td>
<td><a href="/wiki/Australien" title="Australien">Australien</a></td>
<td>AU</td>
<td>1954</td>
<td> </td>
<td><b>Aus</b>tralia (engl.)</td>
</tr>
<tr>
<td>AUT*</td>
<td><a href="/wiki/Pal%C3%A4stinensische_Autonomiegebiete" title="Palästinensische Autonomiegebiete">Palästinensische Autonomiegebiete</a>/<a href="/wiki/Gazastreifen" title="Gazastreifen">Gazastreifen</a></td>
<td>PS</td>
<td> </td>
<td>M</td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(%C3%85land)" title="Kfz-Kennzeichen (Åland)">AX</a></td>
<td><a href="/wiki/%C3%85land" title="Åland">Åland</a></td>
<td>AX</td>
<td>2002</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>AXA</td>
<td><a href="/wiki/Anguilla" title="Anguilla">Anguilla</a></td>
<td>AI</td>
<td> </td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Aserbaidschan)" title="Kfz-Kennzeichen (Aserbaidschan)">AZ</a></td>
<td><a href="/wiki/Aserbaidschan" title="Aserbaidschan">Aserbaidschan</a></td>
<td>AZ</td>
<td>1992</td>
<td> </td>
<td><b>Az</b>ərbaycan (aserb.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Belgien)" title="Kfz-Kennzeichen (Belgien)">B</a></td>
<td><a href="/wiki/Belgien" title="Belgien">Belgien</a></td>
<td>BE</td>
<td>1910</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>BD</td>
<td><a href="/wiki/Bangladesch" title="Bangladesch">Bangladesch</a></td>
<td>BD</td>
<td>1978</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>BDS</td>
<td><a href="/wiki/Barbados" title="Barbados">Barbados</a></td>
<td>BB</td>
<td>1956</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>BF</td>
<td><a href="/wiki/Burkina_Faso" title="Burkina Faso">Burkina Faso</a></td>
<td>BF</td>
<td>1990</td>
<td>RHV / HV</td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Bulgarien)" title="Kfz-Kennzeichen (Bulgarien)">BG</a></td>
<td><a href="/wiki/Bulgarien" title="Bulgarien">Bulgarien</a></td>
<td>BG</td>
<td>1910</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Bhutan)" title="Kfz-Kennzeichen (Bhutan)">BHT</a></td>
<td><a href="/wiki/Bhutan" title="Bhutan">Bhutan</a></td>
<td>BT</td>
<td> </td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Bosnien_und_Herzegowina)" title="Kfz-Kennzeichen (Bosnien und Herzegowina)">BIH</a></td>
<td><a href="/wiki/Bosnien_und_Herzegowina" title="Bosnien und Herzegowina">Bosnien und Herzegowina</a></td>
<td>BA</td>
<td>1992</td>
<td> </td>
<td><b>B</b>osna <b>i</b> <b>H</b>ercegovina (bosn.) (das „I“ daher häufig deutlich kleiner im Zeichen)</td>
</tr>
<tr>
<td>BJ</td>
<td><a href="/wiki/Benin" title="Benin">Benin</a></td>
<td>BJ</td>
<td>1978</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>BOL</td>
<td><a href="/wiki/Bolivien" title="Bolivien">Bolivien</a></td>
<td>BO</td>
<td>1967</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Brasilien)" title="Kfz-Kennzeichen (Brasilien)">BR</a></td>
<td><a href="/wiki/Brasilien" title="Brasilien">Brasilien</a></td>
<td>BR</td>
<td>1930</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Bahrain)" title="Kfz-Kennzeichen (Bahrain)">BRN</a></td>
<td><a href="/wiki/Bahrain" title="Bahrain">Bahrain</a></td>
<td>BH</td>
<td>1954</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>BRU</td>
<td><a href="/wiki/Brunei" title="Brunei">Brunei</a></td>
<td>BN</td>
<td>1956</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>BS</td>
<td><a href="/wiki/Bahamas" title="Bahamas">Bahamas</a></td>
<td>BS</td>
<td>1950</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Botswana)" title="Kfz-Kennzeichen (Botswana)">BW</a>*</td>
<td><a href="/wiki/Botswana" title="Botswana">Botswana</a></td>
<td>BW</td>
<td>1967</td>
<td>BP</td>
<td>Republic of <b>B</b>ots<b>w</b>ana (engl.), früher <b>B</b>echuanaland <b>P</b>rotectorate. In der Praxis verwendet, offiziell <i>RB</i>.</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Wei%C3%9Frussland)" title="Kfz-Kennzeichen (Weißrussland)">BY</a></td>
<td><a href="/wiki/Wei%C3%9Frussland" title="Weißrussland">Weißrussland</a></td>
<td>BY</td>
<td>1992</td>
<td> </td>
<td><b>By</b>elarus (engl. <a href="/wiki/Transkription_(Schreibung)" title="Transkription (Schreibung)">Transkription</a> von Беларусь)</td>
</tr>
<tr>
<td>BZ</td>
<td><a href="/wiki/Belize" title="Belize">Belize</a></td>
<td>BZ</td>
<td>1990</td>
<td>BH</td>
<td><b>B</b>eli<b>z</b>e</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Kuba)" title="Kfz-Kennzeichen (Kuba)">C</a></td>
<td><a href="/wiki/Kuba" title="Kuba">Kuba</a></td>
<td>CU</td>
<td>1930</td>
<td> </td>
<td><b>C</b>uba (span.)</td>
</tr>
<tr>
<td>CAM</td>
<td><a href="/wiki/Kamerun" title="Kamerun">Kamerun</a></td>
<td>CM</td>
<td>1952</td>
<td> </td>
<td><b>Cam</b>eroun/<b>Cam</b>eroon (frz./engl.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Kanada)" title="Kfz-Kennzeichen (Kanada)">CDN</a></td>
<td><a href="/wiki/Kanada" title="Kanada">Kanada</a></td>
<td>CA</td>
<td>1952</td>
<td> </td>
<td><b>C</b>anadian <b>D</b>ominio<b>n</b></td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Demokratische_Republik_Kongo)" title="Kfz-Kennzeichen (Demokratische Republik Kongo)">CGO</a></td>
<td><a href="/wiki/Demokratische_Republik_Kongo" title="Demokratische Republik Kongo">Demokratische Republik Kongo</a></td>
<td>CD</td>
<td>2006</td>
<td>CD**</td>
<td><b>C</b>on<b>go</b> (frz.); Kennzeichen CGO bereits 1961-1972 verwendet</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Schweiz)" title="Kfz-Kennzeichen (Schweiz)" class="mw-redirect">CH</a></td>
<td><a href="/wiki/Schweiz" title="Schweiz">Schweiz</a></td>
<td>CH</td>
<td>1911</td>
<td> </td>
<td><b>C</b>onfoederatio <b>H</b>elvetica (lat.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(China)" title="Kfz-Kennzeichen (China)">CHN</a>*</td>
<td><a href="/wiki/Volksrepublik_China" title="Volksrepublik China">China (Volksrepublik)</a></td>
<td>CN</td>
<td>?</td>
<td>RC</td>
<td>offiziell weiter <i>RC</i>, was aber mit der Republik China auf Taiwan assoziiert wird.</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Elfenbeink%C3%BCste)" title="Kfz-Kennzeichen (Elfenbeinküste)">CI</a></td>
<td><a href="/wiki/Elfenbeink%C3%BCste" title="Elfenbeinküste">Elfenbeinküste</a></td>
<td>CI</td>
<td>1961</td>
<td> </td>
<td><b>C</b>ôte d'<b>I</b>voire (frz.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Sri_Lanka)" title="Kfz-Kennzeichen (Sri Lanka)">CL</a></td>
<td><a href="/wiki/Sri_Lanka" title="Sri Lanka">Sri Lanka</a></td>
<td>LK</td>
<td>1961</td>
<td> </td>
<td>ehem. <b>C</b>ey<b>l</b>on</td>
</tr>
<tr>
<td>CO</td>
<td><a href="/wiki/Kolumbien" title="Kolumbien">Kolumbien</a></td>
<td>CO</td>
<td>1952</td>
<td> </td>
<td><b>Co</b>lombia (span.)</td>
</tr>
<tr>
<td>COM</td>
<td><a href="/wiki/Komoren" title="Komoren">Komoren</a></td>
<td>KM</td>
<td> </td>
<td> </td>
<td><b>Com</b>ores (frz.)</td>
</tr>
<tr>
<td>CR</td>
<td><a href="/wiki/Costa_Rica" title="Costa Rica">Costa Rica</a></td>
<td>CR</td>
<td>1956</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Kap_Verde)" title="Kfz-Kennzeichen (Kap Verde)">CV</a></td>
<td><a href="/wiki/Kap_Verde" title="Kap Verde">Kap Verde</a></td>
<td>CV</td>
<td>1930</td>
<td> </td>
<td><b>C</b>abo <b>V</b>erde (port.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Zypern)" title="Kfz-Kennzeichen (Zypern)">CY</a></td>
<td><a href="/wiki/Republik_Zypern" title="Republik Zypern">Zypern</a></td>
<td>CY</td>
<td>1932</td>
<td> </td>
<td><b>Cy</b>prus (lat./engl.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Tschechien)" title="Kfz-Kennzeichen (Tschechien)">CZ</a></td>
<td><a href="/wiki/Tschechien" title="Tschechien">Tschechien</a></td>
<td>CZ</td>
<td>1993</td>
<td>CS</td>
<td><b>Cz</b>ech Republic (engl.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Deutschland)" title="Kfz-Kennzeichen (Deutschland)">D</a></td>
<td><a href="/wiki/Deutschland" title="Deutschland">Deutschland</a></td>
<td>DE</td>
<td>1909</td>
<td> </td>
<td><b>D</b>eutschland (deutsch)</td>
</tr>
<tr>
<td>DJI</td>
<td><a href="/wiki/Dschibuti" title="Dschibuti">Dschibuti</a></td>
<td>DJ</td>
<td> </td>
<td> </td>
<td><b>Dji</b>bouti (frz.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(D%C3%A4nemark)" title="Kfz-Kennzeichen (Dänemark)">DK</a></td>
<td><a href="/wiki/D%C3%A4nemark" title="Dänemark">Dänemark</a></td>
<td>DK</td>
<td>1914</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>DOM</td>
<td><a href="/wiki/Dominikanische_Republik" title="Dominikanische Republik">Dominikanische Republik</a></td>
<td>DO</td>
<td>1952</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Algerien)" title="Kfz-Kennzeichen (Algerien)">DZ</a></td>
<td><a href="/wiki/Algerien" title="Algerien">Algerien</a></td>
<td>DZ</td>
<td>1963</td>
<td> </td>
<td>Al <b>D</b>ja<b>z</b>aïr (arab.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Spanien)" title="Kfz-Kennzeichen (Spanien)">E</a></td>
<td><a href="/wiki/Spanien" title="Spanien">Spanien</a></td>
<td>ES</td>
<td>1910</td>
<td> </td>
<td><b>E</b>spaña (span.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Kenia)" title="Kfz-Kennzeichen (Kenia)">EAK</a></td>
<td><a href="/wiki/Kenia" title="Kenia">Kenia</a></td>
<td>KE</td>
<td>1938</td>
<td> </td>
<td><b>E</b>ast <b>A</b>frica <b>K</b>enya (engl.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Tansania)" title="Kfz-Kennzeichen (Tansania)">EAT</a></td>
<td><a href="/wiki/Tansania" title="Tansania">Tansania</a></td>
<td>TZ</td>
<td>1938</td>
<td> </td>
<td><b>E</b>ast <b>A</b>frica <b>T</b>anzania (engl.)</td>
</tr>
<tr>
<td>EAU</td>
<td><a href="/wiki/Uganda" title="Uganda">Uganda</a></td>
<td>UG</td>
<td>1938</td>
<td> </td>
<td><b>E</b>ast <b>A</b>frica <b>U</b>ganda (engl.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Ecuador)" title="Kfz-Kennzeichen (Ecuador)">EC</a></td>
<td><a href="/wiki/Ecuador" title="Ecuador">Ecuador</a></td>
<td>EC</td>
<td>1962</td>
<td>EQ</td>
<td> </td>
</tr>
<tr>
<td>ER</td>
<td><a href="/wiki/Eritrea" title="Eritrea">Eritrea</a></td>
<td>ER</td>
<td>1993</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>ES</td>
<td><a href="/wiki/El_Salvador" title="El Salvador">El Salvador</a></td>
<td>SV</td>
<td>1978</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Estland)" title="Kfz-Kennzeichen (Estland)">EST</a></td>
<td><a href="/wiki/Estland" title="Estland">Estland</a></td>
<td>EE</td>
<td>1993</td>
<td>EW</td>
<td><b>Est</b>onia (engl.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(%C3%84gypten)" title="Kfz-Kennzeichen (Ägypten)">ET</a></td>
<td><a href="/wiki/%C3%84gypten" title="Ägypten">Ägypten</a></td>
<td>EG</td>
<td>1927</td>
<td> </td>
<td><b>E</b>gyp<b>t</b> (engl.)</td>
</tr>
<tr>
<td>ETH</td>
<td><a href="/wiki/%C3%84thiopien" title="Äthiopien">Äthiopien</a></td>
<td>ET</td>
<td>1964</td>
<td> </td>
<td><b>Eth</b>iopia (engl.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Frankreich)" title="Kfz-Kennzeichen (Frankreich)">F</a></td>
<td><a href="/wiki/Frankreich" title="Frankreich">Frankreich</a></td>
<td>FR</td>
<td>1910</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Finnland)" title="Kfz-Kennzeichen (Finnland)">FIN</a></td>
<td><a href="/wiki/Finnland" title="Finnland">Finnland</a></td>
<td>FI</td>
<td>1993</td>
<td>SF</td>
<td>SF stand für Suomi/Finland (finn./schw.)</td>
</tr>
<tr>
<td>FJI</td>
<td><a href="/wiki/Fidschi" title="Fidschi">Fidschi</a></td>
<td>FJ</td>
<td>1971</td>
<td> </td>
<td><b>F</b>i<b>ji</b> (engl.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Liechtenstein)" title="Kfz-Kennzeichen (Liechtenstein)" class="mw-redirect">FL</a></td>
<td><a href="/wiki/Liechtenstein" title="Liechtenstein">Liechtenstein</a></td>
<td>LI</td>
<td>1923</td>
<td> </td>
<td><b>F</b>ürstentum <b>L</b>iechtenstein</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(F%C3%A4r%C3%B6er)" title="Kfz-Kennzeichen (Färöer)">FO</a></td>
<td><a href="/wiki/F%C3%A4r%C3%B6er" title="Färöer">Färöer</a></td>
<td>FO</td>
<td>1996</td>
<td>FR</td>
<td><b>F</b>ør<b>o</b>yar (fär.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(F%C3%B6derierte_Staaten_von_Mikronesien)" title="Kfz-Kennzeichen (Föderierte Staaten von Mikronesien)">FSM</a></td>
<td><a href="/wiki/F%C3%B6derierte_Staaten_von_Mikronesien" title="Föderierte Staaten von Mikronesien">Mikronesien</a></td>
<td>FM</td>
<td> </td>
<td> </td>
<td><b>F</b>ederated <b>S</b>tates of <b>M</b>icronesia (engl.)</td>
</tr>
<tr>
<td>G</td>
<td><a href="/wiki/Gabun" title="Gabun">Gabun</a></td>
<td>GA</td>
<td>1974</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Gro%C3%9Fbritannien)" title="Kfz-Kennzeichen (Großbritannien)">GB</a></td>
<td><a href="/wiki/Vereinigtes_K%C3%B6nigreich" title="Vereinigtes Königreich">Vereinigtes Königreich</a></td>
<td>GB</td>
<td>1910</td>
<td> </td>
<td><b>G</b>reat <b>B</b>ritain (engl.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Kronbesitzungen_der_britischen_Krone)#Alderney" title="Kfz-Kennzeichen (Kronbesitzungen der britischen Krone)">GBA</a></td>
<td><a href="/wiki/Alderney" title="Alderney">Alderney</a></td>
<td></td>
<td>1924</td>
<td> </td>
<td><b>G</b>reat <b>B</b>ritain <b>A</b>lderney (engl.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Kronbesitzungen_der_britischen_Krone)#Guernsey" title="Kfz-Kennzeichen (Kronbesitzungen der britischen Krone)">GBG</a></td>
<td><a href="/wiki/Guernsey" title="Guernsey">Guernsey</a></td>
<td>GG</td>
<td>1924</td>
<td> </td>
<td><b>G</b>reat <b>B</b>ritain <b>G</b>uernsey (engl.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Kronbesitzungen_der_britischen_Krone)#Jersey" title="Kfz-Kennzeichen (Kronbesitzungen der britischen Krone)">GBJ</a></td>
<td><a href="/wiki/Jersey" title="Jersey">Jersey</a></td>
<td>JE</td>
<td>1924</td>
<td> </td>
<td><b>G</b>reat <b>B</b>ritain <b>J</b>ersey (engl.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Kronbesitzungen_der_britischen_Krone)#Isle_of_Man" title="Kfz-Kennzeichen (Kronbesitzungen der britischen Krone)">GBM</a></td>
<td><a href="/wiki/Isle_of_Man" title="Isle of Man">Isle of Man</a></td>
<td>GB</td>
<td>1932</td>
<td> </td>
<td><b>G</b>reat <b>B</b>ritain Isle of <b>M</b>an (engl.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Vereinigtes_K%C3%B6nigreich)#Gibraltar" title="Kfz-Kennzeichen (Vereinigtes Königreich)">GBZ</a></td>
<td><a href="/wiki/Gibraltar" title="Gibraltar">Gibraltar</a></td>
<td>GI</td>
<td>1924</td>
<td> </td>
<td><b>G</b>reat <b>B</b>ritain Gibraltar (engl.), <b>Z</b>: GBG war nicht möglich</td>
</tr>
<tr>
<td>GCA + GT</td>
<td><a href="/wiki/Guatemala" title="Guatemala">Guatemala</a></td>
<td>GT</td>
<td>1956</td>
<td>G</td>
<td><b>G</b>uatemala <b>C</b>entral <b>A</b>merica (engl.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Georgien)" title="Kfz-Kennzeichen (Georgien)">GE</a></td>
<td><a href="/wiki/Georgien" title="Georgien">Georgien</a></td>
<td>GE</td>
<td>1993</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Ghana)" title="Kfz-Kennzeichen (Ghana)">GH</a></td>
<td><a href="/wiki/Ghana" title="Ghana">Ghana</a></td>
<td>GH</td>
<td>1959</td>
<td>WAC</td>
<td> </td>
</tr>
<tr>
<td>GQ*</td>
<td><a href="/wiki/%C3%84quatorialguinea" title="Äquatorialguinea">Äquatorialguinea</a></td>
<td>GQ</td>
<td> </td>
<td> </td>
<td><b>G</b>uinée é<b>q</b>uatoriale (franz.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Griechenland)" title="Kfz-Kennzeichen (Griechenland)">GR</a></td>
<td><a href="/wiki/Griechenland" title="Griechenland">Griechenland</a></td>
<td>GR</td>
<td>1913</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>GUB</td>
<td><a href="/wiki/Guinea-Bissau" title="Guinea-Bissau">Guinea-Bissau</a></td>
<td>GW</td>
<td> </td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>GUI*</td>
<td><a href="/wiki/Guinea" title="Guinea">Guinea</a></td>
<td>GN</td>
<td> </td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>GUY</td>
<td><a href="/wiki/Guyana" title="Guyana">Guyana</a></td>
<td>GY</td>
<td>1972</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Ungarn)" title="Kfz-Kennzeichen (Ungarn)">H</a></td>
<td><a href="/wiki/Ungarn" title="Ungarn">Ungarn</a></td>
<td>HU</td>
<td>1910</td>
<td> </td>
<td><b>H</b>ungaria (lat.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Hongkong)" title="Kfz-Kennzeichen (Hongkong)">HK</a></td>
<td><a href="/wiki/Hongkong" title="Hongkong">Hongkong</a></td>
<td>HK</td>
<td>1932</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Honduras)" title="Kfz-Kennzeichen (Honduras)">HN</a></td>
<td><a href="/wiki/Honduras" title="Honduras">Honduras</a></td>
<td>HN</td>
<td> </td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Kroatien)" title="Kfz-Kennzeichen (Kroatien)">HR</a></td>
<td><a href="/wiki/Kroatien" title="Kroatien">Kroatien</a></td>
<td>HR</td>
<td>1992</td>
<td>CRO</td>
<td><b>Hr</b>vatska (kroat.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Italien)" title="Kfz-Kennzeichen (Italien)">I</a></td>
<td><a href="/wiki/Italien" title="Italien">Italien</a></td>
<td>IT</td>
<td>1910</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Israel)" title="Kfz-Kennzeichen (Israel)">IL</a></td>
<td><a href="/wiki/Israel" title="Israel">Israel</a></td>
<td>IL</td>
<td>1952</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Indien)" title="Kfz-Kennzeichen (Indien)">IND</a></td>
<td><a href="/wiki/Indien" title="Indien">Indien</a></td>
<td>IN</td>
<td>1947</td>
<td>BI</td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Iran)" title="Kfz-Kennzeichen (Iran)">IR</a></td>
<td><a href="/wiki/Iran" title="Iran">Iran</a></td>
<td>IR</td>
<td>1936</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Irland)" title="Kfz-Kennzeichen (Irland)">IRL</a></td>
<td><a href="/wiki/Irland" title="Irland">Irland</a></td>
<td>IE</td>
<td> </td>
<td>EIR</td>
<td></td>
</tr>
<tr>
<td>IRQ</td>
<td><a href="/wiki/Irak" title="Irak">Irak</a></td>
<td>IQ</td>
<td>1930</td>
<td> </td>
<td><b>Ir</b>a<b>q</b> (internat. <a href="/wiki/Transkription_(Schreibung)" title="Transkription (Schreibung)">Transkription</a> von arab. عراق)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Island)" title="Kfz-Kennzeichen (Island)">IS</a></td>
<td><a href="/wiki/Island" title="Island">Island</a></td>
<td>IS</td>
<td>1936</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Japan)" title="Kfz-Kennzeichen (Japan)">J</a></td>
<td><a href="/wiki/Japan" title="Japan">Japan</a></td>
<td>JP</td>
<td>1964</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>JA</td>
<td><a href="/wiki/Jamaika" title="Jamaika">Jamaika</a></td>
<td>JM</td>
<td>1932</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Jordanien)" title="Kfz-Kennzeichen (Jordanien)">JOR</a></td>
<td><a href="/wiki/Jordanien" title="Jordanien">Jordanien</a></td>
<td>JO</td>
<td></td>
<td>HKJ</td>
<td> </td>
</tr>
<tr>
<td>K</td>
<td><a href="/wiki/Kambodscha" title="Kambodscha">Kambodscha</a></td>
<td>KH</td>
<td>1956</td>
<td> </td>
<td><a href="/wiki/Demokratisches_Kampuchea" title="Demokratisches Kampuchea"><b>K</b>ampuchea</a> (früher offizielle internat. <a href="/wiki/Transkription_(Schreibung)" title="Transkription (Schreibung)">Transkription</a> des Landesnamens)</td>
</tr>
<tr>
<td>KAN*</td>
<td><a href="/wiki/St._Kitts_und_Nevis" title="St. Kitts und Nevis">St. Kitts und Nevis</a></td>
<td>KN</td>
<td> </td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>KIR</td>
<td><a href="/wiki/Kiribati" title="Kiribati">Kiribati</a></td>
<td>KI</td>
<td> </td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Gr%C3%B6nland)" title="Kfz-Kennzeichen (Grönland)">KN</a></td>
<td><a href="/wiki/Gr%C3%B6nland" title="Grönland">Grönland</a></td>
<td>GL</td>
<td> </td>
<td>GRO</td>
<td><b>K</b>alaallit <b>N</b>unaat (grönl.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Nordkorea)" title="Kfz-Kennzeichen (Nordkorea)">KP</a></td>
<td><a href="/wiki/Nordkorea" title="Nordkorea">Nordkorea</a></td>
<td>KP</td>
<td> </td>
<td> </td>
<td><b>K</b>orea, Democratic <b>P</b>eople’s Republic (engl.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Kirgisistan)" title="Kfz-Kennzeichen (Kirgisistan)">KS</a></td>
<td><a href="/wiki/Kirgisistan" title="Kirgisistan">Kirgisistan</a></td>
<td>KG</td>
<td>1992</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Saudi-Arabien)" title="Kfz-Kennzeichen (Saudi-Arabien)">KSA</a></td>
<td><a href="/wiki/Saudi-Arabien" title="Saudi-Arabien">Saudi-Arabien</a></td>
<td>SA</td>
<td> </td>
<td> </td>
<td><b>K</b>ingdom of <b>S</b>audi-<b>A</b>rabia (engl.)</td>
</tr>
<tr>
<td>KWT</td>
<td><a href="/wiki/Kuwait" title="Kuwait">Kuwait</a></td>
<td>KW</td>
<td>1954</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Kasachstan)" title="Kfz-Kennzeichen (Kasachstan)">KZ</a></td>
<td><a href="/wiki/Kasachstan" title="Kasachstan">Kasachstan</a></td>
<td>KZ</td>
<td>1992</td>
<td> </td>
<td><b>K</b>a<b>z</b>akhstan (engl.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Luxemburg)" title="Kfz-Kennzeichen (Luxemburg)">L</a></td>
<td><a href="/wiki/Luxemburg" title="Luxemburg">Luxemburg</a></td>
<td>LU</td>
<td>1911</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>LAO</td>
<td><a href="/wiki/Laos" title="Laos">Laos</a></td>
<td>LA</td>
<td>1959</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Libyen)" title="Kfz-Kennzeichen (Libyen)">LAR</a>*</td>
<td><a href="/wiki/Libyen" title="Libyen">Libyen</a></td>
<td>LY</td>
<td>1972</td>
<td> </td>
<td><b>L</b>ibyan <b>A</b>rab <b>R</b>epublic (engl.)</td>
</tr>
<tr>
<td>LB*</td>
<td><a href="/wiki/Liberia" title="Liberia">Liberia</a></td>
<td>LR</td>
<td>1967</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>LS</td>
<td><a href="/wiki/Lesotho" title="Lesotho">Lesotho</a></td>
<td>LS</td>
<td>1967</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Litauen)" title="Kfz-Kennzeichen (Litauen)">LT</a></td>
<td><a href="/wiki/Litauen" title="Litauen">Litauen</a></td>
<td>LT</td>
<td>1992</td>
<td> </td>
<td><b>L</b>ie<b>t</b>uva (lit.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Lettland)" title="Kfz-Kennzeichen (Lettland)">LV</a></td>
<td><a href="/wiki/Lettland" title="Lettland">Lettland</a></td>
<td>LV</td>
<td>1992</td>
<td>LR</td>
<td><b>L</b>at<b>v</b>ija (lett.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Malta)" title="Kfz-Kennzeichen (Malta)">M</a></td>
<td><a href="/wiki/Malta" title="Malta">Malta</a></td>
<td>MT</td>
<td>1966</td>
<td>GBY</td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Marokko)" title="Kfz-Kennzeichen (Marokko)">MA</a></td>
<td><a href="/wiki/Marokko" title="Marokko">Marokko</a></td>
<td>MA</td>
<td>1924</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Malaysia)" title="Kfz-Kennzeichen (Malaysia)">MAL</a></td>
<td><a href="/wiki/Malaysia" title="Malaysia">Malaysia</a></td>
<td>MY</td>
<td>1967</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Monaco)" title="Kfz-Kennzeichen (Monaco)">MC</a></td>
<td><a href="/wiki/Monaco" title="Monaco">Monaco</a></td>
<td>MC</td>
<td>1910</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Moldawien)" title="Kfz-Kennzeichen (Moldawien)">MD</a></td>
<td><a href="/wiki/Moldawien" title="Moldawien">Moldawien</a></td>
<td>MD</td>
<td>1992</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Mexiko)" title="Kfz-Kennzeichen (Mexiko)">MEX</a></td>
<td><a href="/wiki/Mexiko" title="Mexiko">Mexiko</a></td>
<td>MX</td>
<td>1952</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Mongolei)" title="Kfz-Kennzeichen (Mongolei)">MGL</a></td>
<td><a href="/wiki/Mongolei" title="Mongolei">Mongolei</a></td>
<td>MN</td>
<td> </td>
<td> </td>
<td><b>M</b>on<b>g</b>o<b>l</b>ia (engl.)</td>
</tr>
<tr>
<td>MH</td>
<td><a href="/wiki/Marshallinseln" title="Marshallinseln">Marshallinseln</a></td>
<td>MH</td>
<td> </td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Mazedonien)" title="Kfz-Kennzeichen (Mazedonien)">MK</a></td>
<td><a href="/wiki/Mazedonien" title="Mazedonien">Mazedonien</a></td>
<td>MK</td>
<td>1992</td>
<td> </td>
<td><b>М</b>а<b>к</b>едониjа (mazed.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Montenegro)" title="Kfz-Kennzeichen (Montenegro)">MNE</a></td>
<td><a href="/wiki/Montenegro" title="Montenegro">Montenegro</a></td>
<td>ME</td>
<td>2006</td>
<td>SCG</td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Mosambik)" title="Kfz-Kennzeichen (Mosambik)">MOC</a></td>
<td><a href="/wiki/Mosambik" title="Mosambik">Mosambik</a></td>
<td>MZ</td>
<td>1975</td>
<td> </td>
<td><b>Moç</b>ambique (port.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Mauritius)" title="Kfz-Kennzeichen (Mauritius)">MS</a></td>
<td><a href="/wiki/Mauritius" title="Mauritius">Mauritius</a></td>
<td>MU</td>
<td>1938</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>MV*</td>
<td><a href="/wiki/Malediven" title="Malediven">Malediven</a></td>
<td>MV</td>
<td> </td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>MW</td>
<td><a href="/wiki/Malawi" title="Malawi">Malawi</a></td>
<td>MW</td>
<td>1965</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>MYA</td>
<td><a href="/wiki/Myanmar" title="Myanmar">Myanmar</a></td>
<td>MM</td>
<td> </td>
<td>BUR</td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Norwegen)" title="Kfz-Kennzeichen (Norwegen)">N</a></td>
<td><a href="/wiki/Norwegen" title="Norwegen">Norwegen</a></td>
<td>NO</td>
<td>1922</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>NA</td>
<td><a href="/wiki/Niederl%C3%A4ndische_Antillen" title="Niederländische Antillen">Niederländische Antillen</a></td>
<td>AN</td>
<td>1957</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Namibia)" title="Kfz-Kennzeichen (Namibia)">NAM</a></td>
<td><a href="/wiki/Namibia" title="Namibia">Namibia</a></td>
<td>NA</td>
<td>1990</td>
<td>SWA</td>
<td> </td>
</tr>
<tr>
<td>NAU</td>
<td><a href="/wiki/Nauru" title="Nauru">Nauru</a></td>
<td>NR</td>
<td>1968</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>NCL</td>
<td><a href="/wiki/Neukaledonien" title="Neukaledonien">Neukaledonien</a></td>
<td>NC</td>
<td> </td>
<td> </td>
<td><b>N</b>ouvelle-<b>C</b>a<b>l</b>édonie (franz.)</td>
</tr>
<tr>
<td>NEP*</td>
<td><a href="/wiki/Nepal" title="Nepal">Nepal</a></td>
<td>NP</td>
<td>1970</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Nigeria)" title="Kfz-Kennzeichen (Nigeria)">NGR</a></td>
<td><a href="/wiki/Nigeria" title="Nigeria">Nigeria</a></td>
<td>NG</td>
<td>1992</td>
<td>WAN</td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Nordirland)" title="Kfz-Kennzeichen (Nordirland)">NI</a></td>
<td><a href="/wiki/Nordirland" title="Nordirland">Nordirland</a></td>
<td></td>
<td></td>
<td> </td>
<td>vereinzelt zu sehen</td>
</tr>
<tr>
<td>NIC</td>
<td><a href="/wiki/Nicaragua" title="Nicaragua">Nicaragua</a></td>
<td>NI</td>
<td>1952</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Niederlande)" title="Kfz-Kennzeichen (Niederlande)">NL</a></td>
<td><a href="/wiki/Niederlande" title="Niederlande">Niederlande</a></td>
<td>NL</td>
<td>1910</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>NZ</td>
<td><a href="/wiki/Neuseeland" title="Neuseeland">Neuseeland</a></td>
<td>NZ</td>
<td>1958</td>
<td> </td>
<td><b>N</b>ew <b>Z</b>ealand (engl.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Oman)" title="Kfz-Kennzeichen (Oman)">OM</a></td>
<td><a href="/wiki/Oman" title="Oman">Oman</a></td>
<td>OM</td>
<td> </td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Portugal)" title="Kfz-Kennzeichen (Portugal)">P</a></td>
<td><a href="/wiki/Portugal" title="Portugal">Portugal</a></td>
<td>PT</td>
<td>1910</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>PA</td>
<td><a href="/wiki/Panama" title="Panama">Panama</a></td>
<td>PA</td>
<td>1952</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>PAL</td>
<td><a href="/wiki/Palau" title="Palau">Palau</a></td>
<td>PW</td>
<td> </td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Peru)" title="Kfz-Kennzeichen (Peru)">PE</a></td>
<td><a href="/wiki/Peru" title="Peru">Peru</a></td>
<td>PE</td>
<td>1937</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>PK</td>
<td><a href="/wiki/Pakistan" title="Pakistan">Pakistan</a></td>
<td>PK</td>
<td>1947</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Polen)" title="Kfz-Kennzeichen (Polen)">PL</a></td>
<td><a href="/wiki/Polen" title="Polen">Polen</a></td>
<td>PL</td>
<td>1921</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>PNG*</td>
<td><a href="/wiki/Papua-Neuguinea" title="Papua-Neuguinea">Papua-Neuguinea</a></td>
<td>PG</td>
<td>1978</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>PRI</td>
<td><a href="/wiki/Puerto_Rico" title="Puerto Rico">Puerto Rico</a></td>
<td>PR</td>
<td> </td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>PY</td>
<td><a href="/wiki/Paraguay" title="Paraguay">Paraguay</a></td>
<td>PY</td>
<td>1952</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Katar)" title="Kfz-Kennzeichen (Katar)">Q</a></td>
<td><a href="/wiki/Katar" title="Katar">Katar</a></td>
<td>QA</td>
<td>1972</td>
<td> </td>
<td><b>Q</b>atar (Transkription)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Argentinien)" title="Kfz-Kennzeichen (Argentinien)">RA</a></td>
<td><a href="/wiki/Argentinien" title="Argentinien">Argentinien</a></td>
<td>AR</td>
<td>1927</td>
<td> </td>
<td><b>R</b>epública <b>A</b>rgentina (span.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Botswana)" title="Kfz-Kennzeichen (Botswana)">RB</a></td>
<td><a href="/wiki/Botswana" title="Botswana">Botswana</a></td>
<td>BW</td>
<td>1967</td>
<td>BP</td>
<td><b>R</b>epublic of <b>B</b>otswana (engl.),in der Praxis wird <i>BW</i> verwendet.</td>
</tr>
<tr>
<td>RC</td>
<td><a href="/wiki/Republik_China_(Taiwan)" title="Republik China (Taiwan)">Republik China (Taiwan)</a></td>
<td>TW</td>
<td>1932</td>
<td> </td>
<td><b>R</b>epublic of <b>C</b>hina (engl.) (siehe Anmerkung zu Volksrepublik China)</td>
</tr>
<tr>
<td>RCA</td>
<td><a href="/wiki/Zentralafrikanische_Republik" title="Zentralafrikanische Republik">Zentralafrikanische Republik</a></td>
<td>CF</td>
<td>1962</td>
<td> </td>
<td><b>R</b>épublique <b>c</b>entr<b>a</b>fricaine (franz.)</td>
</tr>
<tr>
<td>RCB</td>
<td><a href="/wiki/Republik_Kongo" title="Republik Kongo">Republik Kongo</a></td>
<td>CG</td>
<td>1962</td>
<td> </td>
<td><b>R</b>épublique du <b>C</b>ongo <b>B</b>razzaville (franz.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Chile)" title="Kfz-Kennzeichen (Chile)">RCH</a></td>
<td><a href="/wiki/Chile" title="Chile">Chile</a></td>
<td>CL</td>
<td>1930</td>
<td> </td>
<td><b>R</b>epública de <b>Ch</b>ile (span.)</td>
</tr>
<tr>
<td>RG</td>
<td><a href="/wiki/Guinea" title="Guinea">Guinea</a></td>
<td>GN</td>
<td>1972</td>
<td> </td>
<td><b>R</b>épublique de <b>G</b>uinée (franz.)</td>
</tr>
<tr>
<td>RH</td>
<td><a href="/wiki/Haiti" title="Haiti">Haiti</a></td>
<td>HT</td>
<td>1952</td>
<td> </td>
<td><b>R</b>épublique d'<b>H</b>aïti (franz.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Indonesien)" title="Kfz-Kennzeichen (Indonesien)">RI</a></td>
<td><a href="/wiki/Indonesien" title="Indonesien">Indonesien</a></td>
<td>ID</td>
<td>1955</td>
<td>IN</td>
<td><b>R</b>epublik <b>I</b>ndonesia (indones.)</td>
</tr>
<tr>
<td>RIM</td>
<td><a href="/wiki/Mauretanien" title="Mauretanien">Mauretanien</a></td>
<td>MR</td>
<td>1964</td>
<td> </td>
<td><b>R</b>épublique <b>i</b>slamique de <b>M</b>auritanie (franz.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Kosovo)" title="Kfz-Kennzeichen (Kosovo)">RKS</a></td>
<td><a href="/wiki/Kosovo" title="Kosovo">Kosovo</a></td>
<td>XK</td>
<td>2008</td>
<td> </td>
<td><b>R</b>epublika e <b>K</b>o<b>s</b>ovës (alb.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Libanon)" title="Kfz-Kennzeichen (Libanon)">RL</a></td>
<td><a href="/wiki/Libanon" title="Libanon">Libanon</a></td>
<td>LB</td>
<td>1952</td>
<td> </td>
<td><b>R</b>épublique <b>l</b>ibanaise (franz.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Madagaskar)" title="Kfz-Kennzeichen (Madagaskar)">RM</a></td>
<td><a href="/wiki/Madagaskar" title="Madagaskar">Madagaskar</a></td>
<td>MG</td>
<td>1962</td>
<td> </td>
<td><b>R</b>épublique de <b>M</b>adagascar (franz.)</td>
</tr>
<tr>
<td>RMM</td>
<td><a href="/wiki/Mali" title="Mali">Mali</a></td>
<td>ML</td>
<td>1962</td>
<td> </td>
<td><b>R</b>épublique <b>m</b>usulmane du <b>M</b>ali (franz.)</td>
</tr>
<tr>
<td>RN</td>
<td><a href="/wiki/Niger" title="Niger">Niger</a></td>
<td>NE</td>
<td>1977</td>
<td> </td>
<td><b>R</b>épublique du <b>N</b>iger (franz.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Rum%C3%A4nien)" title="Kfz-Kennzeichen (Rumänien)">RO</a></td>
<td><a href="/wiki/Rum%C3%A4nien" title="Rumänien">Rumänien</a></td>
<td>RO</td>
<td>1981</td>
<td>R</td>
<td><b>Ro</b>mânia (rumän.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(S%C3%BCdkorea)" title="Kfz-Kennzeichen (Südkorea)">ROK</a></td>
<td><a href="/wiki/S%C3%BCdkorea" title="Südkorea">Südkorea</a></td>
<td>KR</td>
<td>1971</td>
<td> </td>
<td><b>R</b>epublic <b>o</b>f <b>K</b>orea (engl.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Rum%C3%A4nien)" title="Kfz-Kennzeichen (Rumänien)">RUM</a>*</td>
<td><a href="/wiki/Rum%C3%A4nien" title="Rumänien">Rumänien</a></td>
<td>RO</td>
<td>1981</td>
<td> </td>
<td>inoffiziell, aber oft verwendet; offiziell: RO</td>
</tr>
<tr>
<td>ROU</td>
<td><a href="/wiki/Uruguay" title="Uruguay">Uruguay</a></td>
<td>UY</td>
<td>1979</td>
<td>U</td>
<td><b>R</b>epública <b>O</b>riental del <b>U</b>ruguay (span.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Philippinen)" title="Kfz-Kennzeichen (Philippinen)">RP</a></td>
<td><a href="/wiki/Philippinen" title="Philippinen">Philippinen</a></td>
<td>PH</td>
<td>1975</td>
<td> </td>
<td><b>R</b>epublic of the <b>P</b>hilippines (engl.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Bosnien_und_Herzegowina)" title="Kfz-Kennzeichen (Bosnien und Herzegowina)">RS</a>*</td>
<td><a href="/wiki/Republika_Srpska" title="Republika Srpska">Bosnisch-Serbische Republik</a></td>
<td>RS</td>
<td>1992</td>
<td> </td>
<td><b>R</b>epublika <b>S</b>rpska (serb.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(San_Marino)" title="Kfz-Kennzeichen (San Marino)">RSM</a></td>
<td><a href="/wiki/San_Marino" title="San Marino">San Marino</a></td>
<td>SM</td>
<td>1932</td>
<td> </td>
<td><b>R</b>epubblica di <b>S</b>an <b>M</b>arino (ital.)</td>
</tr>
<tr>
<td>RT</td>
<td><a href="/wiki/Togo" title="Togo">Togo</a></td>
<td>TG</td>
<td> </td>
<td> </td>
<td><b>R</b>épublique <b>t</b>ogolaise (franz.)</td>
</tr>
<tr>
<td>RU</td>
<td><a href="/wiki/Burundi" title="Burundi">Burundi</a></td>
<td>BI</td>
<td> </td>
<td> </td>
<td><b>R</b>epublika y'<b>U</b>burundi (<a href="/wiki/Kirundi" title="Kirundi">Kirundi</a>, eine <a href="/wiki/Bantu" title="Bantu">Bantusprache</a>)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Russland)" title="Kfz-Kennzeichen (Russland)">RUS</a></td>
<td><a href="/wiki/Russland" title="Russland">Russland</a></td>
<td>RU</td>
<td>1992</td>
<td> </td>
<td><b>Rus</b>sia (engl.)</td>
</tr>
<tr>
<td>RWA</td>
<td><a href="/wiki/Ruanda" title="Ruanda">Ruanda</a></td>
<td>RW</td>
<td>1964</td>
<td> </td>
<td><b>Rwa</b>nda (franz.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Schweden)" title="Kfz-Kennzeichen (Schweden)">S</a></td>
<td><a href="/wiki/Schweden" title="Schweden">Schweden</a></td>
<td>SE</td>
<td>1911</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>SD</td>
<td><a href="/wiki/Swasiland" title="Swasiland">Swasiland</a></td>
<td>SZ</td>
<td>1935</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>SGP</td>
<td><a href="/wiki/Singapur" title="Singapur">Singapur</a></td>
<td>SG</td>
<td>1952</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Slowakei)" title="Kfz-Kennzeichen (Slowakei)">SK</a></td>
<td><a href="/wiki/Slowakei" title="Slowakei">Slowakei</a></td>
<td>SK</td>
<td>1993</td>
<td>CS</td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Sierra_Leone)" title="Kfz-Kennzeichen (Sierra Leone)">SLE</a>*</td>
<td><a href="/wiki/Sierra_Leone" title="Sierra Leone">Sierra Leone</a></td>
<td>SL</td>
<td>2002</td>
<td> </td>
<td>offiziell WAL; auf nationalen Kennzeichen ist links stets die Nationalflagge sowie darunter SLE zu sehen</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Slowenien)" title="Kfz-Kennzeichen (Slowenien)">SLO</a></td>
<td><a href="/wiki/Slowenien" title="Slowenien">Slowenien</a></td>
<td>SI</td>
<td>1992</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>SME</td>
<td><a href="/wiki/Suriname" title="Suriname">Suriname</a></td>
<td>SR</td>
<td>1936</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>S.M.O.M.*</td>
<td><a href="/wiki/Souver%C3%A4ner_Malteserorden" title="Souveräner Malteserorden">Malteserorden</a></td>
<td>MT</td>
<td> </td>
<td> </td>
<td>Sovereign Military Order of Malta (engl.)</td>
</tr>
<tr>
<td>SN</td>
<td><a href="/wiki/Senegal" title="Senegal">Senegal</a></td>
<td>SN</td>
<td>1962</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>SO</td>
<td><a href="/wiki/Somalia" title="Somalia">Somalia</a></td>
<td>SO</td>
<td>1974</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>SOL</td>
<td><a href="/wiki/Salomonen" title="Salomonen">Salomonen</a></td>
<td>SB</td>
<td> </td>
<td> </td>
<td><b>Sol</b>omon Islands (engl.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Serbien)" title="Kfz-Kennzeichen (Serbien)">SRB</a></td>
<td><a href="/wiki/Serbien" title="Serbien">Serbien</a></td>
<td>RS</td>
<td>2006</td>
<td>SCG</td>
<td><b>Srb</b>ija (serbisch)</td>
</tr>
<tr>
<td>SSD</td>
<td><a href="/wiki/S%C3%BCdsudan" title="Südsudan">Südsudan</a></td>
<td>SS</td>
<td>2011</td>
<td>SUD</td>
<td><b>S</b>outh <b>S</b>u<b>d</b>an (engl.)</td>
</tr>
<tr>
<td>STP</td>
<td><a href="/wiki/S%C3%A3o_Tom%C3%A9_und_Pr%C3%ADncipe" title="São Tomé und Príncipe">São Tomé und Príncipe</a></td>
<td>ST</td>
<td> </td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>SUD*</td>
<td><a href="/wiki/Sudan" title="Sudan">Sudan</a></td>
<td>SD</td>
<td>1963</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>SY</td>
<td><a href="/wiki/Seychellen" title="Seychellen">Seychellen</a></td>
<td>SC</td>
<td>1938</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Syrien)" title="Kfz-Kennzeichen (Syrien)">SYR</a></td>
<td><a href="/wiki/Syrien" title="Syrien">Syrien</a></td>
<td>SY</td>
<td>1952</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Thailand)" title="Kfz-Kennzeichen (Thailand)">T</a></td>
<td><a href="/wiki/Thailand" title="Thailand">Thailand</a></td>
<td>TH</td>
<td>1955</td>
<td>SM</td>
<td> </td>
</tr>
<tr>
<td>TD</td>
<td><a href="/wiki/Tschad" title="Tschad">Tschad</a></td>
<td>TD</td>
<td>1973</td>
<td> </td>
<td><b>T</b>cha<b>d</b> (franz.)</td>
</tr>
<tr>
<td>TG*</td>
<td><a href="/wiki/Togo" title="Togo">Togo</a></td>
<td>TG</td>
<td>1973</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Tadschikistan)" title="Kfz-Kennzeichen (Tadschikistan)">TJ</a></td>
<td><a href="/wiki/Tadschikistan" title="Tadschikistan">Tadschikistan</a></td>
<td>TJ</td>
<td>1992</td>
<td> </td>
<td><b>T</b>a<b>j</b>ikistan (engl.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Osttimor)" title="Kfz-Kennzeichen (Osttimor)">TL</a></td>
<td><a href="/wiki/Osttimor" title="Osttimor">Osttimor</a></td>
<td>TL</td>
<td> </td>
<td> </td>
<td><b>T</b>imor-<b>L</b>este (portug.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Turkmenistan)" title="Kfz-Kennzeichen (Turkmenistan)">TM</a></td>
<td><a href="/wiki/Turkmenistan" title="Turkmenistan">Turkmenistan</a></td>
<td>TM</td>
<td>1992</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Tunesien)" title="Kfz-Kennzeichen (Tunesien)">TN</a></td>
<td><a href="/wiki/Tunesien" title="Tunesien">Tunesien</a></td>
<td>TN</td>
<td>1957</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Tonga)" title="Kfz-Kennzeichen (Tonga)">TON</a>*</td>
<td><a href="/wiki/Tonga" title="Tonga">Tonga</a></td>
<td>TO</td>
<td> </td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(T%C3%BCrkei)" title="Kfz-Kennzeichen (Türkei)">TR</a></td>
<td><a href="/wiki/T%C3%BCrkei" title="Türkei">Türkei</a></td>
<td>TR</td>
<td>1935</td>
<td> </td>
<td><b>T</b>ü<b>r</b>kiye (türk.)</td>
</tr>
<tr>
<td>TT</td>
<td><a href="/wiki/Trinidad_und_Tobago" title="Trinidad und Tobago">Trinidad und Tobago</a></td>
<td>TT</td>
<td>1964</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>TUV</td>
<td><a href="/wiki/Tuvalu" title="Tuvalu">Tuvalu</a></td>
<td>TV</td>
<td> </td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Ukraine)" title="Kfz-Kennzeichen (Ukraine)">UA</a></td>
<td><a href="/wiki/Ukraine" title="Ukraine">Ukraine</a></td>
<td>UA</td>
<td>1992</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Vereinigte_Arabische_Emirate)" title="Kfz-Kennzeichen (Vereinigte Arabische Emirate)">UAE</a></td>
<td><a href="/wiki/Vereinigte_Arabische_Emirate" title="Vereinigte Arabische Emirate">Vereinigte Arabische Emirate</a></td>
<td>AE</td>
<td> </td>
<td> </td>
<td><b>U</b>nited <b>A</b>rab <b>E</b>mirates (engl.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Vereinigte_Staaten)" title="Kfz-Kennzeichen (Vereinigte Staaten)">USA</a></td>
<td><a href="/wiki/Vereinigte_Staaten" title="Vereinigte Staaten">Vereinigte Staaten von Amerika</a></td>
<td>US</td>
<td>1952</td>
<td>US</td>
<td><b>U</b>nited <b>S</b>tates of <b>A</b>merica (engl.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Usbekistan)" title="Kfz-Kennzeichen (Usbekistan)">UZ</a></td>
<td><a href="/wiki/Usbekistan" title="Usbekistan">Usbekistan</a></td>
<td>UZ</td>
<td>1992</td>
<td> </td>
<td><b>Uz</b>bekistan (engl.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Vatikanstadt)" title="Kfz-Kennzeichen (Vatikanstadt)">V</a></td>
<td><a href="/wiki/Vatikanstadt" title="Vatikanstadt">Vatikanstaat</a></td>
<td>VA</td>
<td></td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Vanuatu)" title="Kfz-Kennzeichen (Vanuatu)">VAN</a>*</td>
<td><a href="/wiki/Vanuatu" title="Vanuatu">Vanuatu</a></td>
<td>VU</td>
<td> </td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>VG</td>
<td><a href="/wiki/Britische_Jungferninseln" title="Britische Jungferninseln">Britische Jungferninseln</a></td>
<td> </td>
<td> </td>
<td> </td>
<td> </td>
</tr>
<tr>
<td>VN</td>
<td><a href="/wiki/Vietnam" title="Vietnam">Vietnam</a></td>
<td>VN</td>
<td>1953</td>
<td> </td>
<td> </td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Gambia)" title="Kfz-Kennzeichen (Gambia)">WAG</a></td>
<td><a href="/wiki/Gambia" title="Gambia">Gambia</a></td>
<td>GM</td>
<td>1932</td>
<td> </td>
<td><b>W</b>est <b>A</b>frica The <b>G</b>ambia (engl.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Sierra_Leone)" title="Kfz-Kennzeichen (Sierra Leone)">WAL</a></td>
<td><a href="/wiki/Sierra_Leone" title="Sierra Leone">Sierra Leone</a></td>
<td>SL</td>
<td>1937</td>
<td> </td>
<td><b>W</b>est <b>A</b>frica Sierra <b>L</b>eone (engl.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(Pal%C3%A4stinensische_Autonomiegebiete)" title="Kfz-Kennzeichen (Palästinensische Autonomiegebiete)">WB</a>*</td>
<td><a href="/wiki/Westjordanland" title="Westjordanland">Westjordanland</a></td>
<td>PS</td>
<td> </td>
<td> </td>
<td><b>W</b>est <b>B</b>ank (engl.)</td>
</tr>
<tr>
<td>WD</td>
<td><a href="/wiki/Dominica" title="Dominica">Dominica</a></td>
<td>DM</td>
<td>1954</td>
<td> </td>
<td><b>W</b>indward Islands <b>D</b>ominica (engl.)</td>
</tr>
<tr>
<td>WG</td>
<td><a href="/wiki/Grenada" title="Grenada">Grenada</a></td>
<td>GD</td>
<td>1932</td>
<td> </td>
<td><b>W</b>indward Islands <b>G</b>renada (engl.)</td>
</tr>
<tr>
<td>WL</td>
<td><a href="/wiki/St._Lucia" title="St. Lucia">St. Lucia</a></td>
<td>LC</td>
<td>1932</td>
<td> </td>
<td><b>W</b>indward Islands St. <b>L</b>ucia (engl.)</td>
</tr>
<tr>
<td>WS</td>
<td><a href="/wiki/Samoa" title="Samoa">Samoa</a></td>
<td>WS</td>
<td>1962</td>
<td> </td>
<td>ehem. <b>W</b>est<b>s</b>amoa</td>
</tr>
<tr>
<td>WSA*</td>
<td><a href="/wiki/Demokratische_Arabische_Republik_Sahara" title="Demokratische Arabische Republik Sahara">Demokratische Arabische Republik Sahara</a></td>
<td>EH</td>
<td>1932</td>
<td> </td>
<td><b>W</b>est <b>Sa</b>hara (engl.)</td>
</tr>
<tr>
<td>WV</td>
<td><a href="/wiki/St._Vincent_und_die_Grenadinen" title="St. Vincent und die Grenadinen">St. Vincent und die Grenadinen</a></td>
<td>VC</td>
<td>1932</td>
<td> </td>
<td><b>W</b>indward Islands St. <b>V</b>incent (engl.)</td>
</tr>
<tr>
<td>YEM</td>
<td><a href="/wiki/Jemen" title="Jemen">Jemen</a></td>
<td>YE</td>
<td> </td>
<td> </td>
<td><b>Yem</b>en (engl.)</td>
</tr>
<tr>
<td>YV</td>
<td><a href="/wiki/Venezuela" title="Venezuela">Venezuela</a></td>
<td>VE</td>
<td> </td>
<td> </td>
<td><b>YV</b> ist das Kennzeichen der <a href="/wiki/Luftfahrzeug-Kennung#Zivile.2C_internationale_Luftfahrzeug-Kennungen" title="Luftfahrzeug-Kennung" class="mw-redirect">Flugzeuge aus Venezuela</a></td>
</tr>
<tr>
<td>Z</td>
<td><a href="/wiki/Sambia" title="Sambia">Sambia</a></td>
<td>ZM</td>
<td>1966</td>
<td> </td>
<td><b>Z</b>ambia (engl.)</td>
</tr>
<tr>
<td><a href="/wiki/Kfz-Kennzeichen_(S%C3%BCdafrika)" title="Kfz-Kennzeichen (Südafrika)">ZA</a></td>
<td><a href="/wiki/S%C3%BCdafrika" title="Südafrika">Südafrika</a></td>
<td>ZA</td>
<td>1936 ?</td>
<td>SAU</td>
<td><b>Z</b>uid-<b>A</b>frika (alter niederländischer Name)</td>
</tr>
<tr>
<td>ZW</td>
<td><a href="/wiki/Simbabwe" title="Simbabwe">Simbabwe</a></td>
<td>ZW</td>
<td>1977</td>
<td>RSR</td>
<td><b>Z</b>imbab<b>w</b>e (engl.)</td>
</tr>
</tbody><tfoot></tfoot></table>"""
# source = https://en.wikipedia.org/wiki/ISO_3166-1 retrieved on 16.7.2015
country_codes = """
<table class="wikitable sortable jquery-tablesorter">
<thead><tr>
<th scope="col" class="headerSort" tabindex="0" role="columnheader button" title="Sort ascending">English short name (upper/lower case)</th>
<th scope="col" class="headerSort" tabindex="0" role="columnheader button" title="Sort ascending"><a href="/wiki/ISO_3166-1_alpha-2#Officially_assigned_code_elements" title="ISO 3166-1 alpha-2">Alpha-2 code</a></th>
<th scope="col" class="headerSort" tabindex="0" role="columnheader button" title="Sort ascending"><a href="/wiki/ISO_3166-1_alpha-3#Officially_assigned_code_elements" title="ISO 3166-1 alpha-3">Alpha-3 code</a></th>
<th scope="col" class="headerSort" tabindex="0" role="columnheader button" title="Sort ascending"><a href="/wiki/ISO_3166-1_numeric#Officially_assigned_code_elements" title="ISO 3166-1 numeric">Numeric code</a></th>
<th scope="col" class="headerSort" tabindex="0" role="columnheader button" title="Sort ascending">Link to <a href="/wiki/ISO_3166-2" title="ISO 3166-2">ISO 3166-2</a> subdivision codes</th>
</tr></thead><tbody>
<tr>
<td><a href="/wiki/Afghanistan" title="Afghanistan">Afghanistan</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#AF" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">AF</span></a></td>
<td><span style="font-family: monospace, monospace;">AFG</span></td>
<td><span style="font-family: monospace, monospace;">004</span></td>
<td><a href="/wiki/ISO_3166-2:AF" title="ISO 3166-2:AF">ISO 3166-2:AF</a></td>
</tr>
<tr>
<td><span style="display:none;" class="sortkey">Aland Islands !</span><span class="sorttext"><a href="/wiki/%C3%85land_Islands" title="Åland Islands">Åland Islands</a></span></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#AX" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">AX</span></a></td>
<td><span style="font-family: monospace, monospace;">ALA</span></td>
<td><span style="font-family: monospace, monospace;">248</span></td>
<td><a href="/wiki/ISO_3166-2:AX" title="ISO 3166-2:AX">ISO 3166-2:AX</a></td>
</tr>
<tr>
<td><a href="/wiki/Albania" title="Albania">Albania</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#AL" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">AL</span></a></td>
<td><span style="font-family: monospace, monospace;">ALB</span></td>
<td><span style="font-family: monospace, monospace;">008</span></td>
<td><a href="/wiki/ISO_3166-2:AL" title="ISO 3166-2:AL">ISO 3166-2:AL</a></td>
</tr>
<tr>
<td><a href="/wiki/Algeria" title="Algeria">Algeria</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#DZ" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">DZ</span></a></td>
<td><span style="font-family: monospace, monospace;">DZA</span></td>
<td><span style="font-family: monospace, monospace;">012</span></td>
<td><a href="/wiki/ISO_3166-2:DZ" title="ISO 3166-2:DZ">ISO 3166-2:DZ</a></td>
</tr>
<tr>
<td><a href="/wiki/American_Samoa" title="American Samoa">American Samoa</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#AS" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">AS</span></a></td>
<td><span style="font-family: monospace, monospace;">ASM</span></td>
<td><span style="font-family: monospace, monospace;">016</span></td>
<td><a href="/wiki/ISO_3166-2:AS" title="ISO 3166-2:AS">ISO 3166-2:AS</a></td>
</tr>
<tr>
<td><a href="/wiki/Andorra" title="Andorra">Andorra</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#AD" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">AD</span></a></td>
<td><span style="font-family: monospace, monospace;">AND</span></td>
<td><span style="font-family: monospace, monospace;">020</span></td>
<td><a href="/wiki/ISO_3166-2:AD" title="ISO 3166-2:AD">ISO 3166-2:AD</a></td>
</tr>
<tr>
<td><a href="/wiki/Angola" title="Angola">Angola</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#AO" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">AO</span></a></td>
<td><span style="font-family: monospace, monospace;">AGO</span></td>
<td><span style="font-family: monospace, monospace;">024</span></td>
<td><a href="/wiki/ISO_3166-2:AO" title="ISO 3166-2:AO">ISO 3166-2:AO</a></td>
</tr>
<tr>
<td><a href="/wiki/Anguilla" title="Anguilla">Anguilla</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#AI" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">AI</span></a></td>
<td><span style="font-family: monospace, monospace;">AIA</span></td>
<td><span style="font-family: monospace, monospace;">660</span></td>
<td><a href="/wiki/ISO_3166-2:AI" title="ISO 3166-2:AI">ISO 3166-2:AI</a></td>
</tr>
<tr>
<td><a href="/wiki/Antarctica" title="Antarctica">Antarctica</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#AQ" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">AQ</span></a></td>
<td><span style="font-family: monospace, monospace;">ATA</span></td>
<td><span style="font-family: monospace, monospace;">010</span></td>
<td><a href="/wiki/ISO_3166-2:AQ" title="ISO 3166-2:AQ">ISO 3166-2:AQ</a></td>
</tr>
<tr>
<td><a href="/wiki/Antigua_and_Barbuda" title="Antigua and Barbuda">Antigua and Barbuda</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#AG" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">AG</span></a></td>
<td><span style="font-family: monospace, monospace;">ATG</span></td>
<td><span style="font-family: monospace, monospace;">028</span></td>
<td><a href="/wiki/ISO_3166-2:AG" title="ISO 3166-2:AG">ISO 3166-2:AG</a></td>
</tr>
<tr>
<td><a href="/wiki/Argentina" title="Argentina">Argentina</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#AR" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">AR</span></a></td>
<td><span style="font-family: monospace, monospace;">ARG</span></td>
<td><span style="font-family: monospace, monospace;">032</span></td>
<td><a href="/wiki/ISO_3166-2:AR" title="ISO 3166-2:AR">ISO 3166-2:AR</a></td>
</tr>
<tr>
<td><a href="/wiki/Armenia" title="Armenia">Armenia</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#AM" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">AM</span></a></td>
<td><span style="font-family: monospace, monospace;">ARM</span></td>
<td><span style="font-family: monospace, monospace;">051</span></td>
<td><a href="/wiki/ISO_3166-2:AM" title="ISO 3166-2:AM">ISO 3166-2:AM</a></td>
</tr>
<tr>
<td><a href="/wiki/Aruba" title="Aruba">Aruba</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#AW" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">AW</span></a></td>
<td><span style="font-family: monospace, monospace;">ABW</span></td>
<td><span style="font-family: monospace, monospace;">533</span></td>
<td><a href="/wiki/ISO_3166-2:AW" title="ISO 3166-2:AW">ISO 3166-2:AW</a></td>
</tr>
<tr>
<td><a href="/wiki/Australia" title="Australia">Australia</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#AU" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">AU</span></a></td>
<td><span style="font-family: monospace, monospace;">AUS</span></td>
<td><span style="font-family: monospace, monospace;">036</span></td>
<td><a href="/wiki/ISO_3166-2:AU" title="ISO 3166-2:AU">ISO 3166-2:AU</a></td>
</tr>
<tr>
<td><a href="/wiki/Austria" title="Austria">Austria</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#AT" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">AT</span></a></td>
<td><span style="font-family: monospace, monospace;">AUT</span></td>
<td><span style="font-family: monospace, monospace;">040</span></td>
<td><a href="/wiki/ISO_3166-2:AT" title="ISO 3166-2:AT">ISO 3166-2:AT</a></td>
</tr>
<tr>
<td><a href="/wiki/Azerbaijan" title="Azerbaijan">Azerbaijan</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#AZ" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">AZ</span></a></td>
<td><span style="font-family: monospace, monospace;">AZE</span></td>
<td><span style="font-family: monospace, monospace;">031</span></td>
<td><a href="/wiki/ISO_3166-2:AZ" title="ISO 3166-2:AZ">ISO 3166-2:AZ</a></td>
</tr>
<tr>
<td><a href="/wiki/Bahamas" title="Bahamas" class="mw-redirect">Bahamas</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#BS" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">BS</span></a></td>
<td><span style="font-family: monospace, monospace;">BHS</span></td>
<td><span style="font-family: monospace, monospace;">044</span></td>
<td><a href="/wiki/ISO_3166-2:BS" title="ISO 3166-2:BS">ISO 3166-2:BS</a></td>
</tr>
<tr>
<td><a href="/wiki/Bahrain" title="Bahrain">Bahrain</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#BH" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">BH</span></a></td>
<td><span style="font-family: monospace, monospace;">BHR</span></td>
<td><span style="font-family: monospace, monospace;">048</span></td>
<td><a href="/wiki/ISO_3166-2:BH" title="ISO 3166-2:BH">ISO 3166-2:BH</a></td>
</tr>
<tr>
<td><a href="/wiki/Bangladesh" title="Bangladesh">Bangladesh</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#BD" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">BD</span></a></td>
<td><span style="font-family: monospace, monospace;">BGD</span></td>
<td><span style="font-family: monospace, monospace;">050</span></td>
<td><a href="/wiki/ISO_3166-2:BD" title="ISO 3166-2:BD">ISO 3166-2:BD</a></td>
</tr>
<tr>
<td><a href="/wiki/Barbados" title="Barbados">Barbados</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#BB" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">BB</span></a></td>
<td><span style="font-family: monospace, monospace;">BRB</span></td>
<td><span style="font-family: monospace, monospace;">052</span></td>
<td><a href="/wiki/ISO_3166-2:BB" title="ISO 3166-2:BB">ISO 3166-2:BB</a></td>
</tr>
<tr>
<td><a href="/wiki/Belarus" title="Belarus">Belarus</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#BY" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">BY</span></a></td>
<td><span style="font-family: monospace, monospace;">BLR</span></td>
<td><span style="font-family: monospace, monospace;">112</span></td>
<td><a href="/wiki/ISO_3166-2:BY" title="ISO 3166-2:BY">ISO 3166-2:BY</a></td>
</tr>
<tr>
<td><a href="/wiki/Belgium" title="Belgium">Belgium</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#BE" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">BE</span></a></td>
<td><span style="font-family: monospace, monospace;">BEL</span></td>
<td><span style="font-family: monospace, monospace;">056</span></td>
<td><a href="/wiki/ISO_3166-2:BE" title="ISO 3166-2:BE">ISO 3166-2:BE</a></td>
</tr>
<tr>
<td><a href="/wiki/Belize" title="Belize">Belize</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#BZ" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">BZ</span></a></td>
<td><span style="font-family: monospace, monospace;">BLZ</span></td>
<td><span style="font-family: monospace, monospace;">084</span></td>
<td><a href="/wiki/ISO_3166-2:BZ" title="ISO 3166-2:BZ">ISO 3166-2:BZ</a></td>
</tr>
<tr>
<td><a href="/wiki/Benin" title="Benin">Benin</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#BJ" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">BJ</span></a></td>
<td><span style="font-family: monospace, monospace;">BEN</span></td>
<td><span style="font-family: monospace, monospace;">204</span></td>
<td><a href="/wiki/ISO_3166-2:BJ" title="ISO 3166-2:BJ">ISO 3166-2:BJ</a></td>
</tr>
<tr>
<td><a href="/wiki/Bermuda" title="Bermuda">Bermuda</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#BM" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">BM</span></a></td>
<td><span style="font-family: monospace, monospace;">BMU</span></td>
<td><span style="font-family: monospace, monospace;">060</span></td>
<td><a href="/wiki/ISO_3166-2:BM" title="ISO 3166-2:BM">ISO 3166-2:BM</a></td>
</tr>
<tr>
<td><a href="/wiki/Bhutan" title="Bhutan">Bhutan</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#BT" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">BT</span></a></td>
<td><span style="font-family: monospace, monospace;">BTN</span></td>
<td><span style="font-family: monospace, monospace;">064</span></td>
<td><a href="/wiki/ISO_3166-2:BT" title="ISO 3166-2:BT">ISO 3166-2:BT</a></td>
</tr>
<tr>
<td><a href="/wiki/Bolivia_(Plurinational_State_of)" title="Bolivia (Plurinational State of)" class="mw-redirect">Bolivia (Plurinational State of)</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#BO" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">BO</span></a></td>
<td><span style="font-family: monospace, monospace;">BOL</span></td>
<td><span style="font-family: monospace, monospace;">068</span></td>
<td><a href="/wiki/ISO_3166-2:BO" title="ISO 3166-2:BO">ISO 3166-2:BO</a></td>
</tr>
<tr>
<td><a href="/wiki/Bonaire,_Sint_Eustatius_and_Saba" title="Bonaire, Sint Eustatius and Saba" class="mw-redirect">Bonaire, Sint Eustatius and Saba</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#BQ" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">BQ</span></a></td>
<td><span style="font-family: monospace, monospace;">BES</span></td>
<td><span style="font-family: monospace, monospace;">535</span></td>
<td><a href="/wiki/ISO_3166-2:BQ" title="ISO 3166-2:BQ">ISO 3166-2:BQ</a></td>
</tr>
<tr>
<td><a href="/wiki/Bosnia_and_Herzegovina" title="Bosnia and Herzegovina">Bosnia and Herzegovina</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#BA" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">BA</span></a></td>
<td><span style="font-family: monospace, monospace;">BIH</span></td>
<td><span style="font-family: monospace, monospace;">070</span></td>
<td><a href="/wiki/ISO_3166-2:BA" title="ISO 3166-2:BA">ISO 3166-2:BA</a></td>
</tr>
<tr>
<td><a href="/wiki/Botswana" title="Botswana">Botswana</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#BW" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">BW</span></a></td>
<td><span style="font-family: monospace, monospace;">BWA</span></td>
<td><span style="font-family: monospace, monospace;">072</span></td>
<td><a href="/wiki/ISO_3166-2:BW" title="ISO 3166-2:BW">ISO 3166-2:BW</a></td>
</tr>
<tr>
<td><a href="/wiki/Bouvet_Island" title="Bouvet Island">Bouvet Island</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#BV" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">BV</span></a></td>
<td><span style="font-family: monospace, monospace;">BVT</span></td>
<td><span style="font-family: monospace, monospace;">074</span></td>
<td><a href="/wiki/ISO_3166-2:BV" title="ISO 3166-2:BV">ISO 3166-2:BV</a></td>
</tr>
<tr>
<td><a href="/wiki/Brazil" title="Brazil">Brazil</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#BR" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">BR</span></a></td>
<td><span style="font-family: monospace, monospace;">BRA</span></td>
<td><span style="font-family: monospace, monospace;">076</span></td>
<td><a href="/wiki/ISO_3166-2:BR" title="ISO 3166-2:BR">ISO 3166-2:BR</a></td>
</tr>
<tr>
<td><a href="/wiki/British_Indian_Ocean_Territory" title="British Indian Ocean Territory">British Indian Ocean Territory</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#IO" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">IO</span></a></td>
<td><span style="font-family: monospace, monospace;">IOT</span></td>
<td><span style="font-family: monospace, monospace;">086</span></td>
<td><a href="/wiki/ISO_3166-2:IO" title="ISO 3166-2:IO">ISO 3166-2:IO</a></td>
</tr>
<tr>
<td><a href="/wiki/Brunei_Darussalam" title="Brunei Darussalam" class="mw-redirect">Brunei Darussalam</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#BN" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">BN</span></a></td>
<td><span style="font-family: monospace, monospace;">BRN</span></td>
<td><span style="font-family: monospace, monospace;">096</span></td>
<td><a href="/wiki/ISO_3166-2:BN" title="ISO 3166-2:BN">ISO 3166-2:BN</a></td>
</tr>
<tr>
<td><a href="/wiki/Bulgaria" title="Bulgaria">Bulgaria</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#BG" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">BG</span></a></td>
<td><span style="font-family: monospace, monospace;">BGR</span></td>
<td><span style="font-family: monospace, monospace;">100</span></td>
<td><a href="/wiki/ISO_3166-2:BG" title="ISO 3166-2:BG">ISO 3166-2:BG</a></td>
</tr>
<tr>
<td><a href="/wiki/Burkina_Faso" title="Burkina Faso">Burkina Faso</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#BF" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">BF</span></a></td>
<td><span style="font-family: monospace, monospace;">BFA</span></td>
<td><span style="font-family: monospace, monospace;">854</span></td>
<td><a href="/wiki/ISO_3166-2:BF" title="ISO 3166-2:BF">ISO 3166-2:BF</a></td>
</tr>
<tr>
<td><a href="/wiki/Burundi" title="Burundi">Burundi</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#BI" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">BI</span></a></td>
<td><span style="font-family: monospace, monospace;">BDI</span></td>
<td><span style="font-family: monospace, monospace;">108</span></td>
<td><a href="/wiki/ISO_3166-2:BI" title="ISO 3166-2:BI">ISO 3166-2:BI</a></td>
</tr>
<tr>
<td><a href="/wiki/Cambodia" title="Cambodia">Cambodia</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#KH" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">KH</span></a></td>
<td><span style="font-family: monospace, monospace;">KHM</span></td>
<td><span style="font-family: monospace, monospace;">116</span></td>
<td><a href="/wiki/ISO_3166-2:KH" title="ISO 3166-2:KH">ISO 3166-2:KH</a></td>
</tr>
<tr>
<td><a href="/wiki/Cameroon" title="Cameroon">Cameroon</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#CM" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">CM</span></a></td>
<td><span style="font-family: monospace, monospace;">CMR</span></td>
<td><span style="font-family: monospace, monospace;">120</span></td>
<td><a href="/wiki/ISO_3166-2:CM" title="ISO 3166-2:CM">ISO 3166-2:CM</a></td>
</tr>
<tr>
<td><a href="/wiki/Canada" title="Canada">Canada</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#CA" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">CA</span></a></td>
<td><span style="font-family: monospace, monospace;">CAN</span></td>
<td><span style="font-family: monospace, monospace;">124</span></td>
<td><a href="/wiki/ISO_3166-2:CA" title="ISO 3166-2:CA">ISO 3166-2:CA</a></td>
</tr>
<tr>
<td><a href="/wiki/Cabo_Verde" title="Cabo Verde" class="mw-redirect">Cabo Verde</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#CV" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">CV</span></a></td>
<td><span style="font-family: monospace, monospace;">CPV</span></td>
<td><span style="font-family: monospace, monospace;">132</span></td>
<td><a href="/wiki/ISO_3166-2:CV" title="ISO 3166-2:CV">ISO 3166-2:CV</a></td>
</tr>
<tr>
<td><a href="/wiki/Cayman_Islands" title="Cayman Islands">Cayman Islands</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#KY" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">KY</span></a></td>
<td><span style="font-family: monospace, monospace;">CYM</span></td>
<td><span style="font-family: monospace, monospace;">136</span></td>
<td><a href="/wiki/ISO_3166-2:KY" title="ISO 3166-2:KY">ISO 3166-2:KY</a></td>
</tr>
<tr>
<td><a href="/wiki/Central_African_Republic" title="Central African Republic">Central African Republic</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#CF" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">CF</span></a></td>
<td><span style="font-family: monospace, monospace;">CAF</span></td>
<td><span style="font-family: monospace, monospace;">140</span></td>
<td><a href="/wiki/ISO_3166-2:CF" title="ISO 3166-2:CF">ISO 3166-2:CF</a></td>
</tr>
<tr>
<td><a href="/wiki/Chad" title="Chad">Chad</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#TD" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">TD</span></a></td>
<td><span style="font-family: monospace, monospace;">TCD</span></td>
<td><span style="font-family: monospace, monospace;">148</span></td>
<td><a href="/wiki/ISO_3166-2:TD" title="ISO 3166-2:TD">ISO 3166-2:TD</a></td>
</tr>
<tr>
<td><a href="/wiki/Chile" title="Chile">Chile</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#CL" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">CL</span></a></td>
<td><span style="font-family: monospace, monospace;">CHL</span></td>
<td><span style="font-family: monospace, monospace;">152</span></td>
<td><a href="/wiki/ISO_3166-2:CL" title="ISO 3166-2:CL">ISO 3166-2:CL</a></td>
</tr>
<tr>
<td><a href="/wiki/China" title="China">China</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#CN" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">CN</span></a></td>
<td><span style="font-family: monospace, monospace;">CHN</span></td>
<td><span style="font-family: monospace, monospace;">156</span></td>
<td><a href="/wiki/ISO_3166-2:CN" title="ISO 3166-2:CN">ISO 3166-2:CN</a></td>
</tr>
<tr>
<td><a href="/wiki/Christmas_Island" title="Christmas Island">Christmas Island</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#CX" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">CX</span></a></td>
<td><span style="font-family: monospace, monospace;">CXR</span></td>
<td><span style="font-family: monospace, monospace;">162</span></td>
<td><a href="/wiki/ISO_3166-2:CX" title="ISO 3166-2:CX">ISO 3166-2:CX</a></td>
</tr>
<tr>
<td><a href="/wiki/Cocos_(Keeling)_Islands" title="Cocos (Keeling) Islands">Cocos (Keeling) Islands</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#CC" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">CC</span></a></td>
<td><span style="font-family: monospace, monospace;">CCK</span></td>
<td><span style="font-family: monospace, monospace;">166</span></td>
<td><a href="/wiki/ISO_3166-2:CC" title="ISO 3166-2:CC">ISO 3166-2:CC</a></td>
</tr>
<tr>
<td><a href="/wiki/Colombia" title="Colombia">Colombia</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#CO" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">CO</span></a></td>
<td><span style="font-family: monospace, monospace;">COL</span></td>
<td><span style="font-family: monospace, monospace;">170</span></td>
<td><a href="/wiki/ISO_3166-2:CO" title="ISO 3166-2:CO">ISO 3166-2:CO</a></td>
</tr>
<tr>
<td><a href="/wiki/Comoros" title="Comoros">Comoros</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#KM" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">KM</span></a></td>
<td><span style="font-family: monospace, monospace;">COM</span></td>
<td><span style="font-family: monospace, monospace;">174</span></td>
<td><a href="/wiki/ISO_3166-2:KM" title="ISO 3166-2:KM">ISO 3166-2:KM</a></td>
</tr>
<tr>
<td><a href="/wiki/Republic_of_the_Congo" title="Republic of the Congo">Congo</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#CG" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">CG</span></a></td>
<td><span style="font-family: monospace, monospace;">COG</span></td>
<td><span style="font-family: monospace, monospace;">178</span></td>
<td><a href="/wiki/ISO_3166-2:CG" title="ISO 3166-2:CG">ISO 3166-2:CG</a></td>
</tr>
<tr>
<td><a href="/wiki/Congo_(Democratic_Republic_of_the)" title="Congo (Democratic Republic of the)" class="mw-redirect">Congo (Democratic Republic of the)</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#CD" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">CD</span></a></td>
<td><span style="font-family: monospace, monospace;">COD</span></td>
<td><span style="font-family: monospace, monospace;">180</span></td>
<td><a href="/wiki/ISO_3166-2:CD" title="ISO 3166-2:CD">ISO 3166-2:CD</a></td>
</tr>
<tr>
<td><a href="/wiki/Cook_Islands" title="Cook Islands">Cook Islands</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#CK" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">CK</span></a></td>
<td><span style="font-family: monospace, monospace;">COK</span></td>
<td><span style="font-family: monospace, monospace;">184</span></td>
<td><a href="/wiki/ISO_3166-2:CK" title="ISO 3166-2:CK">ISO 3166-2:CK</a></td>
</tr>
<tr>
<td><a href="/wiki/Costa_Rica" title="Costa Rica">Costa Rica</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#CR" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">CR</span></a></td>
<td><span style="font-family: monospace, monospace;">CRI</span></td>
<td><span style="font-family: monospace, monospace;">188</span></td>
<td><a href="/wiki/ISO_3166-2:CR" title="ISO 3166-2:CR">ISO 3166-2:CR</a></td>
</tr>
<tr>
<td><span style="display:none;" class="sortkey">Cote d'Ivoire !</span><span class="sorttext"><a href="/wiki/C%C3%B4te_d%27Ivoire" title="Côte d'Ivoire" class="mw-redirect">Côte d'Ivoire</a></span></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#CI" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">CI</span></a></td>
<td><span style="font-family: monospace, monospace;">CIV</span></td>
<td><span style="font-family: monospace, monospace;">384</span></td>
<td><a href="/wiki/ISO_3166-2:CI" title="ISO 3166-2:CI">ISO 3166-2:CI</a></td>
</tr>
<tr>
<td><a href="/wiki/Croatia" title="Croatia">Croatia</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#HR" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">HR</span></a></td>
<td><span style="font-family: monospace, monospace;">HRV</span></td>
<td><span style="font-family: monospace, monospace;">191</span></td>
<td><a href="/wiki/ISO_3166-2:HR" title="ISO 3166-2:HR">ISO 3166-2:HR</a></td>
</tr>
<tr>
<td><a href="/wiki/Cuba" title="Cuba">Cuba</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#CU" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">CU</span></a></td>
<td><span style="font-family: monospace, monospace;">CUB</span></td>
<td><span style="font-family: monospace, monospace;">192</span></td>
<td><a href="/wiki/ISO_3166-2:CU" title="ISO 3166-2:CU">ISO 3166-2:CU</a></td>
</tr>
<tr>
<td><span style="display:none;" class="sortkey">Curacao !</span><span class="sorttext"><a href="/wiki/Cura%C3%A7ao" title="Curaçao">Curaçao</a></span></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#CW" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">CW</span></a></td>
<td><span style="font-family: monospace, monospace;">CUW</span></td>
<td><span style="font-family: monospace, monospace;">531</span></td>
<td><a href="/wiki/ISO_3166-2:CW" title="ISO 3166-2:CW">ISO 3166-2:CW</a></td>
</tr>
<tr>
<td><a href="/wiki/Cyprus" title="Cyprus">Cyprus</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#CY" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">CY</span></a></td>
<td><span style="font-family: monospace, monospace;">CYP</span></td>
<td><span style="font-family: monospace, monospace;">196</span></td>
<td><a href="/wiki/ISO_3166-2:CY" title="ISO 3166-2:CY">ISO 3166-2:CY</a></td>
</tr>
<tr>
<td><a href="/wiki/Czech_Republic" title="Czech Republic">Czech Republic</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#CZ" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">CZ</span></a></td>
<td><span style="font-family: monospace, monospace;">CZE</span></td>
<td><span style="font-family: monospace, monospace;">203</span></td>
<td><a href="/wiki/ISO_3166-2:CZ" title="ISO 3166-2:CZ">ISO 3166-2:CZ</a></td>
</tr>
<tr>
<td><a href="/wiki/Denmark" title="Denmark">Denmark</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#DK" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">DK</span></a></td>
<td><span style="font-family: monospace, monospace;">DNK</span></td>
<td><span style="font-family: monospace, monospace;">208</span></td>
<td><a href="/wiki/ISO_3166-2:DK" title="ISO 3166-2:DK">ISO 3166-2:DK</a></td>
</tr>
<tr>
<td><a href="/wiki/Djibouti" title="Djibouti">Djibouti</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#DJ" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">DJ</span></a></td>
<td><span style="font-family: monospace, monospace;">DJI</span></td>
<td><span style="font-family: monospace, monospace;">262</span></td>
<td><a href="/wiki/ISO_3166-2:DJ" title="ISO 3166-2:DJ">ISO 3166-2:DJ</a></td>
</tr>
<tr>
<td><a href="/wiki/Dominica" title="Dominica">Dominica</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#DM" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">DM</span></a></td>
<td><span style="font-family: monospace, monospace;">DMA</span></td>
<td><span style="font-family: monospace, monospace;">212</span></td>
<td><a href="/wiki/ISO_3166-2:DM" title="ISO 3166-2:DM">ISO 3166-2:DM</a></td>
</tr>
<tr>
<td><a href="/wiki/Dominican_Republic" title="Dominican Republic">Dominican Republic</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#DO" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">DO</span></a></td>
<td><span style="font-family: monospace, monospace;">DOM</span></td>
<td><span style="font-family: monospace, monospace;">214</span></td>
<td><a href="/wiki/ISO_3166-2:DO" title="ISO 3166-2:DO">ISO 3166-2:DO</a></td>
</tr>
<tr>
<td><a href="/wiki/Ecuador" title="Ecuador">Ecuador</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#EC" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">EC</span></a></td>
<td><span style="font-family: monospace, monospace;">ECU</span></td>
<td><span style="font-family: monospace, monospace;">218</span></td>
<td><a href="/wiki/ISO_3166-2:EC" title="ISO 3166-2:EC">ISO 3166-2:EC</a></td>
</tr>
<tr>
<td><a href="/wiki/Egypt" title="Egypt">Egypt</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#EG" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">EG</span></a></td>
<td><span style="font-family: monospace, monospace;">EGY</span></td>
<td><span style="font-family: monospace, monospace;">818</span></td>
<td><a href="/wiki/ISO_3166-2:EG" title="ISO 3166-2:EG">ISO 3166-2:EG</a></td>
</tr>
<tr>
<td><a href="/wiki/El_Salvador" title="El Salvador">El Salvador</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#SV" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">SV</span></a></td>
<td><span style="font-family: monospace, monospace;">SLV</span></td>
<td><span style="font-family: monospace, monospace;">222</span></td>
<td><a href="/wiki/ISO_3166-2:SV" title="ISO 3166-2:SV">ISO 3166-2:SV</a></td>
</tr>
<tr>
<td><a href="/wiki/Equatorial_Guinea" title="Equatorial Guinea">Equatorial Guinea</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#GQ" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">GQ</span></a></td>
<td><span style="font-family: monospace, monospace;">GNQ</span></td>
<td><span style="font-family: monospace, monospace;">226</span></td>
<td><a href="/wiki/ISO_3166-2:GQ" title="ISO 3166-2:GQ">ISO 3166-2:GQ</a></td>
</tr>
<tr>
<td><a href="/wiki/Eritrea" title="Eritrea">Eritrea</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#ER" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">ER</span></a></td>
<td><span style="font-family: monospace, monospace;">ERI</span></td>
<td><span style="font-family: monospace, monospace;">232</span></td>
<td><a href="/wiki/ISO_3166-2:ER" title="ISO 3166-2:ER">ISO 3166-2:ER</a></td>
</tr>
<tr>
<td><a href="/wiki/Estonia" title="Estonia">Estonia</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#EE" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">EE</span></a></td>
<td><span style="font-family: monospace, monospace;">EST</span></td>
<td><span style="font-family: monospace, monospace;">233</span></td>
<td><a href="/wiki/ISO_3166-2:EE" title="ISO 3166-2:EE">ISO 3166-2:EE</a></td>
</tr>
<tr>
<td><a href="/wiki/Ethiopia" title="Ethiopia">Ethiopia</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#ET" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">ET</span></a></td>
<td><span style="font-family: monospace, monospace;">ETH</span></td>
<td><span style="font-family: monospace, monospace;">231</span></td>
<td><a href="/wiki/ISO_3166-2:ET" title="ISO 3166-2:ET">ISO 3166-2:ET</a></td>
</tr>
<tr>
<td><a href="/wiki/Falkland_Islands_(Malvinas)" title="Falkland Islands (Malvinas)" class="mw-redirect">Falkland Islands (Malvinas)</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#FK" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">FK</span></a></td>
<td><span style="font-family: monospace, monospace;">FLK</span></td>
<td><span style="font-family: monospace, monospace;">238</span></td>
<td><a href="/wiki/ISO_3166-2:FK" title="ISO 3166-2:FK">ISO 3166-2:FK</a></td>
</tr>
<tr>
<td><a href="/wiki/Faroe_Islands" title="Faroe Islands">Faroe Islands</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#FO" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">FO</span></a></td>
<td><span style="font-family: monospace, monospace;">FRO</span></td>
<td><span style="font-family: monospace, monospace;">234</span></td>
<td><a href="/wiki/ISO_3166-2:FO" title="ISO 3166-2:FO">ISO 3166-2:FO</a></td>
</tr>
<tr>
<td><a href="/wiki/Fiji" title="Fiji">Fiji</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#FJ" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">FJ</span></a></td>
<td><span style="font-family: monospace, monospace;">FJI</span></td>
<td><span style="font-family: monospace, monospace;">242</span></td>
<td><a href="/wiki/ISO_3166-2:FJ" title="ISO 3166-2:FJ">ISO 3166-2:FJ</a></td>
</tr>
<tr>
<td><a href="/wiki/Finland" title="Finland">Finland</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#FI" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">FI</span></a></td>
<td><span style="font-family: monospace, monospace;">FIN</span></td>
<td><span style="font-family: monospace, monospace;">246</span></td>
<td><a href="/wiki/ISO_3166-2:FI" title="ISO 3166-2:FI">ISO 3166-2:FI</a></td>
</tr>
<tr>
<td><a href="/wiki/France" title="France">France</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#FR" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">FR</span></a></td>
<td><span style="font-family: monospace, monospace;">FRA</span></td>
<td><span style="font-family: monospace, monospace;">250</span></td>
<td><a href="/wiki/ISO_3166-2:FR" title="ISO 3166-2:FR">ISO 3166-2:FR</a></td>
</tr>
<tr>
<td><a href="/wiki/French_Guiana" title="French Guiana">French Guiana</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#GF" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">GF</span></a></td>
<td><span style="font-family: monospace, monospace;">GUF</span></td>
<td><span style="font-family: monospace, monospace;">254</span></td>
<td><a href="/wiki/ISO_3166-2:GF" title="ISO 3166-2:GF">ISO 3166-2:GF</a></td>
</tr>
<tr>
<td><a href="/wiki/French_Polynesia" title="French Polynesia">French Polynesia</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#PF" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">PF</span></a></td>
<td><span style="font-family: monospace, monospace;">PYF</span></td>
<td><span style="font-family: monospace, monospace;">258</span></td>
<td><a href="/wiki/ISO_3166-2:PF" title="ISO 3166-2:PF">ISO 3166-2:PF</a></td>
</tr>
<tr>
<td><a href="/wiki/French_Southern_Territories" title="French Southern Territories" class="mw-redirect">French Southern Territories</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#TF" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">TF</span></a></td>
<td><span style="font-family: monospace, monospace;">ATF</span></td>
<td><span style="font-family: monospace, monospace;">260</span></td>
<td><a href="/wiki/ISO_3166-2:TF" title="ISO 3166-2:TF">ISO 3166-2:TF</a></td>
</tr>
<tr>
<td><a href="/wiki/Gabon" title="Gabon">Gabon</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#GA" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">GA</span></a></td>
<td><span style="font-family: monospace, monospace;">GAB</span></td>
<td><span style="font-family: monospace, monospace;">266</span></td>
<td><a href="/wiki/ISO_3166-2:GA" title="ISO 3166-2:GA">ISO 3166-2:GA</a></td>
</tr>
<tr>
<td><a href="/wiki/Gambia" title="Gambia" class="mw-redirect">Gambia</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#GM" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">GM</span></a></td>
<td><span style="font-family: monospace, monospace;">GMB</span></td>
<td><span style="font-family: monospace, monospace;">270</span></td>
<td><a href="/wiki/ISO_3166-2:GM" title="ISO 3166-2:GM">ISO 3166-2:GM</a></td>
</tr>
<tr>
<td><a href="/wiki/Georgia_(country)" title="Georgia (country)">Georgia</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#GE" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">GE</span></a></td>
<td><span style="font-family: monospace, monospace;">GEO</span></td>
<td><span style="font-family: monospace, monospace;">268</span></td>
<td><a href="/wiki/ISO_3166-2:GE" title="ISO 3166-2:GE">ISO 3166-2:GE</a></td>
</tr>
<tr>
<td><a href="/wiki/Germany" title="Germany">Germany</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#DE" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">DE</span></a></td>
<td><span style="font-family: monospace, monospace;">DEU</span></td>
<td><span style="font-family: monospace, monospace;">276</span></td>
<td><a href="/wiki/ISO_3166-2:DE" title="ISO 3166-2:DE">ISO 3166-2:DE</a></td>
</tr>
<tr>
<td><a href="/wiki/Ghana" title="Ghana">Ghana</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#GH" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">GH</span></a></td>
<td><span style="font-family: monospace, monospace;">GHA</span></td>
<td><span style="font-family: monospace, monospace;">288</span></td>
<td><a href="/wiki/ISO_3166-2:GH" title="ISO 3166-2:GH">ISO 3166-2:GH</a></td>
</tr>
<tr>
<td><a href="/wiki/Gibraltar" title="Gibraltar">Gibraltar</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#GI" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">GI</span></a></td>
<td><span style="font-family: monospace, monospace;">GIB</span></td>
<td><span style="font-family: monospace, monospace;">292</span></td>
<td><a href="/wiki/ISO_3166-2:GI" title="ISO 3166-2:GI">ISO 3166-2:GI</a></td>
</tr>
<tr>
<td><a href="/wiki/Greece" title="Greece">Greece</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#GR" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">GR</span></a></td>
<td><span style="font-family: monospace, monospace;">GRC</span></td>
<td><span style="font-family: monospace, monospace;">300</span></td>
<td><a href="/wiki/ISO_3166-2:GR" title="ISO 3166-2:GR">ISO 3166-2:GR</a></td>
</tr>
<tr>
<td><a href="/wiki/Greenland" title="Greenland">Greenland</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#GL" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">GL</span></a></td>
<td><span style="font-family: monospace, monospace;">GRL</span></td>
<td><span style="font-family: monospace, monospace;">304</span></td>
<td><a href="/wiki/ISO_3166-2:GL" title="ISO 3166-2:GL">ISO 3166-2:GL</a></td>
</tr>
<tr>
<td><a href="/wiki/Grenada" title="Grenada">Grenada</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#GD" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">GD</span></a></td>
<td><span style="font-family: monospace, monospace;">GRD</span></td>
<td><span style="font-family: monospace, monospace;">308</span></td>
<td><a href="/wiki/ISO_3166-2:GD" title="ISO 3166-2:GD">ISO 3166-2:GD</a></td>
</tr>
<tr>
<td><a href="/wiki/Guadeloupe" title="Guadeloupe">Guadeloupe</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#GP" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">GP</span></a></td>
<td><span style="font-family: monospace, monospace;">GLP</span></td>
<td><span style="font-family: monospace, monospace;">312</span></td>
<td><a href="/wiki/ISO_3166-2:GP" title="ISO 3166-2:GP">ISO 3166-2:GP</a></td>
</tr>
<tr>
<td><a href="/wiki/Guam" title="Guam">Guam</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#GU" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">GU</span></a></td>
<td><span style="font-family: monospace, monospace;">GUM</span></td>
<td><span style="font-family: monospace, monospace;">316</span></td>
<td><a href="/wiki/ISO_3166-2:GU" title="ISO 3166-2:GU">ISO 3166-2:GU</a></td>
</tr>
<tr>
<td><a href="/wiki/Guatemala" title="Guatemala">Guatemala</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#GT" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">GT</span></a></td>
<td><span style="font-family: monospace, monospace;">GTM</span></td>
<td><span style="font-family: monospace, monospace;">320</span></td>
<td><a href="/wiki/ISO_3166-2:GT" title="ISO 3166-2:GT">ISO 3166-2:GT</a></td>
</tr>
<tr>
<td><a href="/wiki/Guernsey" title="Guernsey">Guernsey</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#GG" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">GG</span></a></td>
<td><span style="font-family: monospace, monospace;">GGY</span></td>
<td><span style="font-family: monospace, monospace;">831</span></td>
<td><a href="/wiki/ISO_3166-2:GG" title="ISO 3166-2:GG">ISO 3166-2:GG</a></td>
</tr>
<tr>
<td><a href="/wiki/Guinea" title="Guinea">Guinea</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#GN" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">GN</span></a></td>
<td><span style="font-family: monospace, monospace;">GIN</span></td>
<td><span style="font-family: monospace, monospace;">324</span></td>
<td><a href="/wiki/ISO_3166-2:GN" title="ISO 3166-2:GN">ISO 3166-2:GN</a></td>
</tr>
<tr>
<td><a href="/wiki/Guinea-Bissau" title="Guinea-Bissau">Guinea-Bissau</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#GW" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">GW</span></a></td>
<td><span style="font-family: monospace, monospace;">GNB</span></td>
<td><span style="font-family: monospace, monospace;">624</span></td>
<td><a href="/wiki/ISO_3166-2:GW" title="ISO 3166-2:GW">ISO 3166-2:GW</a></td>
</tr>
<tr>
<td><a href="/wiki/Guyana" title="Guyana">Guyana</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#GY" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">GY</span></a></td>
<td><span style="font-family: monospace, monospace;">GUY</span></td>
<td><span style="font-family: monospace, monospace;">328</span></td>
<td><a href="/wiki/ISO_3166-2:GY" title="ISO 3166-2:GY">ISO 3166-2:GY</a></td>
</tr>
<tr>
<td><a href="/wiki/Haiti" title="Haiti">Haiti</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#HT" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">HT</span></a></td>
<td><span style="font-family: monospace, monospace;">HTI</span></td>
<td><span style="font-family: monospace, monospace;">332</span></td>
<td><a href="/wiki/ISO_3166-2:HT" title="ISO 3166-2:HT">ISO 3166-2:HT</a></td>
</tr>
<tr>
<td><a href="/wiki/Heard_Island_and_McDonald_Islands" title="Heard Island and McDonald Islands">Heard Island and McDonald Islands</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#HM" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">HM</span></a></td>
<td><span style="font-family: monospace, monospace;">HMD</span></td>
<td><span style="font-family: monospace, monospace;">334</span></td>
<td><a href="/wiki/ISO_3166-2:HM" title="ISO 3166-2:HM">ISO 3166-2:HM</a></td>
</tr>
<tr>
<td><a href="/wiki/Vatican_City_State" title="Vatican City State" class="mw-redirect">Holy See</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#VA" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">VA</span></a></td>
<td><span style="font-family: monospace, monospace;">VAT</span></td>
<td><span style="font-family: monospace, monospace;">336</span></td>
<td><a href="/wiki/ISO_3166-2:VA" title="ISO 3166-2:VA">ISO 3166-2:VA</a></td>
</tr>
<tr>
<td><a href="/wiki/Honduras" title="Honduras">Honduras</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#HN" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">HN</span></a></td>
<td><span style="font-family: monospace, monospace;">HND</span></td>
<td><span style="font-family: monospace, monospace;">340</span></td>
<td><a href="/wiki/ISO_3166-2:HN" title="ISO 3166-2:HN">ISO 3166-2:HN</a></td>
</tr>
<tr>
<td><a href="/wiki/Hong_Kong" title="Hong Kong">Hong Kong</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#HK" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">HK</span></a></td>
<td><span style="font-family: monospace, monospace;">HKG</span></td>
<td><span style="font-family: monospace, monospace;">344</span></td>
<td><a href="/wiki/ISO_3166-2:HK" title="ISO 3166-2:HK">ISO 3166-2:HK</a></td>
</tr>
<tr>
<td><a href="/wiki/Hungary" title="Hungary">Hungary</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#HU" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">HU</span></a></td>
<td><span style="font-family: monospace, monospace;">HUN</span></td>
<td><span style="font-family: monospace, monospace;">348</span></td>
<td><a href="/wiki/ISO_3166-2:HU" title="ISO 3166-2:HU">ISO 3166-2:HU</a></td>
</tr>
<tr>
<td><a href="/wiki/Iceland" title="Iceland">Iceland</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#IS" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">IS</span></a></td>
<td><span style="font-family: monospace, monospace;">ISL</span></td>
<td><span style="font-family: monospace, monospace;">352</span></td>
<td><a href="/wiki/ISO_3166-2:IS" title="ISO 3166-2:IS">ISO 3166-2:IS</a></td>
</tr>
<tr>
<td><a href="/wiki/India" title="India">India</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#IN" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">IN</span></a></td>
<td><span style="font-family: monospace, monospace;">IND</span></td>
<td><span style="font-family: monospace, monospace;">356</span></td>
<td><a href="/wiki/ISO_3166-2:IN" title="ISO 3166-2:IN">ISO 3166-2:IN</a></td>
</tr>
<tr>
<td><a href="/wiki/Indonesia" title="Indonesia">Indonesia</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#ID" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">ID</span></a></td>
<td><span style="font-family: monospace, monospace;">IDN</span></td>
<td><span style="font-family: monospace, monospace;">360</span></td>
<td><a href="/wiki/ISO_3166-2:ID" title="ISO 3166-2:ID">ISO 3166-2:ID</a></td>
</tr>
<tr>
<td><a href="/wiki/Iran_(Islamic_Republic_of)" title="Iran (Islamic Republic of)" class="mw-redirect">Iran (Islamic Republic of)</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#IR" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">IR</span></a></td>
<td><span style="font-family: monospace, monospace;">IRN</span></td>
<td><span style="font-family: monospace, monospace;">364</span></td>
<td><a href="/wiki/ISO_3166-2:IR" title="ISO 3166-2:IR">ISO 3166-2:IR</a></td>
</tr>
<tr>
<td><a href="/wiki/Iraq" title="Iraq">Iraq</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#IQ" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">IQ</span></a></td>
<td><span style="font-family: monospace, monospace;">IRQ</span></td>
<td><span style="font-family: monospace, monospace;">368</span></td>
<td><a href="/wiki/ISO_3166-2:IQ" title="ISO 3166-2:IQ">ISO 3166-2:IQ</a></td>
</tr>
<tr>
<td><a href="/wiki/Republic_of_Ireland" title="Republic of Ireland">Ireland</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#IE" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">IE</span></a></td>
<td><span style="font-family: monospace, monospace;">IRL</span></td>
<td><span style="font-family: monospace, monospace;">372</span></td>
<td><a href="/wiki/ISO_3166-2:IE" title="ISO 3166-2:IE">ISO 3166-2:IE</a></td>
</tr>
<tr>
<td><a href="/wiki/Isle_of_Man" title="Isle of Man">Isle of Man</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#IM" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">IM</span></a></td>
<td><span style="font-family: monospace, monospace;">IMN</span></td>
<td><span style="font-family: monospace, monospace;">833</span></td>
<td><a href="/wiki/ISO_3166-2:IM" title="ISO 3166-2:IM">ISO 3166-2:IM</a></td>
</tr>
<tr>
<td><a href="/wiki/Israel" title="Israel">Israel</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#IL" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">IL</span></a></td>
<td><span style="font-family: monospace, monospace;">ISR</span></td>
<td><span style="font-family: monospace, monospace;">376</span></td>
<td><a href="/wiki/ISO_3166-2:IL" title="ISO 3166-2:IL">ISO 3166-2:IL</a></td>
</tr>
<tr>
<td><a href="/wiki/Italy" title="Italy">Italy</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#IT" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">IT</span></a></td>
<td><span style="font-family: monospace, monospace;">ITA</span></td>
<td><span style="font-family: monospace, monospace;">380</span></td>
<td><a href="/wiki/ISO_3166-2:IT" title="ISO 3166-2:IT">ISO 3166-2:IT</a></td>
</tr>
<tr>
<td><a href="/wiki/Jamaica" title="Jamaica">Jamaica</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#JM" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">JM</span></a></td>
<td><span style="font-family: monospace, monospace;">JAM</span></td>
<td><span style="font-family: monospace, monospace;">388</span></td>
<td><a href="/wiki/ISO_3166-2:JM" title="ISO 3166-2:JM">ISO 3166-2:JM</a></td>
</tr>
<tr>
<td><a href="/wiki/Japan" title="Japan">Japan</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#JP" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">JP</span></a></td>
<td><span style="font-family: monospace, monospace;">JPN</span></td>
<td><span style="font-family: monospace, monospace;">392</span></td>
<td><a href="/wiki/ISO_3166-2:JP" title="ISO 3166-2:JP">ISO 3166-2:JP</a></td>
</tr>
<tr>
<td><a href="/wiki/Jersey" title="Jersey">Jersey</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#JE" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">JE</span></a></td>
<td><span style="font-family: monospace, monospace;">JEY</span></td>
<td><span style="font-family: monospace, monospace;">832</span></td>
<td><a href="/wiki/ISO_3166-2:JE" title="ISO 3166-2:JE">ISO 3166-2:JE</a></td>
</tr>
<tr>
<td><a href="/wiki/Jordan" title="Jordan">Jordan</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#JO" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">JO</span></a></td>
<td><span style="font-family: monospace, monospace;">JOR</span></td>
<td><span style="font-family: monospace, monospace;">400</span></td>
<td><a href="/wiki/ISO_3166-2:JO" title="ISO 3166-2:JO">ISO 3166-2:JO</a></td>
</tr>
<tr>
<td><a href="/wiki/Kazakhstan" title="Kazakhstan">Kazakhstan</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#KZ" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">KZ</span></a></td>
<td><span style="font-family: monospace, monospace;">KAZ</span></td>
<td><span style="font-family: monospace, monospace;">398</span></td>
<td><a href="/wiki/ISO_3166-2:KZ" title="ISO 3166-2:KZ">ISO 3166-2:KZ</a></td>
</tr>
<tr>
<td><a href="/wiki/Kenya" title="Kenya">Kenya</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#KE" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">KE</span></a></td>
<td><span style="font-family: monospace, monospace;">KEN</span></td>
<td><span style="font-family: monospace, monospace;">404</span></td>
<td><a href="/wiki/ISO_3166-2:KE" title="ISO 3166-2:KE">ISO 3166-2:KE</a></td>
</tr>
<tr>
<td><a href="/wiki/Kiribati" title="Kiribati">Kiribati</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#KI" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">KI</span></a></td>
<td><span style="font-family: monospace, monospace;">KIR</span></td>
<td><span style="font-family: monospace, monospace;">296</span></td>
<td><a href="/wiki/ISO_3166-2:KI" title="ISO 3166-2:KI">ISO 3166-2:KI</a></td>
</tr>
<tr>
<td><a href="/wiki/North_Korea" title="North Korea">Korea (Democratic People's Republic of)</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#KP" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">KP</span></a></td>
<td><span style="font-family: monospace, monospace;">PRK</span></td>
<td><span style="font-family: monospace, monospace;">408</span></td>
<td><a href="/wiki/ISO_3166-2:KP" title="ISO 3166-2:KP">ISO 3166-2:KP</a></td>
</tr>
<tr>
<td><a href="/wiki/Korea_(Republic_of)" title="Korea (Republic of)" class="mw-redirect">Korea (Republic of)</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#KR" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">KR</span></a></td>
<td><span style="font-family: monospace, monospace;">KOR</span></td>
<td><span style="font-family: monospace, monospace;">410</span></td>
<td><a href="/wiki/ISO_3166-2:KR" title="ISO 3166-2:KR">ISO 3166-2:KR</a></td>
</tr>
<tr>
<td><a href="/wiki/Kuwait" title="Kuwait">Kuwait</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#KW" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">KW</span></a></td>
<td><span style="font-family: monospace, monospace;">KWT</span></td>
<td><span style="font-family: monospace, monospace;">414</span></td>
<td><a href="/wiki/ISO_3166-2:KW" title="ISO 3166-2:KW">ISO 3166-2:KW</a></td>
</tr>
<tr>
<td><a href="/wiki/Kyrgyzstan" title="Kyrgyzstan">Kyrgyzstan</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#KG" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">KG</span></a></td>
<td><span style="font-family: monospace, monospace;">KGZ</span></td>
<td><span style="font-family: monospace, monospace;">417</span></td>
<td><a href="/wiki/ISO_3166-2:KG" title="ISO 3166-2:KG">ISO 3166-2:KG</a></td>
</tr>
<tr>
<td><a href="/wiki/Lao_People%27s_Democratic_Republic" title="Lao People's Democratic Republic" class="mw-redirect">Lao People's Democratic Republic</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#LA" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">LA</span></a></td>
<td><span style="font-family: monospace, monospace;">LAO</span></td>
<td><span style="font-family: monospace, monospace;">418</span></td>
<td><a href="/wiki/ISO_3166-2:LA" title="ISO 3166-2:LA">ISO 3166-2:LA</a></td>
</tr>
<tr>
<td><a href="/wiki/Latvia" title="Latvia">Latvia</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#LV" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">LV</span></a></td>
<td><span style="font-family: monospace, monospace;">LVA</span></td>
<td><span style="font-family: monospace, monospace;">428</span></td>
<td><a href="/wiki/ISO_3166-2:LV" title="ISO 3166-2:LV">ISO 3166-2:LV</a></td>
</tr>
<tr>
<td><a href="/wiki/Lebanon" title="Lebanon">Lebanon</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#LB" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">LB</span></a></td>
<td><span style="font-family: monospace, monospace;">LBN</span></td>
<td><span style="font-family: monospace, monospace;">422</span></td>
<td><a href="/wiki/ISO_3166-2:LB" title="ISO 3166-2:LB">ISO 3166-2:LB</a></td>
</tr>
<tr>
<td><a href="/wiki/Lesotho" title="Lesotho">Lesotho</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#LS" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">LS</span></a></td>
<td><span style="font-family: monospace, monospace;">LSO</span></td>
<td><span style="font-family: monospace, monospace;">426</span></td>
<td><a href="/wiki/ISO_3166-2:LS" title="ISO 3166-2:LS">ISO 3166-2:LS</a></td>
</tr>
<tr>
<td><a href="/wiki/Liberia" title="Liberia">Liberia</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#LR" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">LR</span></a></td>
<td><span style="font-family: monospace, monospace;">LBR</span></td>
<td><span style="font-family: monospace, monospace;">430</span></td>
<td><a href="/wiki/ISO_3166-2:LR" title="ISO 3166-2:LR">ISO 3166-2:LR</a></td>
</tr>
<tr>
<td><a href="/wiki/Libya" title="Libya">Libya</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#LY" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">LY</span></a></td>
<td><span style="font-family: monospace, monospace;">LBY</span></td>
<td><span style="font-family: monospace, monospace;">434</span></td>
<td><a href="/wiki/ISO_3166-2:LY" title="ISO 3166-2:LY">ISO 3166-2:LY</a></td>
</tr>
<tr>
<td><a href="/wiki/Liechtenstein" title="Liechtenstein">Liechtenstein</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#LI" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">LI</span></a></td>
<td><span style="font-family: monospace, monospace;">LIE</span></td>
<td><span style="font-family: monospace, monospace;">438</span></td>
<td><a href="/wiki/ISO_3166-2:LI" title="ISO 3166-2:LI">ISO 3166-2:LI</a></td>
</tr>
<tr>
<td><a href="/wiki/Lithuania" title="Lithuania">Lithuania</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#LT" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">LT</span></a></td>
<td><span style="font-family: monospace, monospace;">LTU</span></td>
<td><span style="font-family: monospace, monospace;">440</span></td>
<td><a href="/wiki/ISO_3166-2:LT" title="ISO 3166-2:LT">ISO 3166-2:LT</a></td>
</tr>
<tr>
<td><a href="/wiki/Luxembourg" title="Luxembourg">Luxembourg</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#LU" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">LU</span></a></td>
<td><span style="font-family: monospace, monospace;">LUX</span></td>
<td><span style="font-family: monospace, monospace;">442</span></td>
<td><a href="/wiki/ISO_3166-2:LU" title="ISO 3166-2:LU">ISO 3166-2:LU</a></td>
</tr>
<tr>
<td><a href="/wiki/Macao" title="Macao" class="mw-redirect">Macao</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#MO" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">MO</span></a></td>
<td><span style="font-family: monospace, monospace;">MAC</span></td>
<td><span style="font-family: monospace, monospace;">446</span></td>
<td><a href="/wiki/ISO_3166-2:MO" title="ISO 3166-2:MO">ISO 3166-2:MO</a></td>
</tr>
<tr>
<td><a href="/wiki/Republic_of_Macedonia" title="Republic of Macedonia">Macedonia (the former Yugoslav Republic of)</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#MK" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">MK</span></a></td>
<td><span style="font-family: monospace, monospace;">MKD</span></td>
<td><span style="font-family: monospace, monospace;">807</span></td>
<td><a href="/wiki/ISO_3166-2:MK" title="ISO 3166-2:MK">ISO 3166-2:MK</a></td>
</tr>
<tr>
<td><a href="/wiki/Madagascar" title="Madagascar">Madagascar</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#MG" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">MG</span></a></td>
<td><span style="font-family: monospace, monospace;">MDG</span></td>
<td><span style="font-family: monospace, monospace;">450</span></td>
<td><a href="/wiki/ISO_3166-2:MG" title="ISO 3166-2:MG">ISO 3166-2:MG</a></td>
</tr>
<tr>
<td><a href="/wiki/Malawi" title="Malawi">Malawi</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#MW" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">MW</span></a></td>
<td><span style="font-family: monospace, monospace;">MWI</span></td>
<td><span style="font-family: monospace, monospace;">454</span></td>
<td><a href="/wiki/ISO_3166-2:MW" title="ISO 3166-2:MW">ISO 3166-2:MW</a></td>
</tr>
<tr>
<td><a href="/wiki/Malaysia" title="Malaysia">Malaysia</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#MY" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">MY</span></a></td>
<td><span style="font-family: monospace, monospace;">MYS</span></td>
<td><span style="font-family: monospace, monospace;">458</span></td>
<td><a href="/wiki/ISO_3166-2:MY" title="ISO 3166-2:MY">ISO 3166-2:MY</a></td>
</tr>
<tr>
<td><a href="/wiki/Maldives" title="Maldives">Maldives</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#MV" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">MV</span></a></td>
<td><span style="font-family: monospace, monospace;">MDV</span></td>
<td><span style="font-family: monospace, monospace;">462</span></td>
<td><a href="/wiki/ISO_3166-2:MV" title="ISO 3166-2:MV">ISO 3166-2:MV</a></td>
</tr>
<tr>
<td><a href="/wiki/Mali" title="Mali">Mali</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#ML" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">ML</span></a></td>
<td><span style="font-family: monospace, monospace;">MLI</span></td>
<td><span style="font-family: monospace, monospace;">466</span></td>
<td><a href="/wiki/ISO_3166-2:ML" title="ISO 3166-2:ML">ISO 3166-2:ML</a></td>
</tr>
<tr>
<td><a href="/wiki/Malta" title="Malta">Malta</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#MT" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">MT</span></a></td>
<td><span style="font-family: monospace, monospace;">MLT</span></td>
<td><span style="font-family: monospace, monospace;">470</span></td>
<td><a href="/wiki/ISO_3166-2:MT" title="ISO 3166-2:MT">ISO 3166-2:MT</a></td>
</tr>
<tr>
<td><a href="/wiki/Marshall_Islands" title="Marshall Islands">Marshall Islands</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#MH" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">MH</span></a></td>
<td><span style="font-family: monospace, monospace;">MHL</span></td>
<td><span style="font-family: monospace, monospace;">584</span></td>
<td><a href="/wiki/ISO_3166-2:MH" title="ISO 3166-2:MH">ISO 3166-2:MH</a></td>
</tr>
<tr>
<td><a href="/wiki/Martinique" title="Martinique">Martinique</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#MQ" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">MQ</span></a></td>
<td><span style="font-family: monospace, monospace;">MTQ</span></td>
<td><span style="font-family: monospace, monospace;">474</span></td>
<td><a href="/wiki/ISO_3166-2:MQ" title="ISO 3166-2:MQ">ISO 3166-2:MQ</a></td>
</tr>
<tr>
<td><a href="/wiki/Mauritania" title="Mauritania">Mauritania</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#MR" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">MR</span></a></td>
<td><span style="font-family: monospace, monospace;">MRT</span></td>
<td><span style="font-family: monospace, monospace;">478</span></td>
<td><a href="/wiki/ISO_3166-2:MR" title="ISO 3166-2:MR">ISO 3166-2:MR</a></td>
</tr>
<tr>
<td><a href="/wiki/Mauritius" title="Mauritius">Mauritius</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#MU" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">MU</span></a></td>
<td><span style="font-family: monospace, monospace;">MUS</span></td>
<td><span style="font-family: monospace, monospace;">480</span></td>
<td><a href="/wiki/ISO_3166-2:MU" title="ISO 3166-2:MU">ISO 3166-2:MU</a></td>
</tr>
<tr>
<td><a href="/wiki/Mayotte" title="Mayotte">Mayotte</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#YT" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">YT</span></a></td>
<td><span style="font-family: monospace, monospace;">MYT</span></td>
<td><span style="font-family: monospace, monospace;">175</span></td>
<td><a href="/wiki/ISO_3166-2:YT" title="ISO 3166-2:YT">ISO 3166-2:YT</a></td>
</tr>
<tr>
<td><a href="/wiki/Mexico" title="Mexico">Mexico</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#MX" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">MX</span></a></td>
<td><span style="font-family: monospace, monospace;">MEX</span></td>
<td><span style="font-family: monospace, monospace;">484</span></td>
<td><a href="/wiki/ISO_3166-2:MX" title="ISO 3166-2:MX">ISO 3166-2:MX</a></td>
</tr>
<tr>
<td><a href="/wiki/Micronesia_(Federated_States_of)" title="Micronesia (Federated States of)" class="mw-redirect">Micronesia (Federated States of)</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#FM" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">FM</span></a></td>
<td><span style="font-family: monospace, monospace;">FSM</span></td>
<td><span style="font-family: monospace, monospace;">583</span></td>
<td><a href="/wiki/ISO_3166-2:FM" title="ISO 3166-2:FM">ISO 3166-2:FM</a></td>
</tr>
<tr>
<td><a href="/wiki/Moldova_(Republic_of)" title="Moldova (Republic of)" class="mw-redirect">Moldova (Republic of)</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#MD" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">MD</span></a></td>
<td><span style="font-family: monospace, monospace;">MDA</span></td>
<td><span style="font-family: monospace, monospace;">498</span></td>
<td><a href="/wiki/ISO_3166-2:MD" title="ISO 3166-2:MD">ISO 3166-2:MD</a></td>
</tr>
<tr>
<td><a href="/wiki/Monaco" title="Monaco">Monaco</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#MC" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">MC</span></a></td>
<td><span style="font-family: monospace, monospace;">MCO</span></td>
<td><span style="font-family: monospace, monospace;">492</span></td>
<td><a href="/wiki/ISO_3166-2:MC" title="ISO 3166-2:MC">ISO 3166-2:MC</a></td>
</tr>
<tr>
<td><a href="/wiki/Mongolia" title="Mongolia">Mongolia</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#MN" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">MN</span></a></td>
<td><span style="font-family: monospace, monospace;">MNG</span></td>
<td><span style="font-family: monospace, monospace;">496</span></td>
<td><a href="/wiki/ISO_3166-2:MN" title="ISO 3166-2:MN">ISO 3166-2:MN</a></td>
</tr>
<tr>
<td><a href="/wiki/Montenegro" title="Montenegro">Montenegro</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#ME" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">ME</span></a></td>
<td><span style="font-family: monospace, monospace;">MNE</span></td>
<td><span style="font-family: monospace, monospace;">499</span></td>
<td><a href="/wiki/ISO_3166-2:ME" title="ISO 3166-2:ME">ISO 3166-2:ME</a></td>
</tr>
<tr>
<td><a href="/wiki/Montserrat" title="Montserrat">Montserrat</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#MS" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">MS</span></a></td>
<td><span style="font-family: monospace, monospace;">MSR</span></td>
<td><span style="font-family: monospace, monospace;">500</span></td>
<td><a href="/wiki/ISO_3166-2:MS" title="ISO 3166-2:MS">ISO 3166-2:MS</a></td>
</tr>
<tr>
<td><a href="/wiki/Morocco" title="Morocco">Morocco</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#MA" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">MA</span></a></td>
<td><span style="font-family: monospace, monospace;">MAR</span></td>
<td><span style="font-family: monospace, monospace;">504</span></td>
<td><a href="/wiki/ISO_3166-2:MA" title="ISO 3166-2:MA">ISO 3166-2:MA</a></td>
</tr>
<tr>
<td><a href="/wiki/Mozambique" title="Mozambique">Mozambique</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#MZ" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">MZ</span></a></td>
<td><span style="font-family: monospace, monospace;">MOZ</span></td>
<td><span style="font-family: monospace, monospace;">508</span></td>
<td><a href="/wiki/ISO_3166-2:MZ" title="ISO 3166-2:MZ">ISO 3166-2:MZ</a></td>
</tr>
<tr>
<td><a href="/wiki/Myanmar" title="Myanmar" class="mw-redirect">Myanmar</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#MM" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">MM</span></a></td>
<td><span style="font-family: monospace, monospace;">MMR</span></td>
<td><span style="font-family: monospace, monospace;">104</span></td>
<td><a href="/wiki/ISO_3166-2:MM" title="ISO 3166-2:MM">ISO 3166-2:MM</a></td>
</tr>
<tr>
<td><a href="/wiki/Namibia" title="Namibia">Namibia</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#NA" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">NA</span></a></td>
<td><span style="font-family: monospace, monospace;">NAM</span></td>
<td><span style="font-family: monospace, monospace;">516</span></td>
<td><a href="/wiki/ISO_3166-2:NA" title="ISO 3166-2:NA">ISO 3166-2:NA</a></td>
</tr>
<tr>
<td><a href="/wiki/Nauru" title="Nauru">Nauru</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#NR" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">NR</span></a></td>
<td><span style="font-family: monospace, monospace;">NRU</span></td>
<td><span style="font-family: monospace, monospace;">520</span></td>
<td><a href="/wiki/ISO_3166-2:NR" title="ISO 3166-2:NR">ISO 3166-2:NR</a></td>
</tr>
<tr>
<td><a href="/wiki/Nepal" title="Nepal">Nepal</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#NP" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">NP</span></a></td>
<td><span style="font-family: monospace, monospace;">NPL</span></td>
<td><span style="font-family: monospace, monospace;">524</span></td>
<td><a href="/wiki/ISO_3166-2:NP" title="ISO 3166-2:NP">ISO 3166-2:NP</a></td>
</tr>
<tr>
<td><a href="/wiki/Netherlands" title="Netherlands">Netherlands</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#NL" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">NL</span></a></td>
<td><span style="font-family: monospace, monospace;">NLD</span></td>
<td><span style="font-family: monospace, monospace;">528</span></td>
<td><a href="/wiki/ISO_3166-2:NL" title="ISO 3166-2:NL">ISO 3166-2:NL</a></td>
</tr>
<tr>
<td><a href="/wiki/New_Caledonia" title="New Caledonia">New Caledonia</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#NC" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">NC</span></a></td>
<td><span style="font-family: monospace, monospace;">NCL</span></td>
<td><span style="font-family: monospace, monospace;">540</span></td>
<td><a href="/wiki/ISO_3166-2:NC" title="ISO 3166-2:NC">ISO 3166-2:NC</a></td>
</tr>
<tr>
<td><a href="/wiki/New_Zealand" title="New Zealand">New Zealand</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#NZ" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">NZ</span></a></td>
<td><span style="font-family: monospace, monospace;">NZL</span></td>
<td><span style="font-family: monospace, monospace;">554</span></td>
<td><a href="/wiki/ISO_3166-2:NZ" title="ISO 3166-2:NZ">ISO 3166-2:NZ</a></td>
</tr>
<tr>
<td><a href="/wiki/Nicaragua" title="Nicaragua">Nicaragua</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#NI" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">NI</span></a></td>
<td><span style="font-family: monospace, monospace;">NIC</span></td>
<td><span style="font-family: monospace, monospace;">558</span></td>
<td><a href="/wiki/ISO_3166-2:NI" title="ISO 3166-2:NI">ISO 3166-2:NI</a></td>
</tr>
<tr>
<td><a href="/wiki/Niger" title="Niger">Niger</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#NE" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">NE</span></a></td>
<td><span style="font-family: monospace, monospace;">NER</span></td>
<td><span style="font-family: monospace, monospace;">562</span></td>
<td><a href="/wiki/ISO_3166-2:NE" title="ISO 3166-2:NE">ISO 3166-2:NE</a></td>
</tr>
<tr>
<td><a href="/wiki/Nigeria" title="Nigeria">Nigeria</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#NG" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">NG</span></a></td>
<td><span style="font-family: monospace, monospace;">NGA</span></td>
<td><span style="font-family: monospace, monospace;">566</span></td>
<td><a href="/wiki/ISO_3166-2:NG" title="ISO 3166-2:NG">ISO 3166-2:NG</a></td>
</tr>
<tr>
<td><a href="/wiki/Niue" title="Niue">Niue</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#NU" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">NU</span></a></td>
<td><span style="font-family: monospace, monospace;">NIU</span></td>
<td><span style="font-family: monospace, monospace;">570</span></td>
<td><a href="/wiki/ISO_3166-2:NU" title="ISO 3166-2:NU">ISO 3166-2:NU</a></td>
</tr>
<tr>
<td><a href="/wiki/Norfolk_Island" title="Norfolk Island">Norfolk Island</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#NF" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">NF</span></a></td>
<td><span style="font-family: monospace, monospace;">NFK</span></td>
<td><span style="font-family: monospace, monospace;">574</span></td>
<td><a href="/wiki/ISO_3166-2:NF" title="ISO 3166-2:NF">ISO 3166-2:NF</a></td>
</tr>
<tr>
<td><a href="/wiki/Northern_Mariana_Islands" title="Northern Mariana Islands">Northern Mariana Islands</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#MP" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">MP</span></a></td>
<td><span style="font-family: monospace, monospace;">MNP</span></td>
<td><span style="font-family: monospace, monospace;">580</span></td>
<td><a href="/wiki/ISO_3166-2:MP" title="ISO 3166-2:MP">ISO 3166-2:MP</a></td>
</tr>
<tr>
<td><a href="/wiki/Norway" title="Norway">Norway</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#NO" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">NO</span></a></td>
<td><span style="font-family: monospace, monospace;">NOR</span></td>
<td><span style="font-family: monospace, monospace;">578</span></td>
<td><a href="/wiki/ISO_3166-2:NO" title="ISO 3166-2:NO">ISO 3166-2:NO</a></td>
</tr>
<tr>
<td><a href="/wiki/Oman" title="Oman">Oman</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#OM" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">OM</span></a></td>
<td><span style="font-family: monospace, monospace;">OMN</span></td>
<td><span style="font-family: monospace, monospace;">512</span></td>
<td><a href="/wiki/ISO_3166-2:OM" title="ISO 3166-2:OM">ISO 3166-2:OM</a></td>
</tr>
<tr>
<td><a href="/wiki/Pakistan" title="Pakistan">Pakistan</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#PK" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">PK</span></a></td>
<td><span style="font-family: monospace, monospace;">PAK</span></td>
<td><span style="font-family: monospace, monospace;">586</span></td>
<td><a href="/wiki/ISO_3166-2:PK" title="ISO 3166-2:PK">ISO 3166-2:PK</a></td>
</tr>
<tr>
<td><a href="/wiki/Palau" title="Palau">Palau</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#PW" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">PW</span></a></td>
<td><span style="font-family: monospace, monospace;">PLW</span></td>
<td><span style="font-family: monospace, monospace;">585</span></td>
<td><a href="/wiki/ISO_3166-2:PW" title="ISO 3166-2:PW">ISO 3166-2:PW</a></td>
</tr>
<tr>
<td><a href="/wiki/State_of_Palestine" title="State of Palestine">Palestine, State of</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#PS" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">PS</span></a></td>
<td><span style="font-family: monospace, monospace;">PSE</span></td>
<td><span style="font-family: monospace, monospace;">275</span></td>
<td><a href="/wiki/ISO_3166-2:PS" title="ISO 3166-2:PS">ISO 3166-2:PS</a></td>
</tr>
<tr>
<td><a href="/wiki/Panama" title="Panama">Panama</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#PA" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">PA</span></a></td>
<td><span style="font-family: monospace, monospace;">PAN</span></td>
<td><span style="font-family: monospace, monospace;">591</span></td>
<td><a href="/wiki/ISO_3166-2:PA" title="ISO 3166-2:PA">ISO 3166-2:PA</a></td>
</tr>
<tr>
<td><a href="/wiki/Papua_New_Guinea" title="Papua New Guinea">Papua New Guinea</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#PG" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">PG</span></a></td>
<td><span style="font-family: monospace, monospace;">PNG</span></td>
<td><span style="font-family: monospace, monospace;">598</span></td>
<td><a href="/wiki/ISO_3166-2:PG" title="ISO 3166-2:PG">ISO 3166-2:PG</a></td>
</tr>
<tr>
<td><a href="/wiki/Paraguay" title="Paraguay">Paraguay</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#PY" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">PY</span></a></td>
<td><span style="font-family: monospace, monospace;">PRY</span></td>
<td><span style="font-family: monospace, monospace;">600</span></td>
<td><a href="/wiki/ISO_3166-2:PY" title="ISO 3166-2:PY">ISO 3166-2:PY</a></td>
</tr>
<tr>
<td><a href="/wiki/Peru" title="Peru">Peru</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#PE" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">PE</span></a></td>
<td><span style="font-family: monospace, monospace;">PER</span></td>
<td><span style="font-family: monospace, monospace;">604</span></td>
<td><a href="/wiki/ISO_3166-2:PE" title="ISO 3166-2:PE">ISO 3166-2:PE</a></td>
</tr>
<tr>
<td><a href="/wiki/Philippines" title="Philippines">Philippines</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#PH" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">PH</span></a></td>
<td><span style="font-family: monospace, monospace;">PHL</span></td>
<td><span style="font-family: monospace, monospace;">608</span></td>
<td><a href="/wiki/ISO_3166-2:PH" title="ISO 3166-2:PH">ISO 3166-2:PH</a></td>
</tr>
<tr>
<td><a href="/wiki/Pitcairn" title="Pitcairn" class="mw-redirect">Pitcairn</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#PN" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">PN</span></a></td>
<td><span style="font-family: monospace, monospace;">PCN</span></td>
<td><span style="font-family: monospace, monospace;">612</span></td>
<td><a href="/wiki/ISO_3166-2:PN" title="ISO 3166-2:PN">ISO 3166-2:PN</a></td>
</tr>
<tr>
<td><a href="/wiki/Poland" title="Poland">Poland</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#PL" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">PL</span></a></td>
<td><span style="font-family: monospace, monospace;">POL</span></td>
<td><span style="font-family: monospace, monospace;">616</span></td>
<td><a href="/wiki/ISO_3166-2:PL" title="ISO 3166-2:PL">ISO 3166-2:PL</a></td>
</tr>
<tr>
<td><a href="/wiki/Portugal" title="Portugal">Portugal</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#PT" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">PT</span></a></td>
<td><span style="font-family: monospace, monospace;">PRT</span></td>
<td><span style="font-family: monospace, monospace;">620</span></td>
<td><a href="/wiki/ISO_3166-2:PT" title="ISO 3166-2:PT">ISO 3166-2:PT</a></td>
</tr>
<tr>
<td><a href="/wiki/Puerto_Rico" title="Puerto Rico">Puerto Rico</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#PR" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">PR</span></a></td>
<td><span style="font-family: monospace, monospace;">PRI</span></td>
<td><span style="font-family: monospace, monospace;">630</span></td>
<td><a href="/wiki/ISO_3166-2:PR" title="ISO 3166-2:PR">ISO 3166-2:PR</a></td>
</tr>
<tr>
<td><a href="/wiki/Qatar" title="Qatar">Qatar</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#QA" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">QA</span></a></td>
<td><span style="font-family: monospace, monospace;">QAT</span></td>
<td><span style="font-family: monospace, monospace;">634</span></td>
<td><a href="/wiki/ISO_3166-2:QA" title="ISO 3166-2:QA">ISO 3166-2:QA</a></td>
</tr>
<tr>
<td><span style="display:none;" class="sortkey">Reunion !</span><span class="sorttext"><a href="/wiki/R%C3%A9union" title="Réunion">Réunion</a></span></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#RE" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">RE</span></a></td>
<td><span style="font-family: monospace, monospace;">REU</span></td>
<td><span style="font-family: monospace, monospace;">638</span></td>
<td><a href="/wiki/ISO_3166-2:RE" title="ISO 3166-2:RE">ISO 3166-2:RE</a></td>
</tr>
<tr>
<td><a href="/wiki/Romania" title="Romania">Romania</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#RO" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">RO</span></a></td>
<td><span style="font-family: monospace, monospace;">ROU</span></td>
<td><span style="font-family: monospace, monospace;">642</span></td>
<td><a href="/wiki/ISO_3166-2:RO" title="ISO 3166-2:RO">ISO 3166-2:RO</a></td>
</tr>
<tr>
<td><a href="/wiki/Russian_Federation" title="Russian Federation" class="mw-redirect">Russian Federation</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#RU" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">RU</span></a></td>
<td><span style="font-family: monospace, monospace;">RUS</span></td>
<td><span style="font-family: monospace, monospace;">643</span></td>
<td><a href="/wiki/ISO_3166-2:RU" title="ISO 3166-2:RU">ISO 3166-2:RU</a></td>
</tr>
<tr>
<td><a href="/wiki/Rwanda" title="Rwanda">Rwanda</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#RW" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">RW</span></a></td>
<td><span style="font-family: monospace, monospace;">RWA</span></td>
<td><span style="font-family: monospace, monospace;">646</span></td>
<td><a href="/wiki/ISO_3166-2:RW" title="ISO 3166-2:RW">ISO 3166-2:RW</a></td>
</tr>
<tr>
<td><span style="display:none;" class="sortkey">Saint Barthelemy !</span><span class="sorttext"><a href="/wiki/Saint_Barth%C3%A9lemy" title="Saint Barthélemy">Saint Barthélemy</a></span></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#BL" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">BL</span></a></td>
<td><span style="font-family: monospace, monospace;">BLM</span></td>
<td><span style="font-family: monospace, monospace;">652</span></td>
<td><a href="/wiki/ISO_3166-2:BL" title="ISO 3166-2:BL">ISO 3166-2:BL</a></td>
</tr>
<tr>
<td><a href="/wiki/Saint_Helena,_Ascension_and_Tristan_da_Cunha" title="Saint Helena, Ascension and Tristan da Cunha">Saint Helena, Ascension and Tristan da Cunha</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#SH" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">SH</span></a></td>
<td><span style="font-family: monospace, monospace;">SHN</span></td>
<td><span style="font-family: monospace, monospace;">654</span></td>
<td><a href="/wiki/ISO_3166-2:SH" title="ISO 3166-2:SH">ISO 3166-2:SH</a></td>
</tr>
<tr>
<td><a href="/wiki/Saint_Kitts_and_Nevis" title="Saint Kitts and Nevis">Saint Kitts and Nevis</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#KN" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">KN</span></a></td>
<td><span style="font-family: monospace, monospace;">KNA</span></td>
<td><span style="font-family: monospace, monospace;">659</span></td>
<td><a href="/wiki/ISO_3166-2:KN" title="ISO 3166-2:KN">ISO 3166-2:KN</a></td>
</tr>
<tr>
<td><a href="/wiki/Saint_Lucia" title="Saint Lucia">Saint Lucia</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#LC" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">LC</span></a></td>
<td><span style="font-family: monospace, monospace;">LCA</span></td>
<td><span style="font-family: monospace, monospace;">662</span></td>
<td><a href="/wiki/ISO_3166-2:LC" title="ISO 3166-2:LC">ISO 3166-2:LC</a></td>
</tr>
<tr>
<td><a href="/wiki/Saint_Martin_(French_part)" title="Saint Martin (French part)" class="mw-redirect">Saint Martin (French part)</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#MF" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">MF</span></a></td>
<td><span style="font-family: monospace, monospace;">MAF</span></td>
<td><span style="font-family: monospace, monospace;">663</span></td>
<td><a href="/wiki/ISO_3166-2:MF" title="ISO 3166-2:MF">ISO 3166-2:MF</a></td>
</tr>
<tr>
<td><a href="/wiki/Saint_Pierre_and_Miquelon" title="Saint Pierre and Miquelon">Saint Pierre and Miquelon</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#PM" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">PM</span></a></td>
<td><span style="font-family: monospace, monospace;">SPM</span></td>
<td><span style="font-family: monospace, monospace;">666</span></td>
<td><a href="/wiki/ISO_3166-2:PM" title="ISO 3166-2:PM">ISO 3166-2:PM</a></td>
</tr>
<tr>
<td><a href="/wiki/Saint_Vincent_and_the_Grenadines" title="Saint Vincent and the Grenadines">Saint Vincent and the Grenadines</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#VC" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">VC</span></a></td>
<td><span style="font-family: monospace, monospace;">VCT</span></td>
<td><span style="font-family: monospace, monospace;">670</span></td>
<td><a href="/wiki/ISO_3166-2:VC" title="ISO 3166-2:VC">ISO 3166-2:VC</a></td>
</tr>
<tr>
<td><a href="/wiki/Samoa" title="Samoa">Samoa</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#WS" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">WS</span></a></td>
<td><span style="font-family: monospace, monospace;">WSM</span></td>
<td><span style="font-family: monospace, monospace;">882</span></td>
<td><a href="/wiki/ISO_3166-2:WS" title="ISO 3166-2:WS">ISO 3166-2:WS</a></td>
</tr>
<tr>
<td><a href="/wiki/San_Marino" title="San Marino">San Marino</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#SM" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">SM</span></a></td>
<td><span style="font-family: monospace, monospace;">SMR</span></td>
<td><span style="font-family: monospace, monospace;">674</span></td>
<td><a href="/wiki/ISO_3166-2:SM" title="ISO 3166-2:SM">ISO 3166-2:SM</a></td>
</tr>
<tr>
<td><a href="/wiki/Sao_Tome_and_Principe" title="Sao Tome and Principe" class="mw-redirect">Sao Tome and Principe</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#ST" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">ST</span></a></td>
<td><span style="font-family: monospace, monospace;">STP</span></td>
<td><span style="font-family: monospace, monospace;">678</span></td>
<td><a href="/wiki/ISO_3166-2:ST" title="ISO 3166-2:ST">ISO 3166-2:ST</a></td>
</tr>
<tr>
<td><a href="/wiki/Saudi_Arabia" title="Saudi Arabia">Saudi Arabia</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#SA" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">SA</span></a></td>
<td><span style="font-family: monospace, monospace;">SAU</span></td>
<td><span style="font-family: monospace, monospace;">682</span></td>
<td><a href="/wiki/ISO_3166-2:SA" title="ISO 3166-2:SA">ISO 3166-2:SA</a></td>
</tr>
<tr>
<td><a href="/wiki/Senegal" title="Senegal">Senegal</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#SN" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">SN</span></a></td>
<td><span style="font-family: monospace, monospace;">SEN</span></td>
<td><span style="font-family: monospace, monospace;">686</span></td>
<td><a href="/wiki/ISO_3166-2:SN" title="ISO 3166-2:SN">ISO 3166-2:SN</a></td>
</tr>
<tr>
<td><a href="/wiki/Serbia" title="Serbia">Serbia</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#RS" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">RS</span></a></td>
<td><span style="font-family: monospace, monospace;">SRB</span></td>
<td><span style="font-family: monospace, monospace;">688</span></td>
<td><a href="/wiki/ISO_3166-2:RS" title="ISO 3166-2:RS">ISO 3166-2:RS</a></td>
</tr>
<tr>
<td><a href="/wiki/Seychelles" title="Seychelles">Seychelles</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#SC" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">SC</span></a></td>
<td><span style="font-family: monospace, monospace;">SYC</span></td>
<td><span style="font-family: monospace, monospace;">690</span></td>
<td><a href="/wiki/ISO_3166-2:SC" title="ISO 3166-2:SC">ISO 3166-2:SC</a></td>
</tr>
<tr>
<td><a href="/wiki/Sierra_Leone" title="Sierra Leone">Sierra Leone</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#SL" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">SL</span></a></td>
<td><span style="font-family: monospace, monospace;">SLE</span></td>
<td><span style="font-family: monospace, monospace;">694</span></td>
<td><a href="/wiki/ISO_3166-2:SL" title="ISO 3166-2:SL">ISO 3166-2:SL</a></td>
</tr>
<tr>
<td><a href="/wiki/Singapore" title="Singapore">Singapore</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#SG" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">SG</span></a></td>
<td><span style="font-family: monospace, monospace;">SGP</span></td>
<td><span style="font-family: monospace, monospace;">702</span></td>
<td><a href="/wiki/ISO_3166-2:SG" title="ISO 3166-2:SG">ISO 3166-2:SG</a></td>
</tr>
<tr>
<td><a href="/wiki/Sint_Maarten_(Dutch_part)" title="Sint Maarten (Dutch part)" class="mw-redirect">Sint Maarten (Dutch part)</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#SX" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">SX</span></a></td>
<td><span style="font-family: monospace, monospace;">SXM</span></td>
<td><span style="font-family: monospace, monospace;">534</span></td>
<td><a href="/wiki/ISO_3166-2:SX" title="ISO 3166-2:SX">ISO 3166-2:SX</a></td>
</tr>
<tr>
<td><a href="/wiki/Slovakia" title="Slovakia">Slovakia</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#SK" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">SK</span></a></td>
<td><span style="font-family: monospace, monospace;">SVK</span></td>
<td><span style="font-family: monospace, monospace;">703</span></td>
<td><a href="/wiki/ISO_3166-2:SK" title="ISO 3166-2:SK">ISO 3166-2:SK</a></td>
</tr>
<tr>
<td><a href="/wiki/Slovenia" title="Slovenia">Slovenia</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#SI" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">SI</span></a></td>
<td><span style="font-family: monospace, monospace;">SVN</span></td>
<td><span style="font-family: monospace, monospace;">705</span></td>
<td><a href="/wiki/ISO_3166-2:SI" title="ISO 3166-2:SI">ISO 3166-2:SI</a></td>
</tr>
<tr>
<td><a href="/wiki/Solomon_Islands" title="Solomon Islands">Solomon Islands</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#SB" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">SB</span></a></td>
<td><span style="font-family: monospace, monospace;">SLB</span></td>
<td><span style="font-family: monospace, monospace;">090</span></td>
<td><a href="/wiki/ISO_3166-2:SB" title="ISO 3166-2:SB">ISO 3166-2:SB</a></td>
</tr>
<tr>
<td><a href="/wiki/Somalia" title="Somalia">Somalia</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#SO" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">SO</span></a></td>
<td><span style="font-family: monospace, monospace;">SOM</span></td>
<td><span style="font-family: monospace, monospace;">706</span></td>
<td><a href="/wiki/ISO_3166-2:SO" title="ISO 3166-2:SO">ISO 3166-2:SO</a></td>
</tr>
<tr>
<td><a href="/wiki/South_Africa" title="South Africa">South Africa</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#ZA" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">ZA</span></a></td>
<td><span style="font-family: monospace, monospace;">ZAF</span></td>
<td><span style="font-family: monospace, monospace;">710</span></td>
<td><a href="/wiki/ISO_3166-2:ZA" title="ISO 3166-2:ZA">ISO 3166-2:ZA</a></td>
</tr>
<tr>
<td><a href="/wiki/South_Georgia_and_the_South_Sandwich_Islands" title="South Georgia and the South Sandwich Islands">South Georgia and the South Sandwich Islands</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#GS" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">GS</span></a></td>
<td><span style="font-family: monospace, monospace;">SGS</span></td>
<td><span style="font-family: monospace, monospace;">239</span></td>
<td><a href="/wiki/ISO_3166-2:GS" title="ISO 3166-2:GS">ISO 3166-2:GS</a></td>
</tr>
<tr>
<td><a href="/wiki/South_Sudan" title="South Sudan">South Sudan</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#SS" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">SS</span></a></td>
<td><span style="font-family: monospace, monospace;">SSD</span></td>
<td><span style="font-family: monospace, monospace;">728</span></td>
<td><a href="/wiki/ISO_3166-2:SS" title="ISO 3166-2:SS">ISO 3166-2:SS</a></td>
</tr>
<tr>
<td><a href="/wiki/Spain" title="Spain">Spain</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#ES" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">ES</span></a></td>
<td><span style="font-family: monospace, monospace;">ESP</span></td>
<td><span style="font-family: monospace, monospace;">724</span></td>
<td><a href="/wiki/ISO_3166-2:ES" title="ISO 3166-2:ES">ISO 3166-2:ES</a></td>
</tr>
<tr>
<td><a href="/wiki/Sri_Lanka" title="Sri Lanka">Sri Lanka</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#LK" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">LK</span></a></td>
<td><span style="font-family: monospace, monospace;">LKA</span></td>
<td><span style="font-family: monospace, monospace;">144</span></td>
<td><a href="/wiki/ISO_3166-2:LK" title="ISO 3166-2:LK">ISO 3166-2:LK</a></td>
</tr>
<tr>
<td><a href="/wiki/Sudan" title="Sudan">Sudan</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#SD" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">SD</span></a></td>
<td><span style="font-family: monospace, monospace;">SDN</span></td>
<td><span style="font-family: monospace, monospace;">729</span></td>
<td><a href="/wiki/ISO_3166-2:SD" title="ISO 3166-2:SD">ISO 3166-2:SD</a></td>
</tr>
<tr>
<td><a href="/wiki/Suriname" title="Suriname">Suriname</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#SR" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">SR</span></a></td>
<td><span style="font-family: monospace, monospace;">SUR</span></td>
<td><span style="font-family: monospace, monospace;">740</span></td>
<td><a href="/wiki/ISO_3166-2:SR" title="ISO 3166-2:SR">ISO 3166-2:SR</a></td>
</tr>
<tr>
<td><a href="/wiki/Svalbard_and_Jan_Mayen" title="Svalbard and Jan Mayen">Svalbard and Jan Mayen</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#SJ" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">SJ</span></a></td>
<td><span style="font-family: monospace, monospace;">SJM</span></td>
<td><span style="font-family: monospace, monospace;">744</span></td>
<td><a href="/wiki/ISO_3166-2:SJ" title="ISO 3166-2:SJ">ISO 3166-2:SJ</a></td>
</tr>
<tr>
<td><a href="/wiki/Swaziland" title="Swaziland">Swaziland</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#SZ" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">SZ</span></a></td>
<td><span style="font-family: monospace, monospace;">SWZ</span></td>
<td><span style="font-family: monospace, monospace;">748</span></td>
<td><a href="/wiki/ISO_3166-2:SZ" title="ISO 3166-2:SZ">ISO 3166-2:SZ</a></td>
</tr>
<tr>
<td><a href="/wiki/Sweden" title="Sweden">Sweden</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#SE" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">SE</span></a></td>
<td><span style="font-family: monospace, monospace;">SWE</span></td>
<td><span style="font-family: monospace, monospace;">752</span></td>
<td><a href="/wiki/ISO_3166-2:SE" title="ISO 3166-2:SE">ISO 3166-2:SE</a></td>
</tr>
<tr>
<td><a href="/wiki/Switzerland" title="Switzerland">Switzerland</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#CH" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">CH</span></a></td>
<td><span style="font-family: monospace, monospace;">CHE</span></td>
<td><span style="font-family: monospace, monospace;">756</span></td>
<td><a href="/wiki/ISO_3166-2:CH" title="ISO 3166-2:CH">ISO 3166-2:CH</a></td>
</tr>
<tr>
<td><a href="/wiki/Syrian_Arab_Republic" title="Syrian Arab Republic" class="mw-redirect">Syrian Arab Republic</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#SY" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">SY</span></a></td>
<td><span style="font-family: monospace, monospace;">SYR</span></td>
<td><span style="font-family: monospace, monospace;">760</span></td>
<td><a href="/wiki/ISO_3166-2:SY" title="ISO 3166-2:SY">ISO 3166-2:SY</a></td>
</tr>
<tr>
<td><a href="/wiki/Taiwan" title="Taiwan">Taiwan, Province of China</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#TW" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">TW</span></a></td>
<td><span style="font-family: monospace, monospace;">TWN</span></td>
<td><span style="font-family: monospace, monospace;">158</span></td>
<td><a href="/wiki/ISO_3166-2:TW" title="ISO 3166-2:TW">ISO 3166-2:TW</a></td>
</tr>
<tr>
<td><a href="/wiki/Tajikistan" title="Tajikistan">Tajikistan</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#TJ" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">TJ</span></a></td>
<td><span style="font-family: monospace, monospace;">TJK</span></td>
<td><span style="font-family: monospace, monospace;">762</span></td>
<td><a href="/wiki/ISO_3166-2:TJ" title="ISO 3166-2:TJ">ISO 3166-2:TJ</a></td>
</tr>
<tr>
<td><a href="/wiki/Tanzania,_United_Republic_of" title="Tanzania, United Republic of" class="mw-redirect">Tanzania, United Republic of</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#TZ" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">TZ</span></a></td>
<td><span style="font-family: monospace, monospace;">TZA</span></td>
<td><span style="font-family: monospace, monospace;">834</span></td>
<td><a href="/wiki/ISO_3166-2:TZ" title="ISO 3166-2:TZ">ISO 3166-2:TZ</a></td>
</tr>
<tr>
<td><a href="/wiki/Thailand" title="Thailand">Thailand</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#TH" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">TH</span></a></td>
<td><span style="font-family: monospace, monospace;">THA</span></td>
<td><span style="font-family: monospace, monospace;">764</span></td>
<td><a href="/wiki/ISO_3166-2:TH" title="ISO 3166-2:TH">ISO 3166-2:TH</a></td>
</tr>
<tr>
<td><a href="/wiki/Timor-Leste" title="Timor-Leste" class="mw-redirect">Timor-Leste</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#TL" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">TL</span></a></td>
<td><span style="font-family: monospace, monospace;">TLS</span></td>
<td><span style="font-family: monospace, monospace;">626</span></td>
<td><a href="/wiki/ISO_3166-2:TL" title="ISO 3166-2:TL">ISO 3166-2:TL</a></td>
</tr>
<tr>
<td><a href="/wiki/Togo" title="Togo">Togo</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#TG" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">TG</span></a></td>
<td><span style="font-family: monospace, monospace;">TGO</span></td>
<td><span style="font-family: monospace, monospace;">768</span></td>
<td><a href="/wiki/ISO_3166-2:TG" title="ISO 3166-2:TG">ISO 3166-2:TG</a></td>
</tr>
<tr>
<td><a href="/wiki/Tokelau" title="Tokelau">Tokelau</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#TK" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">TK</span></a></td>
<td><span style="font-family: monospace, monospace;">TKL</span></td>
<td><span style="font-family: monospace, monospace;">772</span></td>
<td><a href="/wiki/ISO_3166-2:TK" title="ISO 3166-2:TK">ISO 3166-2:TK</a></td>
</tr>
<tr>
<td><a href="/wiki/Tonga" title="Tonga">Tonga</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#TO" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">TO</span></a></td>
<td><span style="font-family: monospace, monospace;">TON</span></td>
<td><span style="font-family: monospace, monospace;">776</span></td>
<td><a href="/wiki/ISO_3166-2:TO" title="ISO 3166-2:TO">ISO 3166-2:TO</a></td>
</tr>
<tr>
<td><a href="/wiki/Trinidad_and_Tobago" title="Trinidad and Tobago">Trinidad and Tobago</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#TT" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">TT</span></a></td>
<td><span style="font-family: monospace, monospace;">TTO</span></td>
<td><span style="font-family: monospace, monospace;">780</span></td>
<td><a href="/wiki/ISO_3166-2:TT" title="ISO 3166-2:TT">ISO 3166-2:TT</a></td>
</tr>
<tr>
<td><a href="/wiki/Tunisia" title="Tunisia">Tunisia</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#TN" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">TN</span></a></td>
<td><span style="font-family: monospace, monospace;">TUN</span></td>
<td><span style="font-family: monospace, monospace;">788</span></td>
<td><a href="/wiki/ISO_3166-2:TN" title="ISO 3166-2:TN">ISO 3166-2:TN</a></td>
</tr>
<tr>
<td><a href="/wiki/Turkey" title="Turkey">Turkey</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#TR" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">TR</span></a></td>
<td><span style="font-family: monospace, monospace;">TUR</span></td>
<td><span style="font-family: monospace, monospace;">792</span></td>
<td><a href="/wiki/ISO_3166-2:TR" title="ISO 3166-2:TR">ISO 3166-2:TR</a></td>
</tr>
<tr>
<td><a href="/wiki/Turkmenistan" title="Turkmenistan">Turkmenistan</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#TM" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">TM</span></a></td>
<td><span style="font-family: monospace, monospace;">TKM</span></td>
<td><span style="font-family: monospace, monospace;">795</span></td>
<td><a href="/wiki/ISO_3166-2:TM" title="ISO 3166-2:TM">ISO 3166-2:TM</a></td>
</tr>
<tr>
<td><a href="/wiki/Turks_and_Caicos_Islands" title="Turks and Caicos Islands">Turks and Caicos Islands</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#TC" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">TC</span></a></td>
<td><span style="font-family: monospace, monospace;">TCA</span></td>
<td><span style="font-family: monospace, monospace;">796</span></td>
<td><a href="/wiki/ISO_3166-2:TC" title="ISO 3166-2:TC">ISO 3166-2:TC</a></td>
</tr>
<tr>
<td><a href="/wiki/Tuvalu" title="Tuvalu">Tuvalu</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#TV" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">TV</span></a></td>
<td><span style="font-family: monospace, monospace;">TUV</span></td>
<td><span style="font-family: monospace, monospace;">798</span></td>
<td><a href="/wiki/ISO_3166-2:TV" title="ISO 3166-2:TV">ISO 3166-2:TV</a></td>
</tr>
<tr>
<td><a href="/wiki/Uganda" title="Uganda">Uganda</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#UG" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">UG</span></a></td>
<td><span style="font-family: monospace, monospace;">UGA</span></td>
<td><span style="font-family: monospace, monospace;">800</span></td>
<td><a href="/wiki/ISO_3166-2:UG" title="ISO 3166-2:UG">ISO 3166-2:UG</a></td>
</tr>
<tr>
<td><a href="/wiki/Ukraine" title="Ukraine">Ukraine</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#UA" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">UA</span></a></td>
<td><span style="font-family: monospace, monospace;">UKR</span></td>
<td><span style="font-family: monospace, monospace;">804</span></td>
<td><a href="/wiki/ISO_3166-2:UA" title="ISO 3166-2:UA">ISO 3166-2:UA</a></td>
</tr>
<tr>
<td><a href="/wiki/United_Arab_Emirates" title="United Arab Emirates">United Arab Emirates</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#AE" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">AE</span></a></td>
<td><span style="font-family: monospace, monospace;">ARE</span></td>
<td><span style="font-family: monospace, monospace;">784</span></td>
<td><a href="/wiki/ISO_3166-2:AE" title="ISO 3166-2:AE">ISO 3166-2:AE</a></td>
</tr>
<tr>
<td><a href="/wiki/United_Kingdom_of_Great_Britain_and_Northern_Ireland" title="United Kingdom of Great Britain and Northern Ireland" class="mw-redirect">United Kingdom of Great Britain and Northern Ireland</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#GB" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">GB</span></a></td>
<td><span style="font-family: monospace, monospace;">GBR</span></td>
<td><span style="font-family: monospace, monospace;">826</span></td>
<td><a href="/wiki/ISO_3166-2:GB" title="ISO 3166-2:GB">ISO 3166-2:GB</a></td>
</tr>
<tr>
<td><a href="/wiki/United_States_of_America" title="United States of America" class="mw-redirect">United States of America</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#US" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">US</span></a></td>
<td><span style="font-family: monospace, monospace;">USA</span></td>
<td><span style="font-family: monospace, monospace;">840</span></td>
<td><a href="/wiki/ISO_3166-2:US" title="ISO 3166-2:US">ISO 3166-2:US</a></td>
</tr>
<tr>
<td><a href="/wiki/United_States_Minor_Outlying_Islands" title="United States Minor Outlying Islands">United States Minor Outlying Islands</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#UM" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">UM</span></a></td>
<td><span style="font-family: monospace, monospace;">UMI</span></td>
<td><span style="font-family: monospace, monospace;">581</span></td>
<td><a href="/wiki/ISO_3166-2:UM" title="ISO 3166-2:UM">ISO 3166-2:UM</a></td>
</tr>
<tr>
<td><a href="/wiki/Uruguay" title="Uruguay">Uruguay</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#UY" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">UY</span></a></td>
<td><span style="font-family: monospace, monospace;">URY</span></td>
<td><span style="font-family: monospace, monospace;">858</span></td>
<td><a href="/wiki/ISO_3166-2:UY" title="ISO 3166-2:UY">ISO 3166-2:UY</a></td>
</tr>
<tr>
<td><a href="/wiki/Uzbekistan" title="Uzbekistan">Uzbekistan</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#UZ" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">UZ</span></a></td>
<td><span style="font-family: monospace, monospace;">UZB</span></td>
<td><span style="font-family: monospace, monospace;">860</span></td>
<td><a href="/wiki/ISO_3166-2:UZ" title="ISO 3166-2:UZ">ISO 3166-2:UZ</a></td>
</tr>
<tr>
<td><a href="/wiki/Vanuatu" title="Vanuatu">Vanuatu</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#VU" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">VU</span></a></td>
<td><span style="font-family: monospace, monospace;">VUT</span></td>
<td><span style="font-family: monospace, monospace;">548</span></td>
<td><a href="/wiki/ISO_3166-2:VU" title="ISO 3166-2:VU">ISO 3166-2:VU</a></td>
</tr>
<tr>
<td><a href="/wiki/Venezuela_(Bolivarian_Republic_of)" title="Venezuela (Bolivarian Republic of)" class="mw-redirect">Venezuela (Bolivarian Republic of)</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#VE" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">VE</span></a></td>
<td><span style="font-family: monospace, monospace;">VEN</span></td>
<td><span style="font-family: monospace, monospace;">862</span></td>
<td><a href="/wiki/ISO_3166-2:VE" title="ISO 3166-2:VE">ISO 3166-2:VE</a></td>
</tr>
<tr>
<td><a href="/wiki/Viet_Nam" title="Viet Nam" class="mw-redirect">Viet Nam</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#VN" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">VN</span></a></td>
<td><span style="font-family: monospace, monospace;">VNM</span></td>
<td><span style="font-family: monospace, monospace;">704</span></td>
<td><a href="/wiki/ISO_3166-2:VN" title="ISO 3166-2:VN">ISO 3166-2:VN</a></td>
</tr>
<tr>
<td><a href="/wiki/British_Virgin_Islands" title="British Virgin Islands">Virgin Islands (British)</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#VG" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">VG</span></a></td>
<td><span style="font-family: monospace, monospace;">VGB</span></td>
<td><span style="font-family: monospace, monospace;">092</span></td>
<td><a href="/wiki/ISO_3166-2:VG" title="ISO 3166-2:VG">ISO 3166-2:VG</a></td>
</tr>
<tr>
<td><a href="/wiki/United_States_Virgin_Islands" title="United States Virgin Islands">Virgin Islands (U.S.)</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#VI" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">VI</span></a></td>
<td><span style="font-family: monospace, monospace;">VIR</span></td>
<td><span style="font-family: monospace, monospace;">850</span></td>
<td><a href="/wiki/ISO_3166-2:VI" title="ISO 3166-2:VI">ISO 3166-2:VI</a></td>
</tr>
<tr>
<td><a href="/wiki/Wallis_and_Futuna" title="Wallis and Futuna">Wallis and Futuna</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#WF" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">WF</span></a></td>
<td><span style="font-family: monospace, monospace;">WLF</span></td>
<td><span style="font-family: monospace, monospace;">876</span></td>
<td><a href="/wiki/ISO_3166-2:WF" title="ISO 3166-2:WF">ISO 3166-2:WF</a></td>
</tr>
<tr>
<td><a href="/wiki/Western_Sahara" title="Western Sahara">Western Sahara</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#EH" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">EH</span></a></td>
<td><span style="font-family: monospace, monospace;">ESH</span></td>
<td><span style="font-family: monospace, monospace;">732</span></td>
<td><a href="/wiki/ISO_3166-2:EH" title="ISO 3166-2:EH">ISO 3166-2:EH</a></td>
</tr>
<tr>
<td><a href="/wiki/Yemen" title="Yemen">Yemen</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#YE" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">YE</span></a></td>
<td><span style="font-family: monospace, monospace;">YEM</span></td>
<td><span style="font-family: monospace, monospace;">887</span></td>
<td><a href="/wiki/ISO_3166-2:YE" title="ISO 3166-2:YE">ISO 3166-2:YE</a></td>
</tr>
<tr>
<td><a href="/wiki/Zambia" title="Zambia">Zambia</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#ZM" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">ZM</span></a></td>
<td><span style="font-family: monospace, monospace;">ZMB</span></td>
<td><span style="font-family: monospace, monospace;">894</span></td>
<td><a href="/wiki/ISO_3166-2:ZM" title="ISO 3166-2:ZM">ISO 3166-2:ZM</a></td>
</tr>
<tr>
<td><a href="/wiki/Zimbabwe" title="Zimbabwe">Zimbabwe</a></td>
<td><a href="/wiki/ISO_3166-1_alpha-2#ZW" title="ISO 3166-1 alpha-2"><span style="font-family: monospace, monospace;">ZW</span></a></td>
<td><span style="font-family: monospace, monospace;">ZWE</span></td>
<td><span style="font-family: monospace, monospace;">716</span></td>
<td><a href="/wiki/ISO_3166-2:ZW" title="ISO 3166-2:ZW">ISO 3166-2:ZW</a></td>
</tr>
</tbody><tfoot></tfoot></table>
"""
# source = country_centroids.zip via http://gothos.info/resources/ , retrieved 19.7.2015
# see country_centroids_README.xml for further information
centroid_data = """LAT LONG DMS_LAT DMS_LONG MGRS JOG DSG AFFIL FIPS10 SHORT_NAME FULL_NAME MOD_DATE ISO3136
33 66 330000 660000 42STB1970055286 NI42-09 PCLI AF Afghanistan Islamic Republic of Afghanistan 2009-04-10 AF
41 20 410000 200000 34TDL1589839239 NK34-08 PCLI AL Albania Republic of Albania 2007-02-28 AL
28 3 280000 30000 31REL0000097202 NH31-15 PCLI AG Algeria People's Democratic Republic of Algeria 2011-03-03 DZ
-14.3333333 -170 -142000 -1700000 1802701 PCLD US AS American Samoa Territory of American Samoa 1998-10-06 AS
42.5 1.5 423000 13000 31TCH7675006383 NK31-04 PCLI AN Andorra Principality of Andorra 2007-02-28 AD
-12.5 18.5 -123000 183000 34LBM2828516873 SD34-01 PCLI AO Angola Republic of Angola 2007-02-28 AO
18.216667 -63.05 181300 -630300 20QMF9471314158 NE20-06 PCLD UK AV Anguilla Anguilla 1993-12-22 AI
17.05 -61.8 170300 -614800 20QPD2770685478 NE20-11 PCLI AC Antigua and Barbuda Antigua and Barbuda 1997-08-29 AG
-34 -64 -340000 -640000 20HMH0765037393 SI20-06 PCLI AR Argentina Argentine Republic 2007-02-28 AR
40 45 400000 450000 38TNK0000027757 NK38-11 PCLI AM Armenia Republic of Armenia 2007-02-28 AM
12.5 -69.966667 123000 -695800 19PCP9496382035 ND19-14 PCLIX NL AA Aruba Aruba 1993-12-21 AW
-15.95 -5.7 -155700 -54200 30LTH1096034723 SD30-13 PCLD UK SH Ascension Ascension and Tristan da Cunha Saint Helena 1993-12-22 SH
-25 135 -250000 1350000 53JNN0000035052 SG53-03 PCLI AS Australia Commonwealth of Australia 2007-02-28 AU
47.333333 13.333333 472000 132000 33TUN7408243554 NL33-01 PCLI AU Austria Republic of Austria 2007-03-20 AT
40.5 47.5 403000 473000 38TQK1184586257 NK38-12 PCLI AJ Azerbaijan Republic of Azerbaijan 2007-02-28 AZ
24 -76 240000 -760000 18RUM9828554588 NG18-14 PCLI BF Bahamas Commonwealth of The Bahamas 2007-02-28 BS
26 50.5 260000 503000 39RVJ4996175780 NG39-06 PCLI BA Bahrain Kingdom of Bahrain 2007-02-28 BH
24 90 240000 900000 46RAM9477357479 NG46-13 PCLI BG Bangladesh People's Republic of Bangladesh 2007-02-28 BD
13.166667 -59.533333 131000 -593200 21PTQ2538656950 ND21-09 PCLI BB Barbados Barbados 1997-08-29 BB
53 28 530000 280000 35UNU6710972738 NN35-09 PCLI BO Belarus Republic of Belarus 2007-02-28 BY
50.833333 4 505000 40000 31UES7042031768 NM31-06 PCLI BE Belgium Kingdom of Belgium 2011-11-29 BE
17.25 -88.75 171500 -884500 16QCE1394908054 NE16-09 PCLI BH Belize Belize 1997-08-29 BZ
9.5 2.25 93000 21500 31PDL1767950220 NC31-10 PCLI BN Benin Republic of Benin 2007-02-28 BJ
32.333333 -64.75 322000 -644500 20SLA3529378730 NI20-13 PCLD UK BD Bermuda Bermuda 1993-12-22 BM
27.5 90.5 273000 903000 46RBR5302344306 NG46-01 PCLI BT Bhutan Kingdom of Bhutan 2007-02-28 BT
-17 -65 -170000 -650000 20KKG8707719358 SE20-01 PCLI BL Bolivia Plurinational State of Bolivia 2007-02-28 BO
12.2 -68.25 121200 -681500 19PEP8158648782 ND19-15 ADMD NL NT Bonaire Bonaire, Sint Eustatius, and Saba 2010-11-03 BQ
44.25 17.833333 441500 175000 33TYK2620603545 NL33-12 PCLI BK Bosnia and Herzegovina Bosnia and Herzegovina 2005-11-23 BA
-22 24 -220000 240000 35KJR9023564133 SF35-05 PCLI BC Botswana Republic of Botswana 2007-02-28 BW
-10 -55 -100000 -550000 21LYJ1923393923 SC21-08 PCLI BR Brazil Federative Republic of Brazil 2007-03-09 BR
18.5 -64.5 183000 -643000 20QLF4164546163 NE20-06 PCLD UK VI British Virgin Islands British Virgin Islands 1993-12-22 VG
4.5 114.666667 43000 1144000 50NKK4108297809 NB50-13 PCLI BX Brunei Negara Brunei Darussalam 2007-02-28 BN
43 25 430000 250000 35TLH3698162756 NK35-01 PCLI BU Bulgaria Republic of Bulgaria 2011-11-29 BG
13 -2 130000 -20000 30PXV0844637349 ND30-11 PCLI UV Burkina Faso Burkina Faso 2001-03-21 BF
22 98 220000 980000 47QLE9677533164 NF47-06 PCLI BM Burma Union of Burma 2007-02-28 MM
-3.5 30 -33000 300000 36MSB6664112607 SA36-13 PCLI BY Burundi Republic of Burundi 2007-02-28 BI
13 105 130000 1050000 48PWV0000037136 ND48-11 PCLI CB Cambodia Kingdom of Cambodia 2007-02-28 KH
6 12 60000 120000 33NSG6784264114 NB33-05 PCLI CM Cameroon Republic of Cameroon 2011-11-29 CM
60 -96 600000 -960000 15VUG3270555205 NP15-13 PCLI CA Canada Canada 1997-08-29 CA
16 -24 160000 -240000 27QST7890071254 NE27-13 PCLI CV Cape Verde Republic of Cape Verde 2007-02-28 CV
19.5 -80.666667 193000 -804000 17QNB3497756187 NE17-03 PCLD UK CJ Cayman Islands Cayman Islands 1997-08-29 KY
7 21 70000 210000 34NEN0000073749 NB34-03 PCLI CT Central African Republic Central African Republic 2007-02-28 CF
15 19 150000 190000 34PBB8494759298 ND34-01 PCLI CD Chad Republic of Chad 2007-02-28 TD
-30 -71 -300000 -710000 19JCG0708579531 SH19-09 PCLI CI Chile Republic of Chile 2007-02-28 CL
35 105 350000 1050000 48SWD0000073043 NI48-03 PCLI CH China People's Republic of China 1997-11-18 CN
-10.5 105.666667 -103000 1054000 48LWP7295139228 SC48-11 PCLD AS KT Christmas Island Territory of Christmas Island 2007-02-28 CX
-12 96.833333 -120000 965000 47LKG6408772519 SC47-13 PCLD AS CK Cocos (Keeling) Islands Territory of Cocos (Keeling) Islands 2007-02-28 CC
4 -72 40000 -720000 19NAE6683142736 NB19-13 PCLI CO Colombia Republic of Colombia 2007-02-28 CO
-12.166667 44.25 -121000 441500 38LMM1840454904 SD38-02 PCLI CN Comoros Union of the Comoros 2007-02-28 KM
-16.083333 -161.583333 -160500 -1613500 04KBH2364020120 SE04-01 PCLS NZ CW Cook Islands Cook Islands 2007-04-13 CK
10 -84 100000 -840000 17PJM7107106909 NC17-05 PCLI CS Costa Rica Republic of Costa Rica 2007-02-28 CR
8 -5 80000 -50000 30PTP7955884833 NC30-13 PCLI IV Cote d'Ivoire Republic of Cote d'Ivoire 2011-05-11 CI
45.166667 15.5 451000 153000 33TWL3929301587 NL33-08 PCLI HR Croatia Republic of Croatia 2011-11-29 HR
22 -79.5 220000 -793000 17QPE5484433586 NF17-08 PCLI CU Cuba Republic of Cuba 2007-02-28 CU
12.166667 -69 121000 -690000 19PEP0000044983 ND19-15 PCLIX NL UC Curaçao Land Curacao 2010-11-04 CW
35 33 350000 330000 36SWD0000073043 NI36-03 PCLI CY Cyprus Republic of Cyprus 2007-02-28 CY
49.75 15 494500 150000 33UWR0000010835 NM33-08 PCLI EZ Czech Republic Czech Republic 2011-11-29 CZ
0 25 0 250000 35NKA7740500000 NA35-13 PCLI CG Democratic Republic of the Congo Democratic Republic of the Congo 2007-02-28 CD
56 10 560000 100000 32VNH6236706531 NO32-12 PCLI DA Denmark Kingdom of Denmark 2007-02-28 DK
11.5 42.5 113000 423000 38PKT2728172452 NC38-01 PCLI DJ Djibouti Republic of Djibouti 2007-02-28 DJ
15.5 -61.333333 153000 -612000 20PPC7877814324 ND20-04 PCLI DO Dominica Commonwealth of Dominica 2007-02-28 DM
19 -70.666667 190000 -704000 19QCB2456401658 NE19-01 PCLI DR Dominican Republic Dominican Republic 2007-02-28 DO
-2 -77.5 -20000 -773000 18MTC2189278727 SA18-05 PCLI EC Ecuador Republic of Ecuador 2007-02-28 EC
27 30 270000 300000 36RTQ0227489976 NG36-01 PCLI EG Egypt Arab Republic of Egypt 2007-02-28 EG
13.833333 -88.916667 135000 -885500 16PBA9283530123 ND16-09 PCLI ES El Salvador Republic of El Salvador 2007-02-28 SV
2 10 20000 100000 32NPH1121321095 NA32-07 PCLI EK Equatorial Guinea Republic of Equatorial Guinea 2007-02-28 GQ
15 39 150000 390000 37PES0000058326 ND37-03 PCLI ER Eritrea State of Eritrea 2007-02-28 ER
59 26 590000 260000 35VMF4254940482 NO35-02 PCLI EN Estonia Republic of Estonia 2007-02-28 EE
8 38 80000 380000 37PCJ8979584432 NC37-14 PCLI ET Ethiopia Federal Democratic Republic of Ethiopia 2007-02-28 ET
-51.75 -59.166667 -514500 -591000 21FUC5043864546 SM21-10 PCLD UK FK Falkland Islands Falkland Islands (Islas Malvinas) 1996-12-16 FK
5 152 50000 1520000 56NLL8914052749 NB56-10 PCLF FM Federated States of Micronesia Federated States of Micronesia 2007-02-28 FM
-18 178 -180000 1780000 60KXF0586709529 SE60-07 PCLI FJ Fiji Republic of Fiji 2007-02-28 FJ
64 26 640000 260000 35WML5108997398 NQ35-13 PCLI FI Finland Republic of Finland 2007-02-28 FI
46 2 460000 20000 31TDL2256894534 NL31-05 PCLI FR France French Republic 2007-03-09 FR
4 -53 40000 -530000 22NBK7794442398 NB22-13 ADM1 FR FG French Guiana Department of Guiana 2007/02/28 GF
-15 -140 -150000 -1400000 07LFD0751241431 SD07-11 PCLD FR FP French Polynesia French Polynesia 2010-11-18 PF
-1 11.75 -10000 114500 32MRD0607889342 SA32-04 PCLI GB Gabon Gabonese Republic 2007-02-28 GA
13.5 -15.5 133000 -153000 28PDV4588992485 ND28-10 PCLI GA Gambia Republic of The Gambia 2011-11-29 GM
31.425074 34.373398 312530 342224 36RXV3053377528 NH36-03 TERR GZ Gaza Strip Gaza Strip 2009-01-23 PS
41.999981 43.499905 420000 433000 38TLM7576450862 NK38-07 PCLI GG Georgia Georgia 2010-08-02 GE
51.5 10.5 513000 103000 32UPC0411606496 NM32-03 PCLI GM Germany Federal Republic of Germany 2007-02-28 DE
8 -2 80000 -20000 30PXP1020584432 NC30-15 PCLI GH Ghana Republic of Ghana 2007-02-28 GH
36.133333 -5.35 360800 -52100 30STF8853901295 NJ30-10 PCLD UK GI Gibraltar Gibraltar 1993-12-22 GI
39 22 390000 220000 34SEJ8659317252 NJ34-03 PCLI GR Greece Hellenic Republic 2007-02-28 GR
72 -40 720000 -400000 24XVE6551189219 NS23-12 PCLS DA GL Greenland Greenland 2010-04-16 GL
12.116667 -61.666667 120700 -614000 20PPU4509539809 ND20-16 PCLI GJ Grenada Grenada 2007-02-28 GD
16.25 -61.583333 161500 -613500 20QPC5139597113 NE20-15 ADM1 FR GP Guadeloupe Department of Guadeloupe 2007/02/28 GP
13.4444444 144.7366667 132640 1444412 1802705 PCLD US GU Guam Territory of Guam 1998-10-06 GU
15.5 -90.25 153000 -901500 15PYT9504515523 ND15-04 PCLI GT Guatemala Republic of Guatemala 2007-02-28 GT
11 -10 110000 -100000 29PLN9075116161 NC29-02 PCLI GV Guinea Republic of Guinea 2007-02-28 GN
12 -15 120000 -150000 28PEU0000026554 ND28-15 PCLI PU Guinea-Bissau Republic of Guinea-Bissau 2007-02-28 GW
5 -59 50000 -590000 21NTF7824753002 NB21-09 PCLI GY Guyana Co-operative Republic of Guyana 2007-02-28 GY
19 -72.416667 190000 -722500 18QYG7196902825 NE18-08 PCLI HA Haiti Republic of Haiti 2007-02-28 HT
15 -86.5 150000 -863000 16PEB5375458387 ND16-03 PCLI HO Honduras Republic of Honduras 2007-02-28 HN
47 20 470000 200000 34TDT2397505649 NL34-02 PCLI HU Hungary Republic of Hungary 2007-02-28 HU
65 -18 650000 -180000 28WCT5857211811 NQ27-11 PCLI IC Iceland Republic of Iceland 2011-02-10 IS
20 77 200000 770000 43QGC0924312731 NF43-16 PCLI IN India Republic of India 2007-02-28 IN
-5 120 -50000 1200000 51MSQ6728646576 SB51-01 PCLI ID Indonesia Republic of Indonesia 2007-02-28 ID
32 53 320000 530000 39SXR8892842183 NI39-16 PCLI IR Iran Islamic Republic of Iran 2007-02-28 IR
33 44 330000 440000 38SMB0658251731 NI38-10 PCLI IZ Iraq Republic of Iraq 2007-02-28 IQ
53 -8 530000 -80000 29UNU6710972738 NN29-09 PCLI EI Ireland Ireland 2010-10-15 IE
31.5 34.75 313000 344500 36RXV6619986343 NH36-04 PCLI IS Israel State of Israel 2007-02-28 IL
42.833333 12.833333 425000 125000 33TUH2291944584 NK33-04 PCLI IT Italy Italian Republic 2011-11-29 IT
18.25 -77.5 181500 -773000 18QTF3565119652 NE18-05 PCLI JM Jamaica Jamaica 1997-06-26 JM
36 138 360000 1380000 54STE2957988112 NJ54-13 PCLI JA Japan Japan 1997-08-29 JP
31 36 310000 360000 37RBQ1354033467 NH37-01 PCLI JO Jordan Hashemite Kingdom of Jordan 2007-02-28 JO
48 68 480000 680000 42UVU2540516784 NM42-10 PCLI KZ Kazakhstan Republic of Kazakhstan 2007-02-28 KZ
1 38 10000 380000 37NCB8873610547 NA37-10 PCLI KE Kenya Republic of Kenya 2007-02-28 KE
-5 -170 -50000 -1700000 02MPV1086047251 SB02-03 PCLI KR Kiribati Republic of Kiribati 2007-02-28 KI
42.583333 21 423500 210000 34TEN0000014546 NK34-05 PCLI KV Kosovo Republic of Kosovo 2009-06-12
29.5 47.75 293000 474500 38RQT6660466535 NH38-12 PCLI KU Kuwait State of Kuwait 2007-02-28 KW
41 75 410000 750000 43TEF0000038757 NK43-08 PCLI KG Kyrgyzstan Kyrgyz Republic 2007-02-28 KG
18 105 180000 1050000 48QWE0000090186 NE48-07 PCLI LA Laos Lao People's Democratic Republic 2010-12-22 LA
57 25 570000 250000 35VLD7851419164 NO35-07 PCLI LG Latvia Republic of Latvia 2007-02-28 LV
33.833333 35.833333 335000 355000 36SYC6220347288 NI36-12 PCLI LE Lebanon Republic of Lebanon 2007-02-28 LB
-29.5 28.25 -293000 281500 35JPH2116435966 SH35-07 PCLI LT Lesotho Kingdom of Lesotho 2007-02-28 LS
6.5 -9.5 63000 -93000 29NMH4471718503 NB29-06 PCLI LI Liberia Republic of Liberia 2007-02-28 LR
25 17 250000 170000 33RYH0184666437 NG33-12 PCLI LY Libya Libya 2007-02-28 LY
47.166667 9.533333 471000 93200 32TNT4042123823 NL32-02 PCLI LS Liechtenstein Principality of Liechtenstein 2007-02-28 LI
56 24 560000 240000 35VLC1292910141 NO35-10 PCLI LH Lithuania Republic of Lithuania 2007-02-28 LT
49.75 6.166667 494500 61000 32UKA9590614688 NM32-07 PCLI LU Luxembourg Grand Duchy of Luxembourg 2007-02-28 LU
41.833333 22 415000 220000 34TEM8303431755 NK34-09 PCLI MK Macedonia Republic of Macedonia 2007-02-28 MK
-20 47 -200000 470000 38KQC0924387269 SE38-16 PCLI MA Madagascar Republic of Madagascar 2007-02-28 MG
-13.5 34 -133000 340000 36LXL0822507350 SD36-07 PCLI MI Malawi Republic of Malawi 2007-02-28 MW
2.5 112.5 23000 1123000 49NFC6677476422 NA49-08 PCLI MY Malaysia Malaysia 2003-11-25 MY
3.2 73 31200 730000 43NBD7775053916 NA43-01 PCLI MV Maldives Republic of Maldives 1997-08-11 MV
17 -4 170000 -40000 30QUD9355279827 NE30-10 PCLI ML Mali Republic of Mali 2007-02-28 ML
35.916667 14.433333 355500 142600 33SVV4887474854 NI33-02 PCLI MT Malta Republic of Malta 2007-02-28 MT
10 167 100000 1670000 58PGS1923306077 NC58-08 PCLF RM Marshall Islands Republic of the Marshall Islands 1996-12-16 MH
14.666667 -61 144000 -610000 20PQB1538322410 ND20-08 ADM1 FR MB Martinique Department of Martinique 2007/02/28 MQ
20 -12 200000 -120000 29QJC8607414294 NF29-13 PCLI MR Mauritania Islamic Republic of Mauritania 2007-05-23 MR
-20.3 57.583333 -201800 573500 40KEC6090455213 SF40-03 PCLI MP Mauritius Republic of Mauritius 2007-02-28 MU
-12.833333 45.166667 -125000 451000 38LNL1808681289 SD38-02 ADM1 FR MF Mayotte Department of Mayotte 2012/01/18 YT
23 -102 230000 -1020000 14QJL9245746668 NF14-01 PCLI MX Mexico United Mexican States 2007-02-28 MX
47 29 470000 290000 35TPN5204907105 NL35-03 PCLI MD Moldova Republic of Moldova 2007-02-28 MD
43.733333 7.4 434400 72400 32TLP7114843499 NK32-01 PCLI MN Monaco Principality of Monaco 2007-02-28 MC
46 105 460000 1050000 48TWR0000094047 NL48-05 PCLI MG Mongolia Mongolia 2006-02-13 MN
42.5 19.3 423000 191800 34TCN6031606693 NK34-04 PCLI MJ Montenegro Montenegro 2007-02-28 ME
16.75 -62.2 164500 -621200 20QND8526952071 NE20-15 PCLD UK MH Montserrat Montserrat 1993-12-22 MS
32 -5 320000 -50000 30SUA1107242183 NI30-13 PCLI MO Morocco Kingdom of Morocco 2007-05-23 MA
-18.25 35 -181500 350000 36KYE1146080999 SE36-12 PCLI MZ Mozambique Republic of Mozambique 2007-02-28 MZ
-22 17 -220000 170000 33KYR0647265823 SF33-08 PCLI WA Namibia Republic of Namibia 2007-02-28 NA
-0.533333 166.916667 -3200 1665500 58MGE1330841017 SA58-04 PCLI NR Nauru Republic of Nauru 1996-11-29 NR
28 84 280000 840000 45RTM0495700831 NH45-13 PCLI NP Nepal Federal Democratic Republic of Nepal 2007-04-13 NP
52.5 5.75 523000 54500 31UFU8666020207 NN31-12 PCLI NL Netherlands Kingdom of the Netherlands 2007-02-28 NL
-21.5 165.5 -213000 1653000 58KEB5179022432 SF58-07 PCLD FR NC New Caledonia New Caledonia 2010-11-18 NC
-42 174 -420000 1740000 60GTU5153545869 SK59-06 PCLI NZ New Zealand New Zealand 1993-12-30 NZ
13 -85 130000 -850000 16PGV1692337988 ND16-12 PCLI NU Nicaragua Republic of Nicaragua 2007-02-28 NI
16 8 160000 80000 32QLC9300469193 NE32-14 PCLI NG Niger Republic of Niger 2007-02-28 NE
10 8 100000 80000 32PLS9039905579 NC32-06 PCLI NI Nigeria Federal Republic of Nigeria 2007-02-28 NG
-19.033333 -169.866667 -190200 -1695200 02KPD1926695100 SE02-15 PCLS NZ NE Niue Niue 1996-11-29 NU
-29.033333 167.95 -290200 1675700 58JGN8730584730 SH58-08 PCLD AS NF Norfolk Island Territory of Norfolk Island 2007-02-28 NF
40 127 400000 1270000 52TCK2927529673 NK52-10 PCLI KN North Korea Democratic People's Republic of Korea 2007-02-28 KP
16 146 160000 1460000 1779809 PCLD US MP Northern Mariana Islands Commonwealth of the Northern Mariana Islands 1998-02-06 MP
62 10 620000 100000 32VNP5237674584 NP31-08 PCLI NO Norway Kingdom of Norway 2007-02-28 NO
21 57 210000 570000 40QEJ0000022148 NF40-11 PCLI MU Oman Sultanate of Oman 2010-12-15 OM
30 70 300000 700000 42RWU9645019206 NH42-07 PCLI PK Pakistan Islamic Republic of Pakistan 1997-11-18 PK
6 134 60000 1340000 53NLG8932563306 NB53-06 PCLF PS Palau Republic of Palau 2007-02-28 PW
9 -80 90000 -800000 17PPK0991995002 NC17-11 PCLI PM Panama Republic of Panama 2007-02-28 PA
-6 147 -60000 1470000 55MEP0000036795 SB55-07 PCLI PP Papua New Guinea Independent State of Papua New Guinea 2007-02-28 PG
-22.993333 -57.996389 -225936 -575947 21KUQ9788056871 SF21-10 PCLI PA Paraguay Republic of Paraguay 2007-02-28 PY
-10 -76 -100000 -760000 18LUP9039994421 SC18-06 PCLI PE Peru Republic of Peru 2007-02-28 PE
13 122 130000 1220000 51PUQ9155437349 ND51-10 PCLI RP Philippines Republic of the Philippines 2007-02-28 PH
-25.066667 -130.1 -250400 -1300600 09JUN8905527219 SG09-06 PCLD UK PC Pitcairn Islands Henderson Ducie and Oeno Islands Pitcairn 2007-02-28 PN
52 20 520000 200000 34UDC3135061510 NN34-11 PCLI PL Poland Republic of Poland 2007-02-28 PL
39.5 -8 393000 -80000 29SND8598072742 NJ29-03 PCLI PO Portugal Portuguese Republic 2007-03-09 PT
18.2482882 -66.4998941 181454 -663000 1779808 PCLD US PR Puerto Rico Commonwealth of Puerto Rico 1998-02-06 PR
25.5 51.25 253000 511500 39RWJ2512420338 NG39-11 PCLI QA Qatar State of Qatar 2011-01-28 QA
-1 15 -10000 150000 33MWU0000089470 SA33-03 PCLI CF Republic of the Congo Republic of the Congo 2007-02-28 CG
-21.1 55.6 -210600 553600 40KCB5458666145 SF40-06 ADM1 FR RE Reunion Department of Reunion 2007/02/28 RE
46 25 460000 250000 35TLL4513695992 NL35-04 PCLI RO Romania Romania 2007-02-28 RO
60 100 600000 1000000 47VNG5577651833 NP47-14 PCLI RS Russia Russian Federation 2007-02-28 RU
-2 30 -20000 300000 36MSC6622478634 SA36-05 PCLI RW Rwanda Republic of Rwanda 2007-03-09 RW
17.9 -62.833333 175400 -625000 20QNE1765479130 NE20-11 PCLD FR TB Saint Barthelemy Saint Barthelemy 2010-11-04 BL
17.333333 -62.75 172000 -624500 20QNE2656316448 NE20-11 PCLI SC Saint Kitts and Nevis Federation of Saint Kitts and Nevis 2007-02-28 KN
13.883333 -60.966667 135300 -605800 20PQA1973335759 ND20-08 PCLI ST Saint Lucia Saint Lucia 1993-12-22 LC
18.075 -63.05833 180430 -630330 20QME9382898484 NE20-06 PCLD FR RN Saint Martin Saint Martin 2010-11-04 MF
46.833333 -56.333333 465000 -562000 21TWM5084186859 NL21-02 ADM1 FR SB Saint Pierre and Miquelon Territorial Collectivity of Saint Pierre and Miquelon 2007/02/28 PM
13.083333 -61.2 130500 -611200 20PPV9515847045 ND20-16 PCLI VC Saint Vincent and the Grenadines Saint Vincent and the Grenadines 1993-12-22 VC
-13.803096 -172.178309 -134811 -1721042 02LLK7263873738 SD02-06 PCLI WS Samoa Independent State of Samoa 2009-11-03 WS
43.933333 12.416667 435600 122500 33TTJ9264967713 NK33-01 PCLI SM San Marino Republic of San Marino 2007-02-28 SM
1 7 10000 70000 32NKG7743810598 NA32-09 PCLI TP Sao Tome and Principe Democratic Republic of Sao Tome and Principe 2007-02-28 ST
25 45 250000 450000 38RNN0000064948 NG38-11 PCLI SA Saudi Arabia Kingdom of Saudi Arabia 2009-07-28 SA
14 -14 140000 -140000 28PFA0799647954 ND28-07 PCLI SG Senegal Republic of Senegal 2007-02-28 SN
44 21 440000 210000 34TEP0000071873 NL34-11 PCLI RI Serbia Republic of Serbia 2009-02-28 RS
-4.583333 55.666667 -43500 554000 40MCV5209193256 SB40-01 PCLI SE Seychelles Republic of Seychelles 2007-02-28 SC
8.5 -11.5 83000 -113000 29PKK2476440462 NC29-13 PCLI SL Sierra Leone Republic of Sierra Leone 2007-02-28 SL
1.366667 103.8 12200 1034800 48NUG6649851091 NA48-10 PCLI SN Singapore Republic of Singapore 2007-02-28 SG
18.04167 -63.06667 180230 -630400 20QME9294494797 NE20-06 PCLIX NL NN Sint Maarten Land Sint Maarten 2010/11/04 SX
48.666667 19.5 484000 193000 34UCU8955891487 NM34-10 PCLI LO Slovakia Slovak Republic 2011-11-29 SK
46.25 15.166667 461500 151000 33TWM1284721838 NL33-05 PCLI SI Slovenia Republic of Slovenia 2011-11-29 SI
-8 159 -80000 1590000 57MWM0000015702 SB57-15 PCLI BP Solomon Islands Solomon Islands 1997-08-29 SB
6 48 60000 480000 39NSG6784264114 NB39-05 PCLI SO Somalia Somalia 2007-02-28 SO
-30 26 -300000 260000 35JMG0355080794 SH35-06 PCLI SF South Africa South Africa 2007-02-28 ZA
37 127.5 370000 1273000 52SCF6653295924 NJ52-09 PCLI KS South Korea Republic of Korea 2007-02-28 KR
8 30 80000 300000 36PSP6925685504 NC36-13 PCLI OD South Sudan Republic of South Sudan 2011-07-12 SS
40 -4 400000 -40000 30TVK1464028236 NK30-11 PCLI SP Spain Kingdom of Spain 1997-07-12 ES
7 81 70000 810000 44NNN0000073749 NB44-03 PCLI CE Sri Lanka Democratic Socialist Republic of Sri Lanka 2007-02-28 LK
16 30 160000 300000 36QSC7890071254 NE36-13 PCLI SU Sudan Republic of the Sudan 2011-07-12 SD
4 -56 40000 -560000 21NXE1101142195 NB21-15 PCLI NS Suriname Republic of Suriname 2007-02-28 SR
-26.5 31.5 -263000 313000 36JUR5051468069 SG36-10 PCLI WZ Swaziland Kingdom of Swaziland 2007-02-28 SZ
62 15 620000 150000 33VWJ0000074180 NP33-06 PCLI SW Sweden Kingdom of Sweden 2007-02-28 SE
47 8 470000 80000 32TMT2397505649 NL32-02 PCLI SZ Switzerland Swiss Confederation 2007-02-28 CH
35 38 350000 380000 37SDU0874773500 NI37-02 PCLI SY Syria Syrian Arab Republic 2007-02-28 SY
24 121 240000 1210000 51RTG9655055671 NG51-13 PCL TW Taiwan Taiwan Province of China 2011/03/02 TW
39 71 390000 710000 42SXJ7319118679 NJ42-04 PCLI TI Tajikistan Republic of Tajikistan 2007-02-28 TJ
-6 35 -60000 350000 36MYU2138336391 SB36-08 PCLI TZ Tanzania United Republic of Tanzania 2011-11-29 TZ
15 100 150000 1000000 47PPS0751258569 ND47-03 PCLI TH Thailand Kingdom of Thailand 2007-02-28 TH
-8.833333 125.75 -85000 1254500 51LZL0251222459 SC51-04 PCLI TT Timor-Leste Democratic Republic of Timor-Leste 2007-02-28 TL
8 1.166667 80000 11000 31PBJ9793584748 NC31-13 PCLI TO Togo Togolese Republic 2007-02-28 TG
-9 -171.75 -90000 -1714500 02LMR1756205063 SC02-02 PCLD NZ TL Tokelau Tokelau 1993-12-22 TK
-20 -175 -200000 -1750000 01KGT0924387269 SE01-16 PCLI TN Tonga Kingdom of Tonga 2007-02-28 TO
11 -61 110000 -610000 20PQT1852916707 NC20-04 PCLI TD Trinidad and Tobago Republic of Trinidad and Tobago 2007-02-28 TT
34 9 340000 90000 32SNC0000062156 NI32-07 PCLI TS Tunisia Tunisian Republic 2007-02-28 TN
39.059012 34.911546 390332 345442 36SXJ6539325064 NJ36-04 PCLI TU Turkey Republic of Turkey 2011-05-23 TR
40 60 400000 600000 41TKE4390032069 NK41-09 PCLI TX Turkmenistan Turkmenistan 2001-11-08 TM
21.733333 -71.583333 214400 -713500 19QBE3278405543 NF19-09 PCLD UK TK Turks and Caicos Islands Turks and Caicos Islands 1993-12-22 TC
-8 178 -80000 1780000 60MXS1020515568 SC60-04 PCLI TV Tuvalu Tuvalu 1993-12-22 TV
2 33 20000 330000 36NWH0000021061 NA36-07 PCLI UG Uganda Republic of Uganda 2011-07-12 UG
49 32 490000 320000 36UVV2685827938 NM36-08 PCLI UP Ukraine Ukraine 1998-06-05 UA
24 54 240000 540000 40RAM9477357479 NG40-13 PCLI AE United Arab Emirates United Arab Emirates 1999-06-15 AE
54 -4 540000 -40000 30UVE3445183984 NN30-05 PCLI UK United Kingdom United Kingdom of Great Britain and Northern Ireland 2007-02-28 GB
39.828175 -98.5795 394941 -983446 1890467 PCLI US United States United States of America 2001-01-10 US
-33 -56 -330000 -560000 21HWD9341848269 SI21-03 PCLI UY Uruguay Oriental Republic of Uruguay 2007-02-28 UY
18.3482891 -64.9834807 182054 -645901 1802710 PCLD US VI US Virgin Islands United States Virgin Islands 1998-10-06 VI
41.707542 63.84911 414227 635057 41TNG7064317654 NK41-08 PCLI UZ Uzbekistan Republic of Uzbekistan 2011-05-05 UZ
-16 167 -160000 1670000 58LGH1402030035 SD58-16 PCLI NH Vanuatu Republic of Vanuatu 2007-02-28 VU
41.9 12.45 415400 122700 33TTG8847741818 NK33-07 PCLI VT Vatican City State of the Vatican City 2007-02-28 VA
8 -66 80000 -660000 20PJP6925685504 NC20-12 PCLI VE Venezuela Bolivarian Republic of Venezuela 2007-02-28 VE
16.166667 107.833333 161000 1075000 48QZC0299589458 NE48-16 PCLI VM Vietnam Socialist Republic of Vietnam 2007-02-28 VN
-13.3 -176.2 -131800 -1761200 01LEF8665029549 SD01-07 PCLD FR WF Wallis and Futuna Wallis and Futuna 2010-11-18 WF
31.666667 35.25 314000 351500 36RYA1331505689 NH36-04 TERR WE West Bank West Bank 1993-12-16 PS
25 -13.5 250000 -133000 28RFN5137665785 NG28-12 PCL WI Western Sahara Western Sahara 2007/02/28 EH
15.5 47.5 153000 473000 38PQC6820715194 ND38-04 PCLI YM Yemen Republic of Yemen 2010-12-09 YE
-15 30 -150000 300000 36LSJ7734939486 SD36-09 PCLI ZA Zambia Republic of Zambia 2007-02-28 ZM
-19 29 -190000 290000 35KQU1053497976 SE35-12 PCLI ZI Zimbabwe Republic of Zimbabwe 2007-02-28 ZW"""
|
# Escreva um programa que leia a velocidade de um carro.
# Se ele ultrapassar 80km/h, mostre uma mensagem dizendo que ele foi multado.
# A multa vai custar R$7.00 por cada km acima do limite.
velocidade = float(input('Informe a velocidade do carro: '))
if velocidade > 80.00:
multa = 7.00 * (velocidade - 80)
print('MULTADO. Você excedeu o limite permitido que é de 80km/h')
print('O valor da multa é R${:.2f}'.format(multa))
print('Tenha um bom dia! Dirija com segurança.') |
def parensvalid(stringInput):
opencount = 0
closedcount = 0
for i in range(0, len(stringInput), 1):
if stringInput[i] == "(":
opencount += 1
elif stringInput[i] == ")":
closedcount += 1
if closedcount > opencount:
return False
if opencount != closedcount:
return False
else:
return True
print(parensvalid(")(()"))
def parenvalid2(stringInput):
# your code here
count = 0
# closedcount = 0
for i in range(0, len(stringInput), 1):
if stringInput[i] == "(":
count += 1
elif stringInput[i] == ")":
count -= 1
if count < 0:
return False
if count == 0:
return True
else:
return False
print(parenvalid2(")(()")) |
## Verificar uma String
nome=str(input('Qual seu nome? '))
print('')
if nome == 'Wollacy':
print('Que nome bonito!')
elif nome == 'Pedro' or nome == 'Maria' or nome == 'João':
print('Nome popular no Brasil!')
else:
print('Nome comum!')
print('')
print('Olá {}!'.format(nome)) |
"""Chapter 1 Practice Projects.
Attributes:
VOWELS (tuple): Tuple containing characters of the English vowels
(except for 'y')
ENCODE_ERROR (str): String with :py:exc:`TypeError` for Pig Latin
:func:`~p1_pig_latin.encode`.
FREQ_ANALYSIS_ERROR (str): String with :py:exc:`TypeError` for Poor Bar
Chart :func:`~p2_poor_bar_chart.freq_analysis`.
PRINT_BAR_CHART_ERROR (str): String with :py:exc:`TypeError` for Poor
Bar Chart :func:`~p2_poor_bar_chart.print_bar_chart`.
"""
# Constants
VOWELS = ('a', 'e', 'i', 'o', 'u')
ENCODE_ERROR = 'Word must be a string.'
FREQ_ANALYSIS_ERROR = 'Sentence must be a string.'
PRINT_BAR_CHART_ERROR = 'Object must be a dictionary.'
|
expected_output = {
"operation_summary": {
1: {
"command": "rollback",
"duration": "00:00:04",
"end_date": "2021-11-02",
"end_time": "06:50:48",
"op_id": 1,
"start_date": "2021-11-02",
"start_time": "06:50:44",
"status": "Fail",
"uuid": "2021_11_02_06_50_44_op_rollback",
},
2: {
"command": "rollback",
"duration": "00:00:05",
"end_date": "2021-11-02",
"end_time": "05:52:04",
"op_id": 1,
"start_date": "2021-11-02",
"start_time": "05:51:59",
"status": "Fail",
"uuid": "2021_11_02_05_51_59_op_rollback",
},
3: {
"command": "rollback",
"duration": "00:00:07",
"end_date": "2021-10-29",
"end_time": "12:44:21",
"op_id": 1,
"start_date": "2021-10-29",
"start_time": "12:44:14",
"status": "Fail",
"uuid": "2021_10_29_12_44_14_op_rollback",
},
4: {
"command": "commit",
"duration": "00:00:04",
"end_date": "2021-10-21",
"end_time": "16:34:06",
"op_id": 1,
"start_date": "2021-10-21",
"start_time": "16:34:02",
"status": "OK",
"uuid": "2021_10_21_16_34_02_op_commit",
},
}
}
|
#!/usr/bin/env python3
"""
created: 2022-03-14 20:58:57
@author: seraph★776
contact: seraph776@gmail.com
project: The Little Book of Programming Challenges
details: Challenge 3
"""
def get_length():
user_input = int(input('Enter length:\n> '))
return user_input
def get_width():
user_input = int(input('Enter width:\n> '))
return user_input
def get_area():
length = get_length()
width = get_width()
return length * width
def main():
area = get_area()
print(f'The area of the rectangle is {area} sq ft.')
if __name__ == '__main__':
main()
|
a = int(input("Input number a:\n"))
b = int(input("Input number b:\n"))
print(f"a + b = {a+b}")
print(f"a - b = {a-b}")
print(f"a * b = {a*b}")
print(f"a / b = {a/b}")
print(f"a ** b = {a**b}")
|
"""
This module includes information about Google search page specific HTML information to be used in parsing.
It includes class names such as the class assigned to search result DIV's etc.
"""
class GoogleDomInfoBase(object):
RESULT_TITLE_CLASS = 'r'
RESULT_URL_CLASS = '_Rm'
RESULT_DESCRIPTION_CLASS = 'st'
RESULT_RELATED_LINKS_DIV_CLASS = 'osl'
RESULT_RELATED_LINK_CLASS = 'fl'
NEXT_PAGE_ID = 'pnnext'
class GoogleDomInfoWithJS(GoogleDomInfoBase):
RESULT_DIV_CLASS = 'rc'
SEARCH_BOX_XPATH = '//*[@id="lst-ib"]'
class GoogleDomInfoWithoutJS(GoogleDomInfoBase):
RESULT_DIV_CLASS = 'g'
SEARCH_BOX_XPATH = '//*[@id="sbhost"]'
NAVIGATION_LINK_CLASS = 'fl'
PREFERENCES_BUTTON_ID = 'gbi5'
NUMBER_OF_RESULTS_SELECT_ID = 'numsel'
SAVE_PREFERENCES_BUTTON_NAME = 'submit2'
|
# Our Input Array
arr = [3,2,4,1]
def Cyclic_sort(arr):
"""
This function will check if the element at i is at the correct index
or not. If it is not at the correct index then it will swap places and if
it is then we will increment the value of i by 1.
"""
i = 0
while i < len(arr):
correct_index = arr[i] - 1
if arr[i] != arr[correct_index]:
arr[i], arr[correct_index] = arr[correct_index], arr[i]
else:
i += 1
return arr
print(Cyclic_sort(arr))
|
NAME = "vt2geojson"
DESCRIPTION = "Dump vector tiles to GeoJSON from remote URLs or local system files."
AUTHOR = "Theophile Dancoisne"
AUTHOR_EMAIL = "dancoisne.theophile@gmail.com"
URL = "https://github.com/Amyantis/python-vt2geojson"
__version__ = "0.2.1"
|
n= int(input())
my_dict = {}
for i in range((n*(n-1))//2):
mylist = []
x, y, z = input().split()
mylist.append(x)
mylist.append(y)
mylist.append(z)
first_t=mylist[0]
second_t = mylist[1]
first_t_score = mylist[2][0]
second_t_score = mylist[2][2]
if first_t_score<second_t_score:
scorefinalfirst=0
scorefinalsecond =3
if (first_t=='A' and second_t=='B') or (first_t=='B' and second_t=='C') or (first_t=='A' and second_t=='C'):
if first_t in my_dict:
my_dict[first_t] += 0
else:
my_dict[first_t]= 0
if second_t in my_dict:
my_dict[second_t] += 3
else:
my_dict[second_t] = 3
elif first_t_score == second_t_score:
if (first_t == 'A' and second_t == 'B') or (first_t == 'B' and second_t == 'C') or (
first_t == 'A' and second_t == 'C'):
if first_t in my_dict:
my_dict[first_t] += 1
else:
my_dict[first_t] = 1
if second_t in my_dict:
my_dict[second_t] += 1
else:
my_dict[second_t] = 1
else:
scorefinalfirst = 3
scorefinalsecond=0
if (first_t == 'A' and second_t == 'B') or (first_t == 'B' and second_t == 'C') or (first_t == 'A' and second_t == 'C'):
if first_t in my_dict:
my_dict[first_t] += 3
else:
my_dict[first_t] = 3
if second_t in my_dict:
my_dict[second_t] += 0
else:
my_dict[second_t] = 0
Keymax = max(my_dict, key=my_dict.get)
print(Keymax,my_dict[Keymax])
|
'''
Katie Naughton
Final Project
Intro to Programming
Sources:
'''
|
# NOTE: This address must be verified with Amazon SES.
SENDER = "Sender <no-reply@sender.com>"
# AWS Region you're using for Amazon SES.
AWS_REGION = "us-east-1"
# The character encoding for the email.
CHARSET = "UTF-8"
# This variable should be passed in from the invoker.
# NOTE: If your account is still in the sandbox, this address must be verified.
DEFAULT_RECIPIENT = "default@recipient.com"
# The default subject line for the email.
DEFAULT_SUBJECT = "Default email subject"
# The default email body for recipients with non-HTML email clients.
DEFAULT_BODY_TEXT = ("Default email body, non HTML version. No one should ever get this email.")
# The default HTML body of the email.
DEFAULT_BODY_HTML = """<html>
<head></head>
<body>
<h1>Default email body</h1>
<p>
<a href='https://default.com/'>Default</a> test email, HTML version. No one should ever get this email.
</p>
</body>
</html>
""" |
lista=[]
maior=0
menor=0
for k in range(5):
num=int(input(f'digite um número para a posição {k} :'))
lista.append(num)
if num>maior:
maior=num
if len(lista)==0:
menor=num
else:
if menor<=num:
menor=num
print('os números digitados foram',lista)
print(f'o maior número é {maior} e ele esta na posição {lista.index(maior)}')
print(f'o menor número é {menor} e ele está na posição {lista.index(menor)}') |
DEFAULT_CONFIG = {
# 是否开发模式
"dev": {
"dev_mode": False,
},
"commit_check": {
# 是否启动提交检查
"enabled": True,
# 提交标题行最大长度
"commit_summary_max_length": 50,
# 提交详细行最大行长度
"commit_line_max_length": 80,
# 二进制文件黑名单(逗号分隔的后缀名清单,无需带.,通过后缀名控制)
"binary_file_illegal_suffixes": "jar",
# 二进制文件白名单(逗号分隔的区分大小写的文件名列表,这些二进制文件允许提交)
"legal_binary_filenames": "gradle-wrapper.jar,maven-wrapper.jar",
# 提交文件最大大小(5MB)
"commit_file_max_size": 5242880,
}
}
|
class Canvas():
"""A Canvas."""
def __init__(self, height, width):
"""Initialize Canvas object"""
self.height = height
self.width = width
self.shapes = []
self.canvas_matrix = []
self.clear_shapes()
def print_canvas(self):
"""Print canvas drawing (with shapes) to console."""
for row in self.canvas_matrix:
print("".join(row))
def add_shape(self, added_shape):
"""Add a shape object to the canvas."""
self.shapes.append(added_shape)
# clear canvas of all existing shapes and re-draw all shapes on canvas to
# allow for correct rendering of shapes that were translated.
self.clear_shapes()
canvas_matrix = self.canvas_matrix
# for each shape, go row by row in the canvas
for shape in self.shapes:
new_shape = shape.shape_matrix
for index, row in enumerate(canvas_matrix):
if index >= len(new_shape):
continue
# start at end of new_shape array (bottom of the shape)
shape_row = new_shape[-(index+1)]
shape_index = 0
while (shape_index < len(shape_row)) & (shape_index < len(row)):
if shape_row[shape_index] != " ":
row[shape_index] = shape_row[shape_index]
shape_index += 1
# flip the canvas 180 degrees b/c bottom of the shape is at the top of
# the canvas
canvas_matrix.reverse()
self.canvas_matrix = canvas_matrix
def clear_shapes(self):
"""Clears canvas of all shapes."""
self.canvas_matrix = []
for num in range(self.height):
row_str = [" " for x in range(self.width)]
self.canvas_matrix.append(row_str)
class Shape():
"""A Shape."""
def __init__(self, start_x, start_y, end_x, end_y, fill_char):
"""Initializes Shape object."""
self.start_x = start_x
self.end_x = end_x
self.width = (end_x-start_x) + 1
self.start_y = start_y
self.end_y = end_y
self.height = (start_y-end_y) + 1
self.fill_char = fill_char
self.create_shape()
def print_shape(self):
"""Prints shape drawing to console."""
for row in self.shape_matrix:
print("".join(row))
def create_shape(self):
"""Creates the shape drawing."""
self.shape_matrix = []
row_num = self.start_y
for num in range(self.start_y+1):
if row_num < (self.end_y):
row_str = [" " for x in range(self.end_x + 1)]
else:
row_str = [" " for x in range(self.start_x)] + \
[self.fill_char for x in range(self.width)]
self.shape_matrix.append(row_str)
row_num -= 1
def change_fill_char(self, char):
"""Changes the fill character of the shape drawing."""
self.fill_char = char
self.create_shape()
def translate(self, axis, num):
"""Translates the shape drawing."""
if axis == "x":
if (self.start_x + num) < 0:
print("x coordinate cannot be a negative number")
else:
self.start_x += num
self.end_x += num
elif axis == "y":
if (self.end_y + num) < 0:
print("y coordinate cannot be a negative number")
else:
self.start_y += num
self.end_y += num
self.create_shape()
def create_canvas(height, width):
"""Creates blank canvas given height and width. Returns Canvas object."""
new_canvas = Canvas(height, width)
return new_canvas
def render_canvas(canvas):
"""Prints canvas drawing to console."""
canvas.print_canvas()
def add_shape_to_canvas(canvas, shape):
"""Adds Shape object to Canvas."""
canvas.add_shape(shape)
def clear_shapes(canvas):
"""Clears all shapes from canvas."""
canvas.clear_shapes()
canvas.shapes = []
def create_rectangle(start_x, start_y, end_x, end_y, fill_char):
"""Creates rectangle. Returns Rectangle object."""
new_rect = Shape(start_x, start_y, end_x, end_y, fill_char)
return new_rect
def change_fill_char(canvas, rect, char):
"""Changes fill char of a rectangle and sends changes to canvas."""
canvas.shapes.remove(rect)
rect.change_fill_char(char)
canvas.add_shape(rect)
def translate(canvas, rect, axis, num):
"""Translates rectangle and sends changes to canvas."""
canvas.shapes.remove(rect)
rect.translate(axis, num)
canvas.add_shape(rect)
|
# https://leetcode.com/problems/remove-duplicate-letters/
# Given a string s, remove duplicate letters so that every letter appears once and
# only once. You must make sure your result is the smallest in lexicographical
# order among all possible results.
################################################################################
# record last postion of each char
# use stack and pop previous chars when i) new char is smaller and ii) we can add the popped char back later
class Solution:
def removeDuplicateLetters(self, s: str) -> str:
last_pos = {}
for idx, char in enumerate(s):
last_pos[char] = idx
stack = []
for idx, char in enumerate(s):
if char not in stack:
# pop the previous chars if the new char is smaller
# but only when we can add the popped char back: idx < last_pos[popped_char]
while stack and char < stack[-1] and idx < last_pos[stack[-1]]:
stack.pop()
stack.append(char)
return ''.join(stack)
|
print('--------------------字典获取元素----------------------')
scores={'张三':12,'李四':22,'王五':44}
#使用[]
print(scores['张三'])
#使用get()
print(scores.get("张三"))
print(scores.get("里屋"))
print(scores.get('里屋',12)) #当查找的key不存在时,可以靠value来定位,但不能直接靠value定位
|
#%% Imports and function declaration
class Node:
def __init__(self, data):
self.data = data
self.next = None
# helper functions for testing purpose
def create_linked_list(arr):
if len(arr)==0:
return None
head = Node(arr[0])
tail = head
for data in arr[1:]:
tail.next = Node(data)
tail = tail.next
return head
def print_linked_list(head):
while head:
print(head.data, end=' ')
head = head.next
print()
# Functions developed
def even_number(number: int) -> bool:
return number % 2 == 0
def list_updater(odd_num_list, even_num_list, number):
if even_number(number):
even_num_list.append(number)
else:
odd_num_list.append(number)
return odd_num_list, even_num_list
def even_after_odd(head):
"""
:param - head - head of linked list
return - updated list with all even elements are odd elements
"""
linked_list_end = False
even_linked_list = None
odd_linked_list = None
node = head
while not linked_list_end:
if node.data % 2 == 0: # Even case
if even_linked_list is None:
even_linked_list = Node(node.data)
else:
position_tail = even_linked_list
while position_tail.next: # Moving to the end of the list
position_tail = position_tail.next
position_tail.next = Node(node.data)
else: # Odd case
if odd_linked_list is None:
odd_linked_list = Node(node.data)
else:
position_tail = odd_linked_list
while position_tail.next: # Moving to the end of the list
position_tail = position_tail.next
position_tail.next = Node(node.data)
linked_list_end = node.next is None
node = node.next
position_tail = odd_linked_list
while position_tail.next: # Moving to the end of the list
position_tail = position_tail.next
position_tail.next = even_linked_list
return odd_linked_list
#%% Testing
arr = [1, 2, 3, 4, 5, 6]
solution = [1, 3, 5, 2, 4, 6]
head = create_linked_list(arr)
test = even_after_odd(head)
print_linked_list(test)
|
def random_gauss(mean, standard_deviation):
sum = 0
for _ in range(12):
sum = sum + random()
centered_around_zero = sum - 6
deviated = centered_around_zero * standard_deviation
gauss_value = deviated + mean
return gauss_value
# use the returned value as the next seed
# and use any number (for example time) as the starting seed
# pick a, b and c appropriately
def random(seed, a, b, c):
rand = (a*seed + b) % c
return rand
|
class Point2D():
def __init__(self, x,y):
self.coord = [x,y]
def __str__(self):
return f'Point:({self.coord[0]},{self.coord[1]})'
def __eq__(self,other):
return (self.coord[0]==other.coord[0])&(self.coord[1]==other.coord[1])
def __ne__(self,other):
return (self.coord[0]!=other.coord[0])&(self.coord[1]!=other.coord[1])
def __gt__(self,other):
return (self.distance()>other.distance())
def __le__(self,other):
return (self.distance()<=other.distance())
def __ge__(self,other):
return (self.distance()>=other.distance())
def __ne__(self,other):
return (self.coord[0]!=other.coord[0])&(self.coord[1]!=other.coord[1])
def distance(self):
return (self.coord[0]**2+self.coord[1]**2)**0.5
if __name__=='__main__':
point1 = Point2D(1,1) |
#Desenvolva um programa que simule a entrega de notas quando um cliente efetuar um saque em um caixa eletrônico. Os requisitos básicos são os seguintes:
#Entregar o menor número de notas;
#É possível sacar o valor solicitado com as notas disponíveis;
#Saldo do cliente infinito;
#Quantidade de notas infinito (pode-se colocar um valor finito de cédulas para aumentar a dificuldade do problema);
#Notas disponíveis de R$ 100,00; R$ 50,00; R$ 20,00 e R$ 10,00
#Exemplos:
#Valor do Saque: R$ 30,00 – Resultado Esperado: Entregar 1 nota de R$20,00 e 1 nota de R$ 10,00.
#Valor do Saque: R$ 80,00 – Resultado Esperado: Entregar 1 nota de R$50,00 1 nota de R$ 20,00 e 1 nota de R$ 10,00.
#http://dojopuzzles.com/problemas/exibe/caixa-eletronico/
print('Olá bem vindo a ATM\n\nNotas disponiveis:\nR$ 100,00\nR$ 50,00\nR$ 20,00\nR$ 10,00')
vlr = int(input('Informe o valor que deseja sacar: '))
u = vlr // 1 % 10
saque100 = 0
saque50 = 0
saque20 = 0
saque10 = 0
if u == 0 :
if vlr >= 100:
saque100 = vlr // 100
vlr = vlr-(saque100*100)
if vlr >= 50:
saque50 = vlr // 50
vlr = vlr-(saque50*50)
if vlr >= 20:
saque20 = vlr // 20
vlr = vlr-(saque20*20)
if vlr >= 10:
saque10 = vlr // 10
vlr = vlr-(saque10*10)
print('Notas: {} de 100 - {} de 50 - {} de 20 - {} de 10'.format(saque100, saque50, saque20, saque10))
else:
print('Sem notas disponiveis\nO valor solicitado é invalido')
|
# ex score
s = "2020020355 58 2020029225 45 2018044302 95 2020073145 50 2017011658 78 2020000373 66 2020071594 86 2020097210 81 2018044375 84 2018046671 48 2020046335 19 2020019270 78 2020088922 31 2013049852 31 2017011885 88 2020087010 61 2020097083 73 2020085232 83 2020044557 96 2020088568 96 2020021830 29 2020088813 76 2018044739 83 2019005196 30 2020049752 44 2018044866 26 2020003927 50 2020062324 96 2019052688 78 2018044984 26 2017005887 92 2016015350 68 2020048968 57 2020058268 49 2020047110 96 2019043445 44 2020031321 결시 2017012542 47 2018045150 78 2020085387 67 2020023627 47 2020050137 12 2020062442 87 2020053954 96 2018044266 결시 2020019252 84 2020098731 55 2016001694 53 2017014420 88 2020028295 33 2020072124 17 2017011776 91 2020040455 32 2018044475 75 2020062842 76 2018044502 61 2018044539 22 2020008368 84 2018044548 72 2020067156 결 시 2020076735 100 2019079116 72 2020089225 89 2016005387 96 2019086771 48 2020064911 44 2020061967 81 2020088895 100 2020079570 59 2020010955 64 2020015223 8 2018049825 16 2020012906 80 2020033954 89 2020030773 84 2020086171 77 2020092188 65 2020050419 89 2019071303 55 2018045114 84 2018045178 65 2020052615 46 2018045241 83 2016062388 74"
l = s.split()
sc = []
sc_sum = 0
err = []
eva = 0
for i in range(len(l)):
if(len(l[i]) == 10):
pass
else:
try:
sc.append(int(l[i]))
sc_sum += int(l[i])
except:
err.append(l[i])
print("score :", sc, "\nsc_num :", len(sc), "\n")
print("Err :", err, "\nErr_num :", len(err), "\n")
n = int(input("총 학생은 몇명인가요?(err 값 보정) : "))
my_sc = int(input("당신의 성적은 몇 점 인가요? : "))
print("총 평균 : ", sc_sum/n)
for i in range(len(sc)):
if(sc[i] >= my_sc):
eva += 1
print("내 등수 : ", eva)
print("상위 : ", round((eva/n)*100, 3), "%")
|
def catch_exception(origin_func):
def wrapper(self, *args, **kwargs):
try:
# u = origin_func(self, *args, **kwargs)
u = origin_func(self,*args, **kwargs)
return u
except Exception:
self.revive() #不用顾虑,直接调用原来的类的方法
return 'an Exception raised.'
return wrapper
class Test(object):
def __init__(self):
pass
def revive(self):
print('revive from exception.')
# do something to restore
@catch_exception
def read_value(self):
print('here I will do something.')
"a" + 1
test = Test()
test.read_value()
"""
output:
here I will do something.
revive from exception.
""" |
# Dictionary Carrent book with attributes
currentBook = {
"title": "Possibility of an Island",
"author": "Michel Houellebecq",
"price": 40
}
print(currentBook)
print(currentBook["author"])
currentBook["ISBN"] = "374795"
print("The Current book has these values:")
for value in currentBook.values():
print(" => {}".format(value)) |
# optimizes artifacts per roll, not exact values
# e.g. a +20 artifact has 5 rolls total
# rolls are averaged, with data from
# https://genshin-impact.fandom.com/wiki/Artifacts/Stats
# ===============================================
# how this works:
# ===============================================
# our damage equation will be a profit function
# w(atk, er, cr, cd, em, incdmg, ...)
# specifically, it'll look something like
# w = f(atk, er, cr, incdmg...) +
# f(atk, er, cr, cd, incdmg, ...) + f(em, ...)
# in order to write this as a dynamic program,
# ie in order to make this problem decomposable,
# we'll split these into a three-level DP
# first level: will brute force search over # rolls
# into EM (Rolls_em) v. # rolls into everything else
# (Rolls_other)
# second level: DP will search over total number of rolls
# use (where the max #rolls is now Rolls_other) and
# if we only measure dmg for stats up to
# 1:ATK%, 2:ER%, 3:CR+CD
# for a total of 3 stats
# third level: the calculation of rolls into CR
# and rolls into CD will be done with a
# brute force search with function like
# (1 - CR) + CR(CD)
# Total runtime is o(max_rolls^2) cuz we do access in O(1)
# ===============================================
# ===============================================
# some extra things to be aware about
# ===============================================
# 1. substats cannot be rolled if its the same as main stat
# 2. This formulization only works for electro, anemo, and geo,
# though you can reframe the em part to make it for others
# 3. also we only assume 5 star artifacts, for a total
# of 5*5 = 25 rolls
# 4. this doesn't consider HP, DEF, or flat ATK because
# we optimize for DPS
# ===============================================
# ===============================================
# Fact-checking:
# ===============================================
# This has been fact-checked by comparing results
# of
# ofc, any discovery of potential bugs is welcome
# plz dm me on LisaMains server at Patatartiner#5916
# ===============================================
# NOTICE: rolls_cap is not enabled. TODO
MAX_ROLLS=5
dp_stat_order = ["ATKb", "ERb", "CRCDb"]
max_num_stats = len(dp_stat_order)
# ------------------------------------------------
# create max_dmg/max_config arrays for fast access
# ------------------------------------------------
dp_statlv = [[(0,None) for i in range(max_num_stats+1)]
for j in range(MAX_ROLLS+1)]
crcdlv = [(0, None) for j in range(MAX_ROLLS)]
# ------------------------------------------------
# ------------------------------------------------
# damage formulae
# ------------------------------------------------
def transformative_em_rolls_dmg(_rolls_em, _curr_stats):
return _rolls_em*2-3
def atk_rolls_dmg(_rolls_atk, _curr_stats):
return _rolls_atk*1.5
def er_rolls_dmg_multi(_rolls_er, _curr_stats):
# returns damage for most optimal playstyle
return _rolls_er+2
def crcd_rolls_dmg_calcd(_rolls, _curr_stats):
return crcdlv[_rolls][0]
def crcd_rolls_dmg(_rolls_cr, _rolls_cd, _curr_stats):
return (1-_rolls_cr)+(_rolls_cr)*(_rolls_cd)
stat_rolls_dmg = [atk_rolls_dmg, er_rolls_dmg_multi,
crcd_rolls_dmg_calcd]
# ------------------------------------------------
def artifact_optimizer_default(curr_stats,
roll_caps):
return artifact_optimizerv0(MAX_ROLLS,
curr_stats,
roll_caps)
def artifact_optimizerv0(n_rolls_total,
curr_stats,
roll_caps):
# fill out crcdlv
for i in range(n_rolls_total):
crcdlv[i] = third_level(i, curr_stats)
# fill out dp_statlv
second_level(n_rolls_total, curr_stats, 3)
# compute first level
best_dmg, best_dmg_config = first_level(n_rolls_total, curr_stats)
return (best_dmg, best_dmg_config)
def first_level(max_rolls,
curr_stats):
curr_max_dmg = 1
curr_max_config = None
for i in range(max_rolls):
other_dmg = dp_statlv[max_rolls-i][max_num_stats][0]
transf_dmg = transformative_em_rolls_dmg(i, curr_stats)
new_dmg = other_dmg + transf_dmg
if (curr_max_dmg < new_dmg):
curr_max_dmg = new_dmg
curr_max_config = i
return (curr_max_dmg, curr_max_config)
def print_dp_statlv():
for i in dp_statlv:
print(i)
def second_level(rolls_used, curr_stats,
num_calc_stats,
rolls_cap=None,
max_rolls=MAX_ROLLS):
print_dp_statlv()
ncs = num_calc_stats
stat_i = num_calc_stats - 1 # sorry indexing is weird
prev_calc = num_calc_stats - 1
tmp_stat_i_config = 0
print("rolls used ", rolls_used, " ncs ", ncs)
if (dp_statlv[rolls_used][ncs][1] is not None):
return dp_statlv[rolls_used][ncs]
curr_max_dmg = 1
curr_max_config = [0,0,0]
# base cases (1,[0,0,0])
if(num_calc_stats == 0): return (curr_max_dmg, curr_max_config)
if(rolls_used == 0): return (curr_max_dmg, curr_max_config)
for i in range(rolls_used):
stat_dmg, stat_config = second_level(rolls_used-i,
curr_stats,
prev_calc,
rolls_cap, max_rolls)
new_dmg = stat_dmg
new_dmg *= stat_rolls_dmg[stat_i](tmp_stat_i_config, curr_stats)
if (new_dmg > curr_max_dmg):
curr_max_dmg = new_dmg
curr_max_config = stat_config
curr_max_config[stat_i] = tmp_stat_i_config
tmp_stat_i_config += 1
dp_statlv[rolls_used][ncs] = (curr_max_dmg, curr_max_config)
return dp_statlv[rolls_used][ncs]
def third_level(rolls_used, curr_stats,
rolls_cap=None):
curr_max_dmg = 1
curr_max_config = None
for i in range(rolls_used):
new_dmg = crcd_rolls_dmg(i,rolls_used-i,curr_stats)
if (curr_max_dmg < new_dmg):
curr_max_dmg = new_dmg
curr_max_config = i
return (curr_max_dmg, curr_max_config)
|
expr_dir = '/home/azhar/crnn-pytorch/output_run3/' # where to store samples and models
crnn_path='/home/azhar/crnn-pytorch/output_run1/netCRNNbest.pth'#path to trained recognition model
PSEnet_path='/home/azhar/summerResearch/MyPSEnet/0.234_epoch6_checkpoint.pth.tar.part'#path to trained detection model
expr_dir = './output'
crnn_path = './models/netCRNNbest.pth'
PSEnet_path = './models/PSEnet_best.pth.tar.part'
# about data and net
alphabet = alpha='.:ँंःअआइईउऊऋएऐऑओऔकखगघचछजझञटठडढणतथदधनपफबभमयरलळवशषसहािीुूृॅेैॉोौ्ॐड़ढ़०१२३४५६७८९\u200c\u200d()'
keep_ratio = False # whether to keep ratio for image resize
manualSeed = 1234 # reproduce experiemnt
random_sample = True # whether to sample the dataset with random sampler
imgH = 32 # the height of the input image to network
imgW = 100 # the width of the input image to network
nh = 256 # size of the lstm hidden state
nc = 1
dealwith_lossnone = True # whether to replace all nan/inf in gradients to zero
# hardware
cuda = True # enables cuda
multi_gpu = False # whether to use multi gpu
ngpu = 1 # number of GPUs to use. Do remember to set multi_gpu to True!
workers = 0 # number of data loading workers
# training process
displayInterval = 10 # interval to be print the train loss
valInterval = 2 # interval to val the model loss and accuray
saveInterval = 4 # interval to save model
n_test_disp = 10 # number of samples to display when val the model
# finetune
nepoch = 1000 # number of epochs to train for
batchSize = 16 # input batch size
lr = 0.01 # learning rate for Critic, not used by adadealta
beta1 = 0.5 # beta1 for adam. default=0.5
adam = False # whether to use adam (default is rmsprop)
adadelta = True # whether to use adadelta (default is rmsprop)
#---------------------------Parameters for PSEnet------------------------------------------------
arch='resnet50'#specify architecture
binary_th=1.0
kernel_num=7
scale=1
long_size=2240
min_kernel_area=5.0
min_area=800.0
min_score=0.93
|
def fo1():
print('1')
print('2')
print('3')
def main():
fo1()
print('a')
print('b')
print('c')
main() |
#!/usr/bin/python3
def solve(input_fname):
lines = []
pos = depth = aim = 0
with open(input_fname) as ifile:
for line in ifile:
lines.append(line.strip().split())
for cmd, unit in lines:
unit = int(unit)
if cmd == "forward":
pos += unit
depth += aim * unit
elif cmd == "up":
aim -= unit
elif cmd == "down":
aim += unit
return pos * depth
if __name__ == "__main__":
print(solve("../inputs/day2-demo.in"))
|
{
"files.associations": {
"**/*.html": "html",
"**/templates/**/*.html": "django-html",
"**/templates/**/*": "django-txt",
"**/requirements{/**,*}.{txt,in}": "pip-requirements"
},
"emmet.includeLanguages": {
"django-html": "html"
},
"python.pythonPath": "/usr/local/bin/python3"
}
|
class DevConfig(object):
DEBUG = True
SQLALCHEMY_DATABASE_URI = 'sqlite:////tmp/octocd'
SQLALCHEMY_TRACK_MODIFICATIONS = False
SECRET_KEY = 'DEV_KEY'
|
#!/usr/bin/env python
""" Problem 61 daily-coding-problem.com """
def custom_pow(x: int, y: int) -> int:
if y == 0:
return 1
temp = custom_pow(x, int(y / 2))
if (y % 2 == 0):
return temp * temp
else:
if y > 0:
return x * temp * temp
else:
return (temp * temp) / x
if __name__ == "__main__":
assert custom_pow(2, 10) == 1024
|
def area(largura, cumprimento):
print(f'Sua área foi: {cumprimento * largura}')
largura = int(input('Digite sua largura: '))
cumprimento = int(input('Digite seu cumprimento: '))
area(largura, cumprimento)
|
class Education:
def __init__(self, school, time, title, desc):
self.school = school
self.time = time
self.title = title
self.desc = desc |
'''
## The PyLCONF
A LCONF parser and emitter for Python.
### Web Presence
* PyLCONF [web site](http://lconf-data-serialization-format.github.io/PyLCONF/)
* PyLCONF [github repository](https://github.com/LCONF-Data-Serialization-Format/PyLCONF/)
### Copyrights & Licenses
The *PyLCONF package* is licensed under the MIT "Expat" License:
> Copyright (c) 2014 - 2015, **peter1000** <https://github.com/peter1000>.
'''
__version__ = '0.1.0'
__project_name__ = 'PyLCONF'
__title__ = 'A LCONF parser and emitter for Python.'
__author__ = '**peter1000** https://github.com/peter1000'
__copyright__ = 'Copyright (c) 2014 - 2015, ' + __author__
__license__ = 'MIT "Expat" license: Consult LICENSE.md'
|
#!/usr/bin/env python3
class FilterMiddleware(object):
def __init__(self, wsgi_app):
self.wsgi_app = wsgi_app
self.blacklist = ["sqlmap", "dirbuster"]
def __call__(self, environ, start_response):
try:
if any((x for x in self.blacklist if x in environ["HTTP_USER_AGENT"].lower())):
start_response("503 Internal Server Error", [])
return [b"Something went wrong."]
except KeyError:
pass
return None
|
w, b = input().split()
w = int(w)
b = float(b)
if (w % 5 == 0 and b>(w+.5)):
b = b - w - 0.5
print('%.2f' % b)
else:
print('%.2f' % b) |
# ======================================================================= #
# Copyright (C) 2020 Hoverset Group. #
# ======================================================================= #
"""
A store and manager for all application functions and routines
"""
class Routine:
"""
Representation of an action available throughout the lifetime
of a hoverset application
* **key**: A uniques string value used to access the action
* **desc**: Long description of what the action does
* **group**: group to which the action belongs. Can be ``None``
* **shortcut**: A :py:class:`hoverset.data.keymap.Key` representing
shortcut that can invoke the action
* **func**: The actual function the action invokes
"""
def __init__(self, func, key, desc, group=None, shortcut=None):
self.key = key
self.desc = desc
self.group = group
self._func = func
self.shortcut = shortcut
@property
def accelerator(self):
"""
Label for the shortcut key that invokes the action
:return: String representing the shortcut combination that invokes
routine
"""
# return the shortcut key combination for display
if self.shortcut:
return self.shortcut.label
return ''
def invoke(self, *args, **kwargs):
return self._func(*args, **kwargs)
_all_actions = {}
def add(*routines):
"""
Add routines
:param routines: :py:class:`Routine` objects to be added
"""
for routine in routines:
_all_actions[routine.key] = routine
def get_routine(key):
"""
Get a routine with given key
:param key: String key for routine to be obtained
:return: :py:class:`Routine` object with given key
"""
return _all_actions.get(key)
get = get_routine # Shorter method get
def remove(*routines):
"""
Remove routines from global map
:param routines: routines to be removed
"""
for routine in routines:
_all_actions[routine.key] = routine
def all_routines():
"""
Get dictionary of all routines
:return: A dictionary with string keys and :py:class`Routine` values
"""
return _all_actions
def routine_from_shortcut(shortcut):
"""
Get routine object with given shortcut
:param shortcut: :py:class:`hoverset.data.keymap.Key` object
:return: Routine object with given shortcut otherwise None
"""
search = list(filter(lambda r: r.shortcut == shortcut, _all_actions.values()))
if len(search) > 0:
return search[0]
return None
|
def valid_card(card):
return (
not sum(
[
d if i & 1 else d % 5 * 2 + d / 5
for i, d in enumerate(map(int, card.replace(" ", "")))
]
)
% 10
)
|
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
# html_templates.py
"""
##############
HTML Templates
##############
*Created on Wed Jun 01 2015 by A. Pahl*
A simple and pythonic templating library where every HTML tag is a function.
"""
# import time
# import os.path as op
TABLE_OPTIONS = {"cellspacing": "1", "cellpadding": "1", "border": "1",
"align": "", "height": "60px", "summary": "Table", } # "width": "800px",
# PAGE_OPTIONS = {"icon": "icons/chart_bar.png", "css": ["css/style.css", "css/collapsible_list.css"],
# "scripts": ["lib/jquery.js", "lib/highcharts.js", "script/folding.js"]}
PAGE_OPTIONS = {"icon": "icons/benzene.png"}
JSME = "lib/jsme/jsme.nocache.js"
HTML_FILE_NAME = "mol_table.html"
def tag(name, content, options=None, lf_open=False, lf_close=False):
"""creates a HTML stub with closed tags of type <name> around <content>
with additional <options::dict> in the opening tag
when lf_(open|close)==True, the respective tag will be appended with a line feed.
returns: html stub as list"""
if lf_open:
lf_open_str = "\n"
else:
lf_open_str = ""
if lf_close:
lf_close_str = "\n"
else:
lf_close_str = ""
option_str = ""
if options:
option_list = [" "]
for option in options:
option_list.extend([option, '="', str(options[option]), '" '])
option_str = "".join(option_list)
stub = ["<{}{}>{}".format(name, option_str, lf_open_str)]
if type(content) == list:
stub.extend(content)
else:
stub.append(content)
stub.append("</{}>{}".format(name, lf_close_str))
return stub
def page(content, title="Results", header=None, summary=None, options=PAGE_OPTIONS):
"""create a full HTML page from a list of stubs below
options dict:
css: list of CSS style file paths to include.
scripts: list of javascript library file paths to include.
icon: path to icon image
returns HTML page as STRING !!!"""
# override the title if there is a title in <options>
if "title" in options and len(options["title"]) > 2:
title = options["title"]
if "icon" in options and len(options["icon"]) > 2:
icon_str = '<link rel="shortcut icon" href="{}" />'.format(options["icon"])
else:
icon_str = ""
if "css" in options and options["css"]:
css = options["css"]
if not isinstance(css, list):
css = [css]
css_str = "".join([' <link rel="stylesheet" type="text/css" href="{}">\n'.format(file_name) for file_name in css])
else:
# minimal inline CSS
css_str = """<style>
body{
background-color: #FFFFFF;
font-family: freesans, arial, verdana, sans-serif;
}
th {
border-collapse: collapse;
border-width: thin;
border-style: solid;
border-color: black;
text-align: left;
font-weight: bold;
}
td {
border-collapse:collapse;
border-width:thin;
border-style:solid;
border-color:black;
padding: 5px;
}
table {
border-collapse:collapse;
border-width:thin;
border-style:solid;
//border-color:black;
border: none;
background-color: #FFFFFF;
text-align: left;
}
</style>"""
if "scripts" in options and options["scripts"]:
scripts = options["scripts"]
if type(scripts) != list:
scripts = [scripts]
js_str = "".join([' <script src="{}"></script>\n'.format(file_name) for file_name in scripts])
else:
js_str = ""
if header:
if not isinstance(header, list):
header = [header]
header_str = "".join(h2(header))
else:
header_str = ""
if summary:
if not isinstance(summary, list):
summary = [summary]
summary_str = "".join(p(summary))
else:
summary_str = ""
if isinstance(content, list):
content_str = "".join(content)
else:
content_str = content
html_page = """<!DOCTYPE html>
<html>
<head>
<meta charset="UTF-8">
<title>{title}</title>
{icon_str}
{css_str}
{js_str}
</head>
<body>
{header_str}
{summary_str}
{content_str}
</body>
</html>
""".format(title=title, icon_str=icon_str, css_str=css_str, js_str=js_str,
header_str=header_str, summary_str=summary_str, content_str=content_str)
return html_page
def write(text, fn=HTML_FILE_NAME):
with open(fn, "w") as f:
f.write(text)
def script(content):
return tag("script", content, lf_open=True, lf_close=True)
def img(src, options=None):
"""takes a src, returns an img tag"""
option_str = ""
if options:
option_list = [" "]
for option in options:
option_list.extend([option, '="', str(options[option]), '" '])
option_str = "".join(option_list)
stub = ['<img {}src="{}" alt="icon" />'.format(option_str, src)]
return stub
def table(content, options=TABLE_OPTIONS):
tbody = tag("tbody", content, lf_open=True, lf_close=True)
return tag("table", tbody, options, lf_open=True, lf_close=True)
def tr(content, options=None):
return tag("tr", content, options, lf_close=True)
def td(content, options=None):
return tag("td", content, options, lf_close=False)
def p(content):
return tag("p", content, lf_open=True, lf_close=True)
def h1(content):
return tag("h1", content, lf_open=True, lf_close=True)
def h2(content):
return tag("h2", content, lf_open=True, lf_close=True)
def div(content, options=None):
return tag("div", content, options, lf_close=False)
def ul(content):
return tag("ul", content, lf_open=True, lf_close=True)
def li(content):
return tag("li", content, lf_open=False, lf_close=True)
def li_lf(content): # list item with opening line feed
return tag("li", content, lf_open=True, lf_close=True)
def b(content, options=None):
return tag("b", content, options, lf_close=False)
def a(content, options):
"""the anchor tag requires an "href" in options,
therefore the "options" parameter is not optional in this case (klingt komisch, ist aber so)"""
return tag("a", content, options, lf_close=False)
|
def XPLMFindCommand(command):
return 1
def XPLMCommandOnce(commandID):
pass
|
# Copyright Least Authority Enterprises.
# See LICENSE for details.
"""
Tests for ``txkube.testing``.
"""
|
# -*- coding: utf-8 -*-
# © 2017 Creu Blanca
# License AGPL-3.0 or later (http://www.gnu.org/licenses/agpl.html).
def dict_compare(d1, d2):
assert len(d1) == len(d2)
d1_keys = set(d1.keys())
d2_keys = set(d2.keys())
intersect_keys = d1_keys.intersection(d2_keys)
assert len(intersect_keys) == len(d1)
for key in d1_keys:
assert d1[key] == d2[key]
def rdns_to_map(data):
return {x.split('=')[0].strip(): x.split('=')[1].strip() for x in data.split(',') if x}
|
SERVICE_KPI_HOOK = (u"kpi_hook", u"KPI Hook POST")
SERVICE_CHOICES = (
SERVICE_KPI_HOOK,
)
default_app_config = "onadata.apps.restservice.app.RestServiceConfig"
|
#!/usr/bin/env python
# -*- coding: utf-8 -*-
"""
Advent of Code 2020
Day 22, Part 2
"""
def play_game(player1, player2):
seen = {1: [], 2: []}
while True:
if len(player1) == 0:
winner = 2
break
if len(player2) == 0:
winner = 1
break
if player1 in seen[1] or player2 in seen[2]:
winner = 1
break
else:
seen[1].append(player1)
seen[2].append(player2)
p1 = player1[0]
player1 = player1[1:]
p2 = player2[0]
player2 = player2[1:]
if len(player1) >= p1 and len(player2) >= p2:
winner, _, _ = play_game(player1[:p1].copy(), player2[:p2].copy())
else:
if p1 > p2:
winner = 1
else:
winner = 2
if winner == 1:
player1.append(p1)
player1.append(p2)
else:
player2.append(p2)
player2.append(p1)
return winner, player1, player2
def main():
with open('in.txt') as f:
player1 = []
player2 = []
p = 1
for line in f:
line = line.strip()
if 'Player' in line:
continue
if len(line) == 0:
p = 2
continue
if p == 1:
n = int(line)
player1.append(n)
else:
n = int(line)
player2.append(n)
_, player1, player2 = play_game(player1, player2)
player = player1 if len(player1) != 0 else player2
score = 0
for i, n in enumerate(reversed(player)):
score += (i+1) * n
print(score)
if __name__ == '__main__':
main()
|
# ---- ratings ----
urlpatterns += patterns('',
(r'^ratings/', include('ratings.urls')),
) |
# Total Purchase
# Simple Regsiter Program
print("In the fields below, enter the prices of five items")
totalAmount = float(input("What is the price of the first item? "))
totalAmount += float(input("What is the price of the second item? "))
totalAmount += float(input("What is the price of the third item? "))
totalAmount += float(input("What is the price of the fourth item? "))
totalAmount += float(input("What is the price of the fifth item? "))
print()
salesTax = totalAmount * .07
print(f'The sales tax is ${salesTax:,.2f}')
print(f'The total is ${salesTax + totalAmount:,.2f}') |
n = int(input())
ans = n//4*"abcd"
if n%4==1:
ans += "a"
elif n%4==2:
ans += "ab"
elif n%4==3:
ans += "abc"
print(ans)
|
# Trigger: com.android.internal.telephony.gsm.GSMPhone.handleMessage(Landroid/os/Message;)V
# Callback: android.content.Context.sendOrderedBroadcast(Landroid/content/Intent;Ljava/lang/String;ILandroid/content/BroadcastReceiver;Landroid/os/Handler;ILjava/lang/String;Landroid/os/Bundle;)V
IFAv0 = Int('IFAv0') # <Input1>.what
s.add((IFAv0 == 16))
|
LOGFILE = '/tmp/robots.log'
def log(msg):
with open(LOGFILE, 'a') as f:
f.write(str(msg)+'\n')
|
# user defined-exceptions
# an exception class, that will serve as the base file for calculations
class CalculatorError(Exception):
""" Base class for my exception handlers for the calculator class\n
None value may be returned after a calculation, when an exception is
caught """
pass
|
## Beginner Series #2 Clock
## 8 kyu
## https://www.codewars.com/kata/55f9bca8ecaa9eac7100004a
def past(h, m, s):
hours = h * 60 * 60 * 1000
minutes = m * 60 * 1000
seconds = s * 1000
return hours + minutes + seconds
|
class HashTable:
def __init__(self, size: int):
if size < 1:
raise IndexError('Size of hashtable should be minimum 1')
self.size = size
self.data = [None] * size
def _hash(self, key):
hash_data = 0
for i in range(len(key)):
hash_data = (hash_data + ord(key[i]) * i) % self.size
return hash_data
def __setitem__(self, key, value):
if not (None in self.data): # Checking self.data != None
raise IndexError('Exceeding hashtable limit')
pointer = self._hash(key)
if not self.data[pointer]:
self.data[pointer] = []
else:
i = 0
for k, v in self.data[pointer]:
if k == key:
self.data[pointer][i][1] = value
return True
i += 1
self.data[pointer].append([key, value])
return True
def __getitem__(self, key):
pointer = self._hash(key)
items = self.data[pointer]
if items:
for k, v in items:
if k == key:
return v
return False
def __repr__(self):
my_set = set()
for items in self.data:
if items:
for single_item in items:
data_element = "{key}: {value}".format(key=single_item[0], value=single_item[1])
my_set.add(data_element)
return str(my_set)
def items(self) -> list:
"""
Returns list of tuples contains [(key, value), ...]
:return: list
"""
hashtable_items = []
for items in self.data:
if items: # Checking self.data != None
for item_data in items:
hashtable_items.append(tuple(item_data))
return hashtable_items
def keys(self) -> list:
"""
Returns list of keys
:return: list
"""
hashtable_keys = []
for items in self.data:
if items: # Checking self.data != None
for item_data in items:
hashtable_keys.append(item_data[0])
return hashtable_keys
def values(self) -> list:
"""
Returns list of values
:return: list
"""
hashtable_keys = []
for items in self.data:
if items: # Checking self.data != None
for item_data in items:
hashtable_keys.append(item_data[1])
return hashtable_keys
def delete(self, key) -> bool:
"""
Delete an element using key
:param key: key
:return: bool
"""
for items in self.data:
if items:
for item_data in items:
if item_data[0] == key:
index = self.data.index(items)
self.data[index].remove(item_data)
return True
return False
if __name__ == '__main__':
my_hashtable = HashTable(5)
my_hashtable['graphs'] = False
my_hashtable['mango'] = 'google'
my_hashtable['mango2'] = 100
my_hashtable.delete('mango2')
print(my_hashtable.items())
print(my_hashtable.keys())
print(my_hashtable.values())
data = my_hashtable['mango']
print(data)
print(my_hashtable)
|
miles = 1000.0 # A floating point
name = "John" # A string
print(miles)
print(name)
|
class ScriptPlatformScriptGen:
def __init__(self):
pass
def GenerateScriptStart(self):
Script = "var layers = null;\r\n"
Script += "var filePath = activeDocument.fullName.path;\r\n"
Script += "var newDoc = app.activeDocument.duplicate();\r\n"
Script += "app.activeDocument = newDoc;\r\n"
#Script += "app.activeDocument.bringToFront();\r\n"
Script += 'var idCnvM = charIDToTypeID( "CnvM" );' + "\n"
Script += 'var desc89 = new ActionDescriptor();' + "\n"
Script += 'var idT = charIDToTypeID( "T " );' + "\n"
Script += 'var idRGBM = charIDToTypeID( "RGBM" );' + "\n"
Script += 'desc89.putClass( idT, idRGBM );' + "\n"
Script += 'var idMrge = charIDToTypeID( "Mrge" );' + "\n"
Script += 'desc89.putBoolean( idMrge, false );' + "\n"
Script += 'var idRstr = charIDToTypeID( "Rstr" );' + "\n"
Script += 'desc89.putBoolean( idRstr, false );' + "\n"
Script += 'executeAction( idCnvM, desc89, DialogModes.NO );' + "\n"
return Script
def GenerateCardEnd(self, sheet, row):
Script = '// Save Image' + "\r\n"
Script += 'pngOptions = new PNGSaveOptions();' + "\r\n"
Script += 'pngOptions.compression = 0;' + "\r\n"
Script += 'pngOptions.interlaced = false;' + "\r\n"
Script += '' + "\r\n"
Script += 'savePath = File(filePath + "/' + sheet.cell_value(row,0).replace(".","") + '.png");' + "\r\n"
Script += '' + "\r\n"
Script += 'app.activeDocument.saveAs(savePath, pngOptions, true, Extension.LOWERCASE);' + "\r\n"
Script += '' + "\r\n"
return Script
def GenerateScriptEnd(self):
return "app.activeDocument.close(SaveOptions.DONOTSAVECHANGES);\r\n"
|
class MyClass:
pass
var: [MyClass] = MyClass() |
"""Re-export of some bazel rules with repository-wide defaults."""
load("@build_bazel_rules_typescript//:defs.bzl", _ts_library = "ts_library")
load("//packages/bazel:index.bzl", _ng_module = "ng_module")
DEFAULT_TSCONFIG = "//packages:tsconfig-build.json"
def ts_library(tsconfig = None, **kwargs):
if not tsconfig:
tsconfig = DEFAULT_TSCONFIG
_ts_library(tsconfig = tsconfig, **kwargs)
def ng_module(name, tsconfig = None, **kwargs):
if not tsconfig:
tsconfig = DEFAULT_TSCONFIG
_ng_module(name = name, tsconfig = tsconfig, **kwargs)
|
## Get the mean of an array
## 8 kyu
## https://www.codewars.com/kata/563e320cee5dddcf77000158
def get_average(marks):
return sum(marks) // len(marks)
|
def main():
s=[]
minlen = 257
n=int(input())
for i in range(n):
s.append(list(input()))
s[i].reverse()
if len(s[i])<minlen: minlen = len(s[i])
kuchiguse = 0
nai = False
for i in range(minlen):
same = True
for j in range(1,n):
if s[j][i] != s[0][i]:
same = False
break
if(same): kuchiguse += 1
else: break
if kuchiguse:
print(''.join(s[0][kuchiguse-1::-1]))
else:
print('nai')
main() |
lorem_file = open("lorem.txt")
for line in lorem_file:
print(line.rstrip())
lorem_file.close()
|
class Articles:
'''
articles class to define article objects
'''
def __init__(self,id,author,description,url,urlToImage,publishedAt,content):
self.id = id
self.author = author
self.description = description
self.url = url
self.urlToImage = urlToImage
self.publishedAt = publishedAt
self.content = content
class News:
'''
News class to define news objects
'''
def __init__(self,id,name,description,url,category,country):
self.id = id
self.name = name
self.description = description
self.url = "https://www.youtube.com/watch?v=RN75zSpYp7M"+ url
self.category = category
self.country = country |
#Activity 9
def factorial(n):
f = 1
for i in range (1, n + 1):
f = f * i
return f
def pascal(n):
for i in range (n):
for j in range (1, n - i):
print(" ", end = '')
for k in range (0, i + 1):
c = int(factorial(i) / (factorial(k) * factorial(i-k)))
print(" ", c, end = "")
print()
n=int(input("Enter the number of rows: "))
pascal(n) |
#!/usr/bin/env python
# coding: utf-8
# In[2]:
for i in range(0, 6):
if i == 3:
print("skip 3")
continue
print(i)
# In[3]:
for i in range(0, 6):
if i == 3:
print("skip 3")
break
print(i)
|
"""
Problem Description:
You are given with a String, you have to output count of vowels in the String.
Input:
Input contains a String.
Output:
Print vowel count in the String.
Constraints:
1≤String lenght≤1000
Sample Input:
Dcoder,A mobile coding platform
Sample Output:
10
"""
n = input()
c = 0
for i in n:
if i in "AEIOUaeiou":
c += 1
print(c)
|
# Copyright (c) 2012 The Chromium Authors. All rights reserved.
# Use of this source code is governed by a BSD-style license that can be
# found in the LICENSE file.
{
'conditions': [
['OS=="android"', {
'targets': [
{
'target_name': 'native_test_apk',
'message': 'building native test apk',
'type': 'none',
'dependencies': [
'native_test_native_code',
],
'actions': [
{
'action_name': 'native_test_apk',
'inputs': [
'<(DEPTH)/testing/android/native_test_apk.xml',
'<!@(find <(DEPTH)/testing/android -name "*.java")',
'native_test_launcher.cc'
],
'outputs': [
# Awkwardly, we build a Debug APK even when gyp is in
# Release mode. I don't think it matters (e.g. we're
# probably happy to not codesign) but naming should be
# fixed. The -debug name is an aspect of the android
# SDK antfiles (e.g. ${sdk.dir}/tools/ant/build.xml)
'<(PRODUCT_DIR)/ChromeNativeTests-debug.apk',
],
'action': [
'ant',
'-DPRODUCT_DIR=<(ant_build_out)',
'-buildfile',
'<(DEPTH)/testing/android/native_test_apk.xml',
]
}
],
},
{
'target_name': 'native_test_native_code',
'message': 'building native pieces of native test package',
'type': 'static_library',
'sources': [
'native_test_launcher.cc',
],
'direct_dependent_settings': {
'ldflags!': [
# JNI_OnLoad is implemented in a .a and we need to
# re-export in the .so.
'-Wl,--exclude-libs=ALL',
],
},
'dependencies': [
'../../base/base.gyp:base',
'../../base/base.gyp:test_support_base',
'../gtest.gyp:gtest',
'native_test_jni_headers',
],
},
{
'target_name': 'native_test_jni_headers',
'type': 'none',
'actions': [
{
'action_name': 'generate_jni_headers',
'inputs': [
'../../base/android/jni_generator/jni_generator.py',
'java/src/org/chromium/native_test/ChromeNativeTestActivity.java'
],
'outputs': [
'<(SHARED_INTERMEDIATE_DIR)/testing/android/jni/'
'chrome_native_test_activity_jni.h',
],
'action': [
'python',
'../../base/android/jni_generator/jni_generator.py',
'-o',
'<@(_inputs)',
'<@(_outputs)',
],
}
],
# So generated jni headers can be found by targets that
# depend on this.
'direct_dependent_settings': {
'include_dirs': [
'<(SHARED_INTERMEDIATE_DIR)',
],
},
},
],
}]
],
}
|
def declarations(declaration):
if len(declaration[2][0]) > 1:
string = '%s _%s[%s];\n' %(
declaration[3][0],
declaration[0],
']['.join([
str(int(ranges[2]) - int(ranges[1]) + 1)
for ranges in declaration[2]
if len(ranges) > 1
])
)
string += '%s __%s(void) {\n' %(
declaration[3][0],
declaration[0]
)
count = 1
for nested in range(len(declaration[2])):
if len(declaration[2][nested]) > 1:
string += '%sfor(int %s = 0; %s < %s; ++%s)\n' %(
'\t' + '\t' * nested,
declaration[1][nested],
declaration[1][nested],
str(int(declaration[2][nested][2]) - int(declaration[2][nested][1]) + 1),
declaration[1][nested]
)
count += 1
string += '%s_%s[%s] = %s;\n\treturn %s;\n}\n%s ___%s = __%s();\n' %(
'\t' * count,
declaration[0],
']['.join([
datatypes
for datatypes, ranges in zip(declaration[1], declaration[2])
if len(ranges) > 1
]),
declaration[3][1],
declaration[3][1],
declaration[3][0],
declaration[0],
declaration[0]
)
string += '%s %s(%s) {\n\tif(_%s[%s] != %s)\n\t\treturn _%s[%s];\n' %(
declaration[3][0],
declaration[0],
', '.join([
ranges[0] + ' ' + datatypes
for ranges, datatypes in zip(declaration[2], declaration[1])
]),
declaration[0],
']['.join([
datatypes
for datatypes, ranges in zip(declaration[1], declaration[2])
if len(ranges) > 1
]),
declaration[3][1],
declaration[0],
']['.join([
datatypes
for datatypes, ranges in zip(declaration[1], declaration[2])
if len(ranges) > 1
])
)
else:
string = '%s %s(%s) {\n' %(
declaration[3][0],
declaration[0],
','.join([
ranges[0] + ' ' + datatypes
for ranges, datatypes in zip(declaration[2], declaration[1])
])
)
return string
def definitions(definition, declaration):
if len(declaration[2][0]) > 1:
string = '_%s[%s] = %s;\nreturn _%s[%s];\n' %(
declaration[0],
']['.join([
datatypes
for datatypes, ranges in zip(declaration[1], declaration[2])
if len(ranges) > 1
]),
definition[0].strip(),
declaration[0],
']['.join([
datatypes
for datatypes, ranges in zip(declaration[1], declaration[2])
if len(ranges) > 1
])
)
else:
string = 'return %s;\n' %(definition[0].strip())
return string
def iterations(iteration):
string = 'for(int %s = %s; %s %s %s; %s %s= %s) {\n' %(
iteration[0],
iteration[1].strip(),
iteration[0],
'<=' if iteration[3] == '+' else '>=',
iteration[2].strip(),
iteration[0],
iteration[3],
'1' if len(iteration) == 4 else iteration[4]
)
return string
def inquisitions(inquisition):
string = 'if(%s) {\n' %(
inquisition[0]
)
return string
def statements(statement):
string = '%s;\n' %(';\n'.join([line.strip() for line in statement[0].split(';') if line.strip()]))
return string
def blanks(blank):
string = '}\n'
return string
def programs(program):
scope = list()
metaprogram = str()
declaration = None
for line in program:
if line[0][0] == 'blanks':
while scope:
scope.pop()
metaprogram += '\t' * len(scope) + '\t' + blanks(None)
metaprogram += '\t' * len(scope) + blanks(None)
declaration = None
continue
i = 0
while i < len(scope) and i < len(line):
if scope[i] != line[i]:
break
i += 1
for j in range(i, len(scope)):
scope.pop()
metaprogram += '\t' * len(scope) + '\t' + blanks(None)
for j in range(i, len(line)):
if line[j][0] == 'declarations':
metaprogram += declarations(line[j][2])
declaration = line[j][2]
if line[j][0] == 'definitions':
metaprogram += ('\n').join(['\t' * len(scope) + '\t' + string for string in definitions(line[j][2], declaration).split('\n') if string]) + '\n'
if line[j][0] == 'iterations':
scope.append(line[j])
metaprogram += '\t' * len(scope) + iterations(line[j][2])
if line[j][0] == 'statements':
if j == len(line) - 1:
metaprogram += '\t' * len(scope) + '\t' + statements(line[j][2])
else:
scope.append(line[j])
metaprogram += '\t' * len(scope) + inquisitions(line[j][2])
return metaprogram
|
class RainyRoad:
def isReachable(self, road):
for i, j in zip(*road):
if i == j == 'W':
return 'NO'
return 'YES'
|
data_path = '../data'
app_path = '../web-app'
naics_dict = {
'11': 'Agriculture, Forestry, Fishing, and Hunting',
'21': 'Mining, Quarrying, and Oil and Gas Extraction',
'22': 'Utilities',
'23': 'Construction',
'31': 'Manufacturing',
'32': 'Manufacturing',
'33': 'Manufacturing',
'42': 'Wholesale Trade',
'44': 'Retail Trade',
'45': 'Retail Trade',
'48': 'Transportation and Warehousing',
'49': 'Transportation and Warehousing',
'51': 'Information',
'52': 'Finance and Insurance',
'53': 'Real Estate Rental and Leasing',
'54': 'Professional, Scientific, and Technical Services',
'55': 'Management of Companies and Enterprises',
'56': 'Administrative and Support and Waste Management and Remediation Services',
'61': 'Educational services',
'62': 'Health Care and Social Assistance',
'71': 'Arts, Entertainment, and Recreation',
'72': 'Accommodation and Food Services',
'81': 'Other Services (except Public Administration)',
'92': 'Public Administration'
}
# Party affiliatoin of state governor, as of April 2019
# https://en.wikipedia.org/wiki/List_of_United_States_governors
gov_dict = {
'AL': 'R',
'AK': 'R',
'AZ': 'R',
'AR': 'R',
'CA': 'D',
'CO': 'D',
'CT': 'D',
'DE': 'D',
'FL': 'R',
'GA': 'R',
'HI': 'D',
'ID': 'R',
'IL': 'D',
'IN': 'R',
'IA': 'R',
'KS': 'D',
'KY': 'R',
'LA': 'D',
'ME': 'D',
'MD': 'R',
'MA': 'R',
'MI': 'D',
'MN': 'D',
'MS': 'R',
'MO': 'R',
'MT': 'D',
'NB': 'R',
'NV': 'D',
'NH': 'R',
'NJ': 'D',
'NM': 'D',
'NY': 'D',
'NC': 'D',
'ND': 'R',
'OH': 'R',
'OK': 'R',
'OR': 'D',
'PA': 'D',
'RI': 'D',
'SC': 'R',
'SD': 'R',
'TN': 'R',
'TX': 'R',
'UT': 'R',
'VT': 'R',
'VA': 'D',
'WA': 'D',
'WV': 'R',
'WI': 'D',
'WY': 'R',
'PR': 'NP',
}
#naics_dict = {
# '11': 'Agriculture, Forestry, Fishing, and Hunting',
# '2111': 'Oil and Gas Extraction',
# '2121': 'Coal Mining',
# '2122': 'Metal Ore Mining',
# '2123': 'Nonmetallic Mineral Mining and Quarrying',
# '2131': 'Support Activities for Mining',
# '2211': 'Electric Power Generation, Transmission, and Distribution',
# '2212': 'Natural Gas Distribution',
# '2213': 'Water, Sewage, and Other Systems',
# '23': 'Construction',
# '31': 'Manufacturing',
# '32': 'Manufacturing',
# '33': 'Manufacturing',
# '42': 'Wholesale Trade',
# '44': 'Retail Trade',
# '45': 'Retail Trade',
# '48': 'Transportation and Warehousing',
# '4862': 'Pipeline Transportation of Oil or Natural Gas',
# '49': 'Transportation and Warehousing',
# '51': 'Information',
# '52': 'Finance and Insurance',
# '53': 'Real Estate Rental and Leasing',
# '54': 'Professional, Scientific, and Technical Services',
# '55': 'Management of Companies and Enterprises',
# '56': 'Administrative and Support and Waste Management and Remediation Services',
# '61': 'Educational services',
# '62': 'Health Care and Social Assistance',
# '71': 'Arts, Entertainment, and Recreation',
# '72': 'Accommodation and Food Services',
# '81': 'Other Services (except Public Administration)',
# '92': 'Public Administration'
#} |
sample_sizes = [100, 500, 1000, 5000, 10000, 15000, y.size]
scores_sample_sizes = {}
rng = np.random.RandomState(0)
for n_samples in sample_sizes:
sample_idx = rng.choice(
np.arange(y.size), size=n_samples, replace=False
)
X_sampled, y_sampled = X.iloc[sample_idx], y[sample_idx]
size, score = make_cv_analysis(regressor, X_sampled, y_sampled)
scores_sample_sizes[size] = score
scores_sample_sizes = pd.DataFrame(scores_sample_sizes)
sns.displot(scores_sample_sizes, kind="kde")
plt.xlim([10, 90])
_ = plt.xlabel("Mean absolute error (k$)")
|
"""
백준 5893번 : 17배
"""
num = int(input(), 2) * 17
print(bin(num)[2:]) |
'''Given: A DNA string s
s
of length at most 1000 nt.
Return: Four integers (separated by spaces) counting the respective number of times that the symbols 'A', 'C', 'G', and 'T' occur in s
'''
s = 'AGACTCGCGCACTCACGATGAATCCCAAGACAGCCTGGCGGAGTATGGTACTACGGCCGTCCTCACCAAGGCATTTCGGTCCGAGTAGCGGATTGTGTGCCAGCCCTGAGGGCGAGTTATGGGCTCATTCGGGAGACGTATGTACGAGCCTGATCGTTCGTCTGCATCGCTCTAATGTTTATCGACAGCCTTACCACTGTTTGAGTCGATGCAAGACCTGTTTCTTCAGCGCATTCACAGAGTGGCGCGAGACATACCACCAATACATAAGCGTAATTCTTACCGGCGTAGATCCCTAGGAGAGATCCAGCAAACTCGTTGTCATGGGTGACCGATACGCTCCTCAGTGGTCTCGACGGTTGTCTAGACGCGTCGTGCCGACAGTTGGCAATGCCAGTGGATCCGCATCCGAATTTCATGTGCTTTTAGAGCTTCGCTCATGCGTTCCACCGCCACGAGGCCAGCGAGGTGAGCCTTTTCCGGGAAGCCAACTGCACGGATCGCCCACTAGTGGATGAGCCACACTAAACATAGAATGAAACCCCGACCCCAACACGCCACCGTGTGTCGGGGATATTAGCCAACATTTGGTTTTGAGCGTTCCTCGGACCAGCTTCTCGATATACACGGAGCCTTCGGGATTCTGTCCCCTACCCTACCGCAGTCATATTCGGAGTCGGCTGGATCTCGATTCGTCTGGCAACCTGGGGTTTGTCATGCGGCAGGCCAGCTGCCTTGTCAAAGCCTATCGTCCCCAGGGGAACCAGGTAGAGGGTCGTGGTGTCGTAAGGAGACGCGTCGTGGCGACCACCTCAATCCGAGACGGCGACAAACATTTGCCGTTCCGTATAGGTACCTCCTAAGGTCGTCGAACTTCTAAGTCTCTGAATCTCCAGAACTCAATTCAGCGGATGGTAATGTCTCACAAGACTCGCTTGAGGCGGGCCCAT'
a = 'A'
c = 'C'
g = 'G'
t = 'T'
acount = 0
ccount = 0
gcount = 0
tcount = 0
for i in range(0, len(s)):
if a == s[i]:
acount += 1
elif c == s[i]:
ccount += 1
elif g == s[i]:
gcount += 1
elif t == s[i]:
tcount += 1
print(acount, ccount, gcount, tcount)
|
# 200020001
if 2400 == chr.getJob():
sm.warp(915010000, 1)# should be instance ?
elif 2410 <= chr.getJob() <= 2411:
sm.warp(915020000, 2)
else:
sm.chat("Only Phantoms can enter.")
sm.dispose()
|
[
{'base_name': 'HEASARC_swiftmastr',
'service_type': 'tap',
'access_url': 'https://heasarc.gsfc.nasa.gov/xamin/vo/tap',
'adql':'''
SELECT
*
FROM swiftmastr
WHERE
1=CONTAINS(POINT('ICRS', ra, dec),
CIRCLE('ICRS', {}, {}, {}))
'''
}
]
|
#Los atributos describen las caracteristicas de los objetos, las clases es donde declaramos estos atributos,el atributo se utiliza segun las variables o tipos de datos que disponemos en python
# Metodos son acciones/funciones
# Constructor o inicializador para inicializar los objetos de una forma predeterminada que podemos indicar.
class Persona:
#pass
nBrazos=0 # atributos
nPiernas=0
cabello=True
cCabello="Defecto"
hambre=0 # con hmabre sera 10 y sin hambre 0
def __init__(self): # Constructor
self.nBrazos=2
self.nPiernas=2
def dormir():
pass
def comer(self): # con self modifica el atributo hambre de mis mismo es de cir de Persona
self.hambre=5
class Hombre(Persona):#Herencia Simple de la clase hombre se le incluye a la clase entre parentesis la clase de la que esta herendando
#pass
nombre="Defecto"
sexo="M"
def cambiarNombre(self,nombre):#Metodo que modifica nuestro atributo y reciben parametros.
self.nombre=nombre
class Mujer(Persona):
#pass
nombre="Defecto"
sexo="F"
#Ejecutando el metodo comer de la clase Persona con la clase Hombre
jose=Hombre()
jose.comer()#Asi accedemos a los metodos del objeto
print(jose.hambre)#Asi accedemos a los atributos del objeto
|
BATCH_SIZE = 16
PROPOSAL_NUM = 6
CAT_NUM = 4
INPUT_SIZE = (448, 448) # (w, h)
LR = 0.0001
WD = 1e-4
SAVE_FREQ = 1
resume = ''
test_model = './checkpoints/model.ckpt'
save_dir = './trainlog/'
|
print('-' * 60)
print('{:^60s}'.format('LISTA DE PREÇOS'))
print('-' * 60)
tupla = (
('Lápis', '1.75'),
('Borracha', '2.00'),
('Caderno', '15.90'),
('Estojo', '25.00'),
('Transferidor', '4.20'),
('Compasso', '9.99'),
('Mochila', '120.32'),
('Canetas', '22.30'),
('Livro', '34.90')
)
for item in tupla:
print('{:.<51s}R${:>7s}'.format(item[0], item[1]))
print('-' * 60, end='\n') |
# Problem: Group Anagrams
# Difficulty: Medium
# Category: String
# Leetcode 49: https://leetcode.com/problems/group-anagrams/description/
# Description:
"""
Given an array of strings, group anagrams together.
For example, given: ["eat", "tea", "tan", "ate", "nat", "bat"],
Return:
[
["ate", "eat","tea"],
["nat","tan"],
["bat"]
]
Note: All inputs will be in lower-case.
"""
class Solution(object):
def group_anagrams(self, strs):
if not strs:
return []
dic = {}
ans = []
for s in strs:
temp = ''.join(sorted(s))
if temp in dic:
dic[temp].append(s)
else:
dic[temp] = [s]
for key in dic:
ans.append(dic[key])
return ans
def group_anagram(self, strs):
if not strs:
return []
dic = {}
ans = []
index = 0
for i in range(len(strs)):
s = ''.join(sorted(strs[i]))
if s in dic:
ans[dic[s]].append(strs[i])
else:
dic[s] = index
ans.append([strs[i]])
index += 1
return ans
obj = Solution()
str1 = ['eat', 'eta', 'ate', 'aet', 'pen', 'epn', 'number', 'call', 'llac']
print(obj.group_anagram(str1))
|
def _chomp_element(base, index, value):
"""Implementation of perl = and chomp on an array element"""
if value is None:
value = ''
base[index] = value.rstrip("\n")
return len(value) - len(base[index])
|
class Credentials:
BASE_URL = "http://localhost:8080"
# Login Page
LOGIN_PAGE_TITLE = "OpenProject"
USERNAME = "admin"
PASSWORD = "qazwsxedcr"
# Home Page
HOME_PAGE_TITLE = "OpenProject"
HOME_PAGE_SELECTED_PROJECT = "TestProject1"
# New Project page
NEW_PROJECT_PAGE_TITLE = "New project | OpenProject"
NEW_PROJECT_NAME = "Hello World! 1#2@3"
NEW_PROJECT_DESCRIPTION = "French fries, or simply fries, chips, finger chips, hot chips or French-fried potatoes, are deep-fried potatoes, which have been cut into batons."
NEW_PROJECT_STATUS = "On track"
# Project Overview Page
PROJECT_OVERVIEW_PAGE_TITLE = "Overview"
# Work Packages Page
WORK_PACKAGES_PAGE_TITLE_1 = "Work Packages | {} | OpenProject"
WORK_PACKAGES_PAGE_TITLE_2 = "All open | {} | OpenProject"
WORK_PACKAGE_FORM_TITLE = "New TASK"
NEW_TASK_TYPE = "TASK"
NEW_TASK_SUBJECT = "My Task 1"
NEW_TASK_DESCRIPTION = "123 @ # $ ./ - Lorem ipsum dolor sit amet, consectetur adipiscing elit. In eleifend at magna eu lobortis. Vestibulum ante ipsum primis in faucibus orci luctus et " \
"ultrices posuere cubilia curae; Aenean quis sodales lacus. Interdum et malesuada fames ac ante ipsum primis in faucibus. Phasellus accumsan consectetur arcu, " \
"eu pellentesque nunc gravida et. Sed posuere non massa sit amet mattis. Aenean fermentum euismod purus, id elementum nisl vulputate nec. Integer quis urna molestie, " \
"interdum orci quis, molestie ligula. Suspendisse potenti. Etiam placerat, turpis id convallis sagittis, magna metus porta eros, in finibus sapien arcu ac tortor. " \
"Praesent tempus, nibh ornare pulvinar placerat, augue elit dictum arcu, sit amet ultricies erat ante fermentum metus. "
NEW_WORK_PACKAGE_PAGE_TITLE = "New work package | {} | OpenProject"
CREATED_TASK_PAGE_TITLE = "Task: {} (#{}) | {} | OpenProject"
|
# 数据库类别
# 付费的商用数据库
'''
Oracle
SQL Server 微软自家产品,windows定制专款
DB2 IBM产品
Sybase
'''
# 开源数据库
'''
MySQL
PostgreSQL
sqlite 嵌入式数据库,适合桌面和移动应用
''' |
'''
THE PROBLEM
A prime number (or a prime) is a natural number greater than 1 that has
no positive divisors other than 1 and itself.
The property of being prime is called primality. A simple but slow method of
verifying the primality of a given number is known as trial division. It
consists of testing whether is a multiple of any integer between 2 and√ .
'''
'''
THE BASIC
Write a program that, given a number comprised between 2 and 49, returns
if it is a prime number or not. We can assume that the computer knows
(stores) that [2, 3, 5, 7] are prime numbers.
'''
prime = [2,3,5,7]
print(prime)
input = int(input("Enter Your Number: "))
valid=True
for i in prime:
if(input%i==0):
valid=False
pass
pass
print( 'prime' if valid else 'non-prime' ) |
x1 = float(input("Enter x1: "))
y1 = float(input("Enter y1: "))
x2 = float(input("Enter x2: "))
y2 = float(input("Enter y2: "))
m = (y2 - y1) / (x2 - x1)
print("Gradient is {:g}".format(m))
c = y1 - (m * x1)
print("y-int is {:g}".format(c))
print("Equation: y = {:g}x + {:g}".format(m,c)) |
# See https://developers.notion.com/reference/request-limits
RICH_TEXT_CONTENT_MAX_LENGTH = 2000
RICH_TEXT_LINK_MAX_LENGTH = 1000
EQUATION_EXPRESSION_MAX_LENGTH = 1000 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.