content stringlengths 7 1.05M | fixed_cases stringlengths 1 1.28M |
|---|---|
# Copyright (c) 2018 PrimeVR
# Distributed under the MIT software license, see the accompanying
# file LICENSE or http://www.opensource.org/licenses/mit-license.php
def united_bitcoin_qualification(span):
ubtc_start = 494000
ubtc_end = 502315
if not span['defunded']:
return None
if (span['defunded']['block'] < ubtc_end and
span['defunded']['block'] > ubtc_start):
return span['defunded']['value']
return None
UNITED_BITCOIN = {
'id': 'united-bitcoin',
'qualification': united_bitcoin_qualification,
}
| def united_bitcoin_qualification(span):
ubtc_start = 494000
ubtc_end = 502315
if not span['defunded']:
return None
if span['defunded']['block'] < ubtc_end and span['defunded']['block'] > ubtc_start:
return span['defunded']['value']
return None
united_bitcoin = {'id': 'united-bitcoin', 'qualification': united_bitcoin_qualification} |
class Protocol:
def __init__(self, data):
self.iniciator = data.get('iniciator', {})
self.responder = data.get('responder', {})
| class Protocol:
def __init__(self, data):
self.iniciator = data.get('iniciator', {})
self.responder = data.get('responder', {}) |
N = int(input())
t_list = [int(input()) for _ in range(N)]
if N == 1:
print(t_list[0])
exit()
ans = float("inf")
for bit in range(2 ** N):
one = 0
zero = 0
for j in range(N):
if 1 & bit >> j:
one += t_list[j]
else:
zero += t_list[j]
ans = min(ans, max(one, zero))
print(ans)
| n = int(input())
t_list = [int(input()) for _ in range(N)]
if N == 1:
print(t_list[0])
exit()
ans = float('inf')
for bit in range(2 ** N):
one = 0
zero = 0
for j in range(N):
if 1 & bit >> j:
one += t_list[j]
else:
zero += t_list[j]
ans = min(ans, max(one, zero))
print(ans) |
# This controls how frequently the whole batch is iterated over vs only
# {QUICK_EVAL_PERCENT} of the data
QUICK_EVAL_FREQUENCY = 0
QUICK_EVAL_PERCENT = 0.05
QUICK_EVAL_TRAIN_PERCENT = 0.025
def train(
device,
model,
manifold,
dimension,
data,
optimizer,
loss_params,
n_epochs,
eval_every,
sample_neighbors_every,
lr_scheduler,
shared_params,
thread_number,
feature_manifold,
conformal_loss_params,
tensorboard_watch={},
eval_data=None
):
batch_num = 0
reporter = MemReporter()
for epoch in range(1, n_epochs + 1):
batch_losses = []
if conformal_loss_params is not None:
batch_conf_losses = []
t_start = timeit.default_timer()
if (epoch - 1) % sample_neighbors_every == 0 and thread_number == 0:
optimizer.zero_grad()
inputs = None
graph_dists = None
conf_loss = None
loss = None
# import gc; gc.collect()
# torch.cuda.empty_cache()
with torch.no_grad():
model.to(device)
nns = data.refresh_manifold_nn(model.get_embedding_matrix(), manifold,
return_nns=True)
if eval_data is not None:
eval_data.refresh_manifold_nn(model.get_embedding_matrix(), manifold,
manifold_nns=nns)
if epoch > 1:
syn_acc, sem_acc = embed_eval.eval_analogy(model, manifold, nns)
write_tensorboard('add_scalar', ['syn_acc', syn_acc, epoch - 1])
write_tensorboard('add_scalar', ['sem_acc', sem_acc, epoch - 1])
# import gc; gc.collect()
# torch.cuda.empty_cache()
data_iterator = tqdm(data) if thread_number == 0 else data
for batch in data_iterator:
if batch_num % eval_every == 0 and thread_number == 0:
mean_loss = 0 # float(np.mean(batch_losses)) use to eval every batch setting this to zero as its only used for printing output
savable_model = model.get_savable_model()
save_data = {
'epoch': epoch
}
if data.features is not None:
save_data["features"] = data.features
if model.get_additional_embeddings() is not None:
save_data[
"additional_embeddings_state_dict"] = model.get_additional_embeddings().state_dict()
if hasattr(model, "main_deltas"):
save_data["main_deltas_state_dict"] = model.main_deltas.state_dict()
if hasattr(model, "additional_deltas"):
save_data[
"additional_deltas_state_dict"] = model.additional_deltas.state_dict()
save_data["deltas"] = model.deltas
save_data.update(shared_params)
path = save_model(savable_model, save_data)
elapsed = 0 # Used to eval every batch setting this to zero as its only used for printing output
# embed_eval.eval_wordsim_benchmarks(model, manifold, device=device, iteration=batch_num)
if eval_data is not None:
with torch.no_grad():
hitsat10 = 0
rank_sum = 0
rec_rank_sum = 0
num_ranks = 0
if QUICK_EVAL_FREQUENCY > 0 and batch_num % (
eval_every * QUICK_EVAL_FREQUENCY) == 0:
eval_data.data_fraction = 1
total_eval = True
else:
eval_data.data_fraction = QUICK_EVAL_PERCENT
total_eval = False
eval_data.compute_train_ranks = False
for eval_batch in tqdm(eval_data):
inputs, graph_dists = eval_batch
inputs = inputs.to(device)
graph_dists = graph_dists.to(device)
input_embeddings = model(inputs)
sample_vertices = input_embeddings.narrow(1, 1,
input_embeddings.size(1) - 1)
main_vertices = input_embeddings.narrow(1, 0, 1).expand_as(
sample_vertices)
manifold_dists = manifold.dist(main_vertices, sample_vertices)
sorted_indices = manifold_dists.argsort(dim=-1)
manifold_dists_sorted = torch.gather(manifold_dists, -1, sorted_indices)
n_neighbors = (graph_dists < 2).sum(dim=-1)
batch_nums, neighbor_ranks = (
sorted_indices < n_neighbors.unsqueeze(1)).nonzero(
as_tuple=True)
neighbor_ranks += 1
adjust_indices = torch.arange(n_neighbors.max())
neighbor_adjustements = torch.cat(
[adjust_indices[:n_neighbors[i]] for i in
range(n_neighbors.size(0))])
neighbor_ranks -= neighbor_adjustements.to(device)
neighbor_ranks = neighbor_ranks.float()
rec_ranks = 1 / neighbor_ranks
hitsat10 += (neighbor_ranks <= 10).sum().cpu().numpy()
rank_sum += neighbor_ranks.sum().cpu().numpy()
rec_rank_sum += rec_ranks.sum().cpu().numpy()
num_ranks += neighbor_ranks.size(0)
mean_rank = rank_sum / num_ranks
mean_rec_rank = rec_rank_sum / num_ranks
hitsat10 = hitsat10 / num_ranks
postfix = "_approx"
if total_eval:
postfix = ""
write_tensorboard('add_scalar',
[f'mean_rank{postfix}', mean_rank, batch_num])
write_tensorboard('add_scalar',
[f'mean_rec_rank{postfix}', mean_rec_rank, batch_num])
write_tensorboard('add_scalar', [f'hitsat10{postfix}', hitsat10, batch_num])
if eval_data.is_eval:
hitsat10 = 0
rank_sum = 0
rec_rank_sum = 0
num_ranks = 0
eval_data.data_fraction = QUICK_EVAL_TRAIN_PERCENT
eval_data.compute_train_ranks = True
for eval_batch in tqdm(eval_data):
inputs, graph_dists = eval_batch
inputs = inputs.to(device)
graph_dists = graph_dists.to(device)
input_embeddings = model(inputs)
sample_vertices = input_embeddings.narrow(1, 1,
input_embeddings.size(
1) - 1)
main_vertices = input_embeddings.narrow(1, 0, 1).expand_as(
sample_vertices)
manifold_dists = manifold.dist(main_vertices, sample_vertices)
sorted_indices = manifold_dists.argsort(dim=-1)
manifold_dists_sorted = torch.gather(manifold_dists, -1,
sorted_indices)
n_neighbors = (graph_dists < 2).sum(dim=-1)
batch_nums, neighbor_ranks = (
sorted_indices < n_neighbors.unsqueeze(1)).nonzero(
as_tuple=True)
neighbor_ranks += 1
adjust_indices = torch.arange(n_neighbors.max())
neighbor_adjustements = torch.cat(
[adjust_indices[:n_neighbors[i]] for i in
range(n_neighbors.size(0))])
neighbor_ranks -= neighbor_adjustements.to(device)
neighbor_ranks = neighbor_ranks.float()
rec_ranks = 1 / neighbor_ranks
hitsat10 += (neighbor_ranks <= 10).sum().cpu().numpy()
rank_sum += neighbor_ranks.sum().cpu().numpy()
rec_rank_sum += rec_ranks.sum().cpu().numpy()
num_ranks += neighbor_ranks.size(0)
mean_rank = rank_sum / num_ranks
mean_rec_rank = rec_rank_sum / num_ranks
hitsat10 = hitsat10 / num_ranks
write_tensorboard('add_scalar',
[f'mean_rank_train', mean_rank, batch_num])
write_tensorboard('add_scalar',
[f'mean_rec_rank_train', mean_rec_rank, batch_num])
write_tensorboard('add_scalar',
[f'hitsat10_train', hitsat10, batch_num])
del manifold_dists, manifold_dists_sorted, sample_vertices, main_vertices, input_embeddings
# import gc;gc.collect()
# torch.cuda.empty_cache()
print(model)
reporter.report()
conf_loss = None
delta_loss = None
inputs, graph_dists = batch
inputs = inputs.to(device)
graph_dists = graph_dists.to(device)
optimizer.zero_grad()
rand_val = random.random()
optimizing_model = False
if hasattr(model, "get_additional_embeddings"):
if rand_val > .6:
optimizing_model = False
optimizing_deltas = False
# model.deltas = True
for p in model.parameters():
p.requires_grad = False
for p in model.get_additional_embeddings().parameters():
p.requires_grad = True
if model.deltas:
for p in model.main_deltas.parameters():
p.requires_grad = False
if hasattr(model, "additional_deltas"):
for p in model.additional_deltas.parameters():
p.requires_grad = False
# elif rand_val > 0.3:
elif rand_val > 0:
optimizing_model = True
optimizing_deltas = False
# model.deltas = True
for p in model.parameters():
p.requires_grad = True
for p in model.get_additional_embeddings().parameters():
p.requires_grad = False
if model.deltas:
for p in model.main_deltas.parameters():
p.requires_grad = False
if hasattr(model, "additional_deltas"):
for p in model.additional_deltas.parameters():
p.requires_grad = False
else:
optimizing_model = False
optimizing_deltas = True
model.deltas = True
for p in model.parameters():
p.requires_grad = False
for p in model.get_additional_embeddings().parameters():
p.requires_grad = False
if model.deltas:
for p in model.main_deltas.parameters():
p.requires_grad = True
if hasattr(model, "additional_deltas"):
for p in model.additional_deltas.parameters():
p.requires_grad = True
loss = 0.01 * manifold_dist_loss_relu_sum(model, inputs, graph_dists, manifold,
**loss_params)
loss.backward()
loss_grad_norm = optimizer.step()
batch_losses.append(loss.cpu().detach().numpy())
del loss
# import gc;gc.collect()
# torch.cuda.empty_cache()
if optimizing_model and hasattr(model,
'embedding_model') and conformal_loss_params is not None and epoch % \
conformal_loss_params["update_every"] == 0:
optimizer.zero_grad()
main_inputs = inputs.narrow(1, 0, 1).squeeze(1).clone().detach()
perm = torch.randperm(main_inputs.size(0))
idx = perm[:conformal_loss_params["num_samples"]]
main_inputs = main_inputs[idx]
# model.deltas = False
conf_loss = 0.5 * metric_loss(model, main_inputs, feature_manifold, manifold,
dimension,
isometric=conformal_loss_params["isometric"],
random_samples=conformal_loss_params[
"random_samples"],
random_init=conformal_loss_params["random_init"])
conf_loss.backward()
conf_loss_grad_norm = optimizer.step()
batch_conf_losses.append(conf_loss.cpu().detach().numpy())
if thread_number == 0:
write_tensorboard('add_scalar',
['minibatch_conf_loss', float(batch_conf_losses[-1]),
batch_num])
write_tensorboard('add_scalar',
['conf_loss_gradient_norm', conf_loss_grad_norm, batch_num])
del conf_loss
# import gc;gc.collect()
# torch.cuda.empty_cache()
# model.deltas = True
if hasattr(model, 'main_deltas') and optimizing_deltas:
main_inputs = inputs.view(inputs.shape[0], -1)
vals = model.main_deltas(
model.index_map[main_inputs][model.index_map[main_inputs] >= 0])
mean_deltas = torch.mean(torch.norm(vals, dim=-1))
delta_loss = 0.03 * torch.sum(torch.norm(vals, dim=-1) ** 2)
'''
total_loss = None
if conformal_loss_params is not None and conf_loss is not None:
total_loss = (1 - conformal_loss_params["weight"]) * loss + conformal_loss_params["weight"] * conf_loss
if delta_loss is not None:
# total_loss += delta_loss
pass
total_loss.backward()
else:
if conformal_loss_params is not None:
scaled_loss = (1 - conformal_loss_params["weight"]) * loss
else:
scaled_loss = loss
if delta_loss is not None:
scaled_loss += delta_loss
scaled_loss.backward()
'''
if thread_number == 0:
write_tensorboard('add_scalar',
['minibatch_loss', float(batch_losses[-1]), batch_num])
write_tensorboard('add_scalar', ['gradient_norm', loss_grad_norm, batch_num])
'''
if total_loss is not None:
write_tensorboard('add_scalar', ['minibatch_total_loss', total_loss.cpu().detach().numpy(), batch_num])
'''
if delta_loss is not None:
write_tensorboard('add_scalar',
['minibatch_delta_loss', delta_loss.cpu().detach().numpy(),
batch_num])
write_tensorboard('add_scalar',
['minibatch_delta_mean', mean_deltas.cpu().detach().numpy(),
batch_num])
for name, value in tensorboard_watch.items():
write_tensorboard('add_scalar', [name, value.cpu().detach().numpy(), batch_num])
elapsed = timeit.default_timer() - t_start
batch_num += 1
mean_loss = float(np.mean(batch_losses))
if thread_number == 0:
if conformal_loss_params is not None and len(batch_conf_losses) > 0:
mean_conf_loss = float(np.mean(batch_conf_losses))
metric_loss_type = "isometric" if conformal_loss_params[
"isometric"] else "conformal"
write_tensorboard('add_scalar',
[f'batch_{metric_loss_type}_loss', mean_conf_loss, epoch])
write_tensorboard('add_scalar', ['batch_loss', mean_loss, epoch])
write_tensorboard('add_scalar', ['learning_rate', lr_scheduler.get_lr()[0], epoch])
lr_scheduler.step()
| quick_eval_frequency = 0
quick_eval_percent = 0.05
quick_eval_train_percent = 0.025
def train(device, model, manifold, dimension, data, optimizer, loss_params, n_epochs, eval_every, sample_neighbors_every, lr_scheduler, shared_params, thread_number, feature_manifold, conformal_loss_params, tensorboard_watch={}, eval_data=None):
batch_num = 0
reporter = mem_reporter()
for epoch in range(1, n_epochs + 1):
batch_losses = []
if conformal_loss_params is not None:
batch_conf_losses = []
t_start = timeit.default_timer()
if (epoch - 1) % sample_neighbors_every == 0 and thread_number == 0:
optimizer.zero_grad()
inputs = None
graph_dists = None
conf_loss = None
loss = None
with torch.no_grad():
model.to(device)
nns = data.refresh_manifold_nn(model.get_embedding_matrix(), manifold, return_nns=True)
if eval_data is not None:
eval_data.refresh_manifold_nn(model.get_embedding_matrix(), manifold, manifold_nns=nns)
if epoch > 1:
(syn_acc, sem_acc) = embed_eval.eval_analogy(model, manifold, nns)
write_tensorboard('add_scalar', ['syn_acc', syn_acc, epoch - 1])
write_tensorboard('add_scalar', ['sem_acc', sem_acc, epoch - 1])
data_iterator = tqdm(data) if thread_number == 0 else data
for batch in data_iterator:
if batch_num % eval_every == 0 and thread_number == 0:
mean_loss = 0
savable_model = model.get_savable_model()
save_data = {'epoch': epoch}
if data.features is not None:
save_data['features'] = data.features
if model.get_additional_embeddings() is not None:
save_data['additional_embeddings_state_dict'] = model.get_additional_embeddings().state_dict()
if hasattr(model, 'main_deltas'):
save_data['main_deltas_state_dict'] = model.main_deltas.state_dict()
if hasattr(model, 'additional_deltas'):
save_data['additional_deltas_state_dict'] = model.additional_deltas.state_dict()
save_data['deltas'] = model.deltas
save_data.update(shared_params)
path = save_model(savable_model, save_data)
elapsed = 0
if eval_data is not None:
with torch.no_grad():
hitsat10 = 0
rank_sum = 0
rec_rank_sum = 0
num_ranks = 0
if QUICK_EVAL_FREQUENCY > 0 and batch_num % (eval_every * QUICK_EVAL_FREQUENCY) == 0:
eval_data.data_fraction = 1
total_eval = True
else:
eval_data.data_fraction = QUICK_EVAL_PERCENT
total_eval = False
eval_data.compute_train_ranks = False
for eval_batch in tqdm(eval_data):
(inputs, graph_dists) = eval_batch
inputs = inputs.to(device)
graph_dists = graph_dists.to(device)
input_embeddings = model(inputs)
sample_vertices = input_embeddings.narrow(1, 1, input_embeddings.size(1) - 1)
main_vertices = input_embeddings.narrow(1, 0, 1).expand_as(sample_vertices)
manifold_dists = manifold.dist(main_vertices, sample_vertices)
sorted_indices = manifold_dists.argsort(dim=-1)
manifold_dists_sorted = torch.gather(manifold_dists, -1, sorted_indices)
n_neighbors = (graph_dists < 2).sum(dim=-1)
(batch_nums, neighbor_ranks) = (sorted_indices < n_neighbors.unsqueeze(1)).nonzero(as_tuple=True)
neighbor_ranks += 1
adjust_indices = torch.arange(n_neighbors.max())
neighbor_adjustements = torch.cat([adjust_indices[:n_neighbors[i]] for i in range(n_neighbors.size(0))])
neighbor_ranks -= neighbor_adjustements.to(device)
neighbor_ranks = neighbor_ranks.float()
rec_ranks = 1 / neighbor_ranks
hitsat10 += (neighbor_ranks <= 10).sum().cpu().numpy()
rank_sum += neighbor_ranks.sum().cpu().numpy()
rec_rank_sum += rec_ranks.sum().cpu().numpy()
num_ranks += neighbor_ranks.size(0)
mean_rank = rank_sum / num_ranks
mean_rec_rank = rec_rank_sum / num_ranks
hitsat10 = hitsat10 / num_ranks
postfix = '_approx'
if total_eval:
postfix = ''
write_tensorboard('add_scalar', [f'mean_rank{postfix}', mean_rank, batch_num])
write_tensorboard('add_scalar', [f'mean_rec_rank{postfix}', mean_rec_rank, batch_num])
write_tensorboard('add_scalar', [f'hitsat10{postfix}', hitsat10, batch_num])
if eval_data.is_eval:
hitsat10 = 0
rank_sum = 0
rec_rank_sum = 0
num_ranks = 0
eval_data.data_fraction = QUICK_EVAL_TRAIN_PERCENT
eval_data.compute_train_ranks = True
for eval_batch in tqdm(eval_data):
(inputs, graph_dists) = eval_batch
inputs = inputs.to(device)
graph_dists = graph_dists.to(device)
input_embeddings = model(inputs)
sample_vertices = input_embeddings.narrow(1, 1, input_embeddings.size(1) - 1)
main_vertices = input_embeddings.narrow(1, 0, 1).expand_as(sample_vertices)
manifold_dists = manifold.dist(main_vertices, sample_vertices)
sorted_indices = manifold_dists.argsort(dim=-1)
manifold_dists_sorted = torch.gather(manifold_dists, -1, sorted_indices)
n_neighbors = (graph_dists < 2).sum(dim=-1)
(batch_nums, neighbor_ranks) = (sorted_indices < n_neighbors.unsqueeze(1)).nonzero(as_tuple=True)
neighbor_ranks += 1
adjust_indices = torch.arange(n_neighbors.max())
neighbor_adjustements = torch.cat([adjust_indices[:n_neighbors[i]] for i in range(n_neighbors.size(0))])
neighbor_ranks -= neighbor_adjustements.to(device)
neighbor_ranks = neighbor_ranks.float()
rec_ranks = 1 / neighbor_ranks
hitsat10 += (neighbor_ranks <= 10).sum().cpu().numpy()
rank_sum += neighbor_ranks.sum().cpu().numpy()
rec_rank_sum += rec_ranks.sum().cpu().numpy()
num_ranks += neighbor_ranks.size(0)
mean_rank = rank_sum / num_ranks
mean_rec_rank = rec_rank_sum / num_ranks
hitsat10 = hitsat10 / num_ranks
write_tensorboard('add_scalar', [f'mean_rank_train', mean_rank, batch_num])
write_tensorboard('add_scalar', [f'mean_rec_rank_train', mean_rec_rank, batch_num])
write_tensorboard('add_scalar', [f'hitsat10_train', hitsat10, batch_num])
del manifold_dists, manifold_dists_sorted, sample_vertices, main_vertices, input_embeddings
print(model)
reporter.report()
conf_loss = None
delta_loss = None
(inputs, graph_dists) = batch
inputs = inputs.to(device)
graph_dists = graph_dists.to(device)
optimizer.zero_grad()
rand_val = random.random()
optimizing_model = False
if hasattr(model, 'get_additional_embeddings'):
if rand_val > 0.6:
optimizing_model = False
optimizing_deltas = False
for p in model.parameters():
p.requires_grad = False
for p in model.get_additional_embeddings().parameters():
p.requires_grad = True
if model.deltas:
for p in model.main_deltas.parameters():
p.requires_grad = False
if hasattr(model, 'additional_deltas'):
for p in model.additional_deltas.parameters():
p.requires_grad = False
elif rand_val > 0:
optimizing_model = True
optimizing_deltas = False
for p in model.parameters():
p.requires_grad = True
for p in model.get_additional_embeddings().parameters():
p.requires_grad = False
if model.deltas:
for p in model.main_deltas.parameters():
p.requires_grad = False
if hasattr(model, 'additional_deltas'):
for p in model.additional_deltas.parameters():
p.requires_grad = False
else:
optimizing_model = False
optimizing_deltas = True
model.deltas = True
for p in model.parameters():
p.requires_grad = False
for p in model.get_additional_embeddings().parameters():
p.requires_grad = False
if model.deltas:
for p in model.main_deltas.parameters():
p.requires_grad = True
if hasattr(model, 'additional_deltas'):
for p in model.additional_deltas.parameters():
p.requires_grad = True
loss = 0.01 * manifold_dist_loss_relu_sum(model, inputs, graph_dists, manifold, **loss_params)
loss.backward()
loss_grad_norm = optimizer.step()
batch_losses.append(loss.cpu().detach().numpy())
del loss
if optimizing_model and hasattr(model, 'embedding_model') and (conformal_loss_params is not None) and (epoch % conformal_loss_params['update_every'] == 0):
optimizer.zero_grad()
main_inputs = inputs.narrow(1, 0, 1).squeeze(1).clone().detach()
perm = torch.randperm(main_inputs.size(0))
idx = perm[:conformal_loss_params['num_samples']]
main_inputs = main_inputs[idx]
conf_loss = 0.5 * metric_loss(model, main_inputs, feature_manifold, manifold, dimension, isometric=conformal_loss_params['isometric'], random_samples=conformal_loss_params['random_samples'], random_init=conformal_loss_params['random_init'])
conf_loss.backward()
conf_loss_grad_norm = optimizer.step()
batch_conf_losses.append(conf_loss.cpu().detach().numpy())
if thread_number == 0:
write_tensorboard('add_scalar', ['minibatch_conf_loss', float(batch_conf_losses[-1]), batch_num])
write_tensorboard('add_scalar', ['conf_loss_gradient_norm', conf_loss_grad_norm, batch_num])
del conf_loss
if hasattr(model, 'main_deltas') and optimizing_deltas:
main_inputs = inputs.view(inputs.shape[0], -1)
vals = model.main_deltas(model.index_map[main_inputs][model.index_map[main_inputs] >= 0])
mean_deltas = torch.mean(torch.norm(vals, dim=-1))
delta_loss = 0.03 * torch.sum(torch.norm(vals, dim=-1) ** 2)
'\n total_loss = None\n if conformal_loss_params is not None and conf_loss is not None:\n total_loss = (1 - conformal_loss_params["weight"]) * loss + conformal_loss_params["weight"] * conf_loss\n if delta_loss is not None:\n # total_loss += delta_loss\n pass\n total_loss.backward()\n else:\n if conformal_loss_params is not None:\n scaled_loss = (1 - conformal_loss_params["weight"]) * loss\n else:\n scaled_loss = loss\n\n if delta_loss is not None:\n scaled_loss += delta_loss\n scaled_loss.backward()\n '
if thread_number == 0:
write_tensorboard('add_scalar', ['minibatch_loss', float(batch_losses[-1]), batch_num])
write_tensorboard('add_scalar', ['gradient_norm', loss_grad_norm, batch_num])
"\n if total_loss is not None:\n write_tensorboard('add_scalar', ['minibatch_total_loss', total_loss.cpu().detach().numpy(), batch_num])\n "
if delta_loss is not None:
write_tensorboard('add_scalar', ['minibatch_delta_loss', delta_loss.cpu().detach().numpy(), batch_num])
write_tensorboard('add_scalar', ['minibatch_delta_mean', mean_deltas.cpu().detach().numpy(), batch_num])
for (name, value) in tensorboard_watch.items():
write_tensorboard('add_scalar', [name, value.cpu().detach().numpy(), batch_num])
elapsed = timeit.default_timer() - t_start
batch_num += 1
mean_loss = float(np.mean(batch_losses))
if thread_number == 0:
if conformal_loss_params is not None and len(batch_conf_losses) > 0:
mean_conf_loss = float(np.mean(batch_conf_losses))
metric_loss_type = 'isometric' if conformal_loss_params['isometric'] else 'conformal'
write_tensorboard('add_scalar', [f'batch_{metric_loss_type}_loss', mean_conf_loss, epoch])
write_tensorboard('add_scalar', ['batch_loss', mean_loss, epoch])
write_tensorboard('add_scalar', ['learning_rate', lr_scheduler.get_lr()[0], epoch])
lr_scheduler.step() |
class MyClass:
def __init__(self, value): self.__value = value
def __int__(self): return int(self.__value)
c = MyClass(1.23)
print(int(c))
| class Myclass:
def __init__(self, value):
self.__value = value
def __int__(self):
return int(self.__value)
c = my_class(1.23)
print(int(c)) |
# AUTOGENERATED BY NBDEV! DO NOT EDIT!
__all__ = ["index", "modules", "custom_doc_links", "git_url"]
index = {"component_save_data_fixture": "tst.components.ipynb",
"column_transformer_data_fixture": "tst.compose.ipynb",
"multi_split_data_fixture": "tst.compose.ipynb",
"test_pipeline_find_last_fitted_model_seq_others": "tst.compose.ipynb",
"test_pipeline_find_last_fitted_model_parallel_2": "tst.compose.ipynb",
"test_data_conversion_sequential_parallel_column_transformer": "tst.compose.ipynb",
"example_people_data_fixture": "tst.nbdev_utils.ipynb",
"Splitter": "blocks.ipynb",
"test_splitter": "blocks.ipynb",
"DoubleKFoldBase": "blocks.ipynb",
"SingleKFold": "blocks.ipynb",
"test_single_kfold": "blocks.ipynb",
"FixedDoubleKFold": "blocks.ipynb",
"test_fixed_double_kfold": "blocks.ipynb",
"SkSplitGenerator": "blocks.ipynb",
"test_sksplit_generator": "blocks.ipynb",
"PandasEvaluator": "blocks.ipynb",
"test_pandas_evaluator": "blocks.ipynb",
"OneHotEncoder": "preprocessing.ipynb",
"test_one_hot_encoder": "preprocessing.ipynb",
"WindowGenerator": "preprocessing.ipynb",
"generate_input_for_window_generator": "data_conversion.ipynb",
"test_window_generator": "preprocessing.ipynb",
"WindowAggregator": "preprocessing.ipynb",
"test_window_aggregator": "preprocessing.ipynb",
"path_results": "config.bt_defaults.ipynb",
"path_models": "config.bt_defaults.ipynb",
"path_data": "config.bt_defaults.ipynb",
"file_format": "config.bt_defaults.ipynb",
"verbose": "config.bt_defaults.ipynb",
"name_logger": "config.bt_defaults.ipynb",
"save_splits": "config.bt_defaults.ipynb",
"group": "config.bt_defaults.ipynb",
"error_if_present": "config.bt_defaults.ipynb",
"overwrite_field": "config.bt_defaults.ipynb",
"mode_logger": "config.bt_defaults.ipynb",
"separate_labels": "config.bt_defaults.ipynb",
"warning_if_nick_name_exists": "config.bt_defaults.ipynb",
"propagate": "config.bt_defaults.ipynb",
"path_session_folder": "config.bt_defaults.ipynb",
"session_filename": "config.bt_defaults.ipynb",
"path_logger_folder": "config.bt_defaults.ipynb",
"logger_filename": "config.bt_defaults.ipynb",
"logger_null_filename": "config.bt_defaults.ipynb",
"stdout_logger": "config.bt_defaults.ipynb",
"null_name_logger": "config.bt_defaults.ipynb",
"Component": "components.ipynb",
"test_component_config": "components.ipynb",
"test_component_store_attrs": "components.ipynb",
"test_component_aliases": "components.ipynb",
"test_component_predict": "components.ipynb",
"test_component_multiple_inputs": "components.ipynb",
"TransformWithFitApply": "components.ipynb",
"TransformWithoutFitApply": "components.ipynb",
"test_component_fit_apply": "components.ipynb",
"MyDataConverter": "components.ipynb",
"TransformWithFitApplyDC": "components.ipynb",
"test_component_validation_test": "components.ipynb",
"TransformWithoutFitApply2": "components.ipynb",
"TransformWithFitApply2": "components.ipynb",
"component_save_data": "components.ipynb",
"test_component_save_load": "components.ipynb",
"Transform1": "compose.ipynb",
"test_component_run_depend_on_existence": "components.ipynb",
"test_component_logger": "components.ipynb",
"test_component_data_converter": "components.ipynb",
"test_component_data_io": "components.ipynb",
"test_component_equal": "components.ipynb",
"test_set_paths": "components.ipynb",
"TransformWithoutFit": "components.ipynb",
"TransformWithFitApplyOnly": "components.ipynb",
"test_determine_fit_function": "components.ipynb",
"test_use_fit_from_loaded_estimator": "components.ipynb",
"test_direct_methods": "components.ipynb",
"test_pass_apply": "components.ipynb",
"test_get_specific_data_io_parameters_for_component": "components.ipynb",
"test_get_specific_data_io_parameters": "components.ipynb",
"test_standard_converter_in_component": "components.ipynb",
"test_set_suffix": "compose.ipynb",
"SamplingComponent": "components.ipynb",
"test_sampling_component": "components.ipynb",
"SklearnComponent": "components.ipynb",
"PickleSaverComponent": "components.ipynb",
"test_sklearn_component": "components.ipynb",
"NoSaverComponent": "components.ipynb",
"test_no_saver_component": "components.ipynb",
"OneClassSklearnComponent": "components.ipynb",
"get_data_for_one_class": "components.ipynb",
"test_one_class_sklearn_component": "components.ipynb",
"PandasComponent": "components.ipynb",
"test_pandas_component": "components.ipynb",
"MultiComponent": "compose.ipynb",
"SimpleMultiComponent": "compose.ipynb",
"test_multi_comp_io": "compose.ipynb",
"test_multi_comp_desc": "compose.ipynb",
"test_athena_pipeline_training": "compose.ipynb",
"test_gather_and_save_info": "compose.ipynb",
"test_multi_comp_hierarchy": "compose.ipynb",
"test_multi_comp_profiling": "compose.ipynb",
"test_multi_comp_all_equal": "compose.ipynb",
"test_multi_component_setters": "compose.ipynb",
"test_show_result_statistics": "compose.ipynb",
"test_pass_components": "compose.ipynb",
"test_chain_folders": "compose.ipynb",
"test_set_root": "compose.ipynb",
"test_set_root_2": "compose.ipynb",
"test_pass_functions_to_multi_component": "compose.ipynb",
"Pipeline": "compose.ipynb",
"Sequential": "compose.ipynb",
"Transform2": "compose.ipynb",
"SimplePipeline": "compose.ipynb",
"test_pipeline_fit_apply": "compose.ipynb",
"test_pipeline_fit_apply_bis": "compose.ipynb",
"test_pipeline_new_comp": "compose.ipynb",
"test_pipeline_set_comp": "compose.ipynb",
"test_pipeline_load_estimator": "compose.ipynb",
"build_pipeline_construct_diagram_1": "compose.ipynb",
"build_pipeline_construct_diagram_2": "compose.ipynb",
"test_construct_diagram": "compose.ipynb",
"test_show_summary": "compose.ipynb",
"test_multi_comp_profiling2": "compose.ipynb",
"make_pipeline": "compose.ipynb",
"test_make_pipeline": "compose.ipynb",
"pipeline_factory": "compose.ipynb",
"test_pipeline_factory": "compose.ipynb",
"PandasPipeline": "compose.ipynb",
"PandasTransformWithLabels1": "compose.ipynb",
"PandasTransformWithLabels2": "compose.ipynb",
"SimplePandasPipeline": "compose.ipynb",
"TransformWithLabels1": "compose.ipynb",
"TransformWithLabels2": "compose.ipynb",
"SimplePandasPipelineNoPandasComponent": "compose.ipynb",
"test_pandas_pipeline": "compose.ipynb",
"Parallel": "compose.ipynb",
"test_parallel": "compose.ipynb",
"test_pipeline_find_last_result": "compose.ipynb",
"test_pipeline_find_last_result_parallel1": "compose.ipynb",
"test_pipeline_find_last_result_parallel2": "compose.ipynb",
"test_pipeline_find_last_result_parallel3": "compose.ipynb",
"test_pipeline_find_last_fitted_model_seq": "compose.ipynb",
"test_pipeline_find_last_fitted_model_parallel": "compose.ipynb",
"test_pipeline_find_last_fitted_model_parallel_remove": "compose.ipynb",
"MultiModality": "compose.ipynb",
"TransformM": "compose.ipynb",
"test_multi_modality": "compose.ipynb",
"ColumnSelector": "compose.ipynb",
"test_column_selector": "compose.ipynb",
"Concat": "compose.ipynb",
"test_concat": "compose.ipynb",
"ColumnTransformer": "compose.ipynb",
"Identity": "compose.ipynb",
"test_identity": "compose.ipynb",
"make_column_transformer_pipelines": "compose.ipynb",
"make_column_transformer": "compose.ipynb",
"column_transformer_data": "compose.ipynb",
"test_make_column_transformer": "compose.ipynb",
"test_make_column_transformer_passthrough": "compose.ipynb",
"test_make_column_transformer_remainder": "compose.ipynb",
"test_make_column_transformer_descendants": "compose.ipynb",
"test_make_column_transformer_fit_transform": "compose.ipynb",
"MultiSplitComponent": "compose.ipynb",
"MultiSplitDict": "compose.ipynb",
"multi_split_data": "compose.ipynb",
"test_multi_split_transform": "compose.ipynb",
"test_multi_split_fit": "compose.ipynb",
"test_multi_split_chain": "compose.ipynb",
"test_multi_split_io": "compose.ipynb",
"test_multi_split_non_dict": "compose.ipynb",
"test_multi_split_non_dict_bis": "compose.ipynb",
"MultiSplitDFColumn": "compose.ipynb",
"multi_split_data_df_column": "compose.ipynb",
"test_multi_split_df_column_transform": "compose.ipynb",
"test_multi_split_df_column_fit": "compose.ipynb",
"ParallelInstances": "compose.ipynb",
"CrossValidator": "compose.ipynb",
"test_cross_validator_1": "compose.ipynb",
"test_cross_validator_2": "compose.ipynb",
"test_cross_validator_3": "compose.ipynb",
"DataConverter": "data_conversion.ipynb",
"test_data_converter_functions": "data_conversion.ipynb",
"NoConverter": "data_conversion.ipynb",
"test_no_converter": "data_conversion.ipynb",
"GenericConverter": "data_conversion.ipynb",
"test_generic_converter": "data_conversion.ipynb",
"StandardConverter": "data_conversion.ipynb",
"test_standard_converter": "data_conversion.ipynb",
"PandasConverter": "data_conversion.ipynb",
"test_pandas_converter": "data_conversion.ipynb",
"Window2Dto3Dconverter": "data_conversion.ipynb",
"test_window2d_to_3d_converter": "data_conversion.ipynb",
"data_converter_factory": "data_conversion.ipynb",
"test_data_converter_factory": "data_conversion.ipynb",
"save_csv": "utils.ipynb",
"save_parquet": "utils.ipynb",
"save_multi_index_parquet": "utils.ipynb",
"save_keras_model": "utils.ipynb",
"save_csv_gz": "utils.ipynb",
"read_csv": "utils.ipynb",
"read_csv_gz": "utils.ipynb",
"load_keras_model": "utils.ipynb",
"estimator2io": "utils.ipynb",
"result2io": "utils.ipynb",
"DataIO": "utils.ipynb",
"DummyComponent": "utils.ipynb",
"test_data_io_folder": "utils.ipynb",
"dummy_component": "utils.ipynb",
"test_data_io_chaining": "utils.ipynb",
"PandasIO": "utils.ipynb",
"PickleIO": "utils.ipynb",
"SklearnIO": "utils.ipynb",
"NoSaverIO": "utils.ipynb",
"data_io_factory": "utils.ipynb",
"test_data_io_factory": "utils.ipynb",
"ModelPlotter": "utils.ipynb",
"Profiler": "utils.ipynb",
"test_profiler": "utils.ipynb",
"Comparator": "utils.ipynb",
"MyTransformComparator": "utils.ipynb",
"test_comparator": "utils.ipynb",
"test_comparator2": "utils.ipynb",
"camel_to_snake": "utils.ipynb",
"snake_to_camel": "utils.ipynb",
"DataSet": "datasets.ipynb",
"MyDataSet": "datasets.ipynb",
"test_dataset": "datasets.ipynb",
"dsblocks_install_git_hooks": "cli.ipynb",
"main_dsblocks_install_git_hooks": "cli.ipynb",
"test_dsblocks_install_git_hooks": "cli.ipynb",
"SumXY": "dummies.ipynb",
"DummyEstimator": "dummies.ipynb",
"Intermediate": "dummies.ipynb",
"Higher": "dummies.ipynb",
"Sum1": "dummies.ipynb",
"Multiply10": "dummies.ipynb",
"NewParallel": "dummies.ipynb",
"MinMaxClass": "dummies.ipynb",
"Min10": "dummies.ipynb",
"Max10": "dummies.ipynb",
"make_pipe_fit1": "dummies.ipynb",
"make_pipe_fit2": "dummies.ipynb",
"make_pipe1": "dummies.ipynb",
"make_pipe2": "dummies.ipynb",
"Min10direct": "dummies.ipynb",
"Max10direct": "dummies.ipynb",
"Sum1direct": "dummies.ipynb",
"Multiply10direct": "dummies.ipynb",
"MaxOfPositiveWithSeparateLabels": "dummies.ipynb",
"MinOfPositiveWithoutSeparateLabels": "dummies.ipynb",
"DataSource": "dummies.ipynb",
"subtract_xy": "dummies.ipynb",
"DummyClassifier": "dummies.ipynb",
"test_dummy_classifier": "dummies.ipynb",
"cd_root": "nbdev_utils.ipynb",
"nbdev_setup": "nbdev_utils.ipynb",
"TestRunner": "nbdev_utils.ipynb",
"example_people_data": "nbdev_utils.ipynb",
"myf": "nbdev_utils.ipynb",
"my_first_test": "nbdev_utils.ipynb",
"second_fails": "nbdev_utils.ipynb",
"third_fails": "nbdev_utils.ipynb",
"test_test_runner": "nbdev_utils.ipynb",
"test_test_runner_two_tests": "nbdev_utils.ipynb",
"test_test_runner_two_targets": "nbdev_utils.ipynb",
"test_cd_root": "nbdev_utils.ipynb",
"test_nbdev_setup": "nbdev_utils.ipynb",
"md": "nbdev_utils.ipynb",
"replace_imports": "nbdev_utils.ipynb",
"nbdev_build_test": "nbdev_utils.ipynb",
"create_fake_tests": "nbdev_utils.ipynb",
"test_nbdev_build_test": "nbdev_utils.ipynb",
"json_load": "utils.ipynb",
"json_dump": "utils.ipynb",
"make_reproducible": "utils.ipynb",
"test_make_reproducible": "utils.ipynb",
"get_logging_level": "utils.ipynb",
"delete_logger": "utils.ipynb",
"set_logger": "utils.ipynb",
"set_empty_logger": "utils.ipynb",
"set_verbosity": "utils.ipynb",
"test_set_logger": "utils.ipynb",
"remove_previous_results": "utils.ipynb",
"set_tf_loglevel": "utils.ipynb",
"test_set_tf_loglevel": "utils.ipynb",
"get_top_function": "utils.ipynb",
"test_get_top_function": "utils.ipynb",
"check_last_part": "utils.ipynb",
"test_check_last_part": "utils.ipynb",
"argnames": "utils.ipynb",
"store_attr": "utils.ipynb",
"test_store_attr": "utils.ipynb",
"get_specific_dict_param": "utils.ipynb",
"obtain_class_specific_attrs": "utils.ipynb",
"get_hierarchy_level": "utils.ipynb",
"test_get_hierarchy": "utils.ipynb",
"replace_attr_and_store": "utils.ipynb",
"test_replace_attr_and_store": "utils.ipynb",
"test_replace_attr_and_store_no_rec": "utils.ipynb"}
modules = ["tests/blocks/test_blocks.py",
"tests/blocks/test_preprocessing.py",
"tests/core/test_components.py",
"tests/core/test_compose.py",
"tests/core/test_data_conversion.py",
"tests/core/test_utils.py",
"tests/datasets/test_datasets.py",
"tests/utils/test_cli.py",
"tests/utils/test_dummies.py",
"tests/utils/test_nbdev_utils.py",
"tests/utils/test_utils.py",
"blocks/blocks.py",
"blocks/preprocessing.py",
"config/bt_defaults.py",
"core/components.py",
"core/compose.py",
"core/data_conversion.py",
"core/utils.py",
"datasets/datasets.py",
"utils/cli.py",
"utils/dummies.py",
"utils/nbdev_utils.py",
"utils/utils.py"]
doc_url = "https://Jaume-JCI.github.io/"
git_url = "https://github.com/Jaume-JCI/ds-blocks/tree/main/"
def custom_doc_links(name): return None
| __all__ = ['index', 'modules', 'custom_doc_links', 'git_url']
index = {'component_save_data_fixture': 'tst.components.ipynb', 'column_transformer_data_fixture': 'tst.compose.ipynb', 'multi_split_data_fixture': 'tst.compose.ipynb', 'test_pipeline_find_last_fitted_model_seq_others': 'tst.compose.ipynb', 'test_pipeline_find_last_fitted_model_parallel_2': 'tst.compose.ipynb', 'test_data_conversion_sequential_parallel_column_transformer': 'tst.compose.ipynb', 'example_people_data_fixture': 'tst.nbdev_utils.ipynb', 'Splitter': 'blocks.ipynb', 'test_splitter': 'blocks.ipynb', 'DoubleKFoldBase': 'blocks.ipynb', 'SingleKFold': 'blocks.ipynb', 'test_single_kfold': 'blocks.ipynb', 'FixedDoubleKFold': 'blocks.ipynb', 'test_fixed_double_kfold': 'blocks.ipynb', 'SkSplitGenerator': 'blocks.ipynb', 'test_sksplit_generator': 'blocks.ipynb', 'PandasEvaluator': 'blocks.ipynb', 'test_pandas_evaluator': 'blocks.ipynb', 'OneHotEncoder': 'preprocessing.ipynb', 'test_one_hot_encoder': 'preprocessing.ipynb', 'WindowGenerator': 'preprocessing.ipynb', 'generate_input_for_window_generator': 'data_conversion.ipynb', 'test_window_generator': 'preprocessing.ipynb', 'WindowAggregator': 'preprocessing.ipynb', 'test_window_aggregator': 'preprocessing.ipynb', 'path_results': 'config.bt_defaults.ipynb', 'path_models': 'config.bt_defaults.ipynb', 'path_data': 'config.bt_defaults.ipynb', 'file_format': 'config.bt_defaults.ipynb', 'verbose': 'config.bt_defaults.ipynb', 'name_logger': 'config.bt_defaults.ipynb', 'save_splits': 'config.bt_defaults.ipynb', 'group': 'config.bt_defaults.ipynb', 'error_if_present': 'config.bt_defaults.ipynb', 'overwrite_field': 'config.bt_defaults.ipynb', 'mode_logger': 'config.bt_defaults.ipynb', 'separate_labels': 'config.bt_defaults.ipynb', 'warning_if_nick_name_exists': 'config.bt_defaults.ipynb', 'propagate': 'config.bt_defaults.ipynb', 'path_session_folder': 'config.bt_defaults.ipynb', 'session_filename': 'config.bt_defaults.ipynb', 'path_logger_folder': 'config.bt_defaults.ipynb', 'logger_filename': 'config.bt_defaults.ipynb', 'logger_null_filename': 'config.bt_defaults.ipynb', 'stdout_logger': 'config.bt_defaults.ipynb', 'null_name_logger': 'config.bt_defaults.ipynb', 'Component': 'components.ipynb', 'test_component_config': 'components.ipynb', 'test_component_store_attrs': 'components.ipynb', 'test_component_aliases': 'components.ipynb', 'test_component_predict': 'components.ipynb', 'test_component_multiple_inputs': 'components.ipynb', 'TransformWithFitApply': 'components.ipynb', 'TransformWithoutFitApply': 'components.ipynb', 'test_component_fit_apply': 'components.ipynb', 'MyDataConverter': 'components.ipynb', 'TransformWithFitApplyDC': 'components.ipynb', 'test_component_validation_test': 'components.ipynb', 'TransformWithoutFitApply2': 'components.ipynb', 'TransformWithFitApply2': 'components.ipynb', 'component_save_data': 'components.ipynb', 'test_component_save_load': 'components.ipynb', 'Transform1': 'compose.ipynb', 'test_component_run_depend_on_existence': 'components.ipynb', 'test_component_logger': 'components.ipynb', 'test_component_data_converter': 'components.ipynb', 'test_component_data_io': 'components.ipynb', 'test_component_equal': 'components.ipynb', 'test_set_paths': 'components.ipynb', 'TransformWithoutFit': 'components.ipynb', 'TransformWithFitApplyOnly': 'components.ipynb', 'test_determine_fit_function': 'components.ipynb', 'test_use_fit_from_loaded_estimator': 'components.ipynb', 'test_direct_methods': 'components.ipynb', 'test_pass_apply': 'components.ipynb', 'test_get_specific_data_io_parameters_for_component': 'components.ipynb', 'test_get_specific_data_io_parameters': 'components.ipynb', 'test_standard_converter_in_component': 'components.ipynb', 'test_set_suffix': 'compose.ipynb', 'SamplingComponent': 'components.ipynb', 'test_sampling_component': 'components.ipynb', 'SklearnComponent': 'components.ipynb', 'PickleSaverComponent': 'components.ipynb', 'test_sklearn_component': 'components.ipynb', 'NoSaverComponent': 'components.ipynb', 'test_no_saver_component': 'components.ipynb', 'OneClassSklearnComponent': 'components.ipynb', 'get_data_for_one_class': 'components.ipynb', 'test_one_class_sklearn_component': 'components.ipynb', 'PandasComponent': 'components.ipynb', 'test_pandas_component': 'components.ipynb', 'MultiComponent': 'compose.ipynb', 'SimpleMultiComponent': 'compose.ipynb', 'test_multi_comp_io': 'compose.ipynb', 'test_multi_comp_desc': 'compose.ipynb', 'test_athena_pipeline_training': 'compose.ipynb', 'test_gather_and_save_info': 'compose.ipynb', 'test_multi_comp_hierarchy': 'compose.ipynb', 'test_multi_comp_profiling': 'compose.ipynb', 'test_multi_comp_all_equal': 'compose.ipynb', 'test_multi_component_setters': 'compose.ipynb', 'test_show_result_statistics': 'compose.ipynb', 'test_pass_components': 'compose.ipynb', 'test_chain_folders': 'compose.ipynb', 'test_set_root': 'compose.ipynb', 'test_set_root_2': 'compose.ipynb', 'test_pass_functions_to_multi_component': 'compose.ipynb', 'Pipeline': 'compose.ipynb', 'Sequential': 'compose.ipynb', 'Transform2': 'compose.ipynb', 'SimplePipeline': 'compose.ipynb', 'test_pipeline_fit_apply': 'compose.ipynb', 'test_pipeline_fit_apply_bis': 'compose.ipynb', 'test_pipeline_new_comp': 'compose.ipynb', 'test_pipeline_set_comp': 'compose.ipynb', 'test_pipeline_load_estimator': 'compose.ipynb', 'build_pipeline_construct_diagram_1': 'compose.ipynb', 'build_pipeline_construct_diagram_2': 'compose.ipynb', 'test_construct_diagram': 'compose.ipynb', 'test_show_summary': 'compose.ipynb', 'test_multi_comp_profiling2': 'compose.ipynb', 'make_pipeline': 'compose.ipynb', 'test_make_pipeline': 'compose.ipynb', 'pipeline_factory': 'compose.ipynb', 'test_pipeline_factory': 'compose.ipynb', 'PandasPipeline': 'compose.ipynb', 'PandasTransformWithLabels1': 'compose.ipynb', 'PandasTransformWithLabels2': 'compose.ipynb', 'SimplePandasPipeline': 'compose.ipynb', 'TransformWithLabels1': 'compose.ipynb', 'TransformWithLabels2': 'compose.ipynb', 'SimplePandasPipelineNoPandasComponent': 'compose.ipynb', 'test_pandas_pipeline': 'compose.ipynb', 'Parallel': 'compose.ipynb', 'test_parallel': 'compose.ipynb', 'test_pipeline_find_last_result': 'compose.ipynb', 'test_pipeline_find_last_result_parallel1': 'compose.ipynb', 'test_pipeline_find_last_result_parallel2': 'compose.ipynb', 'test_pipeline_find_last_result_parallel3': 'compose.ipynb', 'test_pipeline_find_last_fitted_model_seq': 'compose.ipynb', 'test_pipeline_find_last_fitted_model_parallel': 'compose.ipynb', 'test_pipeline_find_last_fitted_model_parallel_remove': 'compose.ipynb', 'MultiModality': 'compose.ipynb', 'TransformM': 'compose.ipynb', 'test_multi_modality': 'compose.ipynb', 'ColumnSelector': 'compose.ipynb', 'test_column_selector': 'compose.ipynb', 'Concat': 'compose.ipynb', 'test_concat': 'compose.ipynb', 'ColumnTransformer': 'compose.ipynb', 'Identity': 'compose.ipynb', 'test_identity': 'compose.ipynb', 'make_column_transformer_pipelines': 'compose.ipynb', 'make_column_transformer': 'compose.ipynb', 'column_transformer_data': 'compose.ipynb', 'test_make_column_transformer': 'compose.ipynb', 'test_make_column_transformer_passthrough': 'compose.ipynb', 'test_make_column_transformer_remainder': 'compose.ipynb', 'test_make_column_transformer_descendants': 'compose.ipynb', 'test_make_column_transformer_fit_transform': 'compose.ipynb', 'MultiSplitComponent': 'compose.ipynb', 'MultiSplitDict': 'compose.ipynb', 'multi_split_data': 'compose.ipynb', 'test_multi_split_transform': 'compose.ipynb', 'test_multi_split_fit': 'compose.ipynb', 'test_multi_split_chain': 'compose.ipynb', 'test_multi_split_io': 'compose.ipynb', 'test_multi_split_non_dict': 'compose.ipynb', 'test_multi_split_non_dict_bis': 'compose.ipynb', 'MultiSplitDFColumn': 'compose.ipynb', 'multi_split_data_df_column': 'compose.ipynb', 'test_multi_split_df_column_transform': 'compose.ipynb', 'test_multi_split_df_column_fit': 'compose.ipynb', 'ParallelInstances': 'compose.ipynb', 'CrossValidator': 'compose.ipynb', 'test_cross_validator_1': 'compose.ipynb', 'test_cross_validator_2': 'compose.ipynb', 'test_cross_validator_3': 'compose.ipynb', 'DataConverter': 'data_conversion.ipynb', 'test_data_converter_functions': 'data_conversion.ipynb', 'NoConverter': 'data_conversion.ipynb', 'test_no_converter': 'data_conversion.ipynb', 'GenericConverter': 'data_conversion.ipynb', 'test_generic_converter': 'data_conversion.ipynb', 'StandardConverter': 'data_conversion.ipynb', 'test_standard_converter': 'data_conversion.ipynb', 'PandasConverter': 'data_conversion.ipynb', 'test_pandas_converter': 'data_conversion.ipynb', 'Window2Dto3Dconverter': 'data_conversion.ipynb', 'test_window2d_to_3d_converter': 'data_conversion.ipynb', 'data_converter_factory': 'data_conversion.ipynb', 'test_data_converter_factory': 'data_conversion.ipynb', 'save_csv': 'utils.ipynb', 'save_parquet': 'utils.ipynb', 'save_multi_index_parquet': 'utils.ipynb', 'save_keras_model': 'utils.ipynb', 'save_csv_gz': 'utils.ipynb', 'read_csv': 'utils.ipynb', 'read_csv_gz': 'utils.ipynb', 'load_keras_model': 'utils.ipynb', 'estimator2io': 'utils.ipynb', 'result2io': 'utils.ipynb', 'DataIO': 'utils.ipynb', 'DummyComponent': 'utils.ipynb', 'test_data_io_folder': 'utils.ipynb', 'dummy_component': 'utils.ipynb', 'test_data_io_chaining': 'utils.ipynb', 'PandasIO': 'utils.ipynb', 'PickleIO': 'utils.ipynb', 'SklearnIO': 'utils.ipynb', 'NoSaverIO': 'utils.ipynb', 'data_io_factory': 'utils.ipynb', 'test_data_io_factory': 'utils.ipynb', 'ModelPlotter': 'utils.ipynb', 'Profiler': 'utils.ipynb', 'test_profiler': 'utils.ipynb', 'Comparator': 'utils.ipynb', 'MyTransformComparator': 'utils.ipynb', 'test_comparator': 'utils.ipynb', 'test_comparator2': 'utils.ipynb', 'camel_to_snake': 'utils.ipynb', 'snake_to_camel': 'utils.ipynb', 'DataSet': 'datasets.ipynb', 'MyDataSet': 'datasets.ipynb', 'test_dataset': 'datasets.ipynb', 'dsblocks_install_git_hooks': 'cli.ipynb', 'main_dsblocks_install_git_hooks': 'cli.ipynb', 'test_dsblocks_install_git_hooks': 'cli.ipynb', 'SumXY': 'dummies.ipynb', 'DummyEstimator': 'dummies.ipynb', 'Intermediate': 'dummies.ipynb', 'Higher': 'dummies.ipynb', 'Sum1': 'dummies.ipynb', 'Multiply10': 'dummies.ipynb', 'NewParallel': 'dummies.ipynb', 'MinMaxClass': 'dummies.ipynb', 'Min10': 'dummies.ipynb', 'Max10': 'dummies.ipynb', 'make_pipe_fit1': 'dummies.ipynb', 'make_pipe_fit2': 'dummies.ipynb', 'make_pipe1': 'dummies.ipynb', 'make_pipe2': 'dummies.ipynb', 'Min10direct': 'dummies.ipynb', 'Max10direct': 'dummies.ipynb', 'Sum1direct': 'dummies.ipynb', 'Multiply10direct': 'dummies.ipynb', 'MaxOfPositiveWithSeparateLabels': 'dummies.ipynb', 'MinOfPositiveWithoutSeparateLabels': 'dummies.ipynb', 'DataSource': 'dummies.ipynb', 'subtract_xy': 'dummies.ipynb', 'DummyClassifier': 'dummies.ipynb', 'test_dummy_classifier': 'dummies.ipynb', 'cd_root': 'nbdev_utils.ipynb', 'nbdev_setup': 'nbdev_utils.ipynb', 'TestRunner': 'nbdev_utils.ipynb', 'example_people_data': 'nbdev_utils.ipynb', 'myf': 'nbdev_utils.ipynb', 'my_first_test': 'nbdev_utils.ipynb', 'second_fails': 'nbdev_utils.ipynb', 'third_fails': 'nbdev_utils.ipynb', 'test_test_runner': 'nbdev_utils.ipynb', 'test_test_runner_two_tests': 'nbdev_utils.ipynb', 'test_test_runner_two_targets': 'nbdev_utils.ipynb', 'test_cd_root': 'nbdev_utils.ipynb', 'test_nbdev_setup': 'nbdev_utils.ipynb', 'md': 'nbdev_utils.ipynb', 'replace_imports': 'nbdev_utils.ipynb', 'nbdev_build_test': 'nbdev_utils.ipynb', 'create_fake_tests': 'nbdev_utils.ipynb', 'test_nbdev_build_test': 'nbdev_utils.ipynb', 'json_load': 'utils.ipynb', 'json_dump': 'utils.ipynb', 'make_reproducible': 'utils.ipynb', 'test_make_reproducible': 'utils.ipynb', 'get_logging_level': 'utils.ipynb', 'delete_logger': 'utils.ipynb', 'set_logger': 'utils.ipynb', 'set_empty_logger': 'utils.ipynb', 'set_verbosity': 'utils.ipynb', 'test_set_logger': 'utils.ipynb', 'remove_previous_results': 'utils.ipynb', 'set_tf_loglevel': 'utils.ipynb', 'test_set_tf_loglevel': 'utils.ipynb', 'get_top_function': 'utils.ipynb', 'test_get_top_function': 'utils.ipynb', 'check_last_part': 'utils.ipynb', 'test_check_last_part': 'utils.ipynb', 'argnames': 'utils.ipynb', 'store_attr': 'utils.ipynb', 'test_store_attr': 'utils.ipynb', 'get_specific_dict_param': 'utils.ipynb', 'obtain_class_specific_attrs': 'utils.ipynb', 'get_hierarchy_level': 'utils.ipynb', 'test_get_hierarchy': 'utils.ipynb', 'replace_attr_and_store': 'utils.ipynb', 'test_replace_attr_and_store': 'utils.ipynb', 'test_replace_attr_and_store_no_rec': 'utils.ipynb'}
modules = ['tests/blocks/test_blocks.py', 'tests/blocks/test_preprocessing.py', 'tests/core/test_components.py', 'tests/core/test_compose.py', 'tests/core/test_data_conversion.py', 'tests/core/test_utils.py', 'tests/datasets/test_datasets.py', 'tests/utils/test_cli.py', 'tests/utils/test_dummies.py', 'tests/utils/test_nbdev_utils.py', 'tests/utils/test_utils.py', 'blocks/blocks.py', 'blocks/preprocessing.py', 'config/bt_defaults.py', 'core/components.py', 'core/compose.py', 'core/data_conversion.py', 'core/utils.py', 'datasets/datasets.py', 'utils/cli.py', 'utils/dummies.py', 'utils/nbdev_utils.py', 'utils/utils.py']
doc_url = 'https://Jaume-JCI.github.io/'
git_url = 'https://github.com/Jaume-JCI/ds-blocks/tree/main/'
def custom_doc_links(name):
return None |
def solution():
data = open(r'inputs\day13.in').readlines()
print('Part 1 result: ' + str(part1(data)))
print('Part 2 result: ' + str(part2(data)))
def part1(data):
# build out the grid and instructions from our data
grid, fold_instructions = build_grid_and_instructions(data)
# run the first fold only
grid = fold(grid, fold_instructions[0])
# the length of the grid is our answer
return len(grid)
def part2(data):
# build out the grid and instructions from our data
grid, fold_instructions = build_grid_and_instructions(data)
# loop through every fold instruction, running it
for i in range(len(fold_instructions)):
instr = fold_instructions[i]
grid = fold(grid, instr)
# get the max x and y values
X = max([x for (x,y) in grid.keys()]) + 1
Y = max([y for (x,y) in grid.keys()]) + 1
# print out the word by looping through the grid printing one row at a time
ans = ''
for y in range(Y):
for x in range(X):
ans += ('x' if (x,y) in grid else ' ')
print(ans)
ans = ''
return 'Read above'
def build_grid_and_instructions(data):
grid = {}
fold_instructions = []
for line in data:
line = line.strip()
# ignore the blank lines
if line == '':
continue
if line.startswith('fold'):
# split on the equals sign
a, b = line.split('=')
# now, split the first piece on the comma and take the third element, this is our axis
a = a.split(' ')[2]
# add the instruction as a tuple to our fold_instructions list, for example fold along y=3 would be ('y', 3)
fold_instructions.append((a, b))
else:
# split on the comma and cast both to ints
x, y = [int(x) for x in line.strip().split(',')]
# set that spot in our grid to be true
grid[(x, y)] = True
# return the grid & instructions
return grid, fold_instructions
def fold(grid, instruction):
grid2 = {}
# the line we want to fold along
fold_line = int(instruction[1])
if instruction[0] == 'x':
for (x, y) in grid:
# if our x value is less than the fold line, we leave it alone, and copy the same location to the new grid
if x < fold_line:
grid2[(x, y)] = True
else:
# otherwise, we need the new location to be flipped across the fold line,
# so its new x value is the fold line minus the distance between the fold line and the current x value
# i.e. an x of 7 folded over 5 would get moved to x = 3
grid2[((fold_line - (x - fold_line), y))] = True
else:
# if it isn't x, it must be y
assert instruction[0] == 'y'
for (x, y) in grid:
# if our y value is less than the fold line, we leave it alone, and copy the same location to the new grid
if y < fold_line:
grid2[(x, y)] = True
else:
# otherwise, we need the new location to be flipped across the fold line,
# same logic as above, but with y instead
grid2[((x, fold_line - (y - fold_line)))] = True
# return the new grid
return grid2
solution() | def solution():
data = open('inputs\\day13.in').readlines()
print('Part 1 result: ' + str(part1(data)))
print('Part 2 result: ' + str(part2(data)))
def part1(data):
(grid, fold_instructions) = build_grid_and_instructions(data)
grid = fold(grid, fold_instructions[0])
return len(grid)
def part2(data):
(grid, fold_instructions) = build_grid_and_instructions(data)
for i in range(len(fold_instructions)):
instr = fold_instructions[i]
grid = fold(grid, instr)
x = max([x for (x, y) in grid.keys()]) + 1
y = max([y for (x, y) in grid.keys()]) + 1
ans = ''
for y in range(Y):
for x in range(X):
ans += 'x' if (x, y) in grid else ' '
print(ans)
ans = ''
return 'Read above'
def build_grid_and_instructions(data):
grid = {}
fold_instructions = []
for line in data:
line = line.strip()
if line == '':
continue
if line.startswith('fold'):
(a, b) = line.split('=')
a = a.split(' ')[2]
fold_instructions.append((a, b))
else:
(x, y) = [int(x) for x in line.strip().split(',')]
grid[x, y] = True
return (grid, fold_instructions)
def fold(grid, instruction):
grid2 = {}
fold_line = int(instruction[1])
if instruction[0] == 'x':
for (x, y) in grid:
if x < fold_line:
grid2[x, y] = True
else:
grid2[fold_line - (x - fold_line), y] = True
else:
assert instruction[0] == 'y'
for (x, y) in grid:
if y < fold_line:
grid2[x, y] = True
else:
grid2[x, fold_line - (y - fold_line)] = True
return grid2
solution() |
cappacity = 0
lines = int(input())
for i in range(0, lines):
water = int(input())
if cappacity + water > 255:
print("Insufficient capacity!")
continue
else:
cappacity += water
print(cappacity) | cappacity = 0
lines = int(input())
for i in range(0, lines):
water = int(input())
if cappacity + water > 255:
print('Insufficient capacity!')
continue
else:
cappacity += water
print(cappacity) |
# Write your code here
def query(arr, x, l, r, k):
for i in range(l-1,r):
if arr[i] == x:
k -= 1
if k == 0:
print(i+1)
return
print(-1)
return
def update(arr, ind, value):
arr[ind-1] = value
n,x = map(int, input().split())
arr = list(map(int, input().split()))
Q = int(input())
for q in range(Q):
s = input().split()
if s[0] == '1':
l,r,k = int(s[1]), int(s[2]), int(s[3])
query(arr, x, l, r, k)
else:
ind, value = int(s[1]), int(s[2])
update(arr, ind, value)
| def query(arr, x, l, r, k):
for i in range(l - 1, r):
if arr[i] == x:
k -= 1
if k == 0:
print(i + 1)
return
print(-1)
return
def update(arr, ind, value):
arr[ind - 1] = value
(n, x) = map(int, input().split())
arr = list(map(int, input().split()))
q = int(input())
for q in range(Q):
s = input().split()
if s[0] == '1':
(l, r, k) = (int(s[1]), int(s[2]), int(s[3]))
query(arr, x, l, r, k)
else:
(ind, value) = (int(s[1]), int(s[2]))
update(arr, ind, value) |
def foo(a, b):
a = a + b
print(a, b)
def bar(x):
x += 1
print(x+1)
x = x + 1
return x
def multi(
a,
b,
c=12):
pass
if a is None:
print(123)
if a == b and \
True:
print(bla)
class A:
def bar(self, aa):
print(aa)
| def foo(a, b):
a = a + b
print(a, b)
def bar(x):
x += 1
print(x + 1)
x = x + 1
return x
def multi(a, b, c=12):
pass
if a is None:
print(123)
if a == b and True:
print(bla)
class A:
def bar(self, aa):
print(aa) |
def part_one(data_input: list) -> int:
frequency = 0
for line in data_input:
frequency += int(line)
return frequency
def part_two(data_input: list) -> int:
change_after_iteration = sum(data_input)
if not change_after_iteration:
return change_after_iteration
best_n_repetition = float("inf")
frequency = 0
first_row = []
for elem in data_input:
first_row.append(frequency + elem)
frequency += elem
for elem in first_row:
for rep in first_row:
if (rep - elem) % change_after_iteration == 0 and best_n_repetition > (
rep - elem) / change_after_iteration and rep - elem > 0:
best_n_repetition = (rep - elem) / change_after_iteration
frequency = rep
return frequency
| def part_one(data_input: list) -> int:
frequency = 0
for line in data_input:
frequency += int(line)
return frequency
def part_two(data_input: list) -> int:
change_after_iteration = sum(data_input)
if not change_after_iteration:
return change_after_iteration
best_n_repetition = float('inf')
frequency = 0
first_row = []
for elem in data_input:
first_row.append(frequency + elem)
frequency += elem
for elem in first_row:
for rep in first_row:
if (rep - elem) % change_after_iteration == 0 and best_n_repetition > (rep - elem) / change_after_iteration and (rep - elem > 0):
best_n_repetition = (rep - elem) / change_after_iteration
frequency = rep
return frequency |
'''
This is the 5th problem on Day 3 based on if else and if statements
In this problem, we are going to build a love calculator which shall calculate compatibility between 2 people
if score < 10 or score > 90, we have to print Your score is this, you go together like coke and mentos
if score >=40 and score <= 50 we have to print Your score is this, you are alright together
else print your score is this
'''
'''
The following function calculates the love compatibility between 2 people
Don\'t have to take this value seriously ;-). It is meant to be a fun project and created for the general understanding of if-elif-else and basic for loops
This function takes 2 names as input.
Then it counts the number of times the letters of the word TRUE occur in the 2 names. Let that be count_true
Secondly, it counts the number of times the letters of the word LOVE occur in the 2 names. Let that be count_love
Finally, the result is created by putting count_true in ten's place and count_love in unit's place
For example:-
name1 = Luis
name2 = Gerard
count_true = 4
count_love = 2
Result = 42
'''
def loveCalculator():
name1 = input("Enter your name: ").lower()
name2 = input("Enter your loved one\'s name: ").lower()
count_true = 0
count_love = 0
for s in name1:
if s in 'true':
count_true += 1
if s in 'love':
count_love += 1
for s in name2:
if s in 'true':
count_true += 1
if s in 'love':
count_love += 1
score = (count_true*10) + count_love
if score < 10 or score > 90:
print(f"Your score is {score}, you go together like coke and mentos")
elif score >= 40 and score <= 50:
print(f"Your score is {score}, you are alright together")
else:
print(f"Your score is {score}")
if __name__ == "__main__":
loveCalculator()
| """
This is the 5th problem on Day 3 based on if else and if statements
In this problem, we are going to build a love calculator which shall calculate compatibility between 2 people
if score < 10 or score > 90, we have to print Your score is this, you go together like coke and mentos
if score >=40 and score <= 50 we have to print Your score is this, you are alright together
else print your score is this
"""
"\nThe following function calculates the love compatibility between 2 people\n\nDon't have to take this value seriously ;-). It is meant to be a fun project and created for the general understanding of if-elif-else and basic for loops\n\nThis function takes 2 names as input. \n\nThen it counts the number of times the letters of the word TRUE occur in the 2 names. Let that be count_true\nSecondly, it counts the number of times the letters of the word LOVE occur in the 2 names. Let that be count_love\n\nFinally, the result is created by putting count_true in ten's place and count_love in unit's place\n\nFor example:-\n\nname1 = Luis\nname2 = Gerard\n\ncount_true = 4\ncount_love = 2\n\nResult = 42\n"
def love_calculator():
name1 = input('Enter your name: ').lower()
name2 = input("Enter your loved one's name: ").lower()
count_true = 0
count_love = 0
for s in name1:
if s in 'true':
count_true += 1
if s in 'love':
count_love += 1
for s in name2:
if s in 'true':
count_true += 1
if s in 'love':
count_love += 1
score = count_true * 10 + count_love
if score < 10 or score > 90:
print(f'Your score is {score}, you go together like coke and mentos')
elif score >= 40 and score <= 50:
print(f'Your score is {score}, you are alright together')
else:
print(f'Your score is {score}')
if __name__ == '__main__':
love_calculator() |
# learn about boolean
#a=True
#b=False
a=not True
b=not False
print(a)
print(b) | a = not True
b = not False
print(a)
print(b) |
def affiche_table(liste):
...
def construit_table(largeur, hauteur):
tab = [[],[]]
for nb in range(largeur):
tab[0].append(nb+1)
for nb in range(hauteur):
tab[1].append(nb+1)
for line in hauteur:
tab.append([])
return tab
| def affiche_table(liste):
...
def construit_table(largeur, hauteur):
tab = [[], []]
for nb in range(largeur):
tab[0].append(nb + 1)
for nb in range(hauteur):
tab[1].append(nb + 1)
for line in hauteur:
tab.append([])
return tab |
name = "Gary"
number = len(name) * 3
print("Hello {}, your lucky number is {}".format(name, number))
| name = 'Gary'
number = len(name) * 3
print('Hello {}, your lucky number is {}'.format(name, number)) |
# DP
N = int(input())
A = [list(map(int, input().split())) for _ in range(2)]
b = [[0] * N for _ in range(2)]
b[0][0] = A[0][0]
for i in range(1, N):
b[0][i] = b[0][i - 1] + A[0][i]
b[1][0] = b[0][0] + A[1][0]
for i in range(1, N):
b[1][i] = max(b[1][i - 1], b[0][i]) + A[1][i]
print(b[1][N - 1])
| n = int(input())
a = [list(map(int, input().split())) for _ in range(2)]
b = [[0] * N for _ in range(2)]
b[0][0] = A[0][0]
for i in range(1, N):
b[0][i] = b[0][i - 1] + A[0][i]
b[1][0] = b[0][0] + A[1][0]
for i in range(1, N):
b[1][i] = max(b[1][i - 1], b[0][i]) + A[1][i]
print(b[1][N - 1]) |
class Solution:
def missingNumber(self, nums: List[int]) -> int:
ideal_sum = 0
actual_sum = 0
for i in range(0, len(nums)):
ideal_sum += i
actual_sum += nums[i]
ideal_sum += len(nums)
return ideal_sum - actual_sum | class Solution:
def missing_number(self, nums: List[int]) -> int:
ideal_sum = 0
actual_sum = 0
for i in range(0, len(nums)):
ideal_sum += i
actual_sum += nums[i]
ideal_sum += len(nums)
return ideal_sum - actual_sum |
class TokenType:
ID = 'ID'
STRING = 'STRING'
NUMBER = 'NUMBER'
REGEX = 'REGEX'
COMMA = 'COMMA'
L_BRACKET = 'LEFT BRACKET'
R_BRACKET = 'RIGHT BRACKET'
COLON = 'COLON'
SEMICOLON = 'SEMICOLON'
NEW_LINE = 'NEW LINE'
TAB = 'TAB'
class Token:
def __init__(self, token_type, lexme, source_index):
self.token_type = token_type
self.lexme = lexme
self.source_index = source_index
def __str__(self):
if (self.token_type == TokenType.NEW_LINE or self.token_type == TokenType.TAB):
return self.token_type + "\t\t" + str(self.source_index)
return self.token_type + "\t" + self.lexme + "\t" + str(self.source_index) | class Tokentype:
id = 'ID'
string = 'STRING'
number = 'NUMBER'
regex = 'REGEX'
comma = 'COMMA'
l_bracket = 'LEFT BRACKET'
r_bracket = 'RIGHT BRACKET'
colon = 'COLON'
semicolon = 'SEMICOLON'
new_line = 'NEW LINE'
tab = 'TAB'
class Token:
def __init__(self, token_type, lexme, source_index):
self.token_type = token_type
self.lexme = lexme
self.source_index = source_index
def __str__(self):
if self.token_type == TokenType.NEW_LINE or self.token_type == TokenType.TAB:
return self.token_type + '\t\t' + str(self.source_index)
return self.token_type + '\t' + self.lexme + '\t' + str(self.source_index) |
array = list(input().split(","))
def find_single(array):
for item in array:
if array.count(item) == 1:
return item
print(find_single(array))
| array = list(input().split(','))
def find_single(array):
for item in array:
if array.count(item) == 1:
return item
print(find_single(array)) |
n = int(input())
height = list(map(int,input().strip(" ").split()))
distinct = set(height)
average = sum(distinct)/len(distinct)
print(average)
| n = int(input())
height = list(map(int, input().strip(' ').split()))
distinct = set(height)
average = sum(distinct) / len(distinct)
print(average) |
# Write your solution for 1.4 here!
def is_prime(x):
a=0
for i in range(2,x):
if x%i==0:
a+=1
if a==1:
return(False)
print("False")
else:
return(True)
print("True")
is_prime(13)
is_prime(4)
| def is_prime(x):
a = 0
for i in range(2, x):
if x % i == 0:
a += 1
if a == 1:
return False
print('False')
else:
return True
print('True')
is_prime(13)
is_prime(4) |
def runner_cli(augury, args):
assert args.cmd == 'runner'
paths = {
'status': set_status,
'config': get_config,
'artifacts': add_artifacts,
}
paths[args.runner_cmd](augury, args)
def set_status(augury, args):
if args.status:
print(augury.set_runner_status(args.status))
else:
print(augury.get_runner_status())
def get_config(augury, args):
print(augury.fetch_config())
def add_artifacts(augury, args):
print(augury.add_artifacts(args.input))
def create_parser(parser):
runner = parser.add_parser('runner')
subparsers = runner.add_subparsers(dest='runner_cmd')
subparsers.required = True
status = subparsers.add_parser('status')
status.add_argument('-s', '--status', help='status text to set')
status.add_argument('-e', '--error', help='error message')
config = subparsers.add_parser('config')
artifacts = subparsers.add_parser('artifacts')
artifacts.add_argument('input', nargs='+', help='list of files to mark as artifacts')
| def runner_cli(augury, args):
assert args.cmd == 'runner'
paths = {'status': set_status, 'config': get_config, 'artifacts': add_artifacts}
paths[args.runner_cmd](augury, args)
def set_status(augury, args):
if args.status:
print(augury.set_runner_status(args.status))
else:
print(augury.get_runner_status())
def get_config(augury, args):
print(augury.fetch_config())
def add_artifacts(augury, args):
print(augury.add_artifacts(args.input))
def create_parser(parser):
runner = parser.add_parser('runner')
subparsers = runner.add_subparsers(dest='runner_cmd')
subparsers.required = True
status = subparsers.add_parser('status')
status.add_argument('-s', '--status', help='status text to set')
status.add_argument('-e', '--error', help='error message')
config = subparsers.add_parser('config')
artifacts = subparsers.add_parser('artifacts')
artifacts.add_argument('input', nargs='+', help='list of files to mark as artifacts') |
locit_settings = {
'scaling': 'none'
}
coral_settings = {
'scaling': 'none' # needs to be none with separate test set!
}
pwmstl_settings = {
'mu': 0.1,
'rho': 1.0,
'beta1': 10.0,
'beta2': 10.0,
'kernel': 'linear',
'max_alpha': 10.0,
'tau_lambda': 1.0
} | locit_settings = {'scaling': 'none'}
coral_settings = {'scaling': 'none'}
pwmstl_settings = {'mu': 0.1, 'rho': 1.0, 'beta1': 10.0, 'beta2': 10.0, 'kernel': 'linear', 'max_alpha': 10.0, 'tau_lambda': 1.0} |
#
# Copyright 2022 Duncan Rose
#
# 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
#
# http://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.
#
FILL = 8080 # Go with DUIM's 100 screens
class SpaceReq():
def __init__(self, minx, desx, maxx, miny, desy, maxy):
self._xmax = _fill_or(maxx)
self._xmin = _fill_or(minx)
self._xpref = _fill_or(desx)
self._ymax = _fill_or(maxy)
self._ymin = _fill_or(miny)
self._ypref = _fill_or(desy)
def __repr__(self):
return "SpaceReq([{},{},{}], [{},{},{}])".format(
self.x_min() if self.x_min() < FILL else "FILL",
self.x_preferred() if self.x_preferred() < FILL else "FILL",
self.x_max() if self.x_max() < FILL else "FILL",
self.y_min() if self.y_min() < FILL else "FILL",
self.y_preferred() if self.y_preferred() < FILL else "FILL",
self.y_max() if self.y_max() < FILL else "FILL")
def x_max(self):
return self._xmax
def x_preferred(self):
return self._xpref
def x_min(self):
return self._xmin
def y_max(self):
return self._ymax
def y_preferred(self):
return self._ypref
def y_min(self):
return self._ymin
def _fill_or(n):
return n if n < FILL else FILL
def combine_spacereqs(sr1, sr2, xcombiners, ycombiners):
min_x = _fill_or(xcombiners[0](sr1._xmin, sr2._xmin))
pref_x = _fill_or(xcombiners[1](sr1._xpref, sr2._xpref))
max_x = _fill_or(xcombiners[2](sr1._xmax, sr2._xmax))
min_y = _fill_or(ycombiners[0](sr1._ymin, sr2._ymin))
pref_y = _fill_or(ycombiners[1](sr1._ypref, sr2._ypref))
max_y = _fill_or(ycombiners[2](sr1._ymax, sr2._ymax))
return SpaceReq(min_x, pref_x, max_x, min_y, pref_y, max_y)
| fill = 8080
class Spacereq:
def __init__(self, minx, desx, maxx, miny, desy, maxy):
self._xmax = _fill_or(maxx)
self._xmin = _fill_or(minx)
self._xpref = _fill_or(desx)
self._ymax = _fill_or(maxy)
self._ymin = _fill_or(miny)
self._ypref = _fill_or(desy)
def __repr__(self):
return 'SpaceReq([{},{},{}], [{},{},{}])'.format(self.x_min() if self.x_min() < FILL else 'FILL', self.x_preferred() if self.x_preferred() < FILL else 'FILL', self.x_max() if self.x_max() < FILL else 'FILL', self.y_min() if self.y_min() < FILL else 'FILL', self.y_preferred() if self.y_preferred() < FILL else 'FILL', self.y_max() if self.y_max() < FILL else 'FILL')
def x_max(self):
return self._xmax
def x_preferred(self):
return self._xpref
def x_min(self):
return self._xmin
def y_max(self):
return self._ymax
def y_preferred(self):
return self._ypref
def y_min(self):
return self._ymin
def _fill_or(n):
return n if n < FILL else FILL
def combine_spacereqs(sr1, sr2, xcombiners, ycombiners):
min_x = _fill_or(xcombiners[0](sr1._xmin, sr2._xmin))
pref_x = _fill_or(xcombiners[1](sr1._xpref, sr2._xpref))
max_x = _fill_or(xcombiners[2](sr1._xmax, sr2._xmax))
min_y = _fill_or(ycombiners[0](sr1._ymin, sr2._ymin))
pref_y = _fill_or(ycombiners[1](sr1._ypref, sr2._ypref))
max_y = _fill_or(ycombiners[2](sr1._ymax, sr2._ymax))
return space_req(min_x, pref_x, max_x, min_y, pref_y, max_y) |
errors = {
'NotFound': {
'status': 404,
},
'BadRequest': {
'status': 400,
},
'MethodNotAllowed': {
'status': 405,
}
} | errors = {'NotFound': {'status': 404}, 'BadRequest': {'status': 400}, 'MethodNotAllowed': {'status': 405}} |
# Copyright (c) 2019-2020 Intel Corporation
#
# Permission is hereby granted, free of charge, to any person obtaining a copy
# of this software and associated documentation files (the "Software"), to deal
# in the Software without restriction, including without limitation the rights
# to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
# copies of the Software, and to permit persons to whom the Software is
# furnished to do so, subject to the following conditions:
#
# The above copyright notice and this permission notice shall be included in all
# copies or substantial portions of the Software.
#
# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
# IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
# FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
# AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
# LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
# OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
# SOFTWARE.
INSTALL = ['libva', 'libva-utils', 'gmmlib', 'ffmpeg', 'metrics-calc-lite', 'media-driver', 'mediasdk']
TEST_SCRIPT_PATH = infra_path / 'driver_tests'
TEST_ENV = {
'MFX_HOME': '/opt/intel/mediasdk',
'LD_LIBRARY_PATH': '/opt/intel/mediasdk/lib64',
'LIBVA_DRIVERS_PATH': '/opt/intel/msdk_driver/lib64',
'LIBVA_DRIVER_NAME': 'iHD'
}
DRIVER_TESTS = [
'CABA1_SVA_B',
'CABA1_Sony_D',
'avc_cbr_001',
'avc_cqp_001',
'scale_001'
]
ARTIFACTS_LAYOUT = {
str(options['LOGS_DIR']): 'logs',
str(infra_path / 'ted/results'): 'mediasdk',
str(infra_path / 'smoke_test' / 'hevc_fei_tests_res.log'): 'hevc_fei_tests.log'
}
action(f'Create temp dir for driver tests',
work_dir=TEST_SCRIPT_PATH,
cmd=f'mkdir -p temp',
verbose=True)
for test_id in DRIVER_TESTS:
action(f'Run media-driver test {test_id}',
work_dir=TEST_SCRIPT_PATH,
cmd=f'python3 run_test.py {test_id}',
env=TEST_ENV,
verbose=True)
action(f'Run MediaSDK TED test',
work_dir=infra_path,
cmd=f'python3 ted/ted.py',
env=TEST_ENV,
verbose=True)
action(f'Run MediaSDK fei test',
work_dir=infra_path,
cmd=f'python3 smoke_test/hevc_fei_smoke_test.py',
env=TEST_ENV,
verbose=True)
| install = ['libva', 'libva-utils', 'gmmlib', 'ffmpeg', 'metrics-calc-lite', 'media-driver', 'mediasdk']
test_script_path = infra_path / 'driver_tests'
test_env = {'MFX_HOME': '/opt/intel/mediasdk', 'LD_LIBRARY_PATH': '/opt/intel/mediasdk/lib64', 'LIBVA_DRIVERS_PATH': '/opt/intel/msdk_driver/lib64', 'LIBVA_DRIVER_NAME': 'iHD'}
driver_tests = ['CABA1_SVA_B', 'CABA1_Sony_D', 'avc_cbr_001', 'avc_cqp_001', 'scale_001']
artifacts_layout = {str(options['LOGS_DIR']): 'logs', str(infra_path / 'ted/results'): 'mediasdk', str(infra_path / 'smoke_test' / 'hevc_fei_tests_res.log'): 'hevc_fei_tests.log'}
action(f'Create temp dir for driver tests', work_dir=TEST_SCRIPT_PATH, cmd=f'mkdir -p temp', verbose=True)
for test_id in DRIVER_TESTS:
action(f'Run media-driver test {test_id}', work_dir=TEST_SCRIPT_PATH, cmd=f'python3 run_test.py {test_id}', env=TEST_ENV, verbose=True)
action(f'Run MediaSDK TED test', work_dir=infra_path, cmd=f'python3 ted/ted.py', env=TEST_ENV, verbose=True)
action(f'Run MediaSDK fei test', work_dir=infra_path, cmd=f'python3 smoke_test/hevc_fei_smoke_test.py', env=TEST_ENV, verbose=True) |
# This is my first Python Project using Project Euler.
# Find the sum of all the multiples of 3 or 5 below 1000.
# The easy and efficient way
# (1 + 2 + 3 + .... n) = 1/2 n(n+1)
print(0.5*((333*1002)+(199*1000)-(66*1005)))
# The second way
# I am defining a function to sum up all of the multiples of 3 and 5.
# I did not finish it because it did not work.
def sum():
# The multiples have to below 1000, they are between 1 and 1000 (including 1)
Number = range(1, 1000)
# In order to tell if the numbers are multiples of a number, you use modular arithmetic. You divide all
# the numbers by the number and see if the remainder is 0. The symbol is %.
def Multiple_of_3():
for x in Number:
y = x / 3
print(y)
if type(y) == int:
print(x)
else:
pass
Multiple_of_3()
sum()
# A third way I found on Project Euler Website that works.
a = range(1000)
count = 0
for i in a:
if i%3 !=0 and i%5 !=0:continue
count += i
print('sum:',count)
| print(0.5 * (333 * 1002 + 199 * 1000 - 66 * 1005))
def sum():
number = range(1, 1000)
def multiple_of_3():
for x in Number:
y = x / 3
print(y)
if type(y) == int:
print(x)
else:
pass
multiple_of_3()
sum()
a = range(1000)
count = 0
for i in a:
if i % 3 != 0 and i % 5 != 0:
continue
count += i
print('sum:', count) |
'''
File: __init__.py
Project: src
File Created: Sunday, 28th February 2021 3:03:13 am
Author: Sparsh Dutta (sparsh.dtt@gmail.com)
-----
Last Modified: Sunday, 28th February 2021 3:03:13 am
Modified By: Sparsh Dutta (sparsh.dtt@gmail.com>)
-----
Copyright 2021 Sparsh Dutta
'''
| """
File: __init__.py
Project: src
File Created: Sunday, 28th February 2021 3:03:13 am
Author: Sparsh Dutta (sparsh.dtt@gmail.com)
-----
Last Modified: Sunday, 28th February 2021 3:03:13 am
Modified By: Sparsh Dutta (sparsh.dtt@gmail.com>)
-----
Copyright 2021 Sparsh Dutta
""" |
jpg1 = 0
jpg2 = 0
img1 = 0
img2 = 0
def setup():
global jpg1, jpg2
background(100)
smooth()
size(1200, 700)
noStroke()
jpg1 = loadImage ('br1.jpg')
jpg2 = loadImage ('bread1.gif')
def draw():
global jpg1, jpg2
if ( frameCount == 1):
image (jpg1 ,0 ,0)
val1 = int (random (0, 150))
val2 = int (random (0, 150))
img1 = jpg1.get(mouseX+val1, 0, 20, height)
img2 = jpg1.get(mouseX+val2, 0, 5, height)
blendMode (SUBTRACT)
tint (255, 20)
image (img1, mouseX+val1, random(0, height ))
blendMode ( BLEND )
noTint()
image (img2, mouseX-val2, 0)
image (jpg2, 0, 0)
def keyPressed():
if key == 's':
saveFrame( "myProcessing" + str(frameCount) + ".jpg ")
| jpg1 = 0
jpg2 = 0
img1 = 0
img2 = 0
def setup():
global jpg1, jpg2
background(100)
smooth()
size(1200, 700)
no_stroke()
jpg1 = load_image('br1.jpg')
jpg2 = load_image('bread1.gif')
def draw():
global jpg1, jpg2
if frameCount == 1:
image(jpg1, 0, 0)
val1 = int(random(0, 150))
val2 = int(random(0, 150))
img1 = jpg1.get(mouseX + val1, 0, 20, height)
img2 = jpg1.get(mouseX + val2, 0, 5, height)
blend_mode(SUBTRACT)
tint(255, 20)
image(img1, mouseX + val1, random(0, height))
blend_mode(BLEND)
no_tint()
image(img2, mouseX - val2, 0)
image(jpg2, 0, 0)
def key_pressed():
if key == 's':
save_frame('myProcessing' + str(frameCount) + '.jpg ') |
def slices(series, length):
if len(series) <= 0 or length <= 0:
raise ValueError("invalid arguments.")
if length > len(series):
raise ValueError(f"Cannot get {length} digit series from a {len(series)} digit string.")
resultList = []
diff = len(series) - length +1
for i in range (diff):
resultList.append(series[i:i+length])
return resultList
| def slices(series, length):
if len(series) <= 0 or length <= 0:
raise value_error('invalid arguments.')
if length > len(series):
raise value_error(f'Cannot get {length} digit series from a {len(series)} digit string.')
result_list = []
diff = len(series) - length + 1
for i in range(diff):
resultList.append(series[i:i + length])
return resultList |
# parsetab.py
# This file is automatically generated. Do not edit.
# pylint: disable=W,C,R
_tabversion = '3.10'
_lr_method = 'LALR'
_lr_signature = 'AND ASSIGN COMMA DEF DIFF DIVIDE ELIF ELSE EQ FALSE FLOAT FOR GET GT ID IF IN INTEGER LBRACE LBRACKET LET LPAREN LT MINUS MINUSMINUS MULTIPLY NOT OR PLUS PLUSPLUS RBRACE RBRACKET RPAREN SEMI STRING TRUE WHILEcode : code sent\n\t\t\t\t| sent\n\t\t\t\t| emptysent : statement\n\t\t\t\t| instruction SEMIinstruction : assign\n\t\t\t\t\t | functionstatement : function_definition\n\t\t\t\t\t | for_statement\n\t\t\t\t\t | if_statement\n\t\t\t\t\t | while_statementfor_statement : FOR LPAREN for_valid_expr COMMA for_valid_expr COMMA for_valid_iter RPAREN LBRACE code RBRACE\n\t\t\t\t\t \t | FOR LPAREN ID IN ID RPAREN LBRACE code RBRACEfor_valid_expr : expr_num\n\t\t\t\t\t\t | expr_arithmfor_valid_iter : PLUS\n\t\t\t\t\t\t | PLUSPLUS\n\t\t\t\t\t\t | MINUS\n\t\t\t\t\t\t | MINUSMINUSif_statement : IF LPAREN logic_list RPAREN LBRACE code RBRACE\n\t\t\t \t\t\t| IF LPAREN logic_list RPAREN LBRACE code RBRACE elif_sent\n\t\t\t \t\t\t| IF LPAREN logic_list RPAREN LBRACE code RBRACE ELSE LBRACE code RBRACE\n\t\t\t \t\t\t| IF LPAREN logic_list RPAREN LBRACE code RBRACE elif_sent ELSE LBRACE code RBRACEelif_sent : ELIF LPAREN logic_list RPAREN LBRACE code RBRACE elif_sent\n\t\t\t\t\t | emptywhile_statement : WHILE LPAREN logic_list RPAREN LBRACE code RBRACEfunction_definition : DEF ID LPAREN RPAREN LBRACE code RBRACEassign : ID ASSIGN expr_type\n\t\t\t\t | ID ASSIGN expr_arithm\n\t\t\t\t | ID ASSIGN logic_list\n\t\t\t\t | ID ASSIGN expr_listassign : ID ASSIGN functionfunction : ID LPAREN list RPARENlist : list COMMA ID\n\t\t\t\t| list COMMA function\n\t\t\t\t| function\n\t\t\t\t| IDlist : list COMMA expr_type\n\t\t\t\t| expr_type\n\t\t\t\t| emptylist : list COMMA expr_arithm\n\t\t\t\t| list COMMA logic_list\n\t\t\t\t| expr_arithm\n\t\t\t\t| logic_listlogic_list : LPAREN logic_list RPARENlogic_list : logic_list AND logic_list\n\t\t\t\t\t | logic_list OR logic_list\n\t\t\t\t\t | expr_boolexpr_bool : expr_bool EQ expr_bool\n\t\t\t\t\t | expr_bool LT expr_bool\n\t\t\t\t\t | expr_bool LET expr_bool\n\t\t\t\t\t | expr_bool GT expr_bool\n\t\t\t\t\t | expr_bool GET expr_bool\n\t\t\t\t\t | expr_bool DIFF expr_bool\n\t\t\t\t\t | NOT expr_boolexpr_bool : functionexpr_bool : expr_type\n\t\t\t\t\t | expr_arithmexpr_arithm : LPAREN expr_arithm RPARENexpr_arithm : expr_arithm PLUS expr_arithm\n\t\t\t\t\t | expr_arithm MINUS expr_arithm\n\t\t\t\t\t | expr_arithm MULTIPLY expr_arithm\n\t\t\t\t\t | expr_arithm DIVIDE expr_arithm\n\t\t\t\t\t | MINUS expr_arithmexpr_arithm : ID\n\t\t\t\t\t | functionexpr_arithm : expr_typefunction : sent_index_listsent_index_list : sent_index_list LBRACKET ID RBRACKET\n\t\t\t\t\t\t | ID LBRACKET ID RBRACKETsent_index_list : sent_index_list LBRACKET INTEGER RBRACKET\n\t\t\t\t\t\t | ID LBRACKET INTEGER RBRACKETexpr_list : LBRACKET expr_inside_list RBRACKETexpr_inside_list : expr_inside_list COMMA expr_type\n\t\t\t\t\t\t\t| expr_inside_list COMMA expr_bool\n\t\t\t\t\t\t\t| expr_type\n\t\t\t\t\t\t\t| expr_bool\n\t\t\t\t\t\t\t| emptyexpr_type : expr_num\n\t\t\t\t\t | expr_stringexpr_bool : TRUEexpr_bool : FALSEexpr_num : FLOAT\n\t\t\t\t\t| INTEGERexpr_string : STRINGempty :'
_lr_action_items = {'DEF':([0,1,2,3,4,6,7,8,9,18,19,106,130,131,132,137,138,139,145,146,147,149,150,153,154,155,157,159,160,161,163,164,165,167,168,169,170,171,],[12,12,-2,-3,-4,-8,-9,-10,-11,-1,-5,12,12,12,12,12,12,-27,12,-20,-26,12,-21,-25,12,-13,12,12,12,12,-12,12,-22,-23,12,12,-86,-24,]),'FOR':([0,1,2,3,4,6,7,8,9,18,19,106,130,131,132,137,138,139,145,146,147,149,150,153,154,155,157,159,160,161,163,164,165,167,168,169,170,171,],[14,14,-2,-3,-4,-8,-9,-10,-11,-1,-5,14,14,14,14,14,14,-27,14,-20,-26,14,-21,-25,14,-13,14,14,14,14,-12,14,-22,-23,14,14,-86,-24,]),'IF':([0,1,2,3,4,6,7,8,9,18,19,106,130,131,132,137,138,139,145,146,147,149,150,153,154,155,157,159,160,161,163,164,165,167,168,169,170,171,],[15,15,-2,-3,-4,-8,-9,-10,-11,-1,-5,15,15,15,15,15,15,-27,15,-20,-26,15,-21,-25,15,-13,15,15,15,15,-12,15,-22,-23,15,15,-86,-24,]),'WHILE':([0,1,2,3,4,6,7,8,9,18,19,106,130,131,132,137,138,139,145,146,147,149,150,153,154,155,157,159,160,161,163,164,165,167,168,169,170,171,],[16,16,-2,-3,-4,-8,-9,-10,-11,-1,-5,16,16,16,16,16,16,-27,16,-20,-26,16,-21,-25,16,-13,16,16,16,16,-12,16,-22,-23,16,16,-86,-24,]),'ID':([0,1,2,3,4,6,7,8,9,12,18,19,21,22,23,24,25,26,27,37,38,40,44,56,63,73,74,75,76,77,78,84,85,86,87,88,89,96,100,101,106,122,130,131,132,137,138,139,145,146,147,149,150,153,154,155,157,158,159,160,161,163,164,165,167,168,169,170,171,],[13,13,-2,-3,-4,-8,-9,-10,-11,20,-1,-5,29,47,54,58,68,68,70,29,29,68,68,29,29,29,29,29,29,68,68,68,68,68,68,68,68,123,29,129,13,68,13,13,13,13,13,-27,13,-20,-26,13,-21,-25,13,-13,13,68,13,13,13,-12,13,-22,-23,13,13,-86,-24,]),'$end':([0,1,2,3,4,6,7,8,9,18,19,139,146,147,150,153,155,163,165,167,170,171,],[-86,0,-2,-3,-4,-8,-9,-10,-11,-1,-5,-27,-20,-26,-21,-25,-13,-12,-22,-23,-86,-24,]),'RBRACE':([2,3,4,6,7,8,9,18,19,106,130,131,132,137,138,139,145,146,147,149,150,153,154,155,157,159,160,161,163,164,165,167,168,169,170,171,],[-2,-3,-4,-8,-9,-10,-11,-1,-5,-86,-86,-86,139,146,147,-27,-86,-20,-26,155,-21,-25,-86,-13,-86,163,-86,165,-12,167,-22,-23,-86,170,-86,-24,]),'SEMI':([5,10,11,17,29,30,31,32,33,34,35,36,39,41,42,43,45,46,61,62,65,66,67,68,83,94,95,97,98,104,105,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,],[19,-6,-7,-68,-65,-28,-29,-30,-31,-32,-79,-80,-48,-83,-84,-85,-81,-82,-66,-67,-56,-57,-58,-65,-64,-55,-33,-70,-72,-69,-71,-60,-61,-62,-63,-46,-47,-59,-45,-49,-50,-51,-52,-53,-54,-73,]),'ASSIGN':([13,],[21,]),'LPAREN':([13,14,15,16,20,21,22,24,25,26,29,37,38,40,44,47,56,58,63,68,73,74,75,76,77,78,84,85,86,87,88,89,96,100,122,123,152,158,],[22,24,25,26,28,37,37,56,63,63,22,37,56,56,56,22,56,22,63,22,56,56,56,56,63,63,56,56,56,56,56,56,37,56,56,22,158,63,]),'LBRACKET':([13,17,21,29,47,58,68,97,98,104,105,123,],[23,27,40,23,23,23,23,-70,-72,-69,-71,23,]),'PLUS':([17,29,30,31,34,35,36,41,42,43,47,49,50,52,58,59,60,61,62,65,66,67,68,79,81,82,83,91,95,97,98,99,104,105,107,108,109,110,113,123,124,125,126,133,135,],[-68,-65,-67,73,-66,-79,-80,-83,-84,-85,-65,-66,-67,73,-65,-79,73,-66,-67,-66,-67,73,-65,73,-66,-67,73,-67,-33,-70,-72,73,-69,-71,73,73,73,73,-59,-65,-66,-67,73,-67,141,]),'MINUS':([17,21,22,24,25,26,29,30,31,34,35,36,37,38,40,41,42,43,44,47,49,50,52,56,58,59,60,61,62,63,65,66,67,68,73,74,75,76,77,78,79,81,82,83,84,85,86,87,88,89,91,95,96,97,98,99,100,104,105,107,108,109,110,113,122,123,124,125,126,133,135,158,],[-68,38,38,38,38,38,-65,-67,74,-66,-79,-80,38,38,38,-83,-84,-85,38,-65,-66,-67,74,38,-65,-79,74,-66,-67,38,-66,-67,74,-65,38,38,38,38,38,38,74,-66,-67,74,38,38,38,38,38,38,-67,-33,38,-70,-72,74,38,-69,-71,74,74,74,74,-59,38,-65,-66,-67,74,-67,143,38,]),'MULTIPLY':([17,29,30,31,34,35,36,41,42,43,47,49,50,52,58,59,60,61,62,65,66,67,68,79,81,82,83,91,95,97,98,99,104,105,107,108,109,110,113,123,124,125,126,133,],[-68,-65,-67,75,-66,-79,-80,-83,-84,-85,-65,-66,-67,75,-65,-79,75,-66,-67,-66,-67,75,-65,75,-66,-67,75,-67,-33,-70,-72,75,-69,-71,75,75,75,75,-59,-65,-66,-67,75,-67,]),'DIVIDE':([17,29,30,31,34,35,36,41,42,43,47,49,50,52,58,59,60,61,62,65,66,67,68,79,81,82,83,91,95,97,98,99,104,105,107,108,109,110,113,123,124,125,126,133,],[-68,-65,-67,76,-66,-79,-80,-83,-84,-85,-65,-66,-67,76,-65,-79,76,-66,-67,-66,-67,76,-65,76,-66,-67,76,-67,-33,-70,-72,76,-69,-71,76,76,76,76,-59,-65,-66,-67,76,-67,]),'EQ':([17,29,30,31,34,35,36,39,41,42,43,45,46,47,49,50,52,61,62,65,66,67,68,79,81,82,83,91,92,94,95,97,98,104,105,107,108,109,110,113,115,116,117,118,119,120,123,124,125,126,133,134,],[-68,-65,-57,-58,-56,-79,-80,84,-83,-84,-85,-81,-82,-65,-56,-57,-58,-66,-67,-56,-57,-58,-65,-58,-56,-57,-64,-57,84,84,-33,-70,-72,-69,-71,-60,-61,-62,-63,-59,84,84,84,84,84,84,-65,-56,-57,-58,-57,84,]),'LT':([17,29,30,31,34,35,36,39,41,42,43,45,46,47,49,50,52,61,62,65,66,67,68,79,81,82,83,91,92,94,95,97,98,104,105,107,108,109,110,113,115,116,117,118,119,120,123,124,125,126,133,134,],[-68,-65,-57,-58,-56,-79,-80,85,-83,-84,-85,-81,-82,-65,-56,-57,-58,-66,-67,-56,-57,-58,-65,-58,-56,-57,-64,-57,85,85,-33,-70,-72,-69,-71,-60,-61,-62,-63,-59,85,85,85,85,85,85,-65,-56,-57,-58,-57,85,]),'LET':([17,29,30,31,34,35,36,39,41,42,43,45,46,47,49,50,52,61,62,65,66,67,68,79,81,82,83,91,92,94,95,97,98,104,105,107,108,109,110,113,115,116,117,118,119,120,123,124,125,126,133,134,],[-68,-65,-57,-58,-56,-79,-80,86,-83,-84,-85,-81,-82,-65,-56,-57,-58,-66,-67,-56,-57,-58,-65,-58,-56,-57,-64,-57,86,86,-33,-70,-72,-69,-71,-60,-61,-62,-63,-59,86,86,86,86,86,86,-65,-56,-57,-58,-57,86,]),'GT':([17,29,30,31,34,35,36,39,41,42,43,45,46,47,49,50,52,61,62,65,66,67,68,79,81,82,83,91,92,94,95,97,98,104,105,107,108,109,110,113,115,116,117,118,119,120,123,124,125,126,133,134,],[-68,-65,-57,-58,-56,-79,-80,87,-83,-84,-85,-81,-82,-65,-56,-57,-58,-66,-67,-56,-57,-58,-65,-58,-56,-57,-64,-57,87,87,-33,-70,-72,-69,-71,-60,-61,-62,-63,-59,87,87,87,87,87,87,-65,-56,-57,-58,-57,87,]),'GET':([17,29,30,31,34,35,36,39,41,42,43,45,46,47,49,50,52,61,62,65,66,67,68,79,81,82,83,91,92,94,95,97,98,104,105,107,108,109,110,113,115,116,117,118,119,120,123,124,125,126,133,134,],[-68,-65,-57,-58,-56,-79,-80,88,-83,-84,-85,-81,-82,-65,-56,-57,-58,-66,-67,-56,-57,-58,-65,-58,-56,-57,-64,-57,88,88,-33,-70,-72,-69,-71,-60,-61,-62,-63,-59,88,88,88,88,88,88,-65,-56,-57,-58,-57,88,]),'DIFF':([17,29,30,31,34,35,36,39,41,42,43,45,46,47,49,50,52,61,62,65,66,67,68,79,81,82,83,91,92,94,95,97,98,104,105,107,108,109,110,113,115,116,117,118,119,120,123,124,125,126,133,134,],[-68,-65,-57,-58,-56,-79,-80,89,-83,-84,-85,-81,-82,-65,-56,-57,-58,-66,-67,-56,-57,-58,-65,-58,-56,-57,-64,-57,89,89,-33,-70,-72,-69,-71,-60,-61,-62,-63,-59,89,89,89,89,89,89,-65,-56,-57,-58,-57,89,]),'AND':([17,29,30,31,32,34,35,36,39,41,42,43,45,46,47,49,50,52,53,61,62,64,65,66,67,68,69,79,80,81,82,83,94,95,97,98,104,105,107,108,109,110,111,112,113,114,115,116,117,118,119,120,123,124,125,126,127,162,],[-68,-65,-57,-58,77,-56,-79,-80,-48,-83,-84,-85,-81,-82,-65,-56,-57,-58,77,-66,-67,77,-56,-57,-58,-65,77,-58,77,-56,-57,-64,-55,-33,-70,-72,-69,-71,-60,-61,-62,-63,77,77,-59,-45,-49,-50,-51,-52,-53,-54,-65,-56,-57,-58,77,77,]),'OR':([17,29,30,31,32,34,35,36,39,41,42,43,45,46,47,49,50,52,53,61,62,64,65,66,67,68,69,79,80,81,82,83,94,95,97,98,104,105,107,108,109,110,111,112,113,114,115,116,117,118,119,120,123,124,125,126,127,162,],[-68,-65,-57,-58,78,-56,-79,-80,-48,-83,-84,-85,-81,-82,-65,-56,-57,-58,78,-66,-67,78,-56,-57,-58,-65,78,-58,78,-56,-57,-64,-55,-33,-70,-72,-69,-71,-60,-61,-62,-63,78,78,-59,-45,-49,-50,-51,-52,-53,-54,-65,-56,-57,-58,78,78,]),'RPAREN':([17,22,28,29,35,36,39,41,42,43,45,46,47,48,49,50,51,52,53,61,62,64,65,66,67,68,69,79,80,81,82,83,94,95,97,98,99,104,105,107,108,109,110,111,112,113,114,115,116,117,118,119,120,123,124,125,126,127,129,140,141,142,143,144,162,],[-68,-86,72,-65,-79,-80,-48,-83,-84,-85,-81,-82,-37,95,-36,-39,-40,-43,-44,-66,-67,102,-56,-57,-58,-65,103,113,114,-56,-57,-64,-55,-33,-70,-72,113,-69,-71,-60,-61,-62,-63,-46,-47,-59,-45,-49,-50,-51,-52,-53,-54,-34,-35,-38,-41,-42,136,148,-16,-17,-18,-19,166,]),'COMMA':([17,22,29,35,36,39,40,41,42,43,45,46,47,48,49,50,51,52,53,57,58,59,60,61,62,65,66,67,68,83,90,91,92,93,94,95,97,98,104,105,107,108,109,110,111,112,113,114,115,116,117,118,119,120,123,124,125,126,127,128,133,134,],[-68,-86,-65,-79,-80,-48,-86,-83,-84,-85,-81,-82,-37,96,-36,-39,-40,-43,-44,100,-65,-14,-15,-66,-67,-56,-57,-58,-65,-64,122,-57,-77,-78,-55,-33,-70,-72,-69,-71,-60,-61,-62,-63,-46,-47,-59,-45,-49,-50,-51,-52,-53,-54,-34,-35,-38,-41,-42,135,-57,-75,]),'RBRACKET':([17,29,35,36,40,41,42,43,45,46,54,55,61,62,65,66,67,68,70,71,83,90,91,92,93,94,95,97,98,104,105,107,108,109,110,113,115,116,117,118,119,120,133,134,],[-68,-65,-79,-80,-86,-83,-84,-85,-81,-82,97,98,-66,-67,-56,-57,-58,-65,104,105,-64,121,-57,-77,-78,-55,-33,-70,-72,-69,-71,-60,-61,-62,-63,-59,-49,-50,-51,-52,-53,-54,-57,-75,]),'FLOAT':([21,22,24,25,26,37,38,40,44,56,63,73,74,75,76,77,78,84,85,86,87,88,89,96,100,122,158,],[41,41,41,41,41,41,41,41,41,41,41,41,41,41,41,41,41,41,41,41,41,41,41,41,41,41,41,]),'INTEGER':([21,22,23,24,25,26,27,37,38,40,44,56,63,73,74,75,76,77,78,84,85,86,87,88,89,96,100,122,158,],[42,42,55,42,42,42,71,42,42,42,42,42,42,42,42,42,42,42,42,42,42,42,42,42,42,42,42,42,42,]),'STRING':([21,22,24,25,26,37,38,40,44,56,63,73,74,75,76,77,78,84,85,86,87,88,89,96,100,122,158,],[43,43,43,43,43,43,43,43,43,43,43,43,43,43,43,43,43,43,43,43,43,43,43,43,43,43,43,]),'NOT':([21,22,25,26,37,40,44,63,77,78,84,85,86,87,88,89,96,122,158,],[44,44,44,44,44,44,44,44,44,44,44,44,44,44,44,44,44,44,44,]),'TRUE':([21,22,25,26,37,40,44,63,77,78,84,85,86,87,88,89,96,122,158,],[45,45,45,45,45,45,45,45,45,45,45,45,45,45,45,45,45,45,45,]),'FALSE':([21,22,25,26,37,40,44,63,77,78,84,85,86,87,88,89,96,122,158,],[46,46,46,46,46,46,46,46,46,46,46,46,46,46,46,46,46,46,46,]),'IN':([58,],[101,]),'LBRACE':([72,102,103,136,148,151,156,166,],[106,130,131,145,154,157,160,168,]),'PLUSPLUS':([135,],[142,]),'MINUSMINUS':([135,],[144,]),'ELSE':([146,150,153,170,171,],[151,156,-25,-86,-24,]),'ELIF':([146,170,],[152,152,]),}
_lr_action = {}
for _k, _v in _lr_action_items.items():
for _x,_y in zip(_v[0],_v[1]):
if not _x in _lr_action: _lr_action[_x] = {}
_lr_action[_x][_k] = _y
del _lr_action_items
_lr_goto_items = {'code':([0,106,130,131,145,154,157,160,168,],[1,132,137,138,149,159,161,164,169,]),'sent':([0,1,106,130,131,132,137,138,145,149,154,157,159,160,161,164,168,169,],[2,18,2,2,2,18,18,18,2,18,2,2,18,2,18,18,2,18,]),'empty':([0,22,40,106,130,131,145,146,154,157,160,168,170,],[3,51,93,3,3,3,3,153,3,3,3,3,153,]),'statement':([0,1,106,130,131,132,137,138,145,149,154,157,159,160,161,164,168,169,],[4,4,4,4,4,4,4,4,4,4,4,4,4,4,4,4,4,4,]),'instruction':([0,1,106,130,131,132,137,138,145,149,154,157,159,160,161,164,168,169,],[5,5,5,5,5,5,5,5,5,5,5,5,5,5,5,5,5,5,]),'function_definition':([0,1,106,130,131,132,137,138,145,149,154,157,159,160,161,164,168,169,],[6,6,6,6,6,6,6,6,6,6,6,6,6,6,6,6,6,6,]),'for_statement':([0,1,106,130,131,132,137,138,145,149,154,157,159,160,161,164,168,169,],[7,7,7,7,7,7,7,7,7,7,7,7,7,7,7,7,7,7,]),'if_statement':([0,1,106,130,131,132,137,138,145,149,154,157,159,160,161,164,168,169,],[8,8,8,8,8,8,8,8,8,8,8,8,8,8,8,8,8,8,]),'while_statement':([0,1,106,130,131,132,137,138,145,149,154,157,159,160,161,164,168,169,],[9,9,9,9,9,9,9,9,9,9,9,9,9,9,9,9,9,9,]),'assign':([0,1,106,130,131,132,137,138,145,149,154,157,159,160,161,164,168,169,],[10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,10,]),'function':([0,1,21,22,24,25,26,37,38,40,44,56,63,73,74,75,76,77,78,84,85,86,87,88,89,96,100,106,122,130,131,132,137,138,145,149,154,157,158,159,160,161,164,168,169,],[11,11,34,49,61,65,65,81,61,65,65,61,81,61,61,61,61,65,65,65,65,65,65,65,65,124,61,11,65,11,11,11,11,11,11,11,11,11,65,11,11,11,11,11,11,]),'sent_index_list':([0,1,21,22,24,25,26,37,38,40,44,56,63,73,74,75,76,77,78,84,85,86,87,88,89,96,100,106,122,130,131,132,137,138,145,149,154,157,158,159,160,161,164,168,169,],[17,17,17,17,17,17,17,17,17,17,17,17,17,17,17,17,17,17,17,17,17,17,17,17,17,17,17,17,17,17,17,17,17,17,17,17,17,17,17,17,17,17,17,17,17,]),'expr_type':([21,22,24,25,26,37,38,40,44,56,63,73,74,75,76,77,78,84,85,86,87,88,89,96,100,122,158,],[30,50,62,66,66,82,62,91,66,62,82,62,62,62,62,66,66,66,66,66,66,66,66,125,62,133,66,]),'expr_arithm':([21,22,24,25,26,37,38,40,44,56,63,73,74,75,76,77,78,84,85,86,87,88,89,96,100,122,158,],[31,52,60,67,67,79,83,67,67,99,79,107,108,109,110,67,67,67,67,67,67,67,67,126,60,67,67,]),'logic_list':([21,22,25,26,37,63,77,78,96,158,],[32,53,64,69,80,80,111,112,127,162,]),'expr_list':([21,],[33,]),'expr_num':([21,22,24,25,26,37,38,40,44,56,63,73,74,75,76,77,78,84,85,86,87,88,89,96,100,122,158,],[35,35,59,35,35,35,35,35,35,35,35,35,35,35,35,35,35,35,35,35,35,35,35,35,59,35,35,]),'expr_string':([21,22,24,25,26,37,38,40,44,56,63,73,74,75,76,77,78,84,85,86,87,88,89,96,100,122,158,],[36,36,36,36,36,36,36,36,36,36,36,36,36,36,36,36,36,36,36,36,36,36,36,36,36,36,36,]),'expr_bool':([21,22,25,26,37,40,44,63,77,78,84,85,86,87,88,89,96,122,158,],[39,39,39,39,39,92,94,39,39,39,115,116,117,118,119,120,39,134,39,]),'list':([22,],[48,]),'for_valid_expr':([24,100,],[57,128,]),'expr_inside_list':([40,],[90,]),'for_valid_iter':([135,],[140,]),'elif_sent':([146,170,],[150,171,]),}
_lr_goto = {}
for _k, _v in _lr_goto_items.items():
for _x, _y in zip(_v[0], _v[1]):
if not _x in _lr_goto: _lr_goto[_x] = {}
_lr_goto[_x][_k] = _y
del _lr_goto_items
_lr_productions = [
("S' -> code","S'",1,None,None,None),
('code -> code sent','code',2,'p_code','nbz_parser.py',41),
('code -> sent','code',1,'p_code','nbz_parser.py',42),
('code -> empty','code',1,'p_code','nbz_parser.py',43),
('sent -> statement','sent',1,'p_sent','nbz_parser.py',54),
('sent -> instruction SEMI','sent',2,'p_sent','nbz_parser.py',55),
('instruction -> assign','instruction',1,'p_instruction','nbz_parser.py',59),
('instruction -> function','instruction',1,'p_instruction','nbz_parser.py',60),
('statement -> function_definition','statement',1,'p_statement','nbz_parser.py',64),
('statement -> for_statement','statement',1,'p_statement','nbz_parser.py',65),
('statement -> if_statement','statement',1,'p_statement','nbz_parser.py',66),
('statement -> while_statement','statement',1,'p_statement','nbz_parser.py',67),
('for_statement -> FOR LPAREN for_valid_expr COMMA for_valid_expr COMMA for_valid_iter RPAREN LBRACE code RBRACE','for_statement',11,'p_sent_for_flow_int','nbz_parser.py',71),
('for_statement -> FOR LPAREN ID IN ID RPAREN LBRACE code RBRACE','for_statement',9,'p_sent_for_flow_int','nbz_parser.py',72),
('for_valid_expr -> expr_num','for_valid_expr',1,'p_for_valid_expressions_num','nbz_parser.py',85),
('for_valid_expr -> expr_arithm','for_valid_expr',1,'p_for_valid_expressions_num','nbz_parser.py',86),
('for_valid_iter -> PLUS','for_valid_iter',1,'p_for_valid_iterators','nbz_parser.py',90),
('for_valid_iter -> PLUSPLUS','for_valid_iter',1,'p_for_valid_iterators','nbz_parser.py',91),
('for_valid_iter -> MINUS','for_valid_iter',1,'p_for_valid_iterators','nbz_parser.py',92),
('for_valid_iter -> MINUSMINUS','for_valid_iter',1,'p_for_valid_iterators','nbz_parser.py',93),
('if_statement -> IF LPAREN logic_list RPAREN LBRACE code RBRACE','if_statement',7,'p_sent_if_flow','nbz_parser.py',97),
('if_statement -> IF LPAREN logic_list RPAREN LBRACE code RBRACE elif_sent','if_statement',8,'p_sent_if_flow','nbz_parser.py',98),
('if_statement -> IF LPAREN logic_list RPAREN LBRACE code RBRACE ELSE LBRACE code RBRACE','if_statement',11,'p_sent_if_flow','nbz_parser.py',99),
('if_statement -> IF LPAREN logic_list RPAREN LBRACE code RBRACE elif_sent ELSE LBRACE code RBRACE','if_statement',12,'p_sent_if_flow','nbz_parser.py',100),
('elif_sent -> ELIF LPAREN logic_list RPAREN LBRACE code RBRACE elif_sent','elif_sent',8,'p_sent_elif_flow','nbz_parser.py',130),
('elif_sent -> empty','elif_sent',1,'p_sent_elif_flow','nbz_parser.py',131),
('while_statement -> WHILE LPAREN logic_list RPAREN LBRACE code RBRACE','while_statement',7,'p_sent_while_flow','nbz_parser.py',141),
('function_definition -> DEF ID LPAREN RPAREN LBRACE code RBRACE','function_definition',7,'p_function_definition','nbz_parser.py',148),
('assign -> ID ASSIGN expr_type','assign',3,'p_assign_expr','nbz_parser.py',156),
('assign -> ID ASSIGN expr_arithm','assign',3,'p_assign_expr','nbz_parser.py',157),
('assign -> ID ASSIGN logic_list','assign',3,'p_assign_expr','nbz_parser.py',158),
('assign -> ID ASSIGN expr_list','assign',3,'p_assign_expr','nbz_parser.py',159),
('assign -> ID ASSIGN function','assign',3,'p_assign_func','nbz_parser.py',165),
('function -> ID LPAREN list RPAREN','function',4,'p_expr_funcs','nbz_parser.py',172),
('list -> list COMMA ID','list',3,'p_list_var','nbz_parser.py',182),
('list -> list COMMA function','list',3,'p_list_var','nbz_parser.py',183),
('list -> function','list',1,'p_list_var','nbz_parser.py',184),
('list -> ID','list',1,'p_list_var','nbz_parser.py',185),
('list -> list COMMA expr_type','list',3,'p_list_value','nbz_parser.py',224),
('list -> expr_type','list',1,'p_list_value','nbz_parser.py',225),
('list -> empty','list',1,'p_list_value','nbz_parser.py',226),
('list -> list COMMA expr_arithm','list',3,'p_list_expression','nbz_parser.py',237),
('list -> list COMMA logic_list','list',3,'p_list_expression','nbz_parser.py',238),
('list -> expr_arithm','list',1,'p_list_expression','nbz_parser.py',239),
('list -> logic_list','list',1,'p_list_expression','nbz_parser.py',240),
('logic_list -> LPAREN logic_list RPAREN','logic_list',3,'p_group_logic_list','nbz_parser.py',248),
('logic_list -> logic_list AND logic_list','logic_list',3,'p_logic_list','nbz_parser.py',252),
('logic_list -> logic_list OR logic_list','logic_list',3,'p_logic_list','nbz_parser.py',253),
('logic_list -> expr_bool','logic_list',1,'p_logic_list','nbz_parser.py',254),
('expr_bool -> expr_bool EQ expr_bool','expr_bool',3,'p_expr_logical','nbz_parser.py',264),
('expr_bool -> expr_bool LT expr_bool','expr_bool',3,'p_expr_logical','nbz_parser.py',265),
('expr_bool -> expr_bool LET expr_bool','expr_bool',3,'p_expr_logical','nbz_parser.py',266),
('expr_bool -> expr_bool GT expr_bool','expr_bool',3,'p_expr_logical','nbz_parser.py',267),
('expr_bool -> expr_bool GET expr_bool','expr_bool',3,'p_expr_logical','nbz_parser.py',268),
('expr_bool -> expr_bool DIFF expr_bool','expr_bool',3,'p_expr_logical','nbz_parser.py',269),
('expr_bool -> NOT expr_bool','expr_bool',2,'p_expr_logical','nbz_parser.py',270),
('expr_bool -> function','expr_bool',1,'p_logic_valid_var','nbz_parser.py',287),
('expr_bool -> expr_type','expr_bool',1,'p_logic_valid_type','nbz_parser.py',297),
('expr_bool -> expr_arithm','expr_bool',1,'p_logic_valid_type','nbz_parser.py',298),
('expr_arithm -> LPAREN expr_arithm RPAREN','expr_arithm',3,'p_group_expr_arithmethic','nbz_parser.py',302),
('expr_arithm -> expr_arithm PLUS expr_arithm','expr_arithm',3,'p_expr_aritmethic','nbz_parser.py',306),
('expr_arithm -> expr_arithm MINUS expr_arithm','expr_arithm',3,'p_expr_aritmethic','nbz_parser.py',307),
('expr_arithm -> expr_arithm MULTIPLY expr_arithm','expr_arithm',3,'p_expr_aritmethic','nbz_parser.py',308),
('expr_arithm -> expr_arithm DIVIDE expr_arithm','expr_arithm',3,'p_expr_aritmethic','nbz_parser.py',309),
('expr_arithm -> MINUS expr_arithm','expr_arithm',2,'p_expr_aritmethic','nbz_parser.py',310),
('expr_arithm -> ID','expr_arithm',1,'p_arithm_valid_var','nbz_parser.py',323),
('expr_arithm -> function','expr_arithm',1,'p_arithm_valid_var','nbz_parser.py',324),
('expr_arithm -> expr_type','expr_arithm',1,'p_arithm_valid_num','nbz_parser.py',343),
('function -> sent_index_list','function',1,'p_sent_index_list','nbz_parser.py',347),
('sent_index_list -> sent_index_list LBRACKET ID RBRACKET','sent_index_list',4,'p_index_list_var','nbz_parser.py',351),
('sent_index_list -> ID LBRACKET ID RBRACKET','sent_index_list',4,'p_index_list_var','nbz_parser.py',352),
('sent_index_list -> sent_index_list LBRACKET INTEGER RBRACKET','sent_index_list',4,'p_index_list_value','nbz_parser.py',378),
('sent_index_list -> ID LBRACKET INTEGER RBRACKET','sent_index_list',4,'p_index_list_value','nbz_parser.py',379),
('expr_list -> LBRACKET expr_inside_list RBRACKET','expr_list',3,'p_expr_list','nbz_parser.py',393),
('expr_inside_list -> expr_inside_list COMMA expr_type','expr_inside_list',3,'p_list_expr_inside_list','nbz_parser.py',397),
('expr_inside_list -> expr_inside_list COMMA expr_bool','expr_inside_list',3,'p_list_expr_inside_list','nbz_parser.py',398),
('expr_inside_list -> expr_type','expr_inside_list',1,'p_list_expr_inside_list','nbz_parser.py',399),
('expr_inside_list -> expr_bool','expr_inside_list',1,'p_list_expr_inside_list','nbz_parser.py',400),
('expr_inside_list -> empty','expr_inside_list',1,'p_list_expr_inside_list','nbz_parser.py',401),
('expr_type -> expr_num','expr_type',1,'p_expr_type','nbz_parser.py',412),
('expr_type -> expr_string','expr_type',1,'p_expr_type','nbz_parser.py',413),
('expr_bool -> TRUE','expr_bool',1,'p_expr_bool_true','nbz_parser.py',417),
('expr_bool -> FALSE','expr_bool',1,'p_expr_bool_false','nbz_parser.py',421),
('expr_num -> FLOAT','expr_num',1,'p_expr_number','nbz_parser.py',425),
('expr_num -> INTEGER','expr_num',1,'p_expr_number','nbz_parser.py',426),
('expr_string -> STRING','expr_string',1,'p_expr_string','nbz_parser.py',430),
('empty -> <empty>','empty',0,'p_empty','nbz_parser.py',435),
]
| _tabversion = '3.10'
_lr_method = 'LALR'
_lr_signature = 'AND ASSIGN COMMA DEF DIFF DIVIDE ELIF ELSE EQ FALSE FLOAT FOR GET GT ID IF IN INTEGER LBRACE LBRACKET LET LPAREN LT MINUS MINUSMINUS MULTIPLY NOT OR PLUS PLUSPLUS RBRACE RBRACKET RPAREN SEMI STRING TRUE WHILEcode : code sent\n\t\t\t\t| sent\n\t\t\t\t| emptysent : statement\n\t\t\t\t| instruction SEMIinstruction : assign\n\t\t\t\t\t | functionstatement : function_definition\n\t\t\t\t\t | for_statement\n\t\t\t\t\t | if_statement\n\t\t\t\t\t | while_statementfor_statement : FOR LPAREN for_valid_expr COMMA for_valid_expr COMMA for_valid_iter RPAREN LBRACE code RBRACE\n\t\t\t\t\t \t | FOR LPAREN ID IN ID RPAREN LBRACE code RBRACEfor_valid_expr : expr_num\n\t\t\t\t\t\t | expr_arithmfor_valid_iter : PLUS\n\t\t\t\t\t\t | PLUSPLUS\n\t\t\t\t\t\t | MINUS\n\t\t\t\t\t\t | MINUSMINUSif_statement : IF LPAREN logic_list RPAREN LBRACE code RBRACE\n\t\t\t \t\t\t| IF LPAREN logic_list RPAREN LBRACE code RBRACE elif_sent\n\t\t\t \t\t\t| IF LPAREN logic_list RPAREN LBRACE code RBRACE ELSE LBRACE code RBRACE\n\t\t\t \t\t\t| IF LPAREN logic_list RPAREN LBRACE code RBRACE elif_sent ELSE LBRACE code RBRACEelif_sent : ELIF LPAREN logic_list RPAREN LBRACE code RBRACE elif_sent\n\t\t\t\t\t | emptywhile_statement : WHILE LPAREN logic_list RPAREN LBRACE code RBRACEfunction_definition : DEF ID LPAREN RPAREN LBRACE code RBRACEassign : ID ASSIGN expr_type\n\t\t\t\t | ID ASSIGN expr_arithm\n\t\t\t\t | ID ASSIGN logic_list\n\t\t\t\t | ID ASSIGN expr_listassign : ID ASSIGN functionfunction : ID LPAREN list RPARENlist : list COMMA ID\n\t\t\t\t| list COMMA function\n\t\t\t\t| function\n\t\t\t\t| IDlist : list COMMA expr_type\n\t\t\t\t| expr_type\n\t\t\t\t| emptylist : list COMMA expr_arithm\n\t\t\t\t| list COMMA logic_list\n\t\t\t\t| expr_arithm\n\t\t\t\t| logic_listlogic_list : LPAREN logic_list RPARENlogic_list : logic_list AND logic_list\n\t\t\t\t\t | logic_list OR logic_list\n\t\t\t\t\t | expr_boolexpr_bool : expr_bool EQ expr_bool\n\t\t\t\t\t | expr_bool LT expr_bool\n\t\t\t\t\t | expr_bool LET expr_bool\n\t\t\t\t\t | expr_bool GT expr_bool\n\t\t\t\t\t | expr_bool GET expr_bool\n\t\t\t\t\t | expr_bool DIFF expr_bool\n\t\t\t\t\t | NOT expr_boolexpr_bool : functionexpr_bool : expr_type\n\t\t\t\t\t | expr_arithmexpr_arithm : LPAREN expr_arithm RPARENexpr_arithm : expr_arithm PLUS expr_arithm\n\t\t\t\t\t | expr_arithm MINUS expr_arithm\n\t\t\t\t\t | expr_arithm MULTIPLY expr_arithm\n\t\t\t\t\t | expr_arithm DIVIDE expr_arithm\n\t\t\t\t\t | MINUS expr_arithmexpr_arithm : ID\n\t\t\t\t\t | functionexpr_arithm : expr_typefunction : sent_index_listsent_index_list : sent_index_list LBRACKET ID RBRACKET\n\t\t\t\t\t\t | ID LBRACKET ID RBRACKETsent_index_list : sent_index_list LBRACKET INTEGER RBRACKET\n\t\t\t\t\t\t | ID LBRACKET INTEGER RBRACKETexpr_list : LBRACKET expr_inside_list RBRACKETexpr_inside_list : expr_inside_list COMMA expr_type\n\t\t\t\t\t\t\t| expr_inside_list COMMA expr_bool\n\t\t\t\t\t\t\t| expr_type\n\t\t\t\t\t\t\t| expr_bool\n\t\t\t\t\t\t\t| emptyexpr_type : expr_num\n\t\t\t\t\t | expr_stringexpr_bool : TRUEexpr_bool : FALSEexpr_num : FLOAT\n\t\t\t\t\t| INTEGERexpr_string : STRINGempty :'
_lr_action_items = {'DEF': ([0, 1, 2, 3, 4, 6, 7, 8, 9, 18, 19, 106, 130, 131, 132, 137, 138, 139, 145, 146, 147, 149, 150, 153, 154, 155, 157, 159, 160, 161, 163, 164, 165, 167, 168, 169, 170, 171], [12, 12, -2, -3, -4, -8, -9, -10, -11, -1, -5, 12, 12, 12, 12, 12, 12, -27, 12, -20, -26, 12, -21, -25, 12, -13, 12, 12, 12, 12, -12, 12, -22, -23, 12, 12, -86, -24]), 'FOR': ([0, 1, 2, 3, 4, 6, 7, 8, 9, 18, 19, 106, 130, 131, 132, 137, 138, 139, 145, 146, 147, 149, 150, 153, 154, 155, 157, 159, 160, 161, 163, 164, 165, 167, 168, 169, 170, 171], [14, 14, -2, -3, -4, -8, -9, -10, -11, -1, -5, 14, 14, 14, 14, 14, 14, -27, 14, -20, -26, 14, -21, -25, 14, -13, 14, 14, 14, 14, -12, 14, -22, -23, 14, 14, -86, -24]), 'IF': ([0, 1, 2, 3, 4, 6, 7, 8, 9, 18, 19, 106, 130, 131, 132, 137, 138, 139, 145, 146, 147, 149, 150, 153, 154, 155, 157, 159, 160, 161, 163, 164, 165, 167, 168, 169, 170, 171], [15, 15, -2, -3, -4, -8, -9, -10, -11, -1, -5, 15, 15, 15, 15, 15, 15, -27, 15, -20, -26, 15, -21, -25, 15, -13, 15, 15, 15, 15, -12, 15, -22, -23, 15, 15, -86, -24]), 'WHILE': ([0, 1, 2, 3, 4, 6, 7, 8, 9, 18, 19, 106, 130, 131, 132, 137, 138, 139, 145, 146, 147, 149, 150, 153, 154, 155, 157, 159, 160, 161, 163, 164, 165, 167, 168, 169, 170, 171], [16, 16, -2, -3, -4, -8, -9, -10, -11, -1, -5, 16, 16, 16, 16, 16, 16, -27, 16, -20, -26, 16, -21, -25, 16, -13, 16, 16, 16, 16, -12, 16, -22, -23, 16, 16, -86, -24]), 'ID': ([0, 1, 2, 3, 4, 6, 7, 8, 9, 12, 18, 19, 21, 22, 23, 24, 25, 26, 27, 37, 38, 40, 44, 56, 63, 73, 74, 75, 76, 77, 78, 84, 85, 86, 87, 88, 89, 96, 100, 101, 106, 122, 130, 131, 132, 137, 138, 139, 145, 146, 147, 149, 150, 153, 154, 155, 157, 158, 159, 160, 161, 163, 164, 165, 167, 168, 169, 170, 171], [13, 13, -2, -3, -4, -8, -9, -10, -11, 20, -1, -5, 29, 47, 54, 58, 68, 68, 70, 29, 29, 68, 68, 29, 29, 29, 29, 29, 29, 68, 68, 68, 68, 68, 68, 68, 68, 123, 29, 129, 13, 68, 13, 13, 13, 13, 13, -27, 13, -20, -26, 13, -21, -25, 13, -13, 13, 68, 13, 13, 13, -12, 13, -22, -23, 13, 13, -86, -24]), '$end': ([0, 1, 2, 3, 4, 6, 7, 8, 9, 18, 19, 139, 146, 147, 150, 153, 155, 163, 165, 167, 170, 171], [-86, 0, -2, -3, -4, -8, -9, -10, -11, -1, -5, -27, -20, -26, -21, -25, -13, -12, -22, -23, -86, -24]), 'RBRACE': ([2, 3, 4, 6, 7, 8, 9, 18, 19, 106, 130, 131, 132, 137, 138, 139, 145, 146, 147, 149, 150, 153, 154, 155, 157, 159, 160, 161, 163, 164, 165, 167, 168, 169, 170, 171], [-2, -3, -4, -8, -9, -10, -11, -1, -5, -86, -86, -86, 139, 146, 147, -27, -86, -20, -26, 155, -21, -25, -86, -13, -86, 163, -86, 165, -12, 167, -22, -23, -86, 170, -86, -24]), 'SEMI': ([5, 10, 11, 17, 29, 30, 31, 32, 33, 34, 35, 36, 39, 41, 42, 43, 45, 46, 61, 62, 65, 66, 67, 68, 83, 94, 95, 97, 98, 104, 105, 107, 108, 109, 110, 111, 112, 113, 114, 115, 116, 117, 118, 119, 120, 121], [19, -6, -7, -68, -65, -28, -29, -30, -31, -32, -79, -80, -48, -83, -84, -85, -81, -82, -66, -67, -56, -57, -58, -65, -64, -55, -33, -70, -72, -69, -71, -60, -61, -62, -63, -46, -47, -59, -45, -49, -50, -51, -52, -53, -54, -73]), 'ASSIGN': ([13], [21]), 'LPAREN': ([13, 14, 15, 16, 20, 21, 22, 24, 25, 26, 29, 37, 38, 40, 44, 47, 56, 58, 63, 68, 73, 74, 75, 76, 77, 78, 84, 85, 86, 87, 88, 89, 96, 100, 122, 123, 152, 158], [22, 24, 25, 26, 28, 37, 37, 56, 63, 63, 22, 37, 56, 56, 56, 22, 56, 22, 63, 22, 56, 56, 56, 56, 63, 63, 56, 56, 56, 56, 56, 56, 37, 56, 56, 22, 158, 63]), 'LBRACKET': ([13, 17, 21, 29, 47, 58, 68, 97, 98, 104, 105, 123], [23, 27, 40, 23, 23, 23, 23, -70, -72, -69, -71, 23]), 'PLUS': ([17, 29, 30, 31, 34, 35, 36, 41, 42, 43, 47, 49, 50, 52, 58, 59, 60, 61, 62, 65, 66, 67, 68, 79, 81, 82, 83, 91, 95, 97, 98, 99, 104, 105, 107, 108, 109, 110, 113, 123, 124, 125, 126, 133, 135], [-68, -65, -67, 73, -66, -79, -80, -83, -84, -85, -65, -66, -67, 73, -65, -79, 73, -66, -67, -66, -67, 73, -65, 73, -66, -67, 73, -67, -33, -70, -72, 73, -69, -71, 73, 73, 73, 73, -59, -65, -66, -67, 73, -67, 141]), 'MINUS': ([17, 21, 22, 24, 25, 26, 29, 30, 31, 34, 35, 36, 37, 38, 40, 41, 42, 43, 44, 47, 49, 50, 52, 56, 58, 59, 60, 61, 62, 63, 65, 66, 67, 68, 73, 74, 75, 76, 77, 78, 79, 81, 82, 83, 84, 85, 86, 87, 88, 89, 91, 95, 96, 97, 98, 99, 100, 104, 105, 107, 108, 109, 110, 113, 122, 123, 124, 125, 126, 133, 135, 158], [-68, 38, 38, 38, 38, 38, -65, -67, 74, -66, -79, -80, 38, 38, 38, -83, -84, -85, 38, -65, -66, -67, 74, 38, -65, -79, 74, -66, -67, 38, -66, -67, 74, -65, 38, 38, 38, 38, 38, 38, 74, -66, -67, 74, 38, 38, 38, 38, 38, 38, -67, -33, 38, -70, -72, 74, 38, -69, -71, 74, 74, 74, 74, -59, 38, -65, -66, -67, 74, -67, 143, 38]), 'MULTIPLY': ([17, 29, 30, 31, 34, 35, 36, 41, 42, 43, 47, 49, 50, 52, 58, 59, 60, 61, 62, 65, 66, 67, 68, 79, 81, 82, 83, 91, 95, 97, 98, 99, 104, 105, 107, 108, 109, 110, 113, 123, 124, 125, 126, 133], [-68, -65, -67, 75, -66, -79, -80, -83, -84, -85, -65, -66, -67, 75, -65, -79, 75, -66, -67, -66, -67, 75, -65, 75, -66, -67, 75, -67, -33, -70, -72, 75, -69, -71, 75, 75, 75, 75, -59, -65, -66, -67, 75, -67]), 'DIVIDE': ([17, 29, 30, 31, 34, 35, 36, 41, 42, 43, 47, 49, 50, 52, 58, 59, 60, 61, 62, 65, 66, 67, 68, 79, 81, 82, 83, 91, 95, 97, 98, 99, 104, 105, 107, 108, 109, 110, 113, 123, 124, 125, 126, 133], [-68, -65, -67, 76, -66, -79, -80, -83, -84, -85, -65, -66, -67, 76, -65, -79, 76, -66, -67, -66, -67, 76, -65, 76, -66, -67, 76, -67, -33, -70, -72, 76, -69, -71, 76, 76, 76, 76, -59, -65, -66, -67, 76, -67]), 'EQ': ([17, 29, 30, 31, 34, 35, 36, 39, 41, 42, 43, 45, 46, 47, 49, 50, 52, 61, 62, 65, 66, 67, 68, 79, 81, 82, 83, 91, 92, 94, 95, 97, 98, 104, 105, 107, 108, 109, 110, 113, 115, 116, 117, 118, 119, 120, 123, 124, 125, 126, 133, 134], [-68, -65, -57, -58, -56, -79, -80, 84, -83, -84, -85, -81, -82, -65, -56, -57, -58, -66, -67, -56, -57, -58, -65, -58, -56, -57, -64, -57, 84, 84, -33, -70, -72, -69, -71, -60, -61, -62, -63, -59, 84, 84, 84, 84, 84, 84, -65, -56, -57, -58, -57, 84]), 'LT': ([17, 29, 30, 31, 34, 35, 36, 39, 41, 42, 43, 45, 46, 47, 49, 50, 52, 61, 62, 65, 66, 67, 68, 79, 81, 82, 83, 91, 92, 94, 95, 97, 98, 104, 105, 107, 108, 109, 110, 113, 115, 116, 117, 118, 119, 120, 123, 124, 125, 126, 133, 134], [-68, -65, -57, -58, -56, -79, -80, 85, -83, -84, -85, -81, -82, -65, -56, -57, -58, -66, -67, -56, -57, -58, -65, -58, -56, -57, -64, -57, 85, 85, -33, -70, -72, -69, -71, -60, -61, -62, -63, -59, 85, 85, 85, 85, 85, 85, -65, -56, -57, -58, -57, 85]), 'LET': ([17, 29, 30, 31, 34, 35, 36, 39, 41, 42, 43, 45, 46, 47, 49, 50, 52, 61, 62, 65, 66, 67, 68, 79, 81, 82, 83, 91, 92, 94, 95, 97, 98, 104, 105, 107, 108, 109, 110, 113, 115, 116, 117, 118, 119, 120, 123, 124, 125, 126, 133, 134], [-68, -65, -57, -58, -56, -79, -80, 86, -83, -84, -85, -81, -82, -65, -56, -57, -58, -66, -67, -56, -57, -58, -65, -58, -56, -57, -64, -57, 86, 86, -33, -70, -72, -69, -71, -60, -61, -62, -63, -59, 86, 86, 86, 86, 86, 86, -65, -56, -57, -58, -57, 86]), 'GT': ([17, 29, 30, 31, 34, 35, 36, 39, 41, 42, 43, 45, 46, 47, 49, 50, 52, 61, 62, 65, 66, 67, 68, 79, 81, 82, 83, 91, 92, 94, 95, 97, 98, 104, 105, 107, 108, 109, 110, 113, 115, 116, 117, 118, 119, 120, 123, 124, 125, 126, 133, 134], [-68, -65, -57, -58, -56, -79, -80, 87, -83, -84, -85, -81, -82, -65, -56, -57, -58, -66, -67, -56, -57, -58, -65, -58, -56, -57, -64, -57, 87, 87, -33, -70, -72, -69, -71, -60, -61, -62, -63, -59, 87, 87, 87, 87, 87, 87, -65, -56, -57, -58, -57, 87]), 'GET': ([17, 29, 30, 31, 34, 35, 36, 39, 41, 42, 43, 45, 46, 47, 49, 50, 52, 61, 62, 65, 66, 67, 68, 79, 81, 82, 83, 91, 92, 94, 95, 97, 98, 104, 105, 107, 108, 109, 110, 113, 115, 116, 117, 118, 119, 120, 123, 124, 125, 126, 133, 134], [-68, -65, -57, -58, -56, -79, -80, 88, -83, -84, -85, -81, -82, -65, -56, -57, -58, -66, -67, -56, -57, -58, -65, -58, -56, -57, -64, -57, 88, 88, -33, -70, -72, -69, -71, -60, -61, -62, -63, -59, 88, 88, 88, 88, 88, 88, -65, -56, -57, -58, -57, 88]), 'DIFF': ([17, 29, 30, 31, 34, 35, 36, 39, 41, 42, 43, 45, 46, 47, 49, 50, 52, 61, 62, 65, 66, 67, 68, 79, 81, 82, 83, 91, 92, 94, 95, 97, 98, 104, 105, 107, 108, 109, 110, 113, 115, 116, 117, 118, 119, 120, 123, 124, 125, 126, 133, 134], [-68, -65, -57, -58, -56, -79, -80, 89, -83, -84, -85, -81, -82, -65, -56, -57, -58, -66, -67, -56, -57, -58, -65, -58, -56, -57, -64, -57, 89, 89, -33, -70, -72, -69, -71, -60, -61, -62, -63, -59, 89, 89, 89, 89, 89, 89, -65, -56, -57, -58, -57, 89]), 'AND': ([17, 29, 30, 31, 32, 34, 35, 36, 39, 41, 42, 43, 45, 46, 47, 49, 50, 52, 53, 61, 62, 64, 65, 66, 67, 68, 69, 79, 80, 81, 82, 83, 94, 95, 97, 98, 104, 105, 107, 108, 109, 110, 111, 112, 113, 114, 115, 116, 117, 118, 119, 120, 123, 124, 125, 126, 127, 162], [-68, -65, -57, -58, 77, -56, -79, -80, -48, -83, -84, -85, -81, -82, -65, -56, -57, -58, 77, -66, -67, 77, -56, -57, -58, -65, 77, -58, 77, -56, -57, -64, -55, -33, -70, -72, -69, -71, -60, -61, -62, -63, 77, 77, -59, -45, -49, -50, -51, -52, -53, -54, -65, -56, -57, -58, 77, 77]), 'OR': ([17, 29, 30, 31, 32, 34, 35, 36, 39, 41, 42, 43, 45, 46, 47, 49, 50, 52, 53, 61, 62, 64, 65, 66, 67, 68, 69, 79, 80, 81, 82, 83, 94, 95, 97, 98, 104, 105, 107, 108, 109, 110, 111, 112, 113, 114, 115, 116, 117, 118, 119, 120, 123, 124, 125, 126, 127, 162], [-68, -65, -57, -58, 78, -56, -79, -80, -48, -83, -84, -85, -81, -82, -65, -56, -57, -58, 78, -66, -67, 78, -56, -57, -58, -65, 78, -58, 78, -56, -57, -64, -55, -33, -70, -72, -69, -71, -60, -61, -62, -63, 78, 78, -59, -45, -49, -50, -51, -52, -53, -54, -65, -56, -57, -58, 78, 78]), 'RPAREN': ([17, 22, 28, 29, 35, 36, 39, 41, 42, 43, 45, 46, 47, 48, 49, 50, 51, 52, 53, 61, 62, 64, 65, 66, 67, 68, 69, 79, 80, 81, 82, 83, 94, 95, 97, 98, 99, 104, 105, 107, 108, 109, 110, 111, 112, 113, 114, 115, 116, 117, 118, 119, 120, 123, 124, 125, 126, 127, 129, 140, 141, 142, 143, 144, 162], [-68, -86, 72, -65, -79, -80, -48, -83, -84, -85, -81, -82, -37, 95, -36, -39, -40, -43, -44, -66, -67, 102, -56, -57, -58, -65, 103, 113, 114, -56, -57, -64, -55, -33, -70, -72, 113, -69, -71, -60, -61, -62, -63, -46, -47, -59, -45, -49, -50, -51, -52, -53, -54, -34, -35, -38, -41, -42, 136, 148, -16, -17, -18, -19, 166]), 'COMMA': ([17, 22, 29, 35, 36, 39, 40, 41, 42, 43, 45, 46, 47, 48, 49, 50, 51, 52, 53, 57, 58, 59, 60, 61, 62, 65, 66, 67, 68, 83, 90, 91, 92, 93, 94, 95, 97, 98, 104, 105, 107, 108, 109, 110, 111, 112, 113, 114, 115, 116, 117, 118, 119, 120, 123, 124, 125, 126, 127, 128, 133, 134], [-68, -86, -65, -79, -80, -48, -86, -83, -84, -85, -81, -82, -37, 96, -36, -39, -40, -43, -44, 100, -65, -14, -15, -66, -67, -56, -57, -58, -65, -64, 122, -57, -77, -78, -55, -33, -70, -72, -69, -71, -60, -61, -62, -63, -46, -47, -59, -45, -49, -50, -51, -52, -53, -54, -34, -35, -38, -41, -42, 135, -57, -75]), 'RBRACKET': ([17, 29, 35, 36, 40, 41, 42, 43, 45, 46, 54, 55, 61, 62, 65, 66, 67, 68, 70, 71, 83, 90, 91, 92, 93, 94, 95, 97, 98, 104, 105, 107, 108, 109, 110, 113, 115, 116, 117, 118, 119, 120, 133, 134], [-68, -65, -79, -80, -86, -83, -84, -85, -81, -82, 97, 98, -66, -67, -56, -57, -58, -65, 104, 105, -64, 121, -57, -77, -78, -55, -33, -70, -72, -69, -71, -60, -61, -62, -63, -59, -49, -50, -51, -52, -53, -54, -57, -75]), 'FLOAT': ([21, 22, 24, 25, 26, 37, 38, 40, 44, 56, 63, 73, 74, 75, 76, 77, 78, 84, 85, 86, 87, 88, 89, 96, 100, 122, 158], [41, 41, 41, 41, 41, 41, 41, 41, 41, 41, 41, 41, 41, 41, 41, 41, 41, 41, 41, 41, 41, 41, 41, 41, 41, 41, 41]), 'INTEGER': ([21, 22, 23, 24, 25, 26, 27, 37, 38, 40, 44, 56, 63, 73, 74, 75, 76, 77, 78, 84, 85, 86, 87, 88, 89, 96, 100, 122, 158], [42, 42, 55, 42, 42, 42, 71, 42, 42, 42, 42, 42, 42, 42, 42, 42, 42, 42, 42, 42, 42, 42, 42, 42, 42, 42, 42, 42, 42]), 'STRING': ([21, 22, 24, 25, 26, 37, 38, 40, 44, 56, 63, 73, 74, 75, 76, 77, 78, 84, 85, 86, 87, 88, 89, 96, 100, 122, 158], [43, 43, 43, 43, 43, 43, 43, 43, 43, 43, 43, 43, 43, 43, 43, 43, 43, 43, 43, 43, 43, 43, 43, 43, 43, 43, 43]), 'NOT': ([21, 22, 25, 26, 37, 40, 44, 63, 77, 78, 84, 85, 86, 87, 88, 89, 96, 122, 158], [44, 44, 44, 44, 44, 44, 44, 44, 44, 44, 44, 44, 44, 44, 44, 44, 44, 44, 44]), 'TRUE': ([21, 22, 25, 26, 37, 40, 44, 63, 77, 78, 84, 85, 86, 87, 88, 89, 96, 122, 158], [45, 45, 45, 45, 45, 45, 45, 45, 45, 45, 45, 45, 45, 45, 45, 45, 45, 45, 45]), 'FALSE': ([21, 22, 25, 26, 37, 40, 44, 63, 77, 78, 84, 85, 86, 87, 88, 89, 96, 122, 158], [46, 46, 46, 46, 46, 46, 46, 46, 46, 46, 46, 46, 46, 46, 46, 46, 46, 46, 46]), 'IN': ([58], [101]), 'LBRACE': ([72, 102, 103, 136, 148, 151, 156, 166], [106, 130, 131, 145, 154, 157, 160, 168]), 'PLUSPLUS': ([135], [142]), 'MINUSMINUS': ([135], [144]), 'ELSE': ([146, 150, 153, 170, 171], [151, 156, -25, -86, -24]), 'ELIF': ([146, 170], [152, 152])}
_lr_action = {}
for (_k, _v) in _lr_action_items.items():
for (_x, _y) in zip(_v[0], _v[1]):
if not _x in _lr_action:
_lr_action[_x] = {}
_lr_action[_x][_k] = _y
del _lr_action_items
_lr_goto_items = {'code': ([0, 106, 130, 131, 145, 154, 157, 160, 168], [1, 132, 137, 138, 149, 159, 161, 164, 169]), 'sent': ([0, 1, 106, 130, 131, 132, 137, 138, 145, 149, 154, 157, 159, 160, 161, 164, 168, 169], [2, 18, 2, 2, 2, 18, 18, 18, 2, 18, 2, 2, 18, 2, 18, 18, 2, 18]), 'empty': ([0, 22, 40, 106, 130, 131, 145, 146, 154, 157, 160, 168, 170], [3, 51, 93, 3, 3, 3, 3, 153, 3, 3, 3, 3, 153]), 'statement': ([0, 1, 106, 130, 131, 132, 137, 138, 145, 149, 154, 157, 159, 160, 161, 164, 168, 169], [4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4]), 'instruction': ([0, 1, 106, 130, 131, 132, 137, 138, 145, 149, 154, 157, 159, 160, 161, 164, 168, 169], [5, 5, 5, 5, 5, 5, 5, 5, 5, 5, 5, 5, 5, 5, 5, 5, 5, 5]), 'function_definition': ([0, 1, 106, 130, 131, 132, 137, 138, 145, 149, 154, 157, 159, 160, 161, 164, 168, 169], [6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6]), 'for_statement': ([0, 1, 106, 130, 131, 132, 137, 138, 145, 149, 154, 157, 159, 160, 161, 164, 168, 169], [7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7, 7]), 'if_statement': ([0, 1, 106, 130, 131, 132, 137, 138, 145, 149, 154, 157, 159, 160, 161, 164, 168, 169], [8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8, 8]), 'while_statement': ([0, 1, 106, 130, 131, 132, 137, 138, 145, 149, 154, 157, 159, 160, 161, 164, 168, 169], [9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9, 9]), 'assign': ([0, 1, 106, 130, 131, 132, 137, 138, 145, 149, 154, 157, 159, 160, 161, 164, 168, 169], [10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10]), 'function': ([0, 1, 21, 22, 24, 25, 26, 37, 38, 40, 44, 56, 63, 73, 74, 75, 76, 77, 78, 84, 85, 86, 87, 88, 89, 96, 100, 106, 122, 130, 131, 132, 137, 138, 145, 149, 154, 157, 158, 159, 160, 161, 164, 168, 169], [11, 11, 34, 49, 61, 65, 65, 81, 61, 65, 65, 61, 81, 61, 61, 61, 61, 65, 65, 65, 65, 65, 65, 65, 65, 124, 61, 11, 65, 11, 11, 11, 11, 11, 11, 11, 11, 11, 65, 11, 11, 11, 11, 11, 11]), 'sent_index_list': ([0, 1, 21, 22, 24, 25, 26, 37, 38, 40, 44, 56, 63, 73, 74, 75, 76, 77, 78, 84, 85, 86, 87, 88, 89, 96, 100, 106, 122, 130, 131, 132, 137, 138, 145, 149, 154, 157, 158, 159, 160, 161, 164, 168, 169], [17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17]), 'expr_type': ([21, 22, 24, 25, 26, 37, 38, 40, 44, 56, 63, 73, 74, 75, 76, 77, 78, 84, 85, 86, 87, 88, 89, 96, 100, 122, 158], [30, 50, 62, 66, 66, 82, 62, 91, 66, 62, 82, 62, 62, 62, 62, 66, 66, 66, 66, 66, 66, 66, 66, 125, 62, 133, 66]), 'expr_arithm': ([21, 22, 24, 25, 26, 37, 38, 40, 44, 56, 63, 73, 74, 75, 76, 77, 78, 84, 85, 86, 87, 88, 89, 96, 100, 122, 158], [31, 52, 60, 67, 67, 79, 83, 67, 67, 99, 79, 107, 108, 109, 110, 67, 67, 67, 67, 67, 67, 67, 67, 126, 60, 67, 67]), 'logic_list': ([21, 22, 25, 26, 37, 63, 77, 78, 96, 158], [32, 53, 64, 69, 80, 80, 111, 112, 127, 162]), 'expr_list': ([21], [33]), 'expr_num': ([21, 22, 24, 25, 26, 37, 38, 40, 44, 56, 63, 73, 74, 75, 76, 77, 78, 84, 85, 86, 87, 88, 89, 96, 100, 122, 158], [35, 35, 59, 35, 35, 35, 35, 35, 35, 35, 35, 35, 35, 35, 35, 35, 35, 35, 35, 35, 35, 35, 35, 35, 59, 35, 35]), 'expr_string': ([21, 22, 24, 25, 26, 37, 38, 40, 44, 56, 63, 73, 74, 75, 76, 77, 78, 84, 85, 86, 87, 88, 89, 96, 100, 122, 158], [36, 36, 36, 36, 36, 36, 36, 36, 36, 36, 36, 36, 36, 36, 36, 36, 36, 36, 36, 36, 36, 36, 36, 36, 36, 36, 36]), 'expr_bool': ([21, 22, 25, 26, 37, 40, 44, 63, 77, 78, 84, 85, 86, 87, 88, 89, 96, 122, 158], [39, 39, 39, 39, 39, 92, 94, 39, 39, 39, 115, 116, 117, 118, 119, 120, 39, 134, 39]), 'list': ([22], [48]), 'for_valid_expr': ([24, 100], [57, 128]), 'expr_inside_list': ([40], [90]), 'for_valid_iter': ([135], [140]), 'elif_sent': ([146, 170], [150, 171])}
_lr_goto = {}
for (_k, _v) in _lr_goto_items.items():
for (_x, _y) in zip(_v[0], _v[1]):
if not _x in _lr_goto:
_lr_goto[_x] = {}
_lr_goto[_x][_k] = _y
del _lr_goto_items
_lr_productions = [("S' -> code", "S'", 1, None, None, None), ('code -> code sent', 'code', 2, 'p_code', 'nbz_parser.py', 41), ('code -> sent', 'code', 1, 'p_code', 'nbz_parser.py', 42), ('code -> empty', 'code', 1, 'p_code', 'nbz_parser.py', 43), ('sent -> statement', 'sent', 1, 'p_sent', 'nbz_parser.py', 54), ('sent -> instruction SEMI', 'sent', 2, 'p_sent', 'nbz_parser.py', 55), ('instruction -> assign', 'instruction', 1, 'p_instruction', 'nbz_parser.py', 59), ('instruction -> function', 'instruction', 1, 'p_instruction', 'nbz_parser.py', 60), ('statement -> function_definition', 'statement', 1, 'p_statement', 'nbz_parser.py', 64), ('statement -> for_statement', 'statement', 1, 'p_statement', 'nbz_parser.py', 65), ('statement -> if_statement', 'statement', 1, 'p_statement', 'nbz_parser.py', 66), ('statement -> while_statement', 'statement', 1, 'p_statement', 'nbz_parser.py', 67), ('for_statement -> FOR LPAREN for_valid_expr COMMA for_valid_expr COMMA for_valid_iter RPAREN LBRACE code RBRACE', 'for_statement', 11, 'p_sent_for_flow_int', 'nbz_parser.py', 71), ('for_statement -> FOR LPAREN ID IN ID RPAREN LBRACE code RBRACE', 'for_statement', 9, 'p_sent_for_flow_int', 'nbz_parser.py', 72), ('for_valid_expr -> expr_num', 'for_valid_expr', 1, 'p_for_valid_expressions_num', 'nbz_parser.py', 85), ('for_valid_expr -> expr_arithm', 'for_valid_expr', 1, 'p_for_valid_expressions_num', 'nbz_parser.py', 86), ('for_valid_iter -> PLUS', 'for_valid_iter', 1, 'p_for_valid_iterators', 'nbz_parser.py', 90), ('for_valid_iter -> PLUSPLUS', 'for_valid_iter', 1, 'p_for_valid_iterators', 'nbz_parser.py', 91), ('for_valid_iter -> MINUS', 'for_valid_iter', 1, 'p_for_valid_iterators', 'nbz_parser.py', 92), ('for_valid_iter -> MINUSMINUS', 'for_valid_iter', 1, 'p_for_valid_iterators', 'nbz_parser.py', 93), ('if_statement -> IF LPAREN logic_list RPAREN LBRACE code RBRACE', 'if_statement', 7, 'p_sent_if_flow', 'nbz_parser.py', 97), ('if_statement -> IF LPAREN logic_list RPAREN LBRACE code RBRACE elif_sent', 'if_statement', 8, 'p_sent_if_flow', 'nbz_parser.py', 98), ('if_statement -> IF LPAREN logic_list RPAREN LBRACE code RBRACE ELSE LBRACE code RBRACE', 'if_statement', 11, 'p_sent_if_flow', 'nbz_parser.py', 99), ('if_statement -> IF LPAREN logic_list RPAREN LBRACE code RBRACE elif_sent ELSE LBRACE code RBRACE', 'if_statement', 12, 'p_sent_if_flow', 'nbz_parser.py', 100), ('elif_sent -> ELIF LPAREN logic_list RPAREN LBRACE code RBRACE elif_sent', 'elif_sent', 8, 'p_sent_elif_flow', 'nbz_parser.py', 130), ('elif_sent -> empty', 'elif_sent', 1, 'p_sent_elif_flow', 'nbz_parser.py', 131), ('while_statement -> WHILE LPAREN logic_list RPAREN LBRACE code RBRACE', 'while_statement', 7, 'p_sent_while_flow', 'nbz_parser.py', 141), ('function_definition -> DEF ID LPAREN RPAREN LBRACE code RBRACE', 'function_definition', 7, 'p_function_definition', 'nbz_parser.py', 148), ('assign -> ID ASSIGN expr_type', 'assign', 3, 'p_assign_expr', 'nbz_parser.py', 156), ('assign -> ID ASSIGN expr_arithm', 'assign', 3, 'p_assign_expr', 'nbz_parser.py', 157), ('assign -> ID ASSIGN logic_list', 'assign', 3, 'p_assign_expr', 'nbz_parser.py', 158), ('assign -> ID ASSIGN expr_list', 'assign', 3, 'p_assign_expr', 'nbz_parser.py', 159), ('assign -> ID ASSIGN function', 'assign', 3, 'p_assign_func', 'nbz_parser.py', 165), ('function -> ID LPAREN list RPAREN', 'function', 4, 'p_expr_funcs', 'nbz_parser.py', 172), ('list -> list COMMA ID', 'list', 3, 'p_list_var', 'nbz_parser.py', 182), ('list -> list COMMA function', 'list', 3, 'p_list_var', 'nbz_parser.py', 183), ('list -> function', 'list', 1, 'p_list_var', 'nbz_parser.py', 184), ('list -> ID', 'list', 1, 'p_list_var', 'nbz_parser.py', 185), ('list -> list COMMA expr_type', 'list', 3, 'p_list_value', 'nbz_parser.py', 224), ('list -> expr_type', 'list', 1, 'p_list_value', 'nbz_parser.py', 225), ('list -> empty', 'list', 1, 'p_list_value', 'nbz_parser.py', 226), ('list -> list COMMA expr_arithm', 'list', 3, 'p_list_expression', 'nbz_parser.py', 237), ('list -> list COMMA logic_list', 'list', 3, 'p_list_expression', 'nbz_parser.py', 238), ('list -> expr_arithm', 'list', 1, 'p_list_expression', 'nbz_parser.py', 239), ('list -> logic_list', 'list', 1, 'p_list_expression', 'nbz_parser.py', 240), ('logic_list -> LPAREN logic_list RPAREN', 'logic_list', 3, 'p_group_logic_list', 'nbz_parser.py', 248), ('logic_list -> logic_list AND logic_list', 'logic_list', 3, 'p_logic_list', 'nbz_parser.py', 252), ('logic_list -> logic_list OR logic_list', 'logic_list', 3, 'p_logic_list', 'nbz_parser.py', 253), ('logic_list -> expr_bool', 'logic_list', 1, 'p_logic_list', 'nbz_parser.py', 254), ('expr_bool -> expr_bool EQ expr_bool', 'expr_bool', 3, 'p_expr_logical', 'nbz_parser.py', 264), ('expr_bool -> expr_bool LT expr_bool', 'expr_bool', 3, 'p_expr_logical', 'nbz_parser.py', 265), ('expr_bool -> expr_bool LET expr_bool', 'expr_bool', 3, 'p_expr_logical', 'nbz_parser.py', 266), ('expr_bool -> expr_bool GT expr_bool', 'expr_bool', 3, 'p_expr_logical', 'nbz_parser.py', 267), ('expr_bool -> expr_bool GET expr_bool', 'expr_bool', 3, 'p_expr_logical', 'nbz_parser.py', 268), ('expr_bool -> expr_bool DIFF expr_bool', 'expr_bool', 3, 'p_expr_logical', 'nbz_parser.py', 269), ('expr_bool -> NOT expr_bool', 'expr_bool', 2, 'p_expr_logical', 'nbz_parser.py', 270), ('expr_bool -> function', 'expr_bool', 1, 'p_logic_valid_var', 'nbz_parser.py', 287), ('expr_bool -> expr_type', 'expr_bool', 1, 'p_logic_valid_type', 'nbz_parser.py', 297), ('expr_bool -> expr_arithm', 'expr_bool', 1, 'p_logic_valid_type', 'nbz_parser.py', 298), ('expr_arithm -> LPAREN expr_arithm RPAREN', 'expr_arithm', 3, 'p_group_expr_arithmethic', 'nbz_parser.py', 302), ('expr_arithm -> expr_arithm PLUS expr_arithm', 'expr_arithm', 3, 'p_expr_aritmethic', 'nbz_parser.py', 306), ('expr_arithm -> expr_arithm MINUS expr_arithm', 'expr_arithm', 3, 'p_expr_aritmethic', 'nbz_parser.py', 307), ('expr_arithm -> expr_arithm MULTIPLY expr_arithm', 'expr_arithm', 3, 'p_expr_aritmethic', 'nbz_parser.py', 308), ('expr_arithm -> expr_arithm DIVIDE expr_arithm', 'expr_arithm', 3, 'p_expr_aritmethic', 'nbz_parser.py', 309), ('expr_arithm -> MINUS expr_arithm', 'expr_arithm', 2, 'p_expr_aritmethic', 'nbz_parser.py', 310), ('expr_arithm -> ID', 'expr_arithm', 1, 'p_arithm_valid_var', 'nbz_parser.py', 323), ('expr_arithm -> function', 'expr_arithm', 1, 'p_arithm_valid_var', 'nbz_parser.py', 324), ('expr_arithm -> expr_type', 'expr_arithm', 1, 'p_arithm_valid_num', 'nbz_parser.py', 343), ('function -> sent_index_list', 'function', 1, 'p_sent_index_list', 'nbz_parser.py', 347), ('sent_index_list -> sent_index_list LBRACKET ID RBRACKET', 'sent_index_list', 4, 'p_index_list_var', 'nbz_parser.py', 351), ('sent_index_list -> ID LBRACKET ID RBRACKET', 'sent_index_list', 4, 'p_index_list_var', 'nbz_parser.py', 352), ('sent_index_list -> sent_index_list LBRACKET INTEGER RBRACKET', 'sent_index_list', 4, 'p_index_list_value', 'nbz_parser.py', 378), ('sent_index_list -> ID LBRACKET INTEGER RBRACKET', 'sent_index_list', 4, 'p_index_list_value', 'nbz_parser.py', 379), ('expr_list -> LBRACKET expr_inside_list RBRACKET', 'expr_list', 3, 'p_expr_list', 'nbz_parser.py', 393), ('expr_inside_list -> expr_inside_list COMMA expr_type', 'expr_inside_list', 3, 'p_list_expr_inside_list', 'nbz_parser.py', 397), ('expr_inside_list -> expr_inside_list COMMA expr_bool', 'expr_inside_list', 3, 'p_list_expr_inside_list', 'nbz_parser.py', 398), ('expr_inside_list -> expr_type', 'expr_inside_list', 1, 'p_list_expr_inside_list', 'nbz_parser.py', 399), ('expr_inside_list -> expr_bool', 'expr_inside_list', 1, 'p_list_expr_inside_list', 'nbz_parser.py', 400), ('expr_inside_list -> empty', 'expr_inside_list', 1, 'p_list_expr_inside_list', 'nbz_parser.py', 401), ('expr_type -> expr_num', 'expr_type', 1, 'p_expr_type', 'nbz_parser.py', 412), ('expr_type -> expr_string', 'expr_type', 1, 'p_expr_type', 'nbz_parser.py', 413), ('expr_bool -> TRUE', 'expr_bool', 1, 'p_expr_bool_true', 'nbz_parser.py', 417), ('expr_bool -> FALSE', 'expr_bool', 1, 'p_expr_bool_false', 'nbz_parser.py', 421), ('expr_num -> FLOAT', 'expr_num', 1, 'p_expr_number', 'nbz_parser.py', 425), ('expr_num -> INTEGER', 'expr_num', 1, 'p_expr_number', 'nbz_parser.py', 426), ('expr_string -> STRING', 'expr_string', 1, 'p_expr_string', 'nbz_parser.py', 430), ('empty -> <empty>', 'empty', 0, 'p_empty', 'nbz_parser.py', 435)] |
# To create a variable
character_name = "Jin"
character_age = "99"
print(character_name + " is " + character_age + " years old.")
# reassigning the variable
character_name = "mochi"
print(character_name + " is " + character_age + " years old.")
print("jin\nacademy")
print(len(character_name))
# to create a new line \n, to escape \
# to create a upper case
# string.upper()
# to create a lower case
# string.lower()
# to check if its upper case
# string.isupper()
# len is a length of the string
# chaining works for python
# to get a specific character
# index starts from 0
my_character = "mochi"
print(my_character[3])
# to check what position the character is in
print(my_character.index("h"))
# to change the character
my_phrase = "animal kingdom"
print(my_phrase.replace("animal", "vegetable"))
| character_name = 'Jin'
character_age = '99'
print(character_name + ' is ' + character_age + ' years old.')
character_name = 'mochi'
print(character_name + ' is ' + character_age + ' years old.')
print('jin\nacademy')
print(len(character_name))
my_character = 'mochi'
print(my_character[3])
print(my_character.index('h'))
my_phrase = 'animal kingdom'
print(my_phrase.replace('animal', 'vegetable')) |
def gimme5():
return 5
def gimme3():
return 3
| def gimme5():
return 5
def gimme3():
return 3 |
def sqrt_approx(num):
i = 0
minsq = 0
maxsq = 0
while i <= num:
if i * i <= num:
minsq = i
if i * i >= num:
maxsq = i
break
i = i + 1
return minsq, maxsq
for i in range(0, 26):
print(i, sqrt_approx(i))
| def sqrt_approx(num):
i = 0
minsq = 0
maxsq = 0
while i <= num:
if i * i <= num:
minsq = i
if i * i >= num:
maxsq = i
break
i = i + 1
return (minsq, maxsq)
for i in range(0, 26):
print(i, sqrt_approx(i)) |
#
# PySNMP MIB module Wellfleet-IPEX-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/Wellfleet-IPEX-MIB
# Produced by pysmi-0.3.4 at Wed May 1 15:40:34 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
ObjectIdentifier, Integer, OctetString = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "Integer", "OctetString")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ValueRangeConstraint, ValueSizeConstraint, SingleValueConstraint, ConstraintsIntersection, ConstraintsUnion = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueRangeConstraint", "ValueSizeConstraint", "SingleValueConstraint", "ConstraintsIntersection", "ConstraintsUnion")
NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance")
Unsigned32, NotificationType, ObjectIdentity, IpAddress, Counter64, Gauge32, Counter32, MibScalar, MibTable, MibTableRow, MibTableColumn, TimeTicks, Bits, Integer32, ModuleIdentity, iso, MibIdentifier = mibBuilder.importSymbols("SNMPv2-SMI", "Unsigned32", "NotificationType", "ObjectIdentity", "IpAddress", "Counter64", "Gauge32", "Counter32", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "TimeTicks", "Bits", "Integer32", "ModuleIdentity", "iso", "MibIdentifier")
DisplayString, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention")
wfIpexGroup, = mibBuilder.importSymbols("Wellfleet-COMMON-MIB", "wfIpexGroup")
wfIpex = MibIdentifier((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 1))
wfIpexDelete = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("created", 1), ("deleted", 2))).clone('created')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIpexDelete.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexDelete.setDescription('Create/Delete parameter. Default is created. Users perform an SNMP SET operation on this object in order to create/delete IPEX.')
wfIpexDisable = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2))).clone('enabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIpexDisable.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexDisable.setDescription('Enable/Disable parameter. Default is enabled. Users perform an SNMP SET operation on this object in order to enable/disable IPEX.')
wfIpexState = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("init", 3), ("notpresent", 4))).clone('down')).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIpexState.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexState.setDescription('The current state of IPEX.')
wfIpexMaxMessageSize = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(16, 4096)).clone(1600)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIpexMaxMessageSize.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexMaxMessageSize.setDescription('The maximum client message size that IPEX accepts. The size is in bytes.')
wfIpexInsCalledDte = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2))).clone('disabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIpexInsCalledDte.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexInsCalledDte.setDescription('Enable/Disable parameter. Default is disabled. Users perform an SNMP SET operation on this object in order to enable/disable the support for inserting Called DTE address.')
wfIpexInsCallingDte = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2))).clone('disabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIpexInsCallingDte.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexInsCallingDte.setDescription('Enable/disable the support for transmitting the calling DTE address over TCP tunnel. This changes the IPEX control message header format and hence this attribute should be enabled (only for 11.02 or up) on both ends (local & remote routers) for proper operation. This attribute applies only to End_to_End mode.')
wfIpexTcpRequestLimit = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1000)).clone(25)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIpexTcpRequestLimit.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexTcpRequestLimit.setDescription('The maximum number of TCP requests IPEX can have pending with TCP. Any addition requests will be queued until the number of pending requests fall below the limit.')
wfIpexTcpRequestCheck = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 30000)).clone(1000)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIpexTcpRequestCheck.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexTcpRequestCheck.setDescription('When IPEX has queued TCP requests, the time period (in milliseconds) between checking if the number of pending TCP requests have fallen below wfIpexTcpRequestLimit.')
wfIpexSendResetRequestOnTCPUp = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 1, 9), Integer32().clone(9)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIpexSendResetRequestOnTCPUp.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexSendResetRequestOnTCPUp.setDescription('Default(cause code) is 0x09 and PVC_TCP sends out the Reset Request with the cause code = 0x09 and TCP_PVC Router does not send the Reset Request when TCP is up. If the value is changed from the default cause code(0x09) then IPEX Gateway will send out the Reset Request with this value when network is operational. TCP_PVC will also send the Reset Request with this cause code when TCP connection is up.')
wfIpexTranslateNetworkOutOfOrder = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 1, 10), Integer32().clone(29)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIpexTranslateNetworkOutOfOrder.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexTranslateNetworkOutOfOrder.setDescription('Default is 0x1d(29): Network out of order. If the value is changed from the default cause code = 0x1d then the IPEX Gateway will send the Reset Request with cause code specified when the network is out of order.')
wfIpexTcpUseIpAddress = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2))).clone('disabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIpexTcpUseIpAddress.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexTcpUseIpAddress.setDescription('Enable/Disable parameter. Default is disabled. If set to Enabled, the IP address used for a TCP connection will be the coresponding address for the circuit.')
wfIpexBobEnabled = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disabled", 1), ("enabled", 2))).clone('disabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIpexBobEnabled.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexBobEnabled.setDescription('This attribute will indicate whether IPEX supports Bank Of Bahrain enhancement. If it is enabled, only calling DTE will be send in ASCII format in user defined area of message header, if header type is full.')
wfIpexBobTimeout = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 30000)).clone(15000)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIpexBobTimeout.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexBobTimeout.setDescription('This attribute will indicate the timeout in milliseconds, after which DEVICE UP message is to be send to BOB mainserver from router, as long as this service supports BOB functionality.')
wfIpexMaxAuditIp = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 1, 14), Integer32().clone(25)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIpexMaxAuditIp.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexMaxAuditIp.setDescription("Default is 25. Specify the maximum of IP address and TCP port pairs that IPEX Audit gate can hold in its internal table when IPEX PVC-TCP Gateway is in TCP Retry Mode. Audit gate puts new ip address and TCP port pair to the internal table when it tries TCP connection. IPEX Audit gate will be re-trying TCP connections until the table is filled up. Once it is full then it won't re-try new TCP connections. Setting zero causes IPEX audit gate to try TCP connections without examining the IP address and TCP port pairs had already tried out or not.")
wfIpexSessionInstanceIdOffsetForSvc = MibScalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 1, 15), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIpexSessionInstanceIdOffsetForSvc.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexSessionInstanceIdOffsetForSvc.setDescription('Default is 0. Specify the offset value for wfIpexSessionEntry when instances for SVC are created. For example, when it is set to 1023, instance ID for wfIpexSessionEntry for SVC connections will be wfIpexSessionEntry.*.3.1024 and the next one will be wfIpexSessionEntry.*.3.1025 and so on. This MIB object is introduced not to assign same instance ID to PVC and SVC when SVCs and PVCs are configured with single circuit. Because wfIpexSessionEntry for PVCs are based on the LCNs and the ones for SVCs are based on the order of each SVC being created, there would be the cases that same instance IDs are assigned to both SVC and PVC and it will cause the router to fault. It needs to be set to the value which is greater than the maximum LCN of the PVC connections when PVCs and SVCs co-exist on a single circuit.')
wfIpexMappingTable = MibTable((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2), )
if mibBuilder.loadTexts: wfIpexMappingTable.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexMappingTable.setDescription('A table which contains the list of mappings between TCP connections and X.25 connections. This is the configuration table in which each entry sets up the association between a TCP port number and a X.25 DTE address or connection. inst_id[] = wfIpexMappingSrcConnCct wfIpexMappingSrcConnType wfIpexMappingID')
wfIpexMappingEntry = MibTableRow((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1), ).setIndexNames((0, "Wellfleet-IPEX-MIB", "wfIpexMappingSrcConnCct"), (0, "Wellfleet-IPEX-MIB", "wfIpexMappingSrcConnType"), (0, "Wellfleet-IPEX-MIB", "wfIpexMappingID1"), (0, "Wellfleet-IPEX-MIB", "wfIpexMappingID2"))
if mibBuilder.loadTexts: wfIpexMappingEntry.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexMappingEntry.setDescription('An entry in wfIpexMappingTable.')
wfIpexMappingDelete = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("created", 1), ("deleted", 2))).clone('created')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIpexMappingDelete.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexMappingDelete.setDescription('Create/Delete attribute. Default is created. Users perform an SNMP SET operation on this object in order to create/delete a translation mapping record.')
wfIpexMappingDisable = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2))).clone('enabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIpexMappingDisable.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexMappingDisable.setDescription('Enables or Disables this Mapping entry. Setting this attribute to DISABLED will disconnect all active Sessions pertaining to this Mapping entry')
wfIpexMappingSrcConnCct = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIpexMappingSrcConnCct.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexMappingSrcConnCct.setDescription('The circuit from which the connection attempt is received that initiates a translation session.')
wfIpexMappingSrcConnType = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 4, 8, 16))).clone(namedValues=NamedValues(("pvc", 1), ("svc", 2), ("dcesvc", 4), ("lapb", 8), ("tcp", 16)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIpexMappingSrcConnType.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexMappingSrcConnType.setDescription('Defines the type of original connection attempt. Whether it is a PVC, SVC, DCE_SVC, LAPB or TCP')
wfIpexMappingID1 = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIpexMappingID1.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexMappingID1.setDescription('The translation mapping identifier which identifies the remote connection of the translation session. This is an identifier that is available from the incoming connection attempt. The meaning of this object (wfIpexMappingID1) and the next object (wfIpexMappingID2) is dependent on the value of wfIpexMappingSrcConnType. SrcConnType ID1 ID2 --------------------------------------------------- pvc(1) LCN value 0 (Null) svc(2) 0 Called X.121 Address dcesvc(4) 0 0 (Null) lapb(8) 0 0 (Null) tcp(16) Port Number 0 (Null) ')
wfIpexMappingID2 = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 6), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIpexMappingID2.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexMappingID2.setDescription('(See description for wfIpexMappingID1 above)')
wfIpexMappingDstConnCct = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 7), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIpexMappingDstConnCct.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexMappingDstConnCct.setDescription('The circuit from which the connection to the destination is to be established to set up a translation session.')
wfIpexMappingDstConnType = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 4, 8, 16))).clone(namedValues=NamedValues(("pvc", 1), ("svc", 2), ("dcesvc", 4), ("lapb", 8), ("tcp", 16))).clone('pvc')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIpexMappingDstConnType.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexMappingDstConnType.setDescription('Defines type of connection at the destination end. Whether it is a PVC, SVC, DCE_SVC, LAPB or TCP')
wfIpexMappingLocalDTEAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 9), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIpexMappingLocalDTEAddr.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexMappingLocalDTEAddr.setDescription('The Local DTE address (identifies the X.121 address of the X.25 interface on the IPEX). This attribute is only used in the case of a SVC connection initiated from the IPEX to the terminal')
wfIpexMappingRemoteDTEAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 10), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIpexMappingRemoteDTEAddr.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexMappingRemoteDTEAddr.setDescription('The Remote DTE address (identifies the X.121 address of the X.25 interface on the terminal). This attribute is only used in the case of a SVC connection initiated from the IPEX to the terminal')
wfIpexMappingPvcLcn = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4095)).clone(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIpexMappingPvcLcn.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexMappingPvcLcn.setDescription('The LCN of the PVC connection from the IPEX to the terminal (identifies the channel to be used to reset the PVC connection. This attribute * is only used in the case of a PVC connection initiated from the IPEX to the terminal')
wfIpexMappingRemoteIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 12), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIpexMappingRemoteIpAddr.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexMappingRemoteIpAddr.setDescription('The IP address of the remote host with which this translation session is established. This attribute is only used in the case of a TCP connection initiated from the IPEX to a host')
wfIpexMappingRemoteTcpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 13), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIpexMappingRemoteTcpPort.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexMappingRemoteTcpPort.setDescription('The remote TCP port number in the host to be used to establish a TCP connection from the IPEX to the host server. This attribute is only used in the case of a TCP connection initiated from the IPEX to a host')
wfIpexMappingQueueSize = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 14), Integer32().subtype(subtypeSpec=ValueRangeConstraint(16, 8192)).clone(8192)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIpexMappingQueueSize.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexMappingQueueSize.setDescription('The size of the IPEX queues used for transfering data between TCP and X.25. The size is in bytes.')
wfIpexMappingSlotNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 15), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 13))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIpexMappingSlotNumber.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexMappingSlotNumber.setDescription('The slot of the access (X.25 or LAPB) circuit on which the X.25 or LAPB connections will be established.')
wfIpexMappingCtrlMode = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("local", 1), ("end2end", 2), ("gateway", 3))).clone('end2end')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIpexMappingCtrlMode.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexMappingCtrlMode.setDescription('Local mode configuration terminates X.25 at the router interface. The end2end mode configuration allows X.25 signalling and data to operate between two remote X.25 networks, using the router to translate both call control and data over a TCP/IP network. The gateway mode terminates X.25 at the router interface, but allows the user to configure 3 message header types at the TCP application layer. These header values are described in wfIpexMappingMsgHdrType.')
wfIpexMappingX25CUDF = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 17), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIpexMappingX25CUDF.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexMappingX25CUDF.setDescription('The X.25 Call User Data field (CUDF) in a X.25 Call Request packet header. This attribute is only used in the case of a SVC connection initiated from the IPEX to the terminal. It is used as the network layer protocol identifier of the X.25 connection.')
wfIpexMappingIdleTimer = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 18), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 86400)).clone(120)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIpexMappingIdleTimer.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexMappingIdleTimer.setDescription('Idle session timeout period, in seconds. If an established TCP connection remains inactive for this interval, KEEPALIVE messages will be sent to the peer (if the Keepalive Timer is non-zero). Setting the Idle Timer to zero disables the keepalive feature.')
wfIpexMappingKeepaliveTimer = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 600)).clone(3)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIpexMappingKeepaliveTimer.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexMappingKeepaliveTimer.setDescription('KEEPALIVE retransmit timeout period, in seconds. This is the interval at which unacknowledged KEEPALIVE messages will be retransmitted. If the Idle Timer is set to zero, this timer ignored. If the Idle Timer is non-zero and this timer IS zero, no KEEPALIVEs are sent and the session is terminated upon expiration of the Idle Timer.')
wfIpexMappingKeepaliveRetries = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 20), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 99)).clone(5)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIpexMappingKeepaliveRetries.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexMappingKeepaliveRetries.setDescription('Number of unacknowledged KEEPALIVE messages retransmitted before the TCP session is terminated. If this count is set to zero, only one KEEPALIVE message will be sent.')
wfIpexMappingTrace = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 21), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIpexMappingTrace.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexMappingTrace.setDescription('This object is a bitmask, setting the low order bit enables tracing of IPEX internal events. Setting other individual bit postions disable logging of internal IPEX events. Values may be added together to disable multiple message groups. Hex Dec Value Value Message/Event --------------------------------------------------------- 0x0001 1 Enable IPEX tracing. 0x0002 2 Data packets from IPEX to X.25. 0x0004 4 Data packets from X.25 to IPEX. 0x0008 8 Window updates from X.25. 0x0010 16 Data from TCP to IPEX. 0x0020 32 Window updates from TCP. 0x0040 64 Window requests from TCP.')
wfIpexMappingMsgHdrType = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 22), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("none", 1), ("short", 2), ("long", 3), ("full", 4))).clone('full')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIpexMappingMsgHdrType.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexMappingMsgHdrType.setDescription('This attribute enables the Message Boundary Protocol. When enabled, this bit is used to mark the boundary of TCP application data that is consistent with Gateway Operation. The first three message header types are used only with wfIpexMappingCtlMode in gateway mode. The default value is used with wfIpexMappingCtlMode in the local or end2end mode of operation. NONE = Msg Boundary Protocol is off, no msg header. SHORT = Msg header condtains a 2-Byte length field. LONG = Msg header contains a 1-Byte type, 1-Byte version, and a 2-Byte length fields. FULL = Msg Header contains a 2-Byte length1 field, 1-Byte Version field, 1-Byte Type field and, a 1-Byte length2 field')
wfIpexMappingRemoteBackupIp = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 23), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIpexMappingRemoteBackupIp.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexMappingRemoteBackupIp.setDescription('The IP address of the remote host with which this translation session is established. This attribute is only used in the case of a TCP connection with the primary remote IP address (wfIpexMappingRemoteIpAddr) failed.')
wfIpexMappingXlateCallingX121 = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 24), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIpexMappingXlateCallingX121.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexMappingXlateCallingX121.setDescription('If this attribute is configured then insert this X.121 addr as the calling addr in the Call request pkt.')
wfIpexMappingTcpMaxRetry = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 25), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 16384))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIpexMappingTcpMaxRetry.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexMappingTcpMaxRetry.setDescription('The maximum number of attempts that PVC-TCP will make to re-establish the connection to the remote peer. The TCP Retry takes place every 15 seconds hence default setting will perform the TCP Retry forever.')
wfIpexMappingCfgLocalIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 26), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIpexMappingCfgLocalIpAddr.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexMappingCfgLocalIpAddr.setDescription('The IP address on the router to use as the source of the TCP session. This attribute is only used in the case of a TCP connection initiated from the IPEX to a host')
wfIpexMappingRemoteBackupTcpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 27), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfIpexMappingRemoteBackupTcpPort.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexMappingRemoteBackupTcpPort.setDescription('The TCP port of the remote host with which this translation session is established. This attribute is only used in the case of a TCP connection with the primary remote IP address (wfIpexMappingRemoteIpAddr) failed.')
wfIpexSessionTable = MibTable((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 3), )
if mibBuilder.loadTexts: wfIpexSessionTable.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexSessionTable.setDescription('A table that contains the information about the current active IPEX translation sessions. The status and statistics information related to each translation session is provided here. inst_id[] = wfIpexSessionIndex')
wfIpexSessionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 3, 1), ).setIndexNames((0, "Wellfleet-IPEX-MIB", "wfIpexSessionSrcConnCct"), (0, "Wellfleet-IPEX-MIB", "wfIpexSessionIndex"))
if mibBuilder.loadTexts: wfIpexSessionEntry.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexSessionEntry.setDescription('An entry in wfIpexSession.')
wfIpexSessionState = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 3, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("x25up", 1), ("tcpup", 2), ("ccestab", 3), ("notconn", 4), ("lapbup", 5))).clone('notconn')).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIpexSessionState.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexSessionState.setDescription('The IPEX state of this translation session. These are the steady states of the IPEX state machine. Transition states are not reflected.')
wfIpexSessionSrcConnCct = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 3, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIpexSessionSrcConnCct.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexSessionSrcConnCct.setDescription('The circuit from which the original connection attempt is received that initiated a translation session.')
wfIpexSessionIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 3, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIpexSessionIndex.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexSessionIndex.setDescription('The index of this translation session')
wfIpexSessionSrcConnType = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 3, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 4, 8, 16))).clone(namedValues=NamedValues(("pvc", 1), ("svc", 2), ("dcesvc", 4), ("lapb", 8), ("tcp", 16)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIpexSessionSrcConnType.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexSessionSrcConnType.setDescription('Defines type of original connection attempt. Whether it is a PVC, SVC, DCE_SVC, LAPB or TCP')
wfIpexSessionDstConnCct = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 3, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIpexSessionDstConnCct.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexSessionDstConnCct.setDescription('The circuit from which the connection at the destination to be established to set up a translation session.')
wfIpexSessionDstConnType = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 3, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 4, 8, 16))).clone(namedValues=NamedValues(("pvc", 1), ("svc", 2), ("dcesvc", 4), ("lapb", 8), ("tcp", 16))).clone('pvc')).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIpexSessionDstConnType.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexSessionDstConnType.setDescription('Defines type of connection at the destination end. Whether it is a PVC, SVC, DCE_SVC, LAPB or TCP')
wfIpexSessionLocalDTEAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 3, 1, 7), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIpexSessionLocalDTEAddr.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexSessionLocalDTEAddr.setDescription('The Local DTE address (identifies the X.121 address of the X.25 interface on the IPEX). This attribute is only used in the case of a SVC connection initiated from the IPEX to the terminal')
wfIpexSessionRemoteDTEAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 3, 1, 8), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIpexSessionRemoteDTEAddr.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexSessionRemoteDTEAddr.setDescription('The Remote DTE address (identifies the X.121 address of the X.25 interface on the terminal). This attribute is only used in the case of a SVC connection initiated from the IPEX to the terminal')
wfIpexSessionLCN = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 3, 1, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 255)).clone(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIpexSessionLCN.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexSessionLCN.setDescription('The LCN of the PVC (identifies the channel to be used to establish a PVC connection from the IPEX to the terminal')
wfIpexSessionLocalIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 3, 1, 10), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIpexSessionLocalIpAddr.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexSessionLocalIpAddr.setDescription('The IP address of an interface on the IPEX to be used to establish a TCP connection with the host server. This attribute is only used in the case of a TCP connection initiated from the IPEX to a host')
wfIpexSessionLocalTcpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 3, 1, 11), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIpexSessionLocalTcpPort.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexSessionLocalTcpPort.setDescription('The local TCP port number in the IPEX to be used to establish a TCP connection to the host server This attribute is only used in the case of a TCP connection initiated from the IPEX to a host')
wfIpexSessionRemoteIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 3, 1, 12), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIpexSessionRemoteIpAddr.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexSessionRemoteIpAddr.setDescription('The IP address of the remote host with which this translation session is established. This attribute is only used in the case of a TCP connection initiated from the IPEX to a host')
wfIpexSessionRemoteTcpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 3, 1, 13), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIpexSessionRemoteTcpPort.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexSessionRemoteTcpPort.setDescription('The remote TCP port number in the host to be used to establish a TCP connection from the IPEX to the host server. This attribute is only used in the case of a TCP connection initiated from the IPEX to a host')
wfIpexSessionQueueSize = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 3, 1, 14), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfIpexSessionQueueSize.setStatus('mandatory')
if mibBuilder.loadTexts: wfIpexSessionQueueSize.setDescription('The size of the IPEX queues used for transfering data between IPEX and TCP. The size is in bytes.')
mibBuilder.exportSymbols("Wellfleet-IPEX-MIB", wfIpexSessionInstanceIdOffsetForSvc=wfIpexSessionInstanceIdOffsetForSvc, wfIpexMappingLocalDTEAddr=wfIpexMappingLocalDTEAddr, wfIpexSessionEntry=wfIpexSessionEntry, wfIpexMappingXlateCallingX121=wfIpexMappingXlateCallingX121, wfIpexMappingDisable=wfIpexMappingDisable, wfIpexMappingQueueSize=wfIpexMappingQueueSize, wfIpexMappingMsgHdrType=wfIpexMappingMsgHdrType, wfIpexMappingDstConnCct=wfIpexMappingDstConnCct, wfIpexSessionRemoteTcpPort=wfIpexSessionRemoteTcpPort, wfIpexBobEnabled=wfIpexBobEnabled, wfIpexDelete=wfIpexDelete, wfIpexMappingCfgLocalIpAddr=wfIpexMappingCfgLocalIpAddr, wfIpexMappingX25CUDF=wfIpexMappingX25CUDF, wfIpexSessionState=wfIpexSessionState, wfIpexTcpUseIpAddress=wfIpexTcpUseIpAddress, wfIpexMappingID2=wfIpexMappingID2, wfIpexMappingID1=wfIpexMappingID1, wfIpexSessionSrcConnCct=wfIpexSessionSrcConnCct, wfIpexMappingSlotNumber=wfIpexMappingSlotNumber, wfIpexDisable=wfIpexDisable, wfIpexSessionDstConnCct=wfIpexSessionDstConnCct, wfIpexInsCalledDte=wfIpexInsCalledDte, wfIpexMappingRemoteBackupIp=wfIpexMappingRemoteBackupIp, wfIpexMappingKeepaliveTimer=wfIpexMappingKeepaliveTimer, wfIpexMaxAuditIp=wfIpexMaxAuditIp, wfIpexMappingTable=wfIpexMappingTable, wfIpexSessionSrcConnType=wfIpexSessionSrcConnType, wfIpexMappingKeepaliveRetries=wfIpexMappingKeepaliveRetries, wfIpexSessionTable=wfIpexSessionTable, wfIpexSessionLocalIpAddr=wfIpexSessionLocalIpAddr, wfIpexMappingDstConnType=wfIpexMappingDstConnType, wfIpexMappingTcpMaxRetry=wfIpexMappingTcpMaxRetry, wfIpexInsCallingDte=wfIpexInsCallingDte, wfIpexSendResetRequestOnTCPUp=wfIpexSendResetRequestOnTCPUp, wfIpexSessionDstConnType=wfIpexSessionDstConnType, wfIpexMappingRemoteBackupTcpPort=wfIpexMappingRemoteBackupTcpPort, wfIpexTcpRequestCheck=wfIpexTcpRequestCheck, wfIpexState=wfIpexState, wfIpex=wfIpex, wfIpexMappingSrcConnType=wfIpexMappingSrcConnType, wfIpexMappingIdleTimer=wfIpexMappingIdleTimer, wfIpexSessionIndex=wfIpexSessionIndex, wfIpexSessionLocalDTEAddr=wfIpexSessionLocalDTEAddr, wfIpexSessionRemoteIpAddr=wfIpexSessionRemoteIpAddr, wfIpexTcpRequestLimit=wfIpexTcpRequestLimit, wfIpexMappingRemoteIpAddr=wfIpexMappingRemoteIpAddr, wfIpexSessionLocalTcpPort=wfIpexSessionLocalTcpPort, wfIpexMappingCtrlMode=wfIpexMappingCtrlMode, wfIpexMappingRemoteTcpPort=wfIpexMappingRemoteTcpPort, wfIpexSessionQueueSize=wfIpexSessionQueueSize, wfIpexMappingSrcConnCct=wfIpexMappingSrcConnCct, wfIpexTranslateNetworkOutOfOrder=wfIpexTranslateNetworkOutOfOrder, wfIpexMappingRemoteDTEAddr=wfIpexMappingRemoteDTEAddr, wfIpexMappingTrace=wfIpexMappingTrace, wfIpexSessionRemoteDTEAddr=wfIpexSessionRemoteDTEAddr, wfIpexMappingEntry=wfIpexMappingEntry, wfIpexMappingPvcLcn=wfIpexMappingPvcLcn, wfIpexBobTimeout=wfIpexBobTimeout, wfIpexSessionLCN=wfIpexSessionLCN, wfIpexMaxMessageSize=wfIpexMaxMessageSize, wfIpexMappingDelete=wfIpexMappingDelete)
| (object_identifier, integer, octet_string) = mibBuilder.importSymbols('ASN1', 'ObjectIdentifier', 'Integer', 'OctetString')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(value_range_constraint, value_size_constraint, single_value_constraint, constraints_intersection, constraints_union) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueRangeConstraint', 'ValueSizeConstraint', 'SingleValueConstraint', 'ConstraintsIntersection', 'ConstraintsUnion')
(notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance')
(unsigned32, notification_type, object_identity, ip_address, counter64, gauge32, counter32, mib_scalar, mib_table, mib_table_row, mib_table_column, time_ticks, bits, integer32, module_identity, iso, mib_identifier) = mibBuilder.importSymbols('SNMPv2-SMI', 'Unsigned32', 'NotificationType', 'ObjectIdentity', 'IpAddress', 'Counter64', 'Gauge32', 'Counter32', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'TimeTicks', 'Bits', 'Integer32', 'ModuleIdentity', 'iso', 'MibIdentifier')
(display_string, textual_convention) = mibBuilder.importSymbols('SNMPv2-TC', 'DisplayString', 'TextualConvention')
(wf_ipex_group,) = mibBuilder.importSymbols('Wellfleet-COMMON-MIB', 'wfIpexGroup')
wf_ipex = mib_identifier((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 1))
wf_ipex_delete = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('created', 1), ('deleted', 2))).clone('created')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIpexDelete.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexDelete.setDescription('Create/Delete parameter. Default is created. Users perform an SNMP SET operation on this object in order to create/delete IPEX.')
wf_ipex_disable = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2))).clone('enabled')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIpexDisable.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexDisable.setDescription('Enable/Disable parameter. Default is enabled. Users perform an SNMP SET operation on this object in order to enable/disable IPEX.')
wf_ipex_state = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('up', 1), ('down', 2), ('init', 3), ('notpresent', 4))).clone('down')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIpexState.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexState.setDescription('The current state of IPEX.')
wf_ipex_max_message_size = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(16, 4096)).clone(1600)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIpexMaxMessageSize.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexMaxMessageSize.setDescription('The maximum client message size that IPEX accepts. The size is in bytes.')
wf_ipex_ins_called_dte = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2))).clone('disabled')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIpexInsCalledDte.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexInsCalledDte.setDescription('Enable/Disable parameter. Default is disabled. Users perform an SNMP SET operation on this object in order to enable/disable the support for inserting Called DTE address.')
wf_ipex_ins_calling_dte = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2))).clone('disabled')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIpexInsCallingDte.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexInsCallingDte.setDescription('Enable/disable the support for transmitting the calling DTE address over TCP tunnel. This changes the IPEX control message header format and hence this attribute should be enabled (only for 11.02 or up) on both ends (local & remote routers) for proper operation. This attribute applies only to End_to_End mode.')
wf_ipex_tcp_request_limit = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 1, 7), integer32().subtype(subtypeSpec=value_range_constraint(0, 1000)).clone(25)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIpexTcpRequestLimit.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexTcpRequestLimit.setDescription('The maximum number of TCP requests IPEX can have pending with TCP. Any addition requests will be queued until the number of pending requests fall below the limit.')
wf_ipex_tcp_request_check = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 1, 8), integer32().subtype(subtypeSpec=value_range_constraint(0, 30000)).clone(1000)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIpexTcpRequestCheck.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexTcpRequestCheck.setDescription('When IPEX has queued TCP requests, the time period (in milliseconds) between checking if the number of pending TCP requests have fallen below wfIpexTcpRequestLimit.')
wf_ipex_send_reset_request_on_tcp_up = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 1, 9), integer32().clone(9)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIpexSendResetRequestOnTCPUp.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexSendResetRequestOnTCPUp.setDescription('Default(cause code) is 0x09 and PVC_TCP sends out the Reset Request with the cause code = 0x09 and TCP_PVC Router does not send the Reset Request when TCP is up. If the value is changed from the default cause code(0x09) then IPEX Gateway will send out the Reset Request with this value when network is operational. TCP_PVC will also send the Reset Request with this cause code when TCP connection is up.')
wf_ipex_translate_network_out_of_order = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 1, 10), integer32().clone(29)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIpexTranslateNetworkOutOfOrder.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexTranslateNetworkOutOfOrder.setDescription('Default is 0x1d(29): Network out of order. If the value is changed from the default cause code = 0x1d then the IPEX Gateway will send the Reset Request with cause code specified when the network is out of order.')
wf_ipex_tcp_use_ip_address = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2))).clone('disabled')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIpexTcpUseIpAddress.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexTcpUseIpAddress.setDescription('Enable/Disable parameter. Default is disabled. If set to Enabled, the IP address used for a TCP connection will be the coresponding address for the circuit.')
wf_ipex_bob_enabled = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 1, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disabled', 1), ('enabled', 2))).clone('disabled')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIpexBobEnabled.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexBobEnabled.setDescription('This attribute will indicate whether IPEX supports Bank Of Bahrain enhancement. If it is enabled, only calling DTE will be send in ASCII format in user defined area of message header, if header type is full.')
wf_ipex_bob_timeout = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 1, 13), integer32().subtype(subtypeSpec=value_range_constraint(0, 30000)).clone(15000)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIpexBobTimeout.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexBobTimeout.setDescription('This attribute will indicate the timeout in milliseconds, after which DEVICE UP message is to be send to BOB mainserver from router, as long as this service supports BOB functionality.')
wf_ipex_max_audit_ip = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 1, 14), integer32().clone(25)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIpexMaxAuditIp.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexMaxAuditIp.setDescription("Default is 25. Specify the maximum of IP address and TCP port pairs that IPEX Audit gate can hold in its internal table when IPEX PVC-TCP Gateway is in TCP Retry Mode. Audit gate puts new ip address and TCP port pair to the internal table when it tries TCP connection. IPEX Audit gate will be re-trying TCP connections until the table is filled up. Once it is full then it won't re-try new TCP connections. Setting zero causes IPEX audit gate to try TCP connections without examining the IP address and TCP port pairs had already tried out or not.")
wf_ipex_session_instance_id_offset_for_svc = mib_scalar((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 1, 15), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIpexSessionInstanceIdOffsetForSvc.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexSessionInstanceIdOffsetForSvc.setDescription('Default is 0. Specify the offset value for wfIpexSessionEntry when instances for SVC are created. For example, when it is set to 1023, instance ID for wfIpexSessionEntry for SVC connections will be wfIpexSessionEntry.*.3.1024 and the next one will be wfIpexSessionEntry.*.3.1025 and so on. This MIB object is introduced not to assign same instance ID to PVC and SVC when SVCs and PVCs are configured with single circuit. Because wfIpexSessionEntry for PVCs are based on the LCNs and the ones for SVCs are based on the order of each SVC being created, there would be the cases that same instance IDs are assigned to both SVC and PVC and it will cause the router to fault. It needs to be set to the value which is greater than the maximum LCN of the PVC connections when PVCs and SVCs co-exist on a single circuit.')
wf_ipex_mapping_table = mib_table((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2))
if mibBuilder.loadTexts:
wfIpexMappingTable.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexMappingTable.setDescription('A table which contains the list of mappings between TCP connections and X.25 connections. This is the configuration table in which each entry sets up the association between a TCP port number and a X.25 DTE address or connection. inst_id[] = wfIpexMappingSrcConnCct wfIpexMappingSrcConnType wfIpexMappingID')
wf_ipex_mapping_entry = mib_table_row((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1)).setIndexNames((0, 'Wellfleet-IPEX-MIB', 'wfIpexMappingSrcConnCct'), (0, 'Wellfleet-IPEX-MIB', 'wfIpexMappingSrcConnType'), (0, 'Wellfleet-IPEX-MIB', 'wfIpexMappingID1'), (0, 'Wellfleet-IPEX-MIB', 'wfIpexMappingID2'))
if mibBuilder.loadTexts:
wfIpexMappingEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexMappingEntry.setDescription('An entry in wfIpexMappingTable.')
wf_ipex_mapping_delete = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('created', 1), ('deleted', 2))).clone('created')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIpexMappingDelete.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexMappingDelete.setDescription('Create/Delete attribute. Default is created. Users perform an SNMP SET operation on this object in order to create/delete a translation mapping record.')
wf_ipex_mapping_disable = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2))).clone('enabled')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIpexMappingDisable.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexMappingDisable.setDescription('Enables or Disables this Mapping entry. Setting this attribute to DISABLED will disconnect all active Sessions pertaining to this Mapping entry')
wf_ipex_mapping_src_conn_cct = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIpexMappingSrcConnCct.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexMappingSrcConnCct.setDescription('The circuit from which the connection attempt is received that initiates a translation session.')
wf_ipex_mapping_src_conn_type = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 4, 8, 16))).clone(namedValues=named_values(('pvc', 1), ('svc', 2), ('dcesvc', 4), ('lapb', 8), ('tcp', 16)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIpexMappingSrcConnType.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexMappingSrcConnType.setDescription('Defines the type of original connection attempt. Whether it is a PVC, SVC, DCE_SVC, LAPB or TCP')
wf_ipex_mapping_id1 = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIpexMappingID1.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexMappingID1.setDescription('The translation mapping identifier which identifies the remote connection of the translation session. This is an identifier that is available from the incoming connection attempt. The meaning of this object (wfIpexMappingID1) and the next object (wfIpexMappingID2) is dependent on the value of wfIpexMappingSrcConnType. SrcConnType ID1 ID2 --------------------------------------------------- pvc(1) LCN value 0 (Null) svc(2) 0 Called X.121 Address dcesvc(4) 0 0 (Null) lapb(8) 0 0 (Null) tcp(16) Port Number 0 (Null) ')
wf_ipex_mapping_id2 = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 6), octet_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIpexMappingID2.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexMappingID2.setDescription('(See description for wfIpexMappingID1 above)')
wf_ipex_mapping_dst_conn_cct = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 7), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIpexMappingDstConnCct.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexMappingDstConnCct.setDescription('The circuit from which the connection to the destination is to be established to set up a translation session.')
wf_ipex_mapping_dst_conn_type = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 4, 8, 16))).clone(namedValues=named_values(('pvc', 1), ('svc', 2), ('dcesvc', 4), ('lapb', 8), ('tcp', 16))).clone('pvc')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIpexMappingDstConnType.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexMappingDstConnType.setDescription('Defines type of connection at the destination end. Whether it is a PVC, SVC, DCE_SVC, LAPB or TCP')
wf_ipex_mapping_local_dte_addr = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 9), display_string()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIpexMappingLocalDTEAddr.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexMappingLocalDTEAddr.setDescription('The Local DTE address (identifies the X.121 address of the X.25 interface on the IPEX). This attribute is only used in the case of a SVC connection initiated from the IPEX to the terminal')
wf_ipex_mapping_remote_dte_addr = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 10), display_string()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIpexMappingRemoteDTEAddr.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexMappingRemoteDTEAddr.setDescription('The Remote DTE address (identifies the X.121 address of the X.25 interface on the terminal). This attribute is only used in the case of a SVC connection initiated from the IPEX to the terminal')
wf_ipex_mapping_pvc_lcn = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 11), integer32().subtype(subtypeSpec=value_range_constraint(1, 4095)).clone(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIpexMappingPvcLcn.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexMappingPvcLcn.setDescription('The LCN of the PVC connection from the IPEX to the terminal (identifies the channel to be used to reset the PVC connection. This attribute * is only used in the case of a PVC connection initiated from the IPEX to the terminal')
wf_ipex_mapping_remote_ip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 12), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIpexMappingRemoteIpAddr.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexMappingRemoteIpAddr.setDescription('The IP address of the remote host with which this translation session is established. This attribute is only used in the case of a TCP connection initiated from the IPEX to a host')
wf_ipex_mapping_remote_tcp_port = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 13), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIpexMappingRemoteTcpPort.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexMappingRemoteTcpPort.setDescription('The remote TCP port number in the host to be used to establish a TCP connection from the IPEX to the host server. This attribute is only used in the case of a TCP connection initiated from the IPEX to a host')
wf_ipex_mapping_queue_size = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 14), integer32().subtype(subtypeSpec=value_range_constraint(16, 8192)).clone(8192)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIpexMappingQueueSize.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexMappingQueueSize.setDescription('The size of the IPEX queues used for transfering data between TCP and X.25. The size is in bytes.')
wf_ipex_mapping_slot_number = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 15), integer32().subtype(subtypeSpec=value_range_constraint(1, 13))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIpexMappingSlotNumber.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexMappingSlotNumber.setDescription('The slot of the access (X.25 or LAPB) circuit on which the X.25 or LAPB connections will be established.')
wf_ipex_mapping_ctrl_mode = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 16), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('local', 1), ('end2end', 2), ('gateway', 3))).clone('end2end')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIpexMappingCtrlMode.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexMappingCtrlMode.setDescription('Local mode configuration terminates X.25 at the router interface. The end2end mode configuration allows X.25 signalling and data to operate between two remote X.25 networks, using the router to translate both call control and data over a TCP/IP network. The gateway mode terminates X.25 at the router interface, but allows the user to configure 3 message header types at the TCP application layer. These header values are described in wfIpexMappingMsgHdrType.')
wf_ipex_mapping_x25_cudf = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 17), octet_string()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIpexMappingX25CUDF.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexMappingX25CUDF.setDescription('The X.25 Call User Data field (CUDF) in a X.25 Call Request packet header. This attribute is only used in the case of a SVC connection initiated from the IPEX to the terminal. It is used as the network layer protocol identifier of the X.25 connection.')
wf_ipex_mapping_idle_timer = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 18), integer32().subtype(subtypeSpec=value_range_constraint(0, 86400)).clone(120)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIpexMappingIdleTimer.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexMappingIdleTimer.setDescription('Idle session timeout period, in seconds. If an established TCP connection remains inactive for this interval, KEEPALIVE messages will be sent to the peer (if the Keepalive Timer is non-zero). Setting the Idle Timer to zero disables the keepalive feature.')
wf_ipex_mapping_keepalive_timer = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 19), integer32().subtype(subtypeSpec=value_range_constraint(0, 600)).clone(3)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIpexMappingKeepaliveTimer.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexMappingKeepaliveTimer.setDescription('KEEPALIVE retransmit timeout period, in seconds. This is the interval at which unacknowledged KEEPALIVE messages will be retransmitted. If the Idle Timer is set to zero, this timer ignored. If the Idle Timer is non-zero and this timer IS zero, no KEEPALIVEs are sent and the session is terminated upon expiration of the Idle Timer.')
wf_ipex_mapping_keepalive_retries = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 20), integer32().subtype(subtypeSpec=value_range_constraint(0, 99)).clone(5)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIpexMappingKeepaliveRetries.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexMappingKeepaliveRetries.setDescription('Number of unacknowledged KEEPALIVE messages retransmitted before the TCP session is terminated. If this count is set to zero, only one KEEPALIVE message will be sent.')
wf_ipex_mapping_trace = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 21), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIpexMappingTrace.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexMappingTrace.setDescription('This object is a bitmask, setting the low order bit enables tracing of IPEX internal events. Setting other individual bit postions disable logging of internal IPEX events. Values may be added together to disable multiple message groups. Hex Dec Value Value Message/Event --------------------------------------------------------- 0x0001 1 Enable IPEX tracing. 0x0002 2 Data packets from IPEX to X.25. 0x0004 4 Data packets from X.25 to IPEX. 0x0008 8 Window updates from X.25. 0x0010 16 Data from TCP to IPEX. 0x0020 32 Window updates from TCP. 0x0040 64 Window requests from TCP.')
wf_ipex_mapping_msg_hdr_type = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 22), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('none', 1), ('short', 2), ('long', 3), ('full', 4))).clone('full')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIpexMappingMsgHdrType.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexMappingMsgHdrType.setDescription('This attribute enables the Message Boundary Protocol. When enabled, this bit is used to mark the boundary of TCP application data that is consistent with Gateway Operation. The first three message header types are used only with wfIpexMappingCtlMode in gateway mode. The default value is used with wfIpexMappingCtlMode in the local or end2end mode of operation. NONE = Msg Boundary Protocol is off, no msg header. SHORT = Msg header condtains a 2-Byte length field. LONG = Msg header contains a 1-Byte type, 1-Byte version, and a 2-Byte length fields. FULL = Msg Header contains a 2-Byte length1 field, 1-Byte Version field, 1-Byte Type field and, a 1-Byte length2 field')
wf_ipex_mapping_remote_backup_ip = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 23), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIpexMappingRemoteBackupIp.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexMappingRemoteBackupIp.setDescription('The IP address of the remote host with which this translation session is established. This attribute is only used in the case of a TCP connection with the primary remote IP address (wfIpexMappingRemoteIpAddr) failed.')
wf_ipex_mapping_xlate_calling_x121 = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 24), display_string()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIpexMappingXlateCallingX121.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexMappingXlateCallingX121.setDescription('If this attribute is configured then insert this X.121 addr as the calling addr in the Call request pkt.')
wf_ipex_mapping_tcp_max_retry = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 25), integer32().subtype(subtypeSpec=value_range_constraint(0, 16384))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIpexMappingTcpMaxRetry.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexMappingTcpMaxRetry.setDescription('The maximum number of attempts that PVC-TCP will make to re-establish the connection to the remote peer. The TCP Retry takes place every 15 seconds hence default setting will perform the TCP Retry forever.')
wf_ipex_mapping_cfg_local_ip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 26), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIpexMappingCfgLocalIpAddr.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexMappingCfgLocalIpAddr.setDescription('The IP address on the router to use as the source of the TCP session. This attribute is only used in the case of a TCP connection initiated from the IPEX to a host')
wf_ipex_mapping_remote_backup_tcp_port = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 2, 1, 27), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfIpexMappingRemoteBackupTcpPort.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexMappingRemoteBackupTcpPort.setDescription('The TCP port of the remote host with which this translation session is established. This attribute is only used in the case of a TCP connection with the primary remote IP address (wfIpexMappingRemoteIpAddr) failed.')
wf_ipex_session_table = mib_table((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 3))
if mibBuilder.loadTexts:
wfIpexSessionTable.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexSessionTable.setDescription('A table that contains the information about the current active IPEX translation sessions. The status and statistics information related to each translation session is provided here. inst_id[] = wfIpexSessionIndex')
wf_ipex_session_entry = mib_table_row((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 3, 1)).setIndexNames((0, 'Wellfleet-IPEX-MIB', 'wfIpexSessionSrcConnCct'), (0, 'Wellfleet-IPEX-MIB', 'wfIpexSessionIndex'))
if mibBuilder.loadTexts:
wfIpexSessionEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexSessionEntry.setDescription('An entry in wfIpexSession.')
wf_ipex_session_state = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 3, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('x25up', 1), ('tcpup', 2), ('ccestab', 3), ('notconn', 4), ('lapbup', 5))).clone('notconn')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIpexSessionState.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexSessionState.setDescription('The IPEX state of this translation session. These are the steady states of the IPEX state machine. Transition states are not reflected.')
wf_ipex_session_src_conn_cct = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 3, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIpexSessionSrcConnCct.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexSessionSrcConnCct.setDescription('The circuit from which the original connection attempt is received that initiated a translation session.')
wf_ipex_session_index = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 3, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIpexSessionIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexSessionIndex.setDescription('The index of this translation session')
wf_ipex_session_src_conn_type = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 3, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 4, 8, 16))).clone(namedValues=named_values(('pvc', 1), ('svc', 2), ('dcesvc', 4), ('lapb', 8), ('tcp', 16)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIpexSessionSrcConnType.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexSessionSrcConnType.setDescription('Defines type of original connection attempt. Whether it is a PVC, SVC, DCE_SVC, LAPB or TCP')
wf_ipex_session_dst_conn_cct = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 3, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIpexSessionDstConnCct.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexSessionDstConnCct.setDescription('The circuit from which the connection at the destination to be established to set up a translation session.')
wf_ipex_session_dst_conn_type = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 3, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 4, 8, 16))).clone(namedValues=named_values(('pvc', 1), ('svc', 2), ('dcesvc', 4), ('lapb', 8), ('tcp', 16))).clone('pvc')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIpexSessionDstConnType.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexSessionDstConnType.setDescription('Defines type of connection at the destination end. Whether it is a PVC, SVC, DCE_SVC, LAPB or TCP')
wf_ipex_session_local_dte_addr = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 3, 1, 7), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIpexSessionLocalDTEAddr.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexSessionLocalDTEAddr.setDescription('The Local DTE address (identifies the X.121 address of the X.25 interface on the IPEX). This attribute is only used in the case of a SVC connection initiated from the IPEX to the terminal')
wf_ipex_session_remote_dte_addr = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 3, 1, 8), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIpexSessionRemoteDTEAddr.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexSessionRemoteDTEAddr.setDescription('The Remote DTE address (identifies the X.121 address of the X.25 interface on the terminal). This attribute is only used in the case of a SVC connection initiated from the IPEX to the terminal')
wf_ipex_session_lcn = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 3, 1, 9), integer32().subtype(subtypeSpec=value_range_constraint(1, 255)).clone(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIpexSessionLCN.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexSessionLCN.setDescription('The LCN of the PVC (identifies the channel to be used to establish a PVC connection from the IPEX to the terminal')
wf_ipex_session_local_ip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 3, 1, 10), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIpexSessionLocalIpAddr.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexSessionLocalIpAddr.setDescription('The IP address of an interface on the IPEX to be used to establish a TCP connection with the host server. This attribute is only used in the case of a TCP connection initiated from the IPEX to a host')
wf_ipex_session_local_tcp_port = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 3, 1, 11), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIpexSessionLocalTcpPort.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexSessionLocalTcpPort.setDescription('The local TCP port number in the IPEX to be used to establish a TCP connection to the host server This attribute is only used in the case of a TCP connection initiated from the IPEX to a host')
wf_ipex_session_remote_ip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 3, 1, 12), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIpexSessionRemoteIpAddr.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexSessionRemoteIpAddr.setDescription('The IP address of the remote host with which this translation session is established. This attribute is only used in the case of a TCP connection initiated from the IPEX to a host')
wf_ipex_session_remote_tcp_port = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 3, 1, 13), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIpexSessionRemoteTcpPort.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexSessionRemoteTcpPort.setDescription('The remote TCP port number in the host to be used to establish a TCP connection from the IPEX to the host server. This attribute is only used in the case of a TCP connection initiated from the IPEX to a host')
wf_ipex_session_queue_size = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 5, 15, 3, 1, 14), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfIpexSessionQueueSize.setStatus('mandatory')
if mibBuilder.loadTexts:
wfIpexSessionQueueSize.setDescription('The size of the IPEX queues used for transfering data between IPEX and TCP. The size is in bytes.')
mibBuilder.exportSymbols('Wellfleet-IPEX-MIB', wfIpexSessionInstanceIdOffsetForSvc=wfIpexSessionInstanceIdOffsetForSvc, wfIpexMappingLocalDTEAddr=wfIpexMappingLocalDTEAddr, wfIpexSessionEntry=wfIpexSessionEntry, wfIpexMappingXlateCallingX121=wfIpexMappingXlateCallingX121, wfIpexMappingDisable=wfIpexMappingDisable, wfIpexMappingQueueSize=wfIpexMappingQueueSize, wfIpexMappingMsgHdrType=wfIpexMappingMsgHdrType, wfIpexMappingDstConnCct=wfIpexMappingDstConnCct, wfIpexSessionRemoteTcpPort=wfIpexSessionRemoteTcpPort, wfIpexBobEnabled=wfIpexBobEnabled, wfIpexDelete=wfIpexDelete, wfIpexMappingCfgLocalIpAddr=wfIpexMappingCfgLocalIpAddr, wfIpexMappingX25CUDF=wfIpexMappingX25CUDF, wfIpexSessionState=wfIpexSessionState, wfIpexTcpUseIpAddress=wfIpexTcpUseIpAddress, wfIpexMappingID2=wfIpexMappingID2, wfIpexMappingID1=wfIpexMappingID1, wfIpexSessionSrcConnCct=wfIpexSessionSrcConnCct, wfIpexMappingSlotNumber=wfIpexMappingSlotNumber, wfIpexDisable=wfIpexDisable, wfIpexSessionDstConnCct=wfIpexSessionDstConnCct, wfIpexInsCalledDte=wfIpexInsCalledDte, wfIpexMappingRemoteBackupIp=wfIpexMappingRemoteBackupIp, wfIpexMappingKeepaliveTimer=wfIpexMappingKeepaliveTimer, wfIpexMaxAuditIp=wfIpexMaxAuditIp, wfIpexMappingTable=wfIpexMappingTable, wfIpexSessionSrcConnType=wfIpexSessionSrcConnType, wfIpexMappingKeepaliveRetries=wfIpexMappingKeepaliveRetries, wfIpexSessionTable=wfIpexSessionTable, wfIpexSessionLocalIpAddr=wfIpexSessionLocalIpAddr, wfIpexMappingDstConnType=wfIpexMappingDstConnType, wfIpexMappingTcpMaxRetry=wfIpexMappingTcpMaxRetry, wfIpexInsCallingDte=wfIpexInsCallingDte, wfIpexSendResetRequestOnTCPUp=wfIpexSendResetRequestOnTCPUp, wfIpexSessionDstConnType=wfIpexSessionDstConnType, wfIpexMappingRemoteBackupTcpPort=wfIpexMappingRemoteBackupTcpPort, wfIpexTcpRequestCheck=wfIpexTcpRequestCheck, wfIpexState=wfIpexState, wfIpex=wfIpex, wfIpexMappingSrcConnType=wfIpexMappingSrcConnType, wfIpexMappingIdleTimer=wfIpexMappingIdleTimer, wfIpexSessionIndex=wfIpexSessionIndex, wfIpexSessionLocalDTEAddr=wfIpexSessionLocalDTEAddr, wfIpexSessionRemoteIpAddr=wfIpexSessionRemoteIpAddr, wfIpexTcpRequestLimit=wfIpexTcpRequestLimit, wfIpexMappingRemoteIpAddr=wfIpexMappingRemoteIpAddr, wfIpexSessionLocalTcpPort=wfIpexSessionLocalTcpPort, wfIpexMappingCtrlMode=wfIpexMappingCtrlMode, wfIpexMappingRemoteTcpPort=wfIpexMappingRemoteTcpPort, wfIpexSessionQueueSize=wfIpexSessionQueueSize, wfIpexMappingSrcConnCct=wfIpexMappingSrcConnCct, wfIpexTranslateNetworkOutOfOrder=wfIpexTranslateNetworkOutOfOrder, wfIpexMappingRemoteDTEAddr=wfIpexMappingRemoteDTEAddr, wfIpexMappingTrace=wfIpexMappingTrace, wfIpexSessionRemoteDTEAddr=wfIpexSessionRemoteDTEAddr, wfIpexMappingEntry=wfIpexMappingEntry, wfIpexMappingPvcLcn=wfIpexMappingPvcLcn, wfIpexBobTimeout=wfIpexBobTimeout, wfIpexSessionLCN=wfIpexSessionLCN, wfIpexMaxMessageSize=wfIpexMaxMessageSize, wfIpexMappingDelete=wfIpexMappingDelete) |
## lists7.py
def main():
pals = ['Bob','Rob','Fred','Amy','Sarah']
pals2 = pals ## both variables refer to SAME LIST
pals.remove('Fred')
print(pals2) ### crude
pals3 = []
for p in pals:
pals3.append(p)
print(pals3) ### crude dump
del pals[0] ### deletes Bob
print(pals)
main()
| def main():
pals = ['Bob', 'Rob', 'Fred', 'Amy', 'Sarah']
pals2 = pals
pals.remove('Fred')
print(pals2)
pals3 = []
for p in pals:
pals3.append(p)
print(pals3)
del pals[0]
print(pals)
main() |
class fcf(object):
nr_cortes = None
coef_vf = None
termo_i = None
estagio = None
def __init__(self, estagio):
self.nr_cortes = 0
self.coef_vf = []
self.termo_i = []
self.estagio = estagio
def add_corte(self, coeficientes, constante, volume, nr_estagios):
coeficientes = -(1/nr_estagios)*coeficientes
for i in range(0,len(volume)):
if coeficientes[i] > 0:
coeficientes[i] = 0
constante = constante/nr_estagios
for i in range(0,len(volume)):
constante = constante - volume[i]*coeficientes[i]
self.coef_vf.append(coeficientes)
self.termo_i.append(constante)
self.nr_cortes = self.nr_cortes+1
def get_fcf(self, vf, alpha):
rest_cortes = []
if self.nr_cortes == 0:
return rest_cortes
else:
for icor in range(0,self.nr_cortes):
funcao = self.termo_i[icor]
for i in range(0,len(vf)):
funcao = funcao + self.coef_vf[icor][i]*vf[i]
rest_cortes.append( alpha >= funcao)
return rest_cortes
| class Fcf(object):
nr_cortes = None
coef_vf = None
termo_i = None
estagio = None
def __init__(self, estagio):
self.nr_cortes = 0
self.coef_vf = []
self.termo_i = []
self.estagio = estagio
def add_corte(self, coeficientes, constante, volume, nr_estagios):
coeficientes = -(1 / nr_estagios) * coeficientes
for i in range(0, len(volume)):
if coeficientes[i] > 0:
coeficientes[i] = 0
constante = constante / nr_estagios
for i in range(0, len(volume)):
constante = constante - volume[i] * coeficientes[i]
self.coef_vf.append(coeficientes)
self.termo_i.append(constante)
self.nr_cortes = self.nr_cortes + 1
def get_fcf(self, vf, alpha):
rest_cortes = []
if self.nr_cortes == 0:
return rest_cortes
else:
for icor in range(0, self.nr_cortes):
funcao = self.termo_i[icor]
for i in range(0, len(vf)):
funcao = funcao + self.coef_vf[icor][i] * vf[i]
rest_cortes.append(alpha >= funcao)
return rest_cortes |
def Neighbors(row: int, col: int, data: list) -> list:
adjacents = []
for i in range(row - 1, row + 2):
for j in range(col - 1, col + 2):
if i == row and j == col or i < 0 or i >= len(data) or j < 0 or j >= len(data[0]):
continue
adjacents.append((i, j))
return adjacents
def flash(i: int, j: int, flashed: dict, data: list):
flashed[(i, j)] = True
neighbors = Neighbors(i, j, data)
for x, y in neighbors:
data[x][y] += 1
for x, y in neighbors:
if data[x][y] > 9 and (x,y) not in flashed:
flashed[(x,y)] = True
flash(x, y, flashed, data)
def partOneTwo(data: list, partOne: bool) -> int:
numFlashes = step = 0
while True:
flashed = {}
for row in range(len(data)):
for col in range(len(data[0])):
data[row][col] += 1
if data[row][col] > 9 and (row, col) not in flashed:
flash(row, col, flashed, data)
for row in range(len(data)):
for col in range(len(data[0])):
if data[row][col] > 9:
data[row][col] = 0
step += 1
numFlashes += len(flashed)
if step == 100 and partOne:
return numFlashes
if len(data) * len(data[0]) == len(flashed):
break
return step
def main() -> None:
with open("day_11/input.txt") as file:
data = [[int(value) for value in list(line)] for line in file.read().strip().split('\n')]
print(f'Result <PartOne>: {partOneTwo(data, True)}')
# print(f'Result <PartTwo>: {partOneTwo(data, False)}')
if __name__ == '__main__':
main()
| def neighbors(row: int, col: int, data: list) -> list:
adjacents = []
for i in range(row - 1, row + 2):
for j in range(col - 1, col + 2):
if i == row and j == col or i < 0 or i >= len(data) or (j < 0) or (j >= len(data[0])):
continue
adjacents.append((i, j))
return adjacents
def flash(i: int, j: int, flashed: dict, data: list):
flashed[i, j] = True
neighbors = neighbors(i, j, data)
for (x, y) in neighbors:
data[x][y] += 1
for (x, y) in neighbors:
if data[x][y] > 9 and (x, y) not in flashed:
flashed[x, y] = True
flash(x, y, flashed, data)
def part_one_two(data: list, partOne: bool) -> int:
num_flashes = step = 0
while True:
flashed = {}
for row in range(len(data)):
for col in range(len(data[0])):
data[row][col] += 1
if data[row][col] > 9 and (row, col) not in flashed:
flash(row, col, flashed, data)
for row in range(len(data)):
for col in range(len(data[0])):
if data[row][col] > 9:
data[row][col] = 0
step += 1
num_flashes += len(flashed)
if step == 100 and partOne:
return numFlashes
if len(data) * len(data[0]) == len(flashed):
break
return step
def main() -> None:
with open('day_11/input.txt') as file:
data = [[int(value) for value in list(line)] for line in file.read().strip().split('\n')]
print(f'Result <PartOne>: {part_one_two(data, True)}')
if __name__ == '__main__':
main() |
# Decorator for triggers
# A trigger is an event that we can watch.
# We expect it to return True if the event has happened and False if not.
# If it has 'required_arg_types', then the trigger will request those arguments in the console
# and will be passed them at runtime.
class Trigger():
def __init__(self, name, description, required_arg_types=[], generated_arg_types=[]):
self.trigger = True
self.tname = name
self.tdesc = description
self.treqs = required_arg_types
self.tgen = generated_arg_types
def __call__(self, f):
f.trigger = self.trigger
f.tname = self.tname
f.tdesc = self.tdesc
f.treqs = self.treqs
f.tgen = self.tgen
return f
# Decorator for actions
# An action is a method that we should be able to call to perform some arbitrary thing.
# they can be put into the requested parameters of a trigger to generate something, but this
# will cause them to run every check of the trigger -- which may or may not be ideal.
# An Action can also have required arguments, which would be requested in the console and
# passed at runtime
# Actions will most typically be called as a result of an event trigger returning True. IE
# Person arriving home code triggers -> Turn on lights action
class Action():
def __init__(self, name, description, required_arg_types=[], generated_arg_types=[]):
self.action = True
self.aname = name
self.adesc = description
self.areqs = required_arg_types
self.agen = generated_arg_types
def __call__(self, f):
f.action = self.action
f.aname = self.aname
f.adesc = self.adesc
f.areqs = self.areqs
f.agen = self.agen
return f
# Decorator for any actions that must be run before Suave is opened. This can be where background services
# are started, models are loaded, or files are created.
# They are optional, but will be called before any flow when Suave first launches.
class Prelaunch():
def __init__(self):
self.prelaunch = True
def __call__(self, f):
f.prelaunch = self.prelaunch
return f
| class Trigger:
def __init__(self, name, description, required_arg_types=[], generated_arg_types=[]):
self.trigger = True
self.tname = name
self.tdesc = description
self.treqs = required_arg_types
self.tgen = generated_arg_types
def __call__(self, f):
f.trigger = self.trigger
f.tname = self.tname
f.tdesc = self.tdesc
f.treqs = self.treqs
f.tgen = self.tgen
return f
class Action:
def __init__(self, name, description, required_arg_types=[], generated_arg_types=[]):
self.action = True
self.aname = name
self.adesc = description
self.areqs = required_arg_types
self.agen = generated_arg_types
def __call__(self, f):
f.action = self.action
f.aname = self.aname
f.adesc = self.adesc
f.areqs = self.areqs
f.agen = self.agen
return f
class Prelaunch:
def __init__(self):
self.prelaunch = True
def __call__(self, f):
f.prelaunch = self.prelaunch
return f |
# Convert 1024 to binary
print(bin(1024))
print(hex(1024))
# 2 palce round of 5.23222
print(round(5.23222,2))
# check if every letter in str is lowercase
s='hello how are you Mary,are you feeling okay'
print(s.islower())
# how many time w showup
s = 'twywywtwywbwhsjhwuwshshwuwwwjdjdid'
print(s.count('w'))
# find element that is not in set2
set1={2,3,1,5,6,8}
set2={3,1,7,5,6,8}
print(set1.difference(set2))
# find all element that are in either set
print(set1.union(set2))
# create a dict of multiple2 0 to 8
a={x:x**3 for x in range(5)}
print(a)
# reverse list
list1=[1,2,3,4]
list1.reverse()
print(list1)
# sort list
list2=[3,4,2,5,1]
list2.sort()
print(list2) | print(bin(1024))
print(hex(1024))
print(round(5.23222, 2))
s = 'hello how are you Mary,are you feeling okay'
print(s.islower())
s = 'twywywtwywbwhsjhwuwshshwuwwwjdjdid'
print(s.count('w'))
set1 = {2, 3, 1, 5, 6, 8}
set2 = {3, 1, 7, 5, 6, 8}
print(set1.difference(set2))
print(set1.union(set2))
a = {x: x ** 3 for x in range(5)}
print(a)
list1 = [1, 2, 3, 4]
list1.reverse()
print(list1)
list2 = [3, 4, 2, 5, 1]
list2.sort()
print(list2) |
# Stats for each item in the game
# 0-attack, 1-defense, 2-price, 3-type, 4-Pclass, 5-HP, 6-count, 7-lvl
Items = {'sword': list((10, 0, 10, 'weapon', 'swordsman', 0, 0, 1)),
'bronze sword': list((15, 0, 15, 'weapon', 'swordsman', 0, 0, 5)),
'iron sword': list((20, 0, 20, 'weapon', 'swordsman', 0, 0, 10)),
'steel sword': list((25, 0, 25, 'weapon', 'swordsman', 0, 0, 15)),
'long sword': list((30, 0, 30, 'weapon', 'swordsman', 0, 0, 20)),
'broad sword': list((40, 0, 50, 'weapon', 'swordsman', 0, 0, 25)),
'damascus sword': list((55, 0, 100, 'weapon', 'swordsman', 0, 0, 30)),
'Enchanted long sword': list((70, 0, 150, 'weapon', 'swordsman', 0, 0, 35)),
'diamond sword': list((100, 0, 250, 'weapon', 'swordsman', 0, 0, 40)),
'great sword': list((120, 0, 300, 'weapon', 'swordsman', 0, 0, 45)),
'Death sword': list((180, 0, 400, 'weapon', 'swordsman', 0, 0, 50)),
'fire sword': list((250, 0, 600, 'weapon', 'swordsman', 0, 0, 55)),
'ice sword': list((275, 0, 650, 'weapon', 'swordsman', 0, 0, 60)),
'Elemental sword': list((340, 0, 800, 'weapon', 'swordsman', 0, 0, 65)),
'sword of ifrit': list((375, 0, 1000, 'weapon', 'swordsman', 0, 0, 70)),
'RA\'s sword': list((400, 0, 1500, 'weapon', 'swordsman', 0, 0, 75)),
'sword of swords': list((425, 0, 1800, 'weapon', 'swordsman', 0, 0, 80)),
'Excalibur': list((475, 0, 2500, 'weapon', 'swordsman', 0, 0, 85)),
'elder sword': list((500, 0, 3000, 'weapon', 'swordsman', 0, 0, 90)),
'Enchanted ancient sword': list((550, 0, 4000, 'weapon', 'swordsman', 0, 0, 95)),
'Dragon sword': list((600, 0, 5000, 'weapon', 'swordsman', 0, 0, 100)),
'wand': list((5, 0, 2, 'weapon', 'wizard', 0, 0, 1)),
'mace': list((7, 0, 5, 'weapon', 'wizard', 0, 0, 5)),
'staff': list((10, 0, 8, 'weapon', 'wizard', 0, 0, 10)),
'dagger': list((7, 0, 5, 'weapon', 'rouge', 0, 0, 1)),
'bronze dagger': list((10, 0, 9, 'weapon', 'rouge', 0, 0, 5)),
'iron dagger': list((15, 0, 11, 'weapon', 'rouge', 0, 0, 10)),
'bronze armor': list((0, 10, 10, 'armor', 'swordsman', 0, 0, 1)),
'iron armor': list((0, 15, 15, 'armor', 'swordsman', 0, 0, 5)),
'steel armor': list((0, 25, 20, 'armor', 'swordsman', 0, 0, 10)),
'gold armor': list((0, 45, 35, 'armor', 'swordsman', 10, 0, 15)),
'damascus armor': list((0, 60, 55, 'armor', 'swordsman', 0, 0, 20)),
'cloth armor': list((0, 5, 2, 'armor', 'wizard', 5, 0, 1)),
'hard cloth armor': list((0, 7, 5, 'armor', 'rouge', 0, 0, 1)),
'potion': list((0, 0, 20, 'item', 'healer', 20, 0, 1)),
'Hyper Potion': list((0, 0, 50, 'item', 'healer', 50, 0, 20))}
| items = {'sword': list((10, 0, 10, 'weapon', 'swordsman', 0, 0, 1)), 'bronze sword': list((15, 0, 15, 'weapon', 'swordsman', 0, 0, 5)), 'iron sword': list((20, 0, 20, 'weapon', 'swordsman', 0, 0, 10)), 'steel sword': list((25, 0, 25, 'weapon', 'swordsman', 0, 0, 15)), 'long sword': list((30, 0, 30, 'weapon', 'swordsman', 0, 0, 20)), 'broad sword': list((40, 0, 50, 'weapon', 'swordsman', 0, 0, 25)), 'damascus sword': list((55, 0, 100, 'weapon', 'swordsman', 0, 0, 30)), 'Enchanted long sword': list((70, 0, 150, 'weapon', 'swordsman', 0, 0, 35)), 'diamond sword': list((100, 0, 250, 'weapon', 'swordsman', 0, 0, 40)), 'great sword': list((120, 0, 300, 'weapon', 'swordsman', 0, 0, 45)), 'Death sword': list((180, 0, 400, 'weapon', 'swordsman', 0, 0, 50)), 'fire sword': list((250, 0, 600, 'weapon', 'swordsman', 0, 0, 55)), 'ice sword': list((275, 0, 650, 'weapon', 'swordsman', 0, 0, 60)), 'Elemental sword': list((340, 0, 800, 'weapon', 'swordsman', 0, 0, 65)), 'sword of ifrit': list((375, 0, 1000, 'weapon', 'swordsman', 0, 0, 70)), "RA's sword": list((400, 0, 1500, 'weapon', 'swordsman', 0, 0, 75)), 'sword of swords': list((425, 0, 1800, 'weapon', 'swordsman', 0, 0, 80)), 'Excalibur': list((475, 0, 2500, 'weapon', 'swordsman', 0, 0, 85)), 'elder sword': list((500, 0, 3000, 'weapon', 'swordsman', 0, 0, 90)), 'Enchanted ancient sword': list((550, 0, 4000, 'weapon', 'swordsman', 0, 0, 95)), 'Dragon sword': list((600, 0, 5000, 'weapon', 'swordsman', 0, 0, 100)), 'wand': list((5, 0, 2, 'weapon', 'wizard', 0, 0, 1)), 'mace': list((7, 0, 5, 'weapon', 'wizard', 0, 0, 5)), 'staff': list((10, 0, 8, 'weapon', 'wizard', 0, 0, 10)), 'dagger': list((7, 0, 5, 'weapon', 'rouge', 0, 0, 1)), 'bronze dagger': list((10, 0, 9, 'weapon', 'rouge', 0, 0, 5)), 'iron dagger': list((15, 0, 11, 'weapon', 'rouge', 0, 0, 10)), 'bronze armor': list((0, 10, 10, 'armor', 'swordsman', 0, 0, 1)), 'iron armor': list((0, 15, 15, 'armor', 'swordsman', 0, 0, 5)), 'steel armor': list((0, 25, 20, 'armor', 'swordsman', 0, 0, 10)), 'gold armor': list((0, 45, 35, 'armor', 'swordsman', 10, 0, 15)), 'damascus armor': list((0, 60, 55, 'armor', 'swordsman', 0, 0, 20)), 'cloth armor': list((0, 5, 2, 'armor', 'wizard', 5, 0, 1)), 'hard cloth armor': list((0, 7, 5, 'armor', 'rouge', 0, 0, 1)), 'potion': list((0, 0, 20, 'item', 'healer', 20, 0, 1)), 'Hyper Potion': list((0, 0, 50, 'item', 'healer', 50, 0, 20))} |
# Definition for a binary tree node.
# class TreeNode:
# def __init__(self, val=0, left=None, right=None):
# self.val = val
# self.left = left
# self.right = right
class Solution:
def isSubtree(self, s: TreeNode, t: TreeNode) -> bool:
def rec(s,t):
if s is None and t is None:
return True
if s is None or t is None:
return False
return s.val==t.val and rec(s.left,t.left) and rec(s.right,t.right)
return s is not None and (rec(s,t) or self.isSubtree(s.left,t) or self
.isSubtree(s.right,t))
| class Solution:
def is_subtree(self, s: TreeNode, t: TreeNode) -> bool:
def rec(s, t):
if s is None and t is None:
return True
if s is None or t is None:
return False
return s.val == t.val and rec(s.left, t.left) and rec(s.right, t.right)
return s is not None and (rec(s, t) or self.isSubtree(s.left, t) or self.isSubtree(s.right, t)) |
def f(a, b, c):
return (a, b, c)
___assertEqual(f(*[0, 1, 2]), (0, 1, 2))
___assertEqual(f(*"abc"), ('a', 'b', 'c'))
___assertEqual(f(*range(3)), (0, 1, 2))
| def f(a, b, c):
return (a, b, c)
___assert_equal(f(*[0, 1, 2]), (0, 1, 2))
___assert_equal(f(*'abc'), ('a', 'b', 'c'))
___assert_equal(f(*range(3)), (0, 1, 2)) |
def is_leap(year):
leap = False
# Write your logic here
if year%4 == 0 and year%100 != 0:
leap = True
elif year%400 == 0:
leap = True
return leap
year = int(input("Enter the year"))
print(is_leap(year))
| def is_leap(year):
leap = False
if year % 4 == 0 and year % 100 != 0:
leap = True
elif year % 400 == 0:
leap = True
return leap
year = int(input('Enter the year'))
print(is_leap(year)) |
floor_lenght = float(input())
tile_wight = float(input())
tile_lenght = float(input())
bench_wight = float(input())
bench_lenght = float(input())
speed = 0.2
bench_area = bench_lenght * bench_wight
tile_area = (tile_wight * tile_lenght)
floor_area = floor_lenght * floor_lenght - bench_area
print("%.2f" % (floor_area/tile_area))
print("%.2f" % (floor_area/tile_area*speed))
| floor_lenght = float(input())
tile_wight = float(input())
tile_lenght = float(input())
bench_wight = float(input())
bench_lenght = float(input())
speed = 0.2
bench_area = bench_lenght * bench_wight
tile_area = tile_wight * tile_lenght
floor_area = floor_lenght * floor_lenght - bench_area
print('%.2f' % (floor_area / tile_area))
print('%.2f' % (floor_area / tile_area * speed)) |
print("give me two numbers, and I'll divide them.")
print("enter 'q' to quit.")
while True:
first_number = input("\nFirst Number:")
if first_number == 'q':
break
second_number = input("\nSecond Number:")
if second_number == 'q':
break
try:
answer = int(first_number)/int(second_number)
except ZeroDivisionError:
print("you can't divide by zero!")
else:
print(answer)
| print("give me two numbers, and I'll divide them.")
print("enter 'q' to quit.")
while True:
first_number = input('\nFirst Number:')
if first_number == 'q':
break
second_number = input('\nSecond Number:')
if second_number == 'q':
break
try:
answer = int(first_number) / int(second_number)
except ZeroDivisionError:
print("you can't divide by zero!")
else:
print(answer) |
def convert_adjacent_matrix_to_adjacent_list(graph: list, vertices: list) -> dict:
result_graph = {}
for v in vertices:
result_graph[v] = []
rows, cols = len(graph), len(graph[0])
for i in range(rows):
for j in range(cols):
if graph[i][j] == 1:
result_graph[vertices[i]].append(vertices[j])
return result_graph
if __name__ == "__main__":
graph_adj_matrix = [
[0,1,1,0,0,0],
[1,0,0,1,1,0],
[1,0,0,0,0,1],
[0,1,0,0,0,0],
[0,1,0,0,0,1],
[0,0,1,0,1,0]
]
print(convert_adjacent_matrix_to_adjacent_list(graph_adj_matrix, ["A","B","C","D","E","F"]))
| def convert_adjacent_matrix_to_adjacent_list(graph: list, vertices: list) -> dict:
result_graph = {}
for v in vertices:
result_graph[v] = []
(rows, cols) = (len(graph), len(graph[0]))
for i in range(rows):
for j in range(cols):
if graph[i][j] == 1:
result_graph[vertices[i]].append(vertices[j])
return result_graph
if __name__ == '__main__':
graph_adj_matrix = [[0, 1, 1, 0, 0, 0], [1, 0, 0, 1, 1, 0], [1, 0, 0, 0, 0, 1], [0, 1, 0, 0, 0, 0], [0, 1, 0, 0, 0, 1], [0, 0, 1, 0, 1, 0]]
print(convert_adjacent_matrix_to_adjacent_list(graph_adj_matrix, ['A', 'B', 'C', 'D', 'E', 'F'])) |
ANDHRA_TRACK_DIR = '/Users/jalend15/PycharmProjects/electoral_rolls/andhra/andhra_pdfs'
ANDHRA_PDF_ENGLISH_DIR = '/Users/jalend15/PycharmProjects/electoral_rolls/andhra/andhra_pdfs/english'
ANDHRA_PDF_TELUGU_DIR = '/Users/jalend15/PycharmProjects/electoral_rolls/andhra/andhra_pdfs/telugu' | andhra_track_dir = '/Users/jalend15/PycharmProjects/electoral_rolls/andhra/andhra_pdfs'
andhra_pdf_english_dir = '/Users/jalend15/PycharmProjects/electoral_rolls/andhra/andhra_pdfs/english'
andhra_pdf_telugu_dir = '/Users/jalend15/PycharmProjects/electoral_rolls/andhra/andhra_pdfs/telugu' |
class shapes:
Count_Cylinder=0
Count_Cone=0
def __init__(self,rad,height):
self.rad=rad
self.height=height
def disp(self):
return self.rad+","+self.height
class Cone(shapes):
def __init__(self,rad,height):
shapes.__init__(self,rad,height)
self.slen=pow((pow(self.rad,2)+pow(self.height,2)),0.5)
self.Vol=(3.141592*pow(self.rad,2)*self.height)/3
self.SA=3.141592*self.rad*self.slen
shapes.Count_Cone=shapes.Count_Cone+1
def disp2(self):
return self.Vol,self.SA,shapes.Count_Cone
class Cylinder(shapes):
def __init__(self,rad,height):
shapes.__init__(self,rad,height)
self.Vol=3.141592*pow(self.rad,2)*self.height
self.SA=3.141592*(self.rad*self.height+2*self.rad)
shapes.Count_Cylinder=shapes.Count_Cylinder+1
def disp3(self):
return self.Vol,self.SA,shapes.Count_Cylinder
rad=float(input("enter the radius:"))
height=float(input("enter the height:"))
s1=Cone(rad,height)
s2=Cylinder(rad,height)
s3=Cylinder(rad,height)
print("Volume & Total Surface Area of Cone:")
print(s1.disp2())
print("Volume & Total Surface Area of Cylinder:")
print(s2.disp3())
print(s3.disp3())
| class Shapes:
count__cylinder = 0
count__cone = 0
def __init__(self, rad, height):
self.rad = rad
self.height = height
def disp(self):
return self.rad + ',' + self.height
class Cone(shapes):
def __init__(self, rad, height):
shapes.__init__(self, rad, height)
self.slen = pow(pow(self.rad, 2) + pow(self.height, 2), 0.5)
self.Vol = 3.141592 * pow(self.rad, 2) * self.height / 3
self.SA = 3.141592 * self.rad * self.slen
shapes.Count_Cone = shapes.Count_Cone + 1
def disp2(self):
return (self.Vol, self.SA, shapes.Count_Cone)
class Cylinder(shapes):
def __init__(self, rad, height):
shapes.__init__(self, rad, height)
self.Vol = 3.141592 * pow(self.rad, 2) * self.height
self.SA = 3.141592 * (self.rad * self.height + 2 * self.rad)
shapes.Count_Cylinder = shapes.Count_Cylinder + 1
def disp3(self):
return (self.Vol, self.SA, shapes.Count_Cylinder)
rad = float(input('enter the radius:'))
height = float(input('enter the height:'))
s1 = cone(rad, height)
s2 = cylinder(rad, height)
s3 = cylinder(rad, height)
print('Volume & Total Surface Area of Cone:')
print(s1.disp2())
print('Volume & Total Surface Area of Cylinder:')
print(s2.disp3())
print(s3.disp3()) |
# Definition for a binary tree node.
# class TreeNode:
# def __init__(self, x):
# self.val = x
# self.left = None
# self.right = None
class Solution(object):
def verticalTraversal(self, root):
result = collections.defaultdict(list)
stack = [(root, 0)]
while stack:
new_stack = []
cur_result = collections.defaultdict(list)
for node, level in stack:
cur_result[level].append(node.val)
if node.left:
new_stack.append((node.left, level - 1))
if node.right:
new_stack.append((node.right, level + 1))
for i in cur_result:
result[i].extend(sorted(cur_result[i]))
stack = new_stack
return [result[i] for i in sorted(result)] | class Solution(object):
def vertical_traversal(self, root):
result = collections.defaultdict(list)
stack = [(root, 0)]
while stack:
new_stack = []
cur_result = collections.defaultdict(list)
for (node, level) in stack:
cur_result[level].append(node.val)
if node.left:
new_stack.append((node.left, level - 1))
if node.right:
new_stack.append((node.right, level + 1))
for i in cur_result:
result[i].extend(sorted(cur_result[i]))
stack = new_stack
return [result[i] for i in sorted(result)] |
def metodoBloqueioMovimento(x, y, mapaAtual, direcao, item_select):
if x > -1 and x < 750 and y >-1 and y < 560:
if mapaAtual == 1:
if direcao == 'direita':
if y < 330 and y > 200:
if (x+10>350 or x+10<270):
return True
else:
return False
else:
return True
if direcao == 'esquerda':
if y < 330 and y > 200:
if (x-10>350 or x-10<270):
return True
else:
return False
else:
return True
if direcao == 'cima':
if x > 250 and x < 350:
if (y-10<200 or y-10>310):
return True
else:
return False
else:
return True
if direcao == 'baixo':
if x > 250 and x < 350:
if (y-10<200 or y-10>310):
return True
else:
return False
else:
return True
if mapaAtual == 2:
if y<340 and y>210 and direcao != "direita" and x<400:
if x> 130:
return True
else:
return False
if y<310 and y>180 and direcao != "esquerda" and x>400:
if x< 550:
return True
else:
return False
else:
return True
if mapaAtual == 3:
if item_select >=2 and direcao == 'cima':
return True
if item_select < 3 and direcao == 'baixo':
return True
else:
return False
else:
return False | def metodo_bloqueio_movimento(x, y, mapaAtual, direcao, item_select):
if x > -1 and x < 750 and (y > -1) and (y < 560):
if mapaAtual == 1:
if direcao == 'direita':
if y < 330 and y > 200:
if x + 10 > 350 or x + 10 < 270:
return True
else:
return False
else:
return True
if direcao == 'esquerda':
if y < 330 and y > 200:
if x - 10 > 350 or x - 10 < 270:
return True
else:
return False
else:
return True
if direcao == 'cima':
if x > 250 and x < 350:
if y - 10 < 200 or y - 10 > 310:
return True
else:
return False
else:
return True
if direcao == 'baixo':
if x > 250 and x < 350:
if y - 10 < 200 or y - 10 > 310:
return True
else:
return False
else:
return True
if mapaAtual == 2:
if y < 340 and y > 210 and (direcao != 'direita') and (x < 400):
if x > 130:
return True
else:
return False
if y < 310 and y > 180 and (direcao != 'esquerda') and (x > 400):
if x < 550:
return True
else:
return False
else:
return True
if mapaAtual == 3:
if item_select >= 2 and direcao == 'cima':
return True
if item_select < 3 and direcao == 'baixo':
return True
else:
return False
else:
return False |
def fun(n):
if n%2==0:
return '.'
return '*'
l=[[fun(j) for j in range(5)] for i in range(5)]
print(l) | def fun(n):
if n % 2 == 0:
return '.'
return '*'
l = [[fun(j) for j in range(5)] for i in range(5)]
print(l) |
class Work:
__id = None
__artist = None
__artist_name = None
__name = None
__created = None
__description = None
__tags = []
__forks = 0
__likes = 0
__allow_download = False
__allow_sketch = False
__allow_fork = False
__address = None
def set_address(self, address):
self.__address = address
return
def set_id(self, id):
self.__id = id
return
def set_artist(self, artist):
self.__artist = artist
return
def set_artist_name(self, artist_name):
self.__artist_name = artist_name
return
def set_name(self, name):
self.__name = name
return
def set_created(self, created):
self.__created = created
return
def set_description(self, description):
self.__description = description
return
def set_tags(self, tags):
self.__tags = tags
return
def set_forks(self, forks):
self.__forks = forks
return
def set_likes(self, likes):
self.__likes = likes
return
def set_allow_download(self, allow_download):
self.__allow_download = allow_download
return
def set_allow_sketch(self, allow_sketch):
self.__allow_sketch = allow_sketch
return
def set_allow_fork(self, allow_fork):
self.__allow_fork = allow_fork
return
def get_id(self):
return self.__id
def get_artist(self):
return self.__artist
def get_artist_name(self):
return self.__artist_name
def get_name(self):
return self.__name
def get_created(self):
return self.__created
def get_description(self):
return self.__description
def get_tags(self):
return self.__tags
def get_forks(self):
return self.__forks
def get_likes(self):
return self.__likes
def get_allow_download(self):
return self.__allow_download
def get_allow_sketch(self):
return self.__allow_sketch
def get_allow_fork(self):
return self.__allow_fork
def get_address(self):
return self.__address
| class Work:
__id = None
__artist = None
__artist_name = None
__name = None
__created = None
__description = None
__tags = []
__forks = 0
__likes = 0
__allow_download = False
__allow_sketch = False
__allow_fork = False
__address = None
def set_address(self, address):
self.__address = address
return
def set_id(self, id):
self.__id = id
return
def set_artist(self, artist):
self.__artist = artist
return
def set_artist_name(self, artist_name):
self.__artist_name = artist_name
return
def set_name(self, name):
self.__name = name
return
def set_created(self, created):
self.__created = created
return
def set_description(self, description):
self.__description = description
return
def set_tags(self, tags):
self.__tags = tags
return
def set_forks(self, forks):
self.__forks = forks
return
def set_likes(self, likes):
self.__likes = likes
return
def set_allow_download(self, allow_download):
self.__allow_download = allow_download
return
def set_allow_sketch(self, allow_sketch):
self.__allow_sketch = allow_sketch
return
def set_allow_fork(self, allow_fork):
self.__allow_fork = allow_fork
return
def get_id(self):
return self.__id
def get_artist(self):
return self.__artist
def get_artist_name(self):
return self.__artist_name
def get_name(self):
return self.__name
def get_created(self):
return self.__created
def get_description(self):
return self.__description
def get_tags(self):
return self.__tags
def get_forks(self):
return self.__forks
def get_likes(self):
return self.__likes
def get_allow_download(self):
return self.__allow_download
def get_allow_sketch(self):
return self.__allow_sketch
def get_allow_fork(self):
return self.__allow_fork
def get_address(self):
return self.__address |
#
# @lc app=leetcode id=938 lang=python3
#
# [938] Range Sum of BST
#
# @lc code=start
# Definition for a binary tree node.
# class TreeNode:
# def __init__(self, val=0, left=None, right=None):
# self.val = val
# self.left = left
# self.right = right
class Solution:
def rangeSumBST(self, root: TreeNode, L: int, R: int) -> int:
self.ans = 0
self.finder(root, L, R)
return self.ans
def finder(self, root, l, r):
if not root:
return
if l <= root.val <= r:
self.ans += root.val
if root.val >= r:
self.finder(root.left, l, r)
elif root.val <= l:
self.finder(root.right, l, r)
else:
self.finder(root.left, l, r)
self.finder(root.right, l, r)
# @lc code=end
| class Solution:
def range_sum_bst(self, root: TreeNode, L: int, R: int) -> int:
self.ans = 0
self.finder(root, L, R)
return self.ans
def finder(self, root, l, r):
if not root:
return
if l <= root.val <= r:
self.ans += root.val
if root.val >= r:
self.finder(root.left, l, r)
elif root.val <= l:
self.finder(root.right, l, r)
else:
self.finder(root.left, l, r)
self.finder(root.right, l, r) |
protists_chlorophyta = ["volvox", "actinastrum", "hydrodictyon", "spirogyra"]
print("The first three items in the list are:")
for protist in protists_chlorophyta[:3]:
print(protist.title())
protists_chlorophyta = ["volvox", "actinastrum", "hydrodictyon", "spirogyra"]
print("The items in the middle of the list are:")
for protist in protists_chlorophyta[1:3]:
print(protist.title())
protists_chlorophyta = ["volvox", "actinastrum", "hydrodictyon", "spirogyra"]
print("The last three items in the list are:")
for protist in protists_chlorophyta[-3:]:
print(protist.title())
| protists_chlorophyta = ['volvox', 'actinastrum', 'hydrodictyon', 'spirogyra']
print('The first three items in the list are:')
for protist in protists_chlorophyta[:3]:
print(protist.title())
protists_chlorophyta = ['volvox', 'actinastrum', 'hydrodictyon', 'spirogyra']
print('The items in the middle of the list are:')
for protist in protists_chlorophyta[1:3]:
print(protist.title())
protists_chlorophyta = ['volvox', 'actinastrum', 'hydrodictyon', 'spirogyra']
print('The last three items in the list are:')
for protist in protists_chlorophyta[-3:]:
print(protist.title()) |
#This program demonstrates creation of bank account using OOP
#Reference: https://www.udemy.com/the-python-mega-course/learn/v4/t/lecture/5170352?start=0
class Account:
def __init__(self, filepath): #filepath stands for a value that is taken from balance.txt
self.fp=filepath #this makes filepath an instance variable, which allows filepath to be used anywhere inside of class
with open(filepath, 'r') as file:
self.balance=int(file.read()) #store a read data into var named balance
def withdraw(self, amount):
#self.balance=self.balance - amount
self.balance -= amount
def deposit(self, amount):
#self.balance=self.balance + amount
self.balance += amount
def commit(self):
#this basically 'commits' changes to the balance.txt, otherwise value in that file will never change
with open(self.fp, 'w') as file:
file.write(str(self.balance))
account=Account("balance.txt") #create object from blueprint Account()
print(account.balance)
account.deposit(100)
print(account.balance)
account.commit()
| class Account:
def __init__(self, filepath):
self.fp = filepath
with open(filepath, 'r') as file:
self.balance = int(file.read())
def withdraw(self, amount):
self.balance -= amount
def deposit(self, amount):
self.balance += amount
def commit(self):
with open(self.fp, 'w') as file:
file.write(str(self.balance))
account = account('balance.txt')
print(account.balance)
account.deposit(100)
print(account.balance)
account.commit() |
def fuel(mass):
try:
mass_int = int(mass)
return max(int(mass_int / 3) - 2, 0)
except ValueError:
return 0
def fuel_recursive(mass):
try:
mass_int = int(mass)
fuel_mass = fuel(mass_int)
fuel_total = fuel_mass
while fuel_mass > 0:
fuel_mass = fuel(fuel_mass)
fuel_total += fuel_mass
return fuel_total
except ValueError:
return 0
def solve():
f = open("input/day01.txt", "r")
masses = f.readlines()
f.close()
print("Part 1")
print(f" Fuel for modules: {sum(map(fuel, masses))}")
print()
print("Part 2")
print(f" Fuel for modules: {sum(map(fuel_recursive, masses))}")
| def fuel(mass):
try:
mass_int = int(mass)
return max(int(mass_int / 3) - 2, 0)
except ValueError:
return 0
def fuel_recursive(mass):
try:
mass_int = int(mass)
fuel_mass = fuel(mass_int)
fuel_total = fuel_mass
while fuel_mass > 0:
fuel_mass = fuel(fuel_mass)
fuel_total += fuel_mass
return fuel_total
except ValueError:
return 0
def solve():
f = open('input/day01.txt', 'r')
masses = f.readlines()
f.close()
print('Part 1')
print(f' Fuel for modules: {sum(map(fuel, masses))}')
print()
print('Part 2')
print(f' Fuel for modules: {sum(map(fuel_recursive, masses))}') |
# The test
# For (3,4,5) representing (a,b,c)
# For (3,4,5) a + b + c = 12 is true
# a < b < c is true for (3,4,5)
# a2 + b2 = c2 is true for (3,4,5)
# For (3,4,5) a + b + c = 12
# Ultimately, fink the product abc.
# - Iterate through (a,b) until a^2 + b^2 = c^2
# - Test if a < b < c
# - Test if a + b + c = 1000
# (3,4,5) 3^2 + 4^2 = 5^2 9 + 16 = 25
# (6,8,10) 6^2 + 8^2 = 10^2 36 + 64 = 100
# Tst
# sum_of_triplets = 12
sum_of_triplets = 1000
def main():
a = 1
# while a + b + c < sum_of_triplets:
while True:
# Find primitive triplet for 'a' using Platonic sequence
a, b, c = platonic_sequence(a)
# Init a multiplier to loop through in case the answer is not primitive
k = 0
# Continuously loop to evaluate primitive multiplied by coefficient
while (k * (a + b + c)) < sum_of_triplets:
k += 1
if k * (a + b + c) == sum_of_triplets and a < b < c:
# A solution has been found; inform the world
print("Primitive Triplet: ", a, b, c)
a = k * a
b = k * b
c = k * c
print("Primitive Multiplier:", k)
print("Solution Triplet: ", a,b,c)
print("a + b + c:", a + b + c)
print("a * b * c:", a * b * c)
exit()
# Increment 'a' before being processed at the start of the loop
a += 1
def platonic_sequence(_a):
_b = _c = 0
# Check if even or odd, then use the appropriate formulae
if _a % 2 == 1:
_b = (_a ** 2 - 1) / 2
_c = (_a ** 2 + 1) / 2
elif _a % 2 == 0:
_b = (_a / 2) ** 2 - 1
_c = (_a / 2) ** 2 + 1
return int(_a), int(_b), int(_c)
if __name__ == "__main__":
main()
| sum_of_triplets = 1000
def main():
a = 1
while True:
(a, b, c) = platonic_sequence(a)
k = 0
while k * (a + b + c) < sum_of_triplets:
k += 1
if k * (a + b + c) == sum_of_triplets and a < b < c:
print('Primitive Triplet: ', a, b, c)
a = k * a
b = k * b
c = k * c
print('Primitive Multiplier:', k)
print('Solution Triplet: ', a, b, c)
print('a + b + c:', a + b + c)
print('a * b * c:', a * b * c)
exit()
a += 1
def platonic_sequence(_a):
_b = _c = 0
if _a % 2 == 1:
_b = (_a ** 2 - 1) / 2
_c = (_a ** 2 + 1) / 2
elif _a % 2 == 0:
_b = (_a / 2) ** 2 - 1
_c = (_a / 2) ** 2 + 1
return (int(_a), int(_b), int(_c))
if __name__ == '__main__':
main() |
ntos = {
1: 'one',
2: 'two',
3: 'three',
4: 'four',
5: 'five',
6: 'six',
7: 'seven',
8: 'eight',
9: 'nine',
10: 'ten',
11: 'eleven',
12: 'twelve',
13: 'thirteen',
14: 'fourteen',
15: 'fifteen',
16: 'sixteen',
17: 'seventeen',
18: 'eighteen',
19: 'nineteen',
20: 'twenty',
30: 'thirty'}
for i in range(1, 10):
ntos[20 + i] = f'{ntos[20]} {ntos[i]}'
h, m = int(input()), int(input())
res = ''
if m == 0:
res = f'{ntos[h]} o\' clock'
elif m == 1:
res = f'{ntos[m]} minute past {ntos[h]}'
elif m == 15:
res = f'quarter past {ntos[h]}'
elif m == 30:
res = f'half past {ntos[h]}'
elif m == 45:
res = f'quarter to {ntos[h % 12 + 1]}'
elif 1 <= m <= 30:
res = f'{ntos[m]} minutes past {ntos[h]}'
else:
res = f'{ntos[60-m]} minutes to {ntos[h % 12 + 1]}'
print(res)
| ntos = {1: 'one', 2: 'two', 3: 'three', 4: 'four', 5: 'five', 6: 'six', 7: 'seven', 8: 'eight', 9: 'nine', 10: 'ten', 11: 'eleven', 12: 'twelve', 13: 'thirteen', 14: 'fourteen', 15: 'fifteen', 16: 'sixteen', 17: 'seventeen', 18: 'eighteen', 19: 'nineteen', 20: 'twenty', 30: 'thirty'}
for i in range(1, 10):
ntos[20 + i] = f'{ntos[20]} {ntos[i]}'
(h, m) = (int(input()), int(input()))
res = ''
if m == 0:
res = f"{ntos[h]} o' clock"
elif m == 1:
res = f'{ntos[m]} minute past {ntos[h]}'
elif m == 15:
res = f'quarter past {ntos[h]}'
elif m == 30:
res = f'half past {ntos[h]}'
elif m == 45:
res = f'quarter to {ntos[h % 12 + 1]}'
elif 1 <= m <= 30:
res = f'{ntos[m]} minutes past {ntos[h]}'
else:
res = f'{ntos[60 - m]} minutes to {ntos[h % 12 + 1]}'
print(res) |
# A python module for example purposes
myName = "mymod module for examples"
def add(a,b):
return a + b
def multiply(a,b):
return a * b
| my_name = 'mymod module for examples'
def add(a, b):
return a + b
def multiply(a, b):
return a * b |
#Setting Directory
morsealpha={
"A" : ".-",
"B" : "-...",
"C" : "-.-.",
"D" : "-..",
"E" : ".",
"F" : "..-.",
"G" : "--.",
"H" : "....",
"I" : "..",
"J" : ".---",
"K" : "-.-",
"L" : ".-..",
"M" : "--",
"N" : "-.",
"O" : "---",
"P" : ".--.",
"Q" : "--.-",
"R" : ".-.",
"S" : "...",
"T" : "-",
"U" : "..-",
"V" : "...-",
"W" : ".--",
"X" : "-..-",
"Y" : "-.--",
"Z" : "--..",
" " : "/",
"0" : "-----",
"1" : ".----",
"2" : "..---",
"3" : "...--",
"4" : "....-",
"5" : ".....",
"6" : "-....",
"7" : "--...",
"8" : "---..",
"9" : "----.",
"." : ".-.-.-",
"," : "--..--",
"?" : "..--..",
"!" : "..--.",
":" : "---...",
"'" : ".---.",
"=" : "-...-",
'"' : ".-..-."
}
#Asking for String
Sen = input("Enter string: ")
#Checking if number is valid
if not Sen.numeric():
#Making string uppercase to convert
Sen = Sen.upper()
#Control loop prints each letter w/ a space in between
for x in range(len(Sen)) :
#morsealpha[Sen[x]] prints the xth letter but converted using the Directory
print(morsealpha[Sen[x]], end="")
else:
#Telling user the input is Invalid
print("Invalid input")
| morsealpha = {'A': '.-', 'B': '-...', 'C': '-.-.', 'D': '-..', 'E': '.', 'F': '..-.', 'G': '--.', 'H': '....', 'I': '..', 'J': '.---', 'K': '-.-', 'L': '.-..', 'M': '--', 'N': '-.', 'O': '---', 'P': '.--.', 'Q': '--.-', 'R': '.-.', 'S': '...', 'T': '-', 'U': '..-', 'V': '...-', 'W': '.--', 'X': '-..-', 'Y': '-.--', 'Z': '--..', ' ': '/', '0': '-----', '1': '.----', '2': '..---', '3': '...--', '4': '....-', '5': '.....', '6': '-....', '7': '--...', '8': '---..', '9': '----.', '.': '.-.-.-', ',': '--..--', '?': '..--..', '!': '..--.', ':': '---...', "'": '.---.', '=': '-...-', '"': '.-..-.'}
sen = input('Enter string: ')
if not Sen.numeric():
sen = Sen.upper()
for x in range(len(Sen)):
print(morsealpha[Sen[x]], end='')
else:
print('Invalid input') |
nome = input("Digite seu nome: ")
s = input("Digite seu sexo(M/N): ").upper()
while s != 'M' != 'F':
s = input("Digite seu sexo novamente: ").upper()
| nome = input('Digite seu nome: ')
s = input('Digite seu sexo(M/N): ').upper()
while s != 'M' != 'F':
s = input('Digite seu sexo novamente: ').upper() |
# THIS FILE IS AUTO-GENERATED. PLEASE DO NOT MODIFY# version file for ldap3
# generated on 2020-09-07 08:48:35.409733
# on system uname_result(system='Windows', node='ELITE10GC', release='10', version='10.0.19041', machine='AMD64', processor='Intel64 Family 6 Model 58 Stepping 9, GenuineIntel')
# with Python 3.8.5 - ('tags/v3.8.5:580fbb0', 'Jul 20 2020 15:57:54') - MSC v.1924 64 bit (AMD64)
#
__version__ = '2.8.1'
__author__ = 'Giovanni Cannata'
__email__ = 'cannatag@gmail.com'
__url__ = 'https://github.com/cannatag/ldap3'
__description__ = 'A strictly RFC 4510 conforming LDAP V3 pure Python client library'
__status__ = '5 - Production/Stable'
__license__ = 'LGPL v3'
| __version__ = '2.8.1'
__author__ = 'Giovanni Cannata'
__email__ = 'cannatag@gmail.com'
__url__ = 'https://github.com/cannatag/ldap3'
__description__ = 'A strictly RFC 4510 conforming LDAP V3 pure Python client library'
__status__ = '5 - Production/Stable'
__license__ = 'LGPL v3' |
def parse_bool(val, default):
if not val:
return default
if type(val) == bool:
return val
if type(val) == str:
if val.lower() in ["1", "true"]:
return True
if val.lower() in ["0", "false"]:
return False
raise ValueError(f"{val} can not be interpreted as boolean")
| def parse_bool(val, default):
if not val:
return default
if type(val) == bool:
return val
if type(val) == str:
if val.lower() in ['1', 'true']:
return True
if val.lower() in ['0', 'false']:
return False
raise value_error(f'{val} can not be interpreted as boolean') |
def ficha(nome='<desconhecido>', gol=0):
print(f'O jogador {nome} fez {gol} gol(s) no campeonato.')
#programa principal
n = str(input('Digite o nome do jogador: '))
g = str(input('Quantos gols no campeonato: '))
if g.isnumeric():
g = int(g)
else:
g = 0
if n.strip() == '':
ficha(gol=g)
else:
ficha(n, g)
| def ficha(nome='<desconhecido>', gol=0):
print(f'O jogador {nome} fez {gol} gol(s) no campeonato.')
n = str(input('Digite o nome do jogador: '))
g = str(input('Quantos gols no campeonato: '))
if g.isnumeric():
g = int(g)
else:
g = 0
if n.strip() == '':
ficha(gol=g)
else:
ficha(n, g) |
count=0
while count<5 :
print(count, "is less than 5")
count= count +1
else :
print(count, "is greater than 5")
| count = 0
while count < 5:
print(count, 'is less than 5')
count = count + 1
else:
print(count, 'is greater than 5') |
def merge(x, y):
if len(x) == 0:
return y
if len(y) == 0:
return x
if x[0] <= y[0]:
return [x[0]] + merge(x[1:], y)
else:
return [y[0]] + merge(x, y[1:])
#Solution without slice and concat, which are O(n) in python
def merge2(x, y):
if len(x) == 0:
return y
if len(y) == 0:
return x
last = y.pop() if x[-1] < y[-1] else x.pop()
# 'merged' is required because the append method is in place
merged = merge2(x, y)
merged.append(last)
return merged
x = [2, 4, 6]
y = [1, 3, 5]
assert merge(x, y) == [1, 2, 3, 4, 5, 6]
assert merge2(x, y) == [1, 2, 3, 4, 5, 6]
| def merge(x, y):
if len(x) == 0:
return y
if len(y) == 0:
return x
if x[0] <= y[0]:
return [x[0]] + merge(x[1:], y)
else:
return [y[0]] + merge(x, y[1:])
def merge2(x, y):
if len(x) == 0:
return y
if len(y) == 0:
return x
last = y.pop() if x[-1] < y[-1] else x.pop()
merged = merge2(x, y)
merged.append(last)
return merged
x = [2, 4, 6]
y = [1, 3, 5]
assert merge(x, y) == [1, 2, 3, 4, 5, 6]
assert merge2(x, y) == [1, 2, 3, 4, 5, 6] |
try:
user_number = int(input("Enter a number: "))
res = 10/user_number
except ValueError:
print("You did not enter a number!")
except ZeroDivisionError:
print("Enter a number different from zero (0)!")
| try:
user_number = int(input('Enter a number: '))
res = 10 / user_number
except ValueError:
print('You did not enter a number!')
except ZeroDivisionError:
print('Enter a number different from zero (0)!') |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
__author__ = "nebula"
class RabbitmqCtx(object):
_instance = None
def __init__(self):
self._amqp_url = "amqp://guest:guest@localhost:5672/"
@property
def amqp_url(self):
return self._amqp_url
@amqp_url.setter
def amqp_url(self, amqp_url):
self._amqp_url = amqp_url
@staticmethod
def get_instance():
if not RabbitmqCtx._instance:
RabbitmqCtx._instance = RabbitmqCtx()
return RabbitmqCtx._instance
def __str__(self):
return "RabbitmqCtx[amqp_url={}]".format(self._amqp_url)
| __author__ = 'nebula'
class Rabbitmqctx(object):
_instance = None
def __init__(self):
self._amqp_url = 'amqp://guest:guest@localhost:5672/'
@property
def amqp_url(self):
return self._amqp_url
@amqp_url.setter
def amqp_url(self, amqp_url):
self._amqp_url = amqp_url
@staticmethod
def get_instance():
if not RabbitmqCtx._instance:
RabbitmqCtx._instance = rabbitmq_ctx()
return RabbitmqCtx._instance
def __str__(self):
return 'RabbitmqCtx[amqp_url={}]'.format(self._amqp_url) |
# Truth and guesses should be lists of (commit_id, classification_id)
def score(truth, guesses):
truth = dict(truth)
correct_matches = 0
incorrect_matches = 0
for commit_id, classification_id in guesses:
assert(commit_id in truth)
if truth[commit_id] == classification_id:
correct_matches += 1
else:
incorrect_matches += 1
precision = float(correct_matches) + (correct_matches + incorrect_matches)
recall = float(correct_matches) + len(truth)
f1 = (2 * precision * recall) / (precision + recall)
return {'precision': precision, 'recall': recall, 'f1':f1}
| def score(truth, guesses):
truth = dict(truth)
correct_matches = 0
incorrect_matches = 0
for (commit_id, classification_id) in guesses:
assert commit_id in truth
if truth[commit_id] == classification_id:
correct_matches += 1
else:
incorrect_matches += 1
precision = float(correct_matches) + (correct_matches + incorrect_matches)
recall = float(correct_matches) + len(truth)
f1 = 2 * precision * recall / (precision + recall)
return {'precision': precision, 'recall': recall, 'f1': f1} |
class A(object):
def __init__(self):
pass
def _internal_use(self):
pass
def __method_name(self):
pass
| class A(object):
def __init__(self):
pass
def _internal_use(self):
pass
def __method_name(self):
pass |
#https://leetcode.com/explore/learn/card/queue-stack/239/conclusion/1393/
# According to Trial 68 ms and 14.5 mb
# 95.45% time and 21.71% space
class Solution:
def floodFill(self, image: List[List[int]], sr: int, sc: int, newColor: int) -> List[List[int]]:
stack = [(sr,sc)]
visited = {}
valid_path_val = image[sr][sc]
while stack:
row, col = stack.pop()
if image[row][col] == valid_path_val and not visited.get((row, col)):
image[row][col] = newColor
if row+1 < len(image):
stack.append((row+1,col))
if row-1 >= 0:
stack.append((row-1,col))
if col-1 >= 0:
stack.append((row,col-1))
if col+1 < len(image[0]):
stack.append((row,col+1))
visited[(row, col)] = True
return image
| class Solution:
def flood_fill(self, image: List[List[int]], sr: int, sc: int, newColor: int) -> List[List[int]]:
stack = [(sr, sc)]
visited = {}
valid_path_val = image[sr][sc]
while stack:
(row, col) = stack.pop()
if image[row][col] == valid_path_val and (not visited.get((row, col))):
image[row][col] = newColor
if row + 1 < len(image):
stack.append((row + 1, col))
if row - 1 >= 0:
stack.append((row - 1, col))
if col - 1 >= 0:
stack.append((row, col - 1))
if col + 1 < len(image[0]):
stack.append((row, col + 1))
visited[row, col] = True
return image |
# Copyright (c) 2009 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.
{
'variables': {
'feature_defines': [
'ENABLE_CHANNEL_MESSAGING=1',
'ENABLE_DATABASE=1',
'ENABLE_DATAGRID=1',
'ENABLE_DASHBOARD_SUPPORT=0',
'ENABLE_JAVASCRIPT_DEBUGGER=0',
'ENABLE_JSC_MULTIPLE_THREADS=0',
'ENABLE_ICONDATABASE=0',
'ENABLE_XSLT=1',
'ENABLE_XPATH=1',
'ENABLE_SVG=1',
'ENABLE_SVG_ANIMATION=1',
'ENABLE_SVG_AS_IMAGE=1',
'ENABLE_SVG_USE=1',
'ENABLE_SVG_FOREIGN_OBJECT=1',
'ENABLE_SVG_FONTS=1',
'ENABLE_VIDEO=1',
'ENABLE_WORKERS=1',
],
'non_feature_defines': [
'BUILDING_CHROMIUM__=1',
'USE_GOOGLE_URL_LIBRARY=1',
'USE_SYSTEM_MALLOC=1',
],
'webcore_include_dirs': [
'../third_party/WebKit/WebCore/accessibility',
'../third_party/WebKit/WebCore/accessibility/chromium',
'../third_party/WebKit/WebCore/bindings/v8',
'../third_party/WebKit/WebCore/bindings/v8/custom',
'../third_party/WebKit/WebCore/css',
'../third_party/WebKit/WebCore/dom',
'../third_party/WebKit/WebCore/dom/default',
'../third_party/WebKit/WebCore/editing',
'../third_party/WebKit/WebCore/history',
'../third_party/WebKit/WebCore/html',
'../third_party/WebKit/WebCore/inspector',
'../third_party/WebKit/WebCore/loader',
'../third_party/WebKit/WebCore/loader/appcache',
'../third_party/WebKit/WebCore/loader/archive',
'../third_party/WebKit/WebCore/loader/icon',
'../third_party/WebKit/WebCore/page',
'../third_party/WebKit/WebCore/page/animation',
'../third_party/WebKit/WebCore/page/chromium',
'../third_party/WebKit/WebCore/platform',
'../third_party/WebKit/WebCore/platform/animation',
'../third_party/WebKit/WebCore/platform/chromium',
'../third_party/WebKit/WebCore/platform/graphics',
'../third_party/WebKit/WebCore/platform/graphics/chromium',
'../third_party/WebKit/WebCore/platform/graphics/opentype',
'../third_party/WebKit/WebCore/platform/graphics/skia',
'../third_party/WebKit/WebCore/platform/graphics/transforms',
'../third_party/WebKit/WebCore/platform/image-decoders',
'../third_party/WebKit/WebCore/platform/image-decoders/bmp',
'../third_party/WebKit/WebCore/platform/image-decoders/gif',
'../third_party/WebKit/WebCore/platform/image-decoders/ico',
'../third_party/WebKit/WebCore/platform/image-decoders/jpeg',
'../third_party/WebKit/WebCore/platform/image-decoders/png',
'../third_party/WebKit/WebCore/platform/image-decoders/skia',
'../third_party/WebKit/WebCore/platform/image-decoders/xbm',
'../third_party/WebKit/WebCore/platform/image-encoders/skia',
'../third_party/WebKit/WebCore/platform/network',
'../third_party/WebKit/WebCore/platform/network/chromium',
'../third_party/WebKit/WebCore/platform/sql',
'../third_party/WebKit/WebCore/platform/text',
'../third_party/WebKit/WebCore/plugins',
'../third_party/WebKit/WebCore/rendering',
'../third_party/WebKit/WebCore/rendering/style',
'../third_party/WebKit/WebCore/storage',
'../third_party/WebKit/WebCore/svg',
'../third_party/WebKit/WebCore/svg/animation',
'../third_party/WebKit/WebCore/svg/graphics',
'../third_party/WebKit/WebCore/workers',
'../third_party/WebKit/WebCore/xml',
],
'conditions': [
['OS=="linux"', {
'non_feature_defines': [
# Mozilla on Linux effectively uses uname -sm, but when running
# 32-bit x86 code on an x86_64 processor, it uses
# "Linux i686 (x86_64)". Matching that would require making a
# run-time determination.
'WEBCORE_NAVIGATOR_PLATFORM="Linux i686"',
],
}],
['OS=="mac"', {
'non_feature_defines': [
# Ensure that only Leopard features are used when doing the Mac build.
'BUILDING_ON_LEOPARD',
# Match Safari and Mozilla on Mac x86.
'WEBCORE_NAVIGATOR_PLATFORM="MacIntel"',
],
'webcore_include_dirs+': [
# platform/graphics/cg and mac needs to come before
# platform/graphics/chromium so that the Mac build picks up the
# version of ImageBufferData.h in the cg directory and
# FontPlatformData.h in the mac directory. The + prepends this
# directory to the list.
# TODO(port): This shouldn't need to be prepended.
# TODO(port): Eliminate dependency on platform/graphics/mac and
# related directories.
# platform/graphics/cg may need to stick around, though.
'../third_party/WebKit/WebCore/platform/graphics/cg',
'../third_party/WebKit/WebCore/platform/graphics/mac',
],
'webcore_include_dirs': [
# TODO(port): Eliminate dependency on platform/mac and related
# directories.
'../third_party/WebKit/WebCore/loader/archive/cf',
'../third_party/WebKit/WebCore/platform/mac',
'../third_party/WebKit/WebCore/platform/text/mac',
],
}],
['OS=="win"', {
'non_feature_defines': [
'CRASH=__debugbreak',
# Match Safari and Mozilla on Windows.
'WEBCORE_NAVIGATOR_PLATFORM="Win32"',
],
'webcore_include_dirs': [
'../third_party/WebKit/WebCore/page/win',
'../third_party/WebKit/WebCore/platform/graphics/win',
'../third_party/WebKit/WebCore/platform/text/win',
'../third_party/WebKit/WebCore/platform/win',
],
}],
],
},
'includes': [
'../build/common.gypi',
],
'targets': [
{
# Currently, builders assume webkit.sln builds test_shell on windows.
# We should change this, but for now allows trybot runs.
# for now.
'target_name': 'pull_in_test_shell',
'type': 'none',
'conditions': [
['OS=="win"', {
'dependencies': [
'tools/test_shell/test_shell.gyp:*',
'activex_shim_dll/activex_shim_dll.gyp:*',
],
}],
],
},
{
# This target creates config.h suitable for a WebKit-V8 build and
# copies a few other files around as needed.
'target_name': 'config',
'type': 'none',
'msvs_guid': '2E2D3301-2EC4-4C0F-B889-87073B30F673',
'actions': [
{
'action_name': 'config.h',
'inputs': [
'config.h.in',
],
'outputs': [
'<(SHARED_INTERMEDIATE_DIR)/webkit/config.h',
],
# TODO(bradnelson): npapi.h, npruntime.h, npruntime_priv.h, and
# stdint.h shouldn't be in the SHARED_INTERMEDIATE_DIR, it's very
# global.
'action': ['python', 'build/action_jsconfig.py', 'v8', '<(SHARED_INTERMEDIATE_DIR)/webkit', '<@(_inputs)'],
'conditions': [
['OS=="win"', {
'inputs': [
'../third_party/WebKit/WebCore/bridge/npapi.h',
'../third_party/WebKit/WebCore/bridge/npruntime.h',
'../third_party/WebKit/WebCore/bindings/v8/npruntime_priv.h',
'../third_party/WebKit/JavaScriptCore/os-win32/stdint.h',
],
}],
],
},
],
'direct_dependent_settings': {
'defines': [
'<@(feature_defines)',
'<@(non_feature_defines)',
],
# Always prepend the directory containing config.h. This is important,
# because WebKit/JavaScriptCore has a config.h in it too. The JSC
# config.h shouldn't be used, and its directory winds up in
# include_dirs in wtf and its dependents. If the directory containing
# the real config.h weren't prepended, other targets might wind up
# picking up the wrong config.h, which can result in build failures or
# even random runtime problems due to different components being built
# with different configurations.
#
# The rightmost + is present because this direct_dependent_settings
# section gets merged into the (nonexistent) target_defaults one,
# eating the rightmost +.
'include_dirs++': [
'<(SHARED_INTERMEDIATE_DIR)/webkit',
],
},
'conditions': [
['OS=="win"', {
'dependencies': ['../build/win/system.gyp:cygwin'],
'direct_dependent_settings': {
'defines': [
'__STD_C',
'_CRT_SECURE_NO_DEPRECATE',
'_SCL_SECURE_NO_DEPRECATE',
],
'include_dirs': [
'../third_party/WebKit/JavaScriptCore/os-win32',
'build/JavaScriptCore',
],
},
}],
],
},
{
'target_name': 'wtf',
'type': '<(library)',
'msvs_guid': 'AA8A5A85-592B-4357-BC60-E0E91E026AF6',
'dependencies': [
'config',
'../third_party/icu38/icu38.gyp:icui18n',
'../third_party/icu38/icu38.gyp:icuuc',
],
'include_dirs': [
'../third_party/WebKit/JavaScriptCore',
'../third_party/WebKit/JavaScriptCore/wtf',
'../third_party/WebKit/JavaScriptCore/wtf/unicode',
],
'sources': [
'../third_party/WebKit/JavaScriptCore/wtf/chromium/ChromiumThreading.h',
'../third_party/WebKit/JavaScriptCore/wtf/chromium/MainThreadChromium.cpp',
'../third_party/WebKit/JavaScriptCore/wtf/gtk/MainThreadGtk.cpp',
'../third_party/WebKit/JavaScriptCore/wtf/mac/MainThreadMac.mm',
'../third_party/WebKit/JavaScriptCore/wtf/qt/MainThreadQt.cpp',
'../third_party/WebKit/JavaScriptCore/wtf/unicode/icu/CollatorICU.cpp',
'../third_party/WebKit/JavaScriptCore/wtf/unicode/icu/UnicodeIcu.h',
'../third_party/WebKit/JavaScriptCore/wtf/unicode/qt4/UnicodeQt4.h',
'../third_party/WebKit/JavaScriptCore/wtf/unicode/Collator.h',
'../third_party/WebKit/JavaScriptCore/wtf/unicode/CollatorDefault.cpp',
'../third_party/WebKit/JavaScriptCore/wtf/unicode/UTF8.cpp',
'../third_party/WebKit/JavaScriptCore/wtf/unicode/UTF8.h',
'../third_party/WebKit/JavaScriptCore/wtf/unicode/Unicode.h',
'../third_party/WebKit/JavaScriptCore/wtf/win/MainThreadWin.cpp',
'../third_party/WebKit/JavaScriptCore/wtf/wx/MainThreadWx.cpp',
'../third_party/WebKit/JavaScriptCore/wtf/ASCIICType.h',
'../third_party/WebKit/JavaScriptCore/wtf/AVLTree.h',
'../third_party/WebKit/JavaScriptCore/wtf/AlwaysInline.h',
'../third_party/WebKit/JavaScriptCore/wtf/Assertions.cpp',
'../third_party/WebKit/JavaScriptCore/wtf/Assertions.h',
'../third_party/WebKit/JavaScriptCore/wtf/ByteArray.cpp',
'../third_party/WebKit/JavaScriptCore/wtf/ByteArray.h',
'../third_party/WebKit/JavaScriptCore/wtf/CurrentTime.h',
'../third_party/WebKit/JavaScriptCore/wtf/CrossThreadRefCounted.h',
'../third_party/WebKit/JavaScriptCore/wtf/DateMath.cpp',
'../third_party/WebKit/JavaScriptCore/wtf/DateMath.h',
'../third_party/WebKit/JavaScriptCore/wtf/Deque.h',
'../third_party/WebKit/JavaScriptCore/wtf/DisallowCType.h',
'../third_party/WebKit/JavaScriptCore/wtf/FastMalloc.cpp',
'../third_party/WebKit/JavaScriptCore/wtf/FastMalloc.h',
'../third_party/WebKit/JavaScriptCore/wtf/Forward.h',
'../third_party/WebKit/JavaScriptCore/wtf/GOwnPtr.cpp',
'../third_party/WebKit/JavaScriptCore/wtf/GOwnPtr.h',
'../third_party/WebKit/JavaScriptCore/wtf/GetPtr.h',
'../third_party/WebKit/JavaScriptCore/wtf/HashCountedSet.h',
'../third_party/WebKit/JavaScriptCore/wtf/HashFunctions.h',
'../third_party/WebKit/JavaScriptCore/wtf/HashIterators.h',
'../third_party/WebKit/JavaScriptCore/wtf/HashMap.h',
'../third_party/WebKit/JavaScriptCore/wtf/HashSet.h',
'../third_party/WebKit/JavaScriptCore/wtf/HashTable.cpp',
'../third_party/WebKit/JavaScriptCore/wtf/HashTable.h',
'../third_party/WebKit/JavaScriptCore/wtf/HashTraits.h',
'../third_party/WebKit/JavaScriptCore/wtf/ListHashSet.h',
'../third_party/WebKit/JavaScriptCore/wtf/ListRefPtr.h',
'../third_party/WebKit/JavaScriptCore/wtf/Locker.h',
'../third_party/WebKit/JavaScriptCore/wtf/MainThread.cpp',
'../third_party/WebKit/JavaScriptCore/wtf/MainThread.h',
'../third_party/WebKit/JavaScriptCore/wtf/MallocZoneSupport.h',
'../third_party/WebKit/JavaScriptCore/wtf/MathExtras.h',
'../third_party/WebKit/JavaScriptCore/wtf/MessageQueue.h',
'../third_party/WebKit/JavaScriptCore/wtf/Noncopyable.h',
'../third_party/WebKit/JavaScriptCore/wtf/NotFound.h',
'../third_party/WebKit/JavaScriptCore/wtf/OwnArrayPtr.h',
'../third_party/WebKit/JavaScriptCore/wtf/OwnPtr.h',
'../third_party/WebKit/JavaScriptCore/wtf/OwnPtrCommon.h',
'../third_party/WebKit/JavaScriptCore/wtf/OwnPtrWin.cpp',
'../third_party/WebKit/JavaScriptCore/wtf/PassOwnPtr.h',
'../third_party/WebKit/JavaScriptCore/wtf/PassRefPtr.h',
'../third_party/WebKit/JavaScriptCore/wtf/Platform.h',
'../third_party/WebKit/JavaScriptCore/wtf/PtrAndFlags.h',
'../third_party/WebKit/JavaScriptCore/wtf/RandomNumber.cpp',
'../third_party/WebKit/JavaScriptCore/wtf/RandomNumber.h',
'../third_party/WebKit/JavaScriptCore/wtf/RandomNumberSeed.h',
'../third_party/WebKit/JavaScriptCore/wtf/RefCounted.h',
'../third_party/WebKit/JavaScriptCore/wtf/RefCountedLeakCounter.cpp',
'../third_party/WebKit/JavaScriptCore/wtf/RefCountedLeakCounter.h',
'../third_party/WebKit/JavaScriptCore/wtf/RefPtr.h',
'../third_party/WebKit/JavaScriptCore/wtf/RefPtrHashMap.h',
'../third_party/WebKit/JavaScriptCore/wtf/RetainPtr.h',
'../third_party/WebKit/JavaScriptCore/wtf/StdLibExtras.h',
'../third_party/WebKit/JavaScriptCore/wtf/StringExtras.h',
'../third_party/WebKit/JavaScriptCore/wtf/TCPackedCache.h',
'../third_party/WebKit/JavaScriptCore/wtf/TCPageMap.h',
'../third_party/WebKit/JavaScriptCore/wtf/TCSpinLock.h',
'../third_party/WebKit/JavaScriptCore/wtf/TCSystemAlloc.cpp',
'../third_party/WebKit/JavaScriptCore/wtf/TCSystemAlloc.h',
'../third_party/WebKit/JavaScriptCore/wtf/ThreadSpecific.h',
'../third_party/WebKit/JavaScriptCore/wtf/ThreadSpecificWin.cpp',
'../third_party/WebKit/JavaScriptCore/wtf/Threading.cpp',
'../third_party/WebKit/JavaScriptCore/wtf/Threading.h',
'../third_party/WebKit/JavaScriptCore/wtf/ThreadingGtk.cpp',
'../third_party/WebKit/JavaScriptCore/wtf/ThreadingNone.cpp',
'../third_party/WebKit/JavaScriptCore/wtf/ThreadingPthreads.cpp',
'../third_party/WebKit/JavaScriptCore/wtf/ThreadingQt.cpp',
'../third_party/WebKit/JavaScriptCore/wtf/ThreadingWin.cpp',
'../third_party/WebKit/JavaScriptCore/wtf/TypeTraits.cpp',
'../third_party/WebKit/JavaScriptCore/wtf/TypeTraits.h',
'../third_party/WebKit/JavaScriptCore/wtf/UnusedParam.h',
'../third_party/WebKit/JavaScriptCore/wtf/Vector.h',
'../third_party/WebKit/JavaScriptCore/wtf/VectorTraits.h',
'../third_party/WebKit/JavaScriptCore/wtf/dtoa.cpp',
'../third_party/WebKit/JavaScriptCore/wtf/dtoa.h',
'build/precompiled_webkit.cc',
'build/precompiled_webkit.h',
],
'sources!': [
# GLib/GTK, even though its name doesn't really indicate.
'../third_party/WebKit/JavaScriptCore/wtf/GOwnPtr.cpp',
],
'sources/': [
['exclude', '(Default|Gtk|Mac|None|Qt|Win|Wx)\\.(cpp|mm)$'],
],
'direct_dependent_settings': {
'include_dirs': [
'../third_party/WebKit/JavaScriptCore',
'../third_party/WebKit/JavaScriptCore/wtf',
],
},
'export_dependent_settings': [
'config',
'../third_party/icu38/icu38.gyp:icui18n',
'../third_party/icu38/icu38.gyp:icuuc',
],
'configurations': {
'Debug': {
'msvs_precompiled_header': 'build/precompiled_webkit.h',
'msvs_precompiled_source': 'build/precompiled_webkit.cc',
},
},
'msvs_disabled_warnings': [4127, 4355, 4510, 4512, 4610, 4706],
'conditions': [
['OS=="win"', {
'sources/': [
['exclude', 'ThreadingPthreads\\.cpp$'],
['include', 'Thread(ing|Specific)Win\\.cpp$']
],
'include_dirs': [
'build',
'../third_party/WebKit/JavaScriptCore/kjs',
'../third_party/WebKit/JavaScriptCore/API',
# These 3 do not seem to exist.
'../third_party/WebKit/JavaScriptCore/bindings',
'../third_party/WebKit/JavaScriptCore/bindings/c',
'../third_party/WebKit/JavaScriptCore/bindings/jni',
'pending',
'pending/wtf',
],
'include_dirs!': [
'<(SHARED_INTERMEDIATE_DIR)/webkit',
],
}, { # OS != "win"
'sources!': [
'build/precompiled_webkit.cc',
'build/precompiled_webkit.h',
],
}],
['OS=="linux"', {
'defines': ['WTF_USE_PTHREADS=1'],
'direct_dependent_settings': {
'defines': ['WTF_USE_PTHREADS=1'],
},
}],
],
},
{
'target_name': 'pcre',
'type': '<(library)',
'dependencies': [
'config',
'wtf',
],
'msvs_guid': '49909552-0B0C-4C14-8CF6-DB8A2ADE0934',
'actions': [
{
'action_name': 'dftables',
'inputs': [
'../third_party/WebKit/JavaScriptCore/pcre/dftables',
],
'outputs': [
'<(INTERMEDIATE_DIR)/chartables.c',
],
'action': ['perl', '-w', '<@(_inputs)', '<@(_outputs)'],
},
],
'include_dirs': [
'<(INTERMEDIATE_DIR)',
],
'sources': [
'../third_party/WebKit/JavaScriptCore/pcre/pcre.h',
'../third_party/WebKit/JavaScriptCore/pcre/pcre_compile.cpp',
'../third_party/WebKit/JavaScriptCore/pcre/pcre_exec.cpp',
'../third_party/WebKit/JavaScriptCore/pcre/pcre_internal.h',
'../third_party/WebKit/JavaScriptCore/pcre/pcre_tables.cpp',
'../third_party/WebKit/JavaScriptCore/pcre/pcre_ucp_searchfuncs.cpp',
'../third_party/WebKit/JavaScriptCore/pcre/pcre_xclass.cpp',
'../third_party/WebKit/JavaScriptCore/pcre/ucpinternal.h',
'../third_party/WebKit/JavaScriptCore/pcre/ucptable.cpp',
],
'sources!': [
# ucptable.cpp is #included by pcre_ucp_searchfunchs.cpp and is not
# intended to be compiled directly.
'../third_party/WebKit/JavaScriptCore/pcre/ucptable.cpp',
],
'export_dependent_settings': [
'wtf',
],
'conditions': [
['OS=="win"', {
'dependencies': ['../build/win/system.gyp:cygwin'],
}],
],
},
{
'target_name': 'webcore',
'type': '<(library)',
'msvs_guid': '1C16337B-ACF3-4D03-AA90-851C5B5EADA6',
'dependencies': [
'config',
'pcre',
'wtf',
'../build/temp_gyp/googleurl.gyp:googleurl',
'../skia/skia.gyp:skia',
'../third_party/libjpeg/libjpeg.gyp:libjpeg',
'../third_party/libpng/libpng.gyp:libpng',
'../third_party/libxml/libxml.gyp:libxml',
'../third_party/libxslt/libxslt.gyp:libxslt',
'../third_party/npapi/npapi.gyp:npapi',
'../third_party/sqlite/sqlite.gyp:sqlite',
],
'actions': [
# Actions to build derived sources.
{
'action_name': 'CSSPropertyNames',
'inputs': [
'../third_party/WebKit/WebCore/css/makeprop.pl',
'../third_party/WebKit/WebCore/css/CSSPropertyNames.in',
'../third_party/WebKit/WebCore/css/SVGCSSPropertyNames.in',
],
'outputs': [
'<(INTERMEDIATE_DIR)/CSSPropertyNames.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/CSSPropertyNames.h',
],
'action': ['python', 'build/action_csspropertynames.py', '<@(_outputs)', '--', '<@(_inputs)'],
},
{
'action_name': 'CSSValueKeywords',
'inputs': [
'../third_party/WebKit/WebCore/css/makevalues.pl',
'../third_party/WebKit/WebCore/css/CSSValueKeywords.in',
'../third_party/WebKit/WebCore/css/SVGCSSValueKeywords.in',
],
'outputs': [
'<(INTERMEDIATE_DIR)/CSSValueKeywords.c',
'<(SHARED_INTERMEDIATE_DIR)/webkit/CSSValueKeywords.h',
],
'action': ['python', 'build/action_cssvaluekeywords.py', '<@(_outputs)', '--', '<@(_inputs)'],
},
{
'action_name': 'HTMLNames',
'inputs': [
'../third_party/WebKit/WebCore/dom/make_names.pl',
'../third_party/WebKit/WebCore/html/HTMLTagNames.in',
'../third_party/WebKit/WebCore/html/HTMLAttributeNames.in',
],
'outputs': [
'<(INTERMEDIATE_DIR)/HTMLNames.cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/HTMLNames.h',
'<(INTERMEDIATE_DIR)/HTMLElementFactory.cpp',
# Pass --wrapperFactory to make_names to get these (JSC build?)
#'<(INTERMEDIATE_DIR)/JSHTMLElementWrapperFactory.cpp',
#'<(INTERMEDIATE_DIR)/JSHTMLElementWrapperFactory.h',
],
'action': ['python', 'build/action_makenames.py', '<@(_outputs)', '--', '<@(_inputs)', '--', '--factory', '--extraDefines', '<(feature_defines)'],
'process_outputs_as_sources': 1,
},
{
'action_name': 'SVGNames',
'inputs': [
'../third_party/WebKit/WebCore/dom/make_names.pl',
'../third_party/WebKit/WebCore/svg/svgtags.in',
'../third_party/WebKit/WebCore/svg/svgattrs.in',
],
'outputs': [
'<(INTERMEDIATE_DIR)/SVGNames.cpp',
'<(INTERMEDIATE_DIR)/SVGNames.h',
'<(INTERMEDIATE_DIR)/SVGElementFactory.cpp',
'<(INTERMEDIATE_DIR)/SVGElementFactory.h',
# Pass --wrapperFactory to make_names to get these (JSC build?)
#'<(INTERMEDIATE_DIR)/JSSVGElementWrapperFactory.cpp',
#'<(INTERMEDIATE_DIR)/JSSVGElementWrapperFactory.h',
],
'action': ['python', 'build/action_makenames.py', '<@(_outputs)', '--', '<@(_inputs)', '--', '--factory', '--extraDefines', '<(feature_defines)'],
'process_outputs_as_sources': 1,
},
{
'action_name': 'UserAgentStyleSheets',
'inputs': [
'../third_party/WebKit/WebCore/css/make-css-file-arrays.pl',
'../third_party/WebKit/WebCore/css/html.css',
'../third_party/WebKit/WebCore/css/quirks.css',
'../third_party/WebKit/WebCore/css/view-source.css',
'../third_party/WebKit/WebCore/css/themeChromiumLinux.css',
'../third_party/WebKit/WebCore/css/themeWin.css',
'../third_party/WebKit/WebCore/css/themeWinQuirks.css',
'../third_party/WebKit/WebCore/css/svg.css',
'../third_party/WebKit/WebCore/css/mediaControls.css',
'../third_party/WebKit/WebCore/css/mediaControlsChromium.css',
],
'outputs': [
'<(INTERMEDIATE_DIR)/UserAgentStyleSheets.h',
'<(INTERMEDIATE_DIR)/UserAgentStyleSheetsData.cpp',
],
'action': ['python', 'build/action_useragentstylesheets.py', '<@(_outputs)', '--', '<@(_inputs)'],
'process_outputs_as_sources': 1,
},
{
'action_name': 'XLinkNames',
'inputs': [
'../third_party/WebKit/WebCore/dom/make_names.pl',
'../third_party/WebKit/WebCore/svg/xlinkattrs.in',
],
'outputs': [
'<(INTERMEDIATE_DIR)/XLinkNames.cpp',
'<(INTERMEDIATE_DIR)/XLinkNames.h',
],
'action': ['python', 'build/action_makenames.py', '<@(_outputs)', '--', '<@(_inputs)', '--', '--extraDefines', '<(feature_defines)'],
'process_outputs_as_sources': 1,
},
{
'action_name': 'XMLNames',
'inputs': [
'../third_party/WebKit/WebCore/dom/make_names.pl',
'../third_party/WebKit/WebCore/xml/xmlattrs.in',
],
'outputs': [
'<(INTERMEDIATE_DIR)/XMLNames.cpp',
'<(INTERMEDIATE_DIR)/XMLNames.h',
],
'action': ['python', 'build/action_makenames.py', '<@(_outputs)', '--', '<@(_inputs)', '--', '--extraDefines', '<(feature_defines)'],
'process_outputs_as_sources': 1,
},
{
'action_name': 'tokenizer',
'inputs': [
'../third_party/WebKit/WebCore/css/maketokenizer',
'../third_party/WebKit/WebCore/css/tokenizer.flex',
],
'outputs': [
'<(INTERMEDIATE_DIR)/tokenizer.cpp',
],
'action': ['python', 'build/action_maketokenizer.py', '<@(_outputs)', '--', '<@(_inputs)'],
},
],
'rules': [
# Rules to build derived sources.
{
'rule_name': 'bison',
'extension': 'y',
'outputs': [
'<(INTERMEDIATE_DIR)/<(RULE_INPUT_ROOT).cpp',
'<(INTERMEDIATE_DIR)/<(RULE_INPUT_ROOT).h'
],
'action': ['python', 'build/rule_bison.py', '<(RULE_INPUT_PATH)', '<(INTERMEDIATE_DIR)'],
'process_outputs_as_sources': 1,
},
{
'rule_name': 'gperf',
'extension': 'gperf',
# gperf output is only ever #included by other source files. As
# such, process_outputs_as_sources is off. Some gperf output is
# #included as *.c and some as *.cpp. Since there's no way to tell
# which one will be needed in a rule definition, declare both as
# outputs. The harness script will generate one file and copy it to
# the other.
#
# This rule places outputs in SHARED_INTERMEDIATE_DIR because glue
# needs access to HTMLEntityNames.c.
'outputs': [
'<(SHARED_INTERMEDIATE_DIR)/webkit/<(RULE_INPUT_ROOT).c',
'<(SHARED_INTERMEDIATE_DIR)/webkit/<(RULE_INPUT_ROOT).cpp',
],
'action': ['python', 'build/rule_gperf.py', '<(RULE_INPUT_PATH)', '<(SHARED_INTERMEDIATE_DIR)/webkit'],
'process_outputs_as_sources': 0,
},
# Rule to build generated JavaScript (V8) bindings from .idl source.
{
'rule_name': 'binding',
'extension': 'idl',
'msvs_external_rule': 1,
'inputs': [
'../third_party/WebKit/WebCore/bindings/scripts/generate-bindings.pl',
'../third_party/WebKit/WebCore/bindings/scripts/CodeGenerator.pm',
'../third_party/WebKit/WebCore/bindings/scripts/CodeGeneratorV8.pm',
'../third_party/WebKit/WebCore/bindings/scripts/IDLParser.pm',
'../third_party/WebKit/WebCore/bindings/scripts/IDLStructure.pm',
],
'outputs': [
'<(INTERMEDIATE_DIR)/bindings/V8<(RULE_INPUT_ROOT).cpp',
'<(SHARED_INTERMEDIATE_DIR)/webkit/bindings/V8<(RULE_INPUT_ROOT).h',
],
'variables': {
'generator_include_dirs': [
'--include', '../third_party/WebKit/WebCore/css',
'--include', '../third_party/WebKit/WebCore/dom',
'--include', '../third_party/WebKit/WebCore/html',
'--include', '../third_party/WebKit/WebCore/page',
'--include', '../third_party/WebKit/WebCore/plugins',
'--include', '../third_party/WebKit/WebCore/svg',
'--include', '../third_party/WebKit/WebCore/xml',
],
},
'action': ['python', 'build/rule_binding.py', '<(RULE_INPUT_PATH)', '<(INTERMEDIATE_DIR)/bindings', '<(SHARED_INTERMEDIATE_DIR)/webkit/bindings', '--', '<@(_inputs)', '--', '--defines', '<(feature_defines) LANGUAGE_JAVASCRIPT V8_BINDING', '--generator', 'V8', '<@(generator_include_dirs)'],
# They are included by DerivedSourcesAllInOne.cpp instead.
'process_outputs_as_sources': 0,
'message': 'Generating binding from <(RULE_INPUT_PATH)',
},
],
'include_dirs': [
'<(INTERMEDIATE_DIR)',
'<(SHARED_INTERMEDIATE_DIR)/webkit',
'<(SHARED_INTERMEDIATE_DIR)/webkit/bindings',
'port/bindings/v8',
'<@(webcore_include_dirs)',
],
'sources': [
# bison rule
'../third_party/WebKit/WebCore/css/CSSGrammar.y',
'../third_party/WebKit/WebCore/xml/XPathGrammar.y',
# gperf rule
'../third_party/WebKit/WebCore/html/DocTypeStrings.gperf',
'../third_party/WebKit/WebCore/html/HTMLEntityNames.gperf',
'../third_party/WebKit/WebCore/platform/ColorData.gperf',
# binding rule
# I've put every .idl in the WebCore tree into this list. There are
# exclude patterns and lists that follow to pluck out the few to not
# build.
'../third_party/WebKit/WebCore/css/CSSCharsetRule.idl',
'../third_party/WebKit/WebCore/css/CSSFontFaceRule.idl',
'../third_party/WebKit/WebCore/css/CSSImportRule.idl',
'../third_party/WebKit/WebCore/css/CSSMediaRule.idl',
'../third_party/WebKit/WebCore/css/CSSPageRule.idl',
'../third_party/WebKit/WebCore/css/CSSPrimitiveValue.idl',
'../third_party/WebKit/WebCore/css/CSSRule.idl',
'../third_party/WebKit/WebCore/css/CSSRuleList.idl',
'../third_party/WebKit/WebCore/css/CSSStyleDeclaration.idl',
'../third_party/WebKit/WebCore/css/CSSStyleRule.idl',
'../third_party/WebKit/WebCore/css/CSSStyleSheet.idl',
'../third_party/WebKit/WebCore/css/CSSUnknownRule.idl',
'../third_party/WebKit/WebCore/css/CSSValue.idl',
'../third_party/WebKit/WebCore/css/CSSValueList.idl',
'../third_party/WebKit/WebCore/css/CSSVariablesDeclaration.idl',
'../third_party/WebKit/WebCore/css/CSSVariablesRule.idl',
'../third_party/WebKit/WebCore/css/Counter.idl',
'../third_party/WebKit/WebCore/css/MediaList.idl',
'../third_party/WebKit/WebCore/css/RGBColor.idl',
'../third_party/WebKit/WebCore/css/Rect.idl',
'../third_party/WebKit/WebCore/css/StyleSheet.idl',
'../third_party/WebKit/WebCore/css/StyleSheetList.idl',
'../third_party/WebKit/WebCore/css/WebKitCSSKeyframeRule.idl',
'../third_party/WebKit/WebCore/css/WebKitCSSKeyframesRule.idl',
'../third_party/WebKit/WebCore/css/WebKitCSSMatrix.idl',
'../third_party/WebKit/WebCore/css/WebKitCSSTransformValue.idl',
'../third_party/WebKit/WebCore/dom/Attr.idl',
'../third_party/WebKit/WebCore/dom/CDATASection.idl',
'../third_party/WebKit/WebCore/dom/CharacterData.idl',
'../third_party/WebKit/WebCore/dom/ClientRect.idl',
'../third_party/WebKit/WebCore/dom/ClientRectList.idl',
'../third_party/WebKit/WebCore/dom/Clipboard.idl',
'../third_party/WebKit/WebCore/dom/Comment.idl',
'../third_party/WebKit/WebCore/dom/DOMCoreException.idl',
'../third_party/WebKit/WebCore/dom/DOMImplementation.idl',
'../third_party/WebKit/WebCore/dom/Document.idl',
'../third_party/WebKit/WebCore/dom/DocumentFragment.idl',
'../third_party/WebKit/WebCore/dom/DocumentType.idl',
'../third_party/WebKit/WebCore/dom/Element.idl',
'../third_party/WebKit/WebCore/dom/Entity.idl',
'../third_party/WebKit/WebCore/dom/EntityReference.idl',
'../third_party/WebKit/WebCore/dom/Event.idl',
'../third_party/WebKit/WebCore/dom/EventException.idl',
'../third_party/WebKit/WebCore/dom/EventListener.idl',
'../third_party/WebKit/WebCore/dom/EventTarget.idl',
'../third_party/WebKit/WebCore/dom/KeyboardEvent.idl',
'../third_party/WebKit/WebCore/dom/MessageChannel.idl',
'../third_party/WebKit/WebCore/dom/MessageEvent.idl',
'../third_party/WebKit/WebCore/dom/MessagePort.idl',
'../third_party/WebKit/WebCore/dom/MouseEvent.idl',
'../third_party/WebKit/WebCore/dom/MutationEvent.idl',
'../third_party/WebKit/WebCore/dom/NamedNodeMap.idl',
'../third_party/WebKit/WebCore/dom/Node.idl',
'../third_party/WebKit/WebCore/dom/NodeFilter.idl',
'../third_party/WebKit/WebCore/dom/NodeIterator.idl',
'../third_party/WebKit/WebCore/dom/NodeList.idl',
'../third_party/WebKit/WebCore/dom/Notation.idl',
'../third_party/WebKit/WebCore/dom/OverflowEvent.idl',
'../third_party/WebKit/WebCore/dom/ProcessingInstruction.idl',
'../third_party/WebKit/WebCore/dom/ProgressEvent.idl',
'../third_party/WebKit/WebCore/dom/Range.idl',
'../third_party/WebKit/WebCore/dom/RangeException.idl',
'../third_party/WebKit/WebCore/dom/Text.idl',
'../third_party/WebKit/WebCore/dom/TextEvent.idl',
'../third_party/WebKit/WebCore/dom/TreeWalker.idl',
'../third_party/WebKit/WebCore/dom/UIEvent.idl',
'../third_party/WebKit/WebCore/dom/WebKitAnimationEvent.idl',
'../third_party/WebKit/WebCore/dom/WebKitTransitionEvent.idl',
'../third_party/WebKit/WebCore/dom/WheelEvent.idl',
'../third_party/WebKit/WebCore/html/CanvasGradient.idl',
'../third_party/WebKit/WebCore/html/CanvasPattern.idl',
'../third_party/WebKit/WebCore/html/CanvasPixelArray.idl',
'../third_party/WebKit/WebCore/html/CanvasRenderingContext2D.idl',
'../third_party/WebKit/WebCore/html/DataGridColumn.idl',
'../third_party/WebKit/WebCore/html/DataGridColumnList.idl',
'../third_party/WebKit/WebCore/html/File.idl',
'../third_party/WebKit/WebCore/html/FileList.idl',
'../third_party/WebKit/WebCore/html/HTMLAnchorElement.idl',
'../third_party/WebKit/WebCore/html/HTMLAppletElement.idl',
'../third_party/WebKit/WebCore/html/HTMLAreaElement.idl',
'../third_party/WebKit/WebCore/html/HTMLAudioElement.idl',
'../third_party/WebKit/WebCore/html/HTMLBRElement.idl',
'../third_party/WebKit/WebCore/html/HTMLBaseElement.idl',
'../third_party/WebKit/WebCore/html/HTMLBaseFontElement.idl',
'../third_party/WebKit/WebCore/html/HTMLBlockquoteElement.idl',
'../third_party/WebKit/WebCore/html/HTMLBodyElement.idl',
'../third_party/WebKit/WebCore/html/HTMLButtonElement.idl',
'../third_party/WebKit/WebCore/html/HTMLCanvasElement.idl',
'../third_party/WebKit/WebCore/html/HTMLCollection.idl',
'../third_party/WebKit/WebCore/html/HTMLDListElement.idl',
'../third_party/WebKit/WebCore/html/HTMLDataGridCellElement.idl',
'../third_party/WebKit/WebCore/html/HTMLDataGridColElement.idl',
'../third_party/WebKit/WebCore/html/HTMLDataGridElement.idl',
'../third_party/WebKit/WebCore/html/HTMLDataGridRowElement.idl',
'../third_party/WebKit/WebCore/html/HTMLDirectoryElement.idl',
'../third_party/WebKit/WebCore/html/HTMLDivElement.idl',
'../third_party/WebKit/WebCore/html/HTMLDocument.idl',
'../third_party/WebKit/WebCore/html/HTMLElement.idl',
'../third_party/WebKit/WebCore/html/HTMLEmbedElement.idl',
'../third_party/WebKit/WebCore/html/HTMLFieldSetElement.idl',
'../third_party/WebKit/WebCore/html/HTMLFontElement.idl',
'../third_party/WebKit/WebCore/html/HTMLFormElement.idl',
'../third_party/WebKit/WebCore/html/HTMLFrameElement.idl',
'../third_party/WebKit/WebCore/html/HTMLFrameSetElement.idl',
'../third_party/WebKit/WebCore/html/HTMLHRElement.idl',
'../third_party/WebKit/WebCore/html/HTMLHeadElement.idl',
'../third_party/WebKit/WebCore/html/HTMLHeadingElement.idl',
'../third_party/WebKit/WebCore/html/HTMLHtmlElement.idl',
'../third_party/WebKit/WebCore/html/HTMLIFrameElement.idl',
'../third_party/WebKit/WebCore/html/HTMLImageElement.idl',
'../third_party/WebKit/WebCore/html/HTMLInputElement.idl',
'../third_party/WebKit/WebCore/html/HTMLIsIndexElement.idl',
'../third_party/WebKit/WebCore/html/HTMLLIElement.idl',
'../third_party/WebKit/WebCore/html/HTMLLabelElement.idl',
'../third_party/WebKit/WebCore/html/HTMLLegendElement.idl',
'../third_party/WebKit/WebCore/html/HTMLLinkElement.idl',
'../third_party/WebKit/WebCore/html/HTMLMapElement.idl',
'../third_party/WebKit/WebCore/html/HTMLMarqueeElement.idl',
'../third_party/WebKit/WebCore/html/HTMLMediaElement.idl',
'../third_party/WebKit/WebCore/html/HTMLMenuElement.idl',
'../third_party/WebKit/WebCore/html/HTMLMetaElement.idl',
'../third_party/WebKit/WebCore/html/HTMLModElement.idl',
'../third_party/WebKit/WebCore/html/HTMLOListElement.idl',
'../third_party/WebKit/WebCore/html/HTMLObjectElement.idl',
'../third_party/WebKit/WebCore/html/HTMLOptGroupElement.idl',
'../third_party/WebKit/WebCore/html/HTMLOptionElement.idl',
'../third_party/WebKit/WebCore/html/HTMLOptionsCollection.idl',
'../third_party/WebKit/WebCore/html/HTMLParagraphElement.idl',
'../third_party/WebKit/WebCore/html/HTMLParamElement.idl',
'../third_party/WebKit/WebCore/html/HTMLPreElement.idl',
'../third_party/WebKit/WebCore/html/HTMLQuoteElement.idl',
'../third_party/WebKit/WebCore/html/HTMLScriptElement.idl',
'../third_party/WebKit/WebCore/html/HTMLSelectElement.idl',
'../third_party/WebKit/WebCore/html/HTMLSourceElement.idl',
'../third_party/WebKit/WebCore/html/HTMLStyleElement.idl',
'../third_party/WebKit/WebCore/html/HTMLTableCaptionElement.idl',
'../third_party/WebKit/WebCore/html/HTMLTableCellElement.idl',
'../third_party/WebKit/WebCore/html/HTMLTableColElement.idl',
'../third_party/WebKit/WebCore/html/HTMLTableElement.idl',
'../third_party/WebKit/WebCore/html/HTMLTableRowElement.idl',
'../third_party/WebKit/WebCore/html/HTMLTableSectionElement.idl',
'../third_party/WebKit/WebCore/html/HTMLTextAreaElement.idl',
'../third_party/WebKit/WebCore/html/HTMLTitleElement.idl',
'../third_party/WebKit/WebCore/html/HTMLUListElement.idl',
'../third_party/WebKit/WebCore/html/HTMLVideoElement.idl',
'../third_party/WebKit/WebCore/html/ImageData.idl',
'../third_party/WebKit/WebCore/html/MediaError.idl',
'../third_party/WebKit/WebCore/html/TextMetrics.idl',
'../third_party/WebKit/WebCore/html/TimeRanges.idl',
'../third_party/WebKit/WebCore/html/VoidCallback.idl',
'../third_party/WebKit/WebCore/inspector/InspectorController.idl',
'../third_party/WebKit/WebCore/inspector/JavaScriptCallFrame.idl',
'../third_party/WebKit/WebCore/loader/appcache/DOMApplicationCache.idl',
'../third_party/WebKit/WebCore/page/AbstractView.idl',
'../third_party/WebKit/WebCore/page/BarInfo.idl',
'../third_party/WebKit/WebCore/page/Console.idl',
'../third_party/WebKit/WebCore/page/DOMSelection.idl',
'../third_party/WebKit/WebCore/page/DOMWindow.idl',
'../third_party/WebKit/WebCore/page/Geolocation.idl',
'../third_party/WebKit/WebCore/page/Geoposition.idl',
'../third_party/WebKit/WebCore/page/History.idl',
'../third_party/WebKit/WebCore/page/Location.idl',
'../third_party/WebKit/WebCore/page/Navigator.idl',
'../third_party/WebKit/WebCore/page/PositionCallback.idl',
'../third_party/WebKit/WebCore/page/PositionError.idl',
'../third_party/WebKit/WebCore/page/PositionErrorCallback.idl',
'../third_party/WebKit/WebCore/page/Screen.idl',
'../third_party/WebKit/WebCore/page/WebKitPoint.idl',
'../third_party/WebKit/WebCore/page/WorkerNavigator.idl',
'../third_party/WebKit/WebCore/plugins/MimeType.idl',
'../third_party/WebKit/WebCore/plugins/MimeTypeArray.idl',
'../third_party/WebKit/WebCore/plugins/Plugin.idl',
'../third_party/WebKit/WebCore/plugins/PluginArray.idl',
'../third_party/WebKit/WebCore/storage/Database.idl',
'../third_party/WebKit/WebCore/storage/SQLError.idl',
'../third_party/WebKit/WebCore/storage/SQLResultSet.idl',
'../third_party/WebKit/WebCore/storage/SQLResultSetRowList.idl',
'../third_party/WebKit/WebCore/storage/SQLTransaction.idl',
'../third_party/WebKit/WebCore/storage/Storage.idl',
'../third_party/WebKit/WebCore/storage/StorageEvent.idl',
'../third_party/WebKit/WebCore/svg/ElementTimeControl.idl',
'../third_party/WebKit/WebCore/svg/SVGAElement.idl',
'../third_party/WebKit/WebCore/svg/SVGAltGlyphElement.idl',
'../third_party/WebKit/WebCore/svg/SVGAngle.idl',
'../third_party/WebKit/WebCore/svg/SVGAnimateColorElement.idl',
'../third_party/WebKit/WebCore/svg/SVGAnimateElement.idl',
'../third_party/WebKit/WebCore/svg/SVGAnimateTransformElement.idl',
'../third_party/WebKit/WebCore/svg/SVGAnimatedAngle.idl',
'../third_party/WebKit/WebCore/svg/SVGAnimatedBoolean.idl',
'../third_party/WebKit/WebCore/svg/SVGAnimatedEnumeration.idl',
'../third_party/WebKit/WebCore/svg/SVGAnimatedInteger.idl',
'../third_party/WebKit/WebCore/svg/SVGAnimatedLength.idl',
'../third_party/WebKit/WebCore/svg/SVGAnimatedLengthList.idl',
'../third_party/WebKit/WebCore/svg/SVGAnimatedNumber.idl',
'../third_party/WebKit/WebCore/svg/SVGAnimatedNumberList.idl',
'../third_party/WebKit/WebCore/svg/SVGAnimatedPathData.idl',
'../third_party/WebKit/WebCore/svg/SVGAnimatedPoints.idl',
'../third_party/WebKit/WebCore/svg/SVGAnimatedPreserveAspectRatio.idl',
'../third_party/WebKit/WebCore/svg/SVGAnimatedRect.idl',
'../third_party/WebKit/WebCore/svg/SVGAnimatedString.idl',
'../third_party/WebKit/WebCore/svg/SVGAnimatedTransformList.idl',
'../third_party/WebKit/WebCore/svg/SVGAnimationElement.idl',
'../third_party/WebKit/WebCore/svg/SVGCircleElement.idl',
'../third_party/WebKit/WebCore/svg/SVGClipPathElement.idl',
'../third_party/WebKit/WebCore/svg/SVGColor.idl',
'../third_party/WebKit/WebCore/svg/SVGComponentTransferFunctionElement.idl',
'../third_party/WebKit/WebCore/svg/SVGCursorElement.idl',
'../third_party/WebKit/WebCore/svg/SVGDefinitionSrcElement.idl',
'../third_party/WebKit/WebCore/svg/SVGDefsElement.idl',
'../third_party/WebKit/WebCore/svg/SVGDescElement.idl',
'../third_party/WebKit/WebCore/svg/SVGDocument.idl',
'../third_party/WebKit/WebCore/svg/SVGElement.idl',
'../third_party/WebKit/WebCore/svg/SVGElementInstance.idl',
'../third_party/WebKit/WebCore/svg/SVGElementInstanceList.idl',
'../third_party/WebKit/WebCore/svg/SVGEllipseElement.idl',
'../third_party/WebKit/WebCore/svg/SVGException.idl',
'../third_party/WebKit/WebCore/svg/SVGExternalResourcesRequired.idl',
'../third_party/WebKit/WebCore/svg/SVGFEBlendElement.idl',
'../third_party/WebKit/WebCore/svg/SVGFEColorMatrixElement.idl',
'../third_party/WebKit/WebCore/svg/SVGFEComponentTransferElement.idl',
'../third_party/WebKit/WebCore/svg/SVGFECompositeElement.idl',
'../third_party/WebKit/WebCore/svg/SVGFEDiffuseLightingElement.idl',
'../third_party/WebKit/WebCore/svg/SVGFEDisplacementMapElement.idl',
'../third_party/WebKit/WebCore/svg/SVGFEDistantLightElement.idl',
'../third_party/WebKit/WebCore/svg/SVGFEFloodElement.idl',
'../third_party/WebKit/WebCore/svg/SVGFEFuncAElement.idl',
'../third_party/WebKit/WebCore/svg/SVGFEFuncBElement.idl',
'../third_party/WebKit/WebCore/svg/SVGFEFuncGElement.idl',
'../third_party/WebKit/WebCore/svg/SVGFEFuncRElement.idl',
'../third_party/WebKit/WebCore/svg/SVGFEGaussianBlurElement.idl',
'../third_party/WebKit/WebCore/svg/SVGFEImageElement.idl',
'../third_party/WebKit/WebCore/svg/SVGFEMergeElement.idl',
'../third_party/WebKit/WebCore/svg/SVGFEMergeNodeElement.idl',
'../third_party/WebKit/WebCore/svg/SVGFEOffsetElement.idl',
'../third_party/WebKit/WebCore/svg/SVGFEPointLightElement.idl',
'../third_party/WebKit/WebCore/svg/SVGFESpecularLightingElement.idl',
'../third_party/WebKit/WebCore/svg/SVGFESpotLightElement.idl',
'../third_party/WebKit/WebCore/svg/SVGFETileElement.idl',
'../third_party/WebKit/WebCore/svg/SVGFETurbulenceElement.idl',
'../third_party/WebKit/WebCore/svg/SVGFilterElement.idl',
'../third_party/WebKit/WebCore/svg/SVGFilterPrimitiveStandardAttributes.idl',
'../third_party/WebKit/WebCore/svg/SVGFitToViewBox.idl',
'../third_party/WebKit/WebCore/svg/SVGFontElement.idl',
'../third_party/WebKit/WebCore/svg/SVGFontFaceElement.idl',
'../third_party/WebKit/WebCore/svg/SVGFontFaceFormatElement.idl',
'../third_party/WebKit/WebCore/svg/SVGFontFaceNameElement.idl',
'../third_party/WebKit/WebCore/svg/SVGFontFaceSrcElement.idl',
'../third_party/WebKit/WebCore/svg/SVGFontFaceUriElement.idl',
'../third_party/WebKit/WebCore/svg/SVGForeignObjectElement.idl',
'../third_party/WebKit/WebCore/svg/SVGGElement.idl',
'../third_party/WebKit/WebCore/svg/SVGGlyphElement.idl',
'../third_party/WebKit/WebCore/svg/SVGGradientElement.idl',
'../third_party/WebKit/WebCore/svg/SVGHKernElement.idl',
'../third_party/WebKit/WebCore/svg/SVGImageElement.idl',
'../third_party/WebKit/WebCore/svg/SVGLangSpace.idl',
'../third_party/WebKit/WebCore/svg/SVGLength.idl',
'../third_party/WebKit/WebCore/svg/SVGLengthList.idl',
'../third_party/WebKit/WebCore/svg/SVGLineElement.idl',
'../third_party/WebKit/WebCore/svg/SVGLinearGradientElement.idl',
'../third_party/WebKit/WebCore/svg/SVGLocatable.idl',
'../third_party/WebKit/WebCore/svg/SVGMarkerElement.idl',
'../third_party/WebKit/WebCore/svg/SVGMaskElement.idl',
'../third_party/WebKit/WebCore/svg/SVGMatrix.idl',
'../third_party/WebKit/WebCore/svg/SVGMetadataElement.idl',
'../third_party/WebKit/WebCore/svg/SVGMissingGlyphElement.idl',
'../third_party/WebKit/WebCore/svg/SVGNumber.idl',
'../third_party/WebKit/WebCore/svg/SVGNumberList.idl',
'../third_party/WebKit/WebCore/svg/SVGPaint.idl',
'../third_party/WebKit/WebCore/svg/SVGPathElement.idl',
'../third_party/WebKit/WebCore/svg/SVGPathSeg.idl',
'../third_party/WebKit/WebCore/svg/SVGPathSegArcAbs.idl',
'../third_party/WebKit/WebCore/svg/SVGPathSegArcRel.idl',
'../third_party/WebKit/WebCore/svg/SVGPathSegClosePath.idl',
'../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoCubicAbs.idl',
'../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoCubicRel.idl',
'../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoCubicSmoothAbs.idl',
'../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoCubicSmoothRel.idl',
'../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoQuadraticAbs.idl',
'../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoQuadraticRel.idl',
'../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoQuadraticSmoothAbs.idl',
'../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoQuadraticSmoothRel.idl',
'../third_party/WebKit/WebCore/svg/SVGPathSegLinetoAbs.idl',
'../third_party/WebKit/WebCore/svg/SVGPathSegLinetoHorizontalAbs.idl',
'../third_party/WebKit/WebCore/svg/SVGPathSegLinetoHorizontalRel.idl',
'../third_party/WebKit/WebCore/svg/SVGPathSegLinetoRel.idl',
'../third_party/WebKit/WebCore/svg/SVGPathSegLinetoVerticalAbs.idl',
'../third_party/WebKit/WebCore/svg/SVGPathSegLinetoVerticalRel.idl',
'../third_party/WebKit/WebCore/svg/SVGPathSegList.idl',
'../third_party/WebKit/WebCore/svg/SVGPathSegMovetoAbs.idl',
'../third_party/WebKit/WebCore/svg/SVGPathSegMovetoRel.idl',
'../third_party/WebKit/WebCore/svg/SVGPatternElement.idl',
'../third_party/WebKit/WebCore/svg/SVGPoint.idl',
'../third_party/WebKit/WebCore/svg/SVGPointList.idl',
'../third_party/WebKit/WebCore/svg/SVGPolygonElement.idl',
'../third_party/WebKit/WebCore/svg/SVGPolylineElement.idl',
'../third_party/WebKit/WebCore/svg/SVGPreserveAspectRatio.idl',
'../third_party/WebKit/WebCore/svg/SVGRadialGradientElement.idl',
'../third_party/WebKit/WebCore/svg/SVGRect.idl',
'../third_party/WebKit/WebCore/svg/SVGRectElement.idl',
'../third_party/WebKit/WebCore/svg/SVGRenderingIntent.idl',
'../third_party/WebKit/WebCore/svg/SVGSVGElement.idl',
'../third_party/WebKit/WebCore/svg/SVGScriptElement.idl',
'../third_party/WebKit/WebCore/svg/SVGSetElement.idl',
'../third_party/WebKit/WebCore/svg/SVGStopElement.idl',
'../third_party/WebKit/WebCore/svg/SVGStringList.idl',
'../third_party/WebKit/WebCore/svg/SVGStylable.idl',
'../third_party/WebKit/WebCore/svg/SVGStyleElement.idl',
'../third_party/WebKit/WebCore/svg/SVGSwitchElement.idl',
'../third_party/WebKit/WebCore/svg/SVGSymbolElement.idl',
'../third_party/WebKit/WebCore/svg/SVGTRefElement.idl',
'../third_party/WebKit/WebCore/svg/SVGTSpanElement.idl',
'../third_party/WebKit/WebCore/svg/SVGTests.idl',
'../third_party/WebKit/WebCore/svg/SVGTextContentElement.idl',
'../third_party/WebKit/WebCore/svg/SVGTextElement.idl',
'../third_party/WebKit/WebCore/svg/SVGTextPathElement.idl',
'../third_party/WebKit/WebCore/svg/SVGTextPositioningElement.idl',
'../third_party/WebKit/WebCore/svg/SVGTitleElement.idl',
'../third_party/WebKit/WebCore/svg/SVGTransform.idl',
'../third_party/WebKit/WebCore/svg/SVGTransformList.idl',
'../third_party/WebKit/WebCore/svg/SVGTransformable.idl',
'../third_party/WebKit/WebCore/svg/SVGURIReference.idl',
'../third_party/WebKit/WebCore/svg/SVGUnitTypes.idl',
'../third_party/WebKit/WebCore/svg/SVGUseElement.idl',
'../third_party/WebKit/WebCore/svg/SVGViewElement.idl',
'../third_party/WebKit/WebCore/svg/SVGViewSpec.idl',
'../third_party/WebKit/WebCore/svg/SVGZoomAndPan.idl',
'../third_party/WebKit/WebCore/svg/SVGZoomEvent.idl',
'../third_party/WebKit/WebCore/workers/Worker.idl',
'../third_party/WebKit/WebCore/workers/WorkerContext.idl',
'../third_party/WebKit/WebCore/workers/WorkerLocation.idl',
'../third_party/WebKit/WebCore/xml/DOMParser.idl',
'../third_party/WebKit/WebCore/xml/XMLHttpRequest.idl',
'../third_party/WebKit/WebCore/xml/XMLHttpRequestException.idl',
'../third_party/WebKit/WebCore/xml/XMLHttpRequestProgressEvent.idl',
'../third_party/WebKit/WebCore/xml/XMLHttpRequestUpload.idl',
'../third_party/WebKit/WebCore/xml/XMLSerializer.idl',
'../third_party/WebKit/WebCore/xml/XPathEvaluator.idl',
'../third_party/WebKit/WebCore/xml/XPathException.idl',
'../third_party/WebKit/WebCore/xml/XPathExpression.idl',
'../third_party/WebKit/WebCore/xml/XPathNSResolver.idl',
'../third_party/WebKit/WebCore/xml/XPathResult.idl',
'../third_party/WebKit/WebCore/xml/XSLTProcessor.idl',
'port/bindings/v8/UndetectableHTMLCollection.idl',
# This file includes all the .cpp files generated from the above idl.
'../third_party/WebKit/WebCore/bindings/v8/DerivedSourcesAllInOne.cpp',
# V8 bindings not generated from .idl source.
'../third_party/WebKit/WebCore/bindings/v8/custom/V8AttrCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8CanvasPixelArrayCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8CanvasRenderingContext2DCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8ClientRectListCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8ClipboardCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8CSSStyleDeclarationCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomBinding.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomBinding.h',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomEventListener.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomEventListener.h',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomSQLStatementCallback.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomSQLStatementCallback.h',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomSQLStatementErrorCallback.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomSQLStatementErrorCallback.h',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomSQLTransactionCallback.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomSQLTransactionCallback.h',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomSQLTransactionErrorCallback.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomSQLTransactionErrorCallback.h',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomVoidCallback.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomVoidCallback.h',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomXPathNSResolver.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomXPathNSResolver.h',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8DatabaseCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8DocumentLocationCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8DOMParserConstructor.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8DOMWindowCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8DocumentCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8ElementCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8EventCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLAudioElementConstructor.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLCanvasElementCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLCollectionCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLDataGridElementCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLDocumentCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLFormElementCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLFrameElementCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLFrameSetElementCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLIFrameElementCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLImageElementConstructor.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLInputElementCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLOptionElementConstructor.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLOptionsCollectionCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLPlugInElementCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLSelectElementCollectionCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLSelectElementCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLSelectElementCustom.h',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8InspectorControllerCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8LocationCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8MessageChannelConstructor.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8MessagePortCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8NamedNodeMapCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8NamedNodesCollection.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8NamedNodesCollection.h',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8NavigatorCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8NodeCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8NodeFilterCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8NodeIteratorCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8NodeListCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8SQLResultSetRowListCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8SQLTransactionCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8SVGElementInstanceCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8SVGLengthCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8SVGMatrixCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8StyleSheetListCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8TreeWalkerCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8WebKitCSSMatrixConstructor.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8WebKitPointConstructor.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8WorkerContextCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8WorkerCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8XMLHttpRequestConstructor.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8XMLHttpRequestCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8XMLHttpRequestUploadCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8XMLSerializerConstructor.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8XPathEvaluatorConstructor.cpp',
'../third_party/WebKit/WebCore/bindings/v8/custom/V8XSLTProcessorCustom.cpp',
'../third_party/WebKit/WebCore/bindings/v8/DOMObjectsInclude.h',
'../third_party/WebKit/WebCore/bindings/v8/ScheduledAction.cpp',
'../third_party/WebKit/WebCore/bindings/v8/ScheduledAction.h',
'../third_party/WebKit/WebCore/bindings/v8/ScriptCachedFrameData.h',
'../third_party/WebKit/WebCore/bindings/v8/ScriptCallFrame.cpp',
'../third_party/WebKit/WebCore/bindings/v8/ScriptCallFrame.h',
'../third_party/WebKit/WebCore/bindings/v8/ScriptCallStack.cpp',
'../third_party/WebKit/WebCore/bindings/v8/ScriptCallStack.h',
'../third_party/WebKit/WebCore/bindings/v8/ScriptController.cpp',
'../third_party/WebKit/WebCore/bindings/v8/ScriptController.h',
'../third_party/WebKit/WebCore/bindings/v8/ScriptEventListener.cpp',
'../third_party/WebKit/WebCore/bindings/v8/ScriptEventListener.h',
'../third_party/WebKit/WebCore/bindings/v8/ScriptFunctionCall.cpp',
'../third_party/WebKit/WebCore/bindings/v8/ScriptFunctionCall.h',
'../third_party/WebKit/WebCore/bindings/v8/ScriptInstance.cpp',
'../third_party/WebKit/WebCore/bindings/v8/ScriptInstance.h',
'../third_party/WebKit/WebCore/bindings/v8/ScriptObject.cpp',
'../third_party/WebKit/WebCore/bindings/v8/ScriptObject.h',
'../third_party/WebKit/WebCore/bindings/v8/ScriptObjectQuarantine.cpp',
'../third_party/WebKit/WebCore/bindings/v8/ScriptObjectQuarantine.h',
'../third_party/WebKit/WebCore/bindings/v8/ScriptScope.cpp',
'../third_party/WebKit/WebCore/bindings/v8/ScriptScope.h',
'../third_party/WebKit/WebCore/bindings/v8/ScriptSourceCode.h',
'../third_party/WebKit/WebCore/bindings/v8/ScriptState.h',
'../third_party/WebKit/WebCore/bindings/v8/ScriptState.cpp',
'../third_party/WebKit/WebCore/bindings/v8/ScriptString.h',
'../third_party/WebKit/WebCore/bindings/v8/ScriptValue.cpp',
'../third_party/WebKit/WebCore/bindings/v8/ScriptValue.h',
'../third_party/WebKit/WebCore/bindings/v8/V8AbstractEventListener.cpp',
'../third_party/WebKit/WebCore/bindings/v8/V8AbstractEventListener.h',
'../third_party/WebKit/WebCore/bindings/v8/V8Binding.cpp',
'../third_party/WebKit/WebCore/bindings/v8/V8Binding.h',
'../third_party/WebKit/WebCore/bindings/v8/V8Collection.cpp',
'../third_party/WebKit/WebCore/bindings/v8/V8Collection.h',
'../third_party/WebKit/WebCore/bindings/v8/V8DOMMap.cpp',
'../third_party/WebKit/WebCore/bindings/v8/V8DOMMap.h',
'../third_party/WebKit/WebCore/bindings/v8/V8DOMWrapper.cpp',
'../third_party/WebKit/WebCore/bindings/v8/V8DOMWrapper.h',
'../third_party/WebKit/WebCore/bindings/v8/V8EventListenerList.cpp',
'../third_party/WebKit/WebCore/bindings/v8/V8EventListenerList.h',
'../third_party/WebKit/WebCore/bindings/v8/V8GCController.cpp',
'../third_party/WebKit/WebCore/bindings/v8/V8GCController.h',
'../third_party/WebKit/WebCore/bindings/v8/V8Helpers.cpp',
'../third_party/WebKit/WebCore/bindings/v8/V8Helpers.h',
'../third_party/WebKit/WebCore/bindings/v8/V8Index.cpp',
'../third_party/WebKit/WebCore/bindings/v8/V8Index.h',
'../third_party/WebKit/WebCore/bindings/v8/V8IsolatedWorld.cpp',
'../third_party/WebKit/WebCore/bindings/v8/V8IsolatedWorld.h',
'../third_party/WebKit/WebCore/bindings/v8/V8LazyEventListener.cpp',
'../third_party/WebKit/WebCore/bindings/v8/V8LazyEventListener.h',
'../third_party/WebKit/WebCore/bindings/v8/V8NodeFilterCondition.cpp',
'../third_party/WebKit/WebCore/bindings/v8/V8NodeFilterCondition.h',
'../third_party/WebKit/WebCore/bindings/v8/V8ObjectEventListener.cpp',
'../third_party/WebKit/WebCore/bindings/v8/V8ObjectEventListener.h',
'../third_party/WebKit/WebCore/bindings/v8/V8Proxy.cpp',
'../third_party/WebKit/WebCore/bindings/v8/V8Proxy.h',
'../third_party/WebKit/WebCore/bindings/v8/V8SVGPODTypeWrapper.h',
'../third_party/WebKit/WebCore/bindings/v8/V8Utilities.cpp',
'../third_party/WebKit/WebCore/bindings/v8/V8Utilities.h',
'../third_party/WebKit/WebCore/bindings/v8/V8WorkerContextEventListener.cpp',
'../third_party/WebKit/WebCore/bindings/v8/V8WorkerContextEventListener.h',
'../third_party/WebKit/WebCore/bindings/v8/V8WorkerContextObjectEventListener.cpp',
'../third_party/WebKit/WebCore/bindings/v8/V8WorkerContextObjectEventListener.h',
'../third_party/WebKit/WebCore/bindings/v8/WorkerContextExecutionProxy.h',
'../third_party/WebKit/WebCore/bindings/v8/WorkerContextExecutionProxy.cpp',
'../third_party/WebKit/WebCore/bindings/v8/WorkerScriptController.h',
'../third_party/WebKit/WebCore/bindings/v8/WorkerScriptController.cpp',
'../third_party/WebKit/WebCore/bindings/v8/npruntime.cpp',
'../third_party/WebKit/WebCore/bindings/v8/npruntime_impl.h',
'../third_party/WebKit/WebCore/bindings/v8/npruntime_internal.h',
'../third_party/WebKit/WebCore/bindings/v8/npruntime_priv.h',
'extensions/v8/gc_extension.cc',
'extensions/v8/gc_extension.h',
'extensions/v8/gears_extension.cc',
'extensions/v8/gears_extension.h',
'extensions/v8/interval_extension.cc',
'extensions/v8/interval_extension.h',
'extensions/v8/playback_extension.cc',
'extensions/v8/playback_extension.h',
'extensions/v8/profiler_extension.cc',
'extensions/v8/profiler_extension.h',
'extensions/v8/benchmarking_extension.cc',
'extensions/v8/benchmarking_extension.h',
'port/bindings/v8/RGBColor.cpp',
'port/bindings/v8/RGBColor.h',
'port/bindings/v8/NPV8Object.cpp',
'port/bindings/v8/NPV8Object.h',
'port/bindings/v8/V8NPUtils.cpp',
'port/bindings/v8/V8NPUtils.h',
'port/bindings/v8/V8NPObject.cpp',
'port/bindings/v8/V8NPObject.h',
# This list contains every .cpp, .h, .m, and .mm file in the
# subdirectories of ../third_party/WebKit/WebCore, excluding the
# ForwardingHeaders, bindings, bridge, icu, and wml subdirectories.
# Exclusions are handled in the sources! and sources/ sections that
# follow, some within conditions sections.
'../third_party/WebKit/WebCore/accessibility/AXObjectCache.cpp',
'../third_party/WebKit/WebCore/accessibility/AXObjectCache.h',
'../third_party/WebKit/WebCore/accessibility/AccessibilityARIAGrid.cpp',
'../third_party/WebKit/WebCore/accessibility/AccessibilityARIAGrid.h',
'../third_party/WebKit/WebCore/accessibility/AccessibilityARIAGridCell.cpp',
'../third_party/WebKit/WebCore/accessibility/AccessibilityARIAGridCell.h',
'../third_party/WebKit/WebCore/accessibility/AccessibilityARIAGridRow.cpp',
'../third_party/WebKit/WebCore/accessibility/AccessibilityARIAGridRow.h',
'../third_party/WebKit/WebCore/accessibility/AccessibilityImageMapLink.cpp',
'../third_party/WebKit/WebCore/accessibility/AccessibilityImageMapLink.h',
'../third_party/WebKit/WebCore/accessibility/AccessibilityList.cpp',
'../third_party/WebKit/WebCore/accessibility/AccessibilityList.h',
'../third_party/WebKit/WebCore/accessibility/AccessibilityListBox.cpp',
'../third_party/WebKit/WebCore/accessibility/AccessibilityListBox.h',
'../third_party/WebKit/WebCore/accessibility/AccessibilityListBoxOption.cpp',
'../third_party/WebKit/WebCore/accessibility/AccessibilityListBoxOption.h',
'../third_party/WebKit/WebCore/accessibility/AccessibilityObject.cpp',
'../third_party/WebKit/WebCore/accessibility/AccessibilityObject.h',
'../third_party/WebKit/WebCore/accessibility/AccessibilityRenderObject.cpp',
'../third_party/WebKit/WebCore/accessibility/AccessibilityRenderObject.h',
'../third_party/WebKit/WebCore/accessibility/AccessibilityTable.cpp',
'../third_party/WebKit/WebCore/accessibility/AccessibilityTable.h',
'../third_party/WebKit/WebCore/accessibility/AccessibilityTableCell.cpp',
'../third_party/WebKit/WebCore/accessibility/AccessibilityTableCell.h',
'../third_party/WebKit/WebCore/accessibility/AccessibilityTableColumn.cpp',
'../third_party/WebKit/WebCore/accessibility/AccessibilityTableColumn.h',
'../third_party/WebKit/WebCore/accessibility/AccessibilityTableHeaderContainer.cpp',
'../third_party/WebKit/WebCore/accessibility/AccessibilityTableHeaderContainer.h',
'../third_party/WebKit/WebCore/accessibility/AccessibilityTableRow.cpp',
'../third_party/WebKit/WebCore/accessibility/AccessibilityTableRow.h',
'../third_party/WebKit/WebCore/accessibility/chromium/AXObjectCacheChromium.cpp',
'../third_party/WebKit/WebCore/accessibility/chromium/AccessibilityObjectChromium.cpp',
'../third_party/WebKit/WebCore/accessibility/chromium/AccessibilityObjectWrapper.h',
'../third_party/WebKit/WebCore/accessibility/gtk/AXObjectCacheAtk.cpp',
'../third_party/WebKit/WebCore/accessibility/gtk/AccessibilityObjectAtk.cpp',
'../third_party/WebKit/WebCore/accessibility/gtk/AccessibilityObjectWrapperAtk.cpp',
'../third_party/WebKit/WebCore/accessibility/gtk/AccessibilityObjectWrapperAtk.h',
'../third_party/WebKit/WebCore/accessibility/qt/AccessibilityObjectQt.cpp',
'../third_party/WebKit/WebCore/accessibility/mac/AXObjectCacheMac.mm',
'../third_party/WebKit/WebCore/accessibility/mac/AccessibilityObjectMac.mm',
'../third_party/WebKit/WebCore/accessibility/mac/AccessibilityObjectWrapper.h',
'../third_party/WebKit/WebCore/accessibility/mac/AccessibilityObjectWrapper.mm',
'../third_party/WebKit/WebCore/accessibility/win/AXObjectCacheWin.cpp',
'../third_party/WebKit/WebCore/accessibility/win/AccessibilityObjectWin.cpp',
'../third_party/WebKit/WebCore/accessibility/win/AccessibilityObjectWrapperWin.h',
'../third_party/WebKit/WebCore/accessibility/wx/AccessibilityObjectWx.cpp',
'../third_party/WebKit/WebCore/css/CSSBorderImageValue.cpp',
'../third_party/WebKit/WebCore/css/CSSBorderImageValue.h',
'../third_party/WebKit/WebCore/css/CSSCanvasValue.cpp',
'../third_party/WebKit/WebCore/css/CSSCanvasValue.h',
'../third_party/WebKit/WebCore/css/CSSCharsetRule.cpp',
'../third_party/WebKit/WebCore/css/CSSCharsetRule.h',
'../third_party/WebKit/WebCore/css/CSSComputedStyleDeclaration.cpp',
'../third_party/WebKit/WebCore/css/CSSComputedStyleDeclaration.h',
'../third_party/WebKit/WebCore/css/CSSCursorImageValue.cpp',
'../third_party/WebKit/WebCore/css/CSSCursorImageValue.h',
'../third_party/WebKit/WebCore/css/CSSFontFace.cpp',
'../third_party/WebKit/WebCore/css/CSSFontFace.h',
'../third_party/WebKit/WebCore/css/CSSFontFaceRule.cpp',
'../third_party/WebKit/WebCore/css/CSSFontFaceRule.h',
'../third_party/WebKit/WebCore/css/CSSFontFaceSource.cpp',
'../third_party/WebKit/WebCore/css/CSSFontFaceSource.h',
'../third_party/WebKit/WebCore/css/CSSFontFaceSrcValue.cpp',
'../third_party/WebKit/WebCore/css/CSSFontFaceSrcValue.h',
'../third_party/WebKit/WebCore/css/CSSFontSelector.cpp',
'../third_party/WebKit/WebCore/css/CSSFontSelector.h',
'../third_party/WebKit/WebCore/css/CSSFunctionValue.cpp',
'../third_party/WebKit/WebCore/css/CSSFunctionValue.h',
'../third_party/WebKit/WebCore/css/CSSGradientValue.cpp',
'../third_party/WebKit/WebCore/css/CSSGradientValue.h',
'../third_party/WebKit/WebCore/css/CSSHelper.cpp',
'../third_party/WebKit/WebCore/css/CSSHelper.h',
'../third_party/WebKit/WebCore/css/CSSImageGeneratorValue.cpp',
'../third_party/WebKit/WebCore/css/CSSImageGeneratorValue.h',
'../third_party/WebKit/WebCore/css/CSSImageValue.cpp',
'../third_party/WebKit/WebCore/css/CSSImageValue.h',
'../third_party/WebKit/WebCore/css/CSSImportRule.cpp',
'../third_party/WebKit/WebCore/css/CSSImportRule.h',
'../third_party/WebKit/WebCore/css/CSSInheritedValue.cpp',
'../third_party/WebKit/WebCore/css/CSSInheritedValue.h',
'../third_party/WebKit/WebCore/css/CSSInitialValue.cpp',
'../third_party/WebKit/WebCore/css/CSSInitialValue.h',
'../third_party/WebKit/WebCore/css/CSSMediaRule.cpp',
'../third_party/WebKit/WebCore/css/CSSMediaRule.h',
'../third_party/WebKit/WebCore/css/CSSMutableStyleDeclaration.cpp',
'../third_party/WebKit/WebCore/css/CSSMutableStyleDeclaration.h',
'../third_party/WebKit/WebCore/css/CSSNamespace.h',
'../third_party/WebKit/WebCore/css/CSSPageRule.cpp',
'../third_party/WebKit/WebCore/css/CSSPageRule.h',
'../third_party/WebKit/WebCore/css/CSSParser.cpp',
'../third_party/WebKit/WebCore/css/CSSParser.h',
'../third_party/WebKit/WebCore/css/CSSParserValues.cpp',
'../third_party/WebKit/WebCore/css/CSSParserValues.h',
'../third_party/WebKit/WebCore/css/CSSPrimitiveValue.cpp',
'../third_party/WebKit/WebCore/css/CSSPrimitiveValue.h',
'../third_party/WebKit/WebCore/css/CSSPrimitiveValueMappings.h',
'../third_party/WebKit/WebCore/css/CSSProperty.cpp',
'../third_party/WebKit/WebCore/css/CSSProperty.h',
'../third_party/WebKit/WebCore/css/CSSPropertyLonghand.cpp',
'../third_party/WebKit/WebCore/css/CSSPropertyLonghand.h',
'../third_party/WebKit/WebCore/css/CSSQuirkPrimitiveValue.h',
'../third_party/WebKit/WebCore/css/CSSReflectValue.cpp',
'../third_party/WebKit/WebCore/css/CSSReflectValue.h',
'../third_party/WebKit/WebCore/css/CSSReflectionDirection.h',
'../third_party/WebKit/WebCore/css/CSSRule.cpp',
'../third_party/WebKit/WebCore/css/CSSRule.h',
'../third_party/WebKit/WebCore/css/CSSRuleList.cpp',
'../third_party/WebKit/WebCore/css/CSSRuleList.h',
'../third_party/WebKit/WebCore/css/CSSSegmentedFontFace.cpp',
'../third_party/WebKit/WebCore/css/CSSSegmentedFontFace.h',
'../third_party/WebKit/WebCore/css/CSSSelector.cpp',
'../third_party/WebKit/WebCore/css/CSSSelector.h',
'../third_party/WebKit/WebCore/css/CSSSelectorList.cpp',
'../third_party/WebKit/WebCore/css/CSSSelectorList.h',
'../third_party/WebKit/WebCore/css/CSSStyleDeclaration.cpp',
'../third_party/WebKit/WebCore/css/CSSStyleDeclaration.h',
'../third_party/WebKit/WebCore/css/CSSStyleRule.cpp',
'../third_party/WebKit/WebCore/css/CSSStyleRule.h',
'../third_party/WebKit/WebCore/css/CSSStyleSelector.cpp',
'../third_party/WebKit/WebCore/css/CSSStyleSelector.h',
'../third_party/WebKit/WebCore/css/CSSStyleSheet.cpp',
'../third_party/WebKit/WebCore/css/CSSStyleSheet.h',
'../third_party/WebKit/WebCore/css/CSSTimingFunctionValue.cpp',
'../third_party/WebKit/WebCore/css/CSSTimingFunctionValue.h',
'../third_party/WebKit/WebCore/css/CSSUnicodeRangeValue.cpp',
'../third_party/WebKit/WebCore/css/CSSUnicodeRangeValue.h',
'../third_party/WebKit/WebCore/css/CSSUnknownRule.h',
'../third_party/WebKit/WebCore/css/CSSValue.h',
'../third_party/WebKit/WebCore/css/CSSValueList.cpp',
'../third_party/WebKit/WebCore/css/CSSValueList.h',
'../third_party/WebKit/WebCore/css/CSSVariableDependentValue.cpp',
'../third_party/WebKit/WebCore/css/CSSVariableDependentValue.h',
'../third_party/WebKit/WebCore/css/CSSVariablesDeclaration.cpp',
'../third_party/WebKit/WebCore/css/CSSVariablesDeclaration.h',
'../third_party/WebKit/WebCore/css/CSSVariablesRule.cpp',
'../third_party/WebKit/WebCore/css/CSSVariablesRule.h',
'../third_party/WebKit/WebCore/css/Counter.h',
'../third_party/WebKit/WebCore/css/DashboardRegion.h',
'../third_party/WebKit/WebCore/css/FontFamilyValue.cpp',
'../third_party/WebKit/WebCore/css/FontFamilyValue.h',
'../third_party/WebKit/WebCore/css/FontValue.cpp',
'../third_party/WebKit/WebCore/css/FontValue.h',
'../third_party/WebKit/WebCore/css/MediaFeatureNames.cpp',
'../third_party/WebKit/WebCore/css/MediaFeatureNames.h',
'../third_party/WebKit/WebCore/css/MediaList.cpp',
'../third_party/WebKit/WebCore/css/MediaList.h',
'../third_party/WebKit/WebCore/css/MediaQuery.cpp',
'../third_party/WebKit/WebCore/css/MediaQuery.h',
'../third_party/WebKit/WebCore/css/MediaQueryEvaluator.cpp',
'../third_party/WebKit/WebCore/css/MediaQueryEvaluator.h',
'../third_party/WebKit/WebCore/css/MediaQueryExp.cpp',
'../third_party/WebKit/WebCore/css/MediaQueryExp.h',
'../third_party/WebKit/WebCore/css/Pair.h',
'../third_party/WebKit/WebCore/css/Rect.h',
'../third_party/WebKit/WebCore/css/SVGCSSComputedStyleDeclaration.cpp',
'../third_party/WebKit/WebCore/css/SVGCSSParser.cpp',
'../third_party/WebKit/WebCore/css/SVGCSSStyleSelector.cpp',
'../third_party/WebKit/WebCore/css/ShadowValue.cpp',
'../third_party/WebKit/WebCore/css/ShadowValue.h',
'../third_party/WebKit/WebCore/css/StyleBase.cpp',
'../third_party/WebKit/WebCore/css/StyleBase.h',
'../third_party/WebKit/WebCore/css/StyleList.cpp',
'../third_party/WebKit/WebCore/css/StyleList.h',
'../third_party/WebKit/WebCore/css/StyleSheet.cpp',
'../third_party/WebKit/WebCore/css/StyleSheet.h',
'../third_party/WebKit/WebCore/css/StyleSheetList.cpp',
'../third_party/WebKit/WebCore/css/StyleSheetList.h',
'../third_party/WebKit/WebCore/css/WebKitCSSKeyframeRule.cpp',
'../third_party/WebKit/WebCore/css/WebKitCSSKeyframeRule.h',
'../third_party/WebKit/WebCore/css/WebKitCSSKeyframesRule.cpp',
'../third_party/WebKit/WebCore/css/WebKitCSSKeyframesRule.h',
'../third_party/WebKit/WebCore/css/WebKitCSSMatrix.cpp',
'../third_party/WebKit/WebCore/css/WebKitCSSMatrix.h',
'../third_party/WebKit/WebCore/css/WebKitCSSTransformValue.cpp',
'../third_party/WebKit/WebCore/css/WebKitCSSTransformValue.h',
'../third_party/WebKit/WebCore/dom/default/PlatformMessagePortChannel.cpp',
'../third_party/WebKit/WebCore/dom/default/PlatformMessagePortChannel.h',
'../third_party/WebKit/WebCore/dom/ActiveDOMObject.cpp',
'../third_party/WebKit/WebCore/dom/ActiveDOMObject.h',
'../third_party/WebKit/WebCore/dom/Attr.cpp',
'../third_party/WebKit/WebCore/dom/Attr.h',
'../third_party/WebKit/WebCore/dom/Attribute.cpp',
'../third_party/WebKit/WebCore/dom/Attribute.h',
'../third_party/WebKit/WebCore/dom/BeforeTextInsertedEvent.cpp',
'../third_party/WebKit/WebCore/dom/BeforeTextInsertedEvent.h',
'../third_party/WebKit/WebCore/dom/BeforeUnloadEvent.cpp',
'../third_party/WebKit/WebCore/dom/BeforeUnloadEvent.h',
'../third_party/WebKit/WebCore/dom/CDATASection.cpp',
'../third_party/WebKit/WebCore/dom/CDATASection.h',
'../third_party/WebKit/WebCore/dom/CSSMappedAttributeDeclaration.cpp',
'../third_party/WebKit/WebCore/dom/CSSMappedAttributeDeclaration.h',
'../third_party/WebKit/WebCore/dom/CharacterData.cpp',
'../third_party/WebKit/WebCore/dom/CharacterData.h',
'../third_party/WebKit/WebCore/dom/CheckedRadioButtons.cpp',
'../third_party/WebKit/WebCore/dom/CheckedRadioButtons.h',
'../third_party/WebKit/WebCore/dom/ChildNodeList.cpp',
'../third_party/WebKit/WebCore/dom/ChildNodeList.h',
'../third_party/WebKit/WebCore/dom/ClassNames.cpp',
'../third_party/WebKit/WebCore/dom/ClassNames.h',
'../third_party/WebKit/WebCore/dom/ClassNodeList.cpp',
'../third_party/WebKit/WebCore/dom/ClassNodeList.h',
'../third_party/WebKit/WebCore/dom/ClientRect.cpp',
'../third_party/WebKit/WebCore/dom/ClientRect.h',
'../third_party/WebKit/WebCore/dom/ClientRectList.cpp',
'../third_party/WebKit/WebCore/dom/ClientRectList.h',
'../third_party/WebKit/WebCore/dom/Clipboard.cpp',
'../third_party/WebKit/WebCore/dom/Clipboard.h',
'../third_party/WebKit/WebCore/dom/ClipboardAccessPolicy.h',
'../third_party/WebKit/WebCore/dom/ClipboardEvent.cpp',
'../third_party/WebKit/WebCore/dom/ClipboardEvent.h',
'../third_party/WebKit/WebCore/dom/Comment.cpp',
'../third_party/WebKit/WebCore/dom/Comment.h',
'../third_party/WebKit/WebCore/dom/ContainerNode.cpp',
'../third_party/WebKit/WebCore/dom/ContainerNode.h',
'../third_party/WebKit/WebCore/dom/ContainerNodeAlgorithms.h',
'../third_party/WebKit/WebCore/dom/DOMCoreException.h',
'../third_party/WebKit/WebCore/dom/DOMImplementation.cpp',
'../third_party/WebKit/WebCore/dom/DOMImplementation.h',
'../third_party/WebKit/WebCore/dom/DocPtr.h',
'../third_party/WebKit/WebCore/dom/Document.cpp',
'../third_party/WebKit/WebCore/dom/Document.h',
'../third_party/WebKit/WebCore/dom/DocumentFragment.cpp',
'../third_party/WebKit/WebCore/dom/DocumentFragment.h',
'../third_party/WebKit/WebCore/dom/DocumentMarker.h',
'../third_party/WebKit/WebCore/dom/DocumentType.cpp',
'../third_party/WebKit/WebCore/dom/DocumentType.h',
'../third_party/WebKit/WebCore/dom/DynamicNodeList.cpp',
'../third_party/WebKit/WebCore/dom/DynamicNodeList.h',
'../third_party/WebKit/WebCore/dom/EditingText.cpp',
'../third_party/WebKit/WebCore/dom/EditingText.h',
'../third_party/WebKit/WebCore/dom/Element.cpp',
'../third_party/WebKit/WebCore/dom/Element.h',
'../third_party/WebKit/WebCore/dom/ElementRareData.h',
'../third_party/WebKit/WebCore/dom/Entity.cpp',
'../third_party/WebKit/WebCore/dom/Entity.h',
'../third_party/WebKit/WebCore/dom/EntityReference.cpp',
'../third_party/WebKit/WebCore/dom/EntityReference.h',
'../third_party/WebKit/WebCore/dom/Event.cpp',
'../third_party/WebKit/WebCore/dom/Event.h',
'../third_party/WebKit/WebCore/dom/EventException.h',
'../third_party/WebKit/WebCore/dom/EventListener.h',
'../third_party/WebKit/WebCore/dom/EventNames.cpp',
'../third_party/WebKit/WebCore/dom/EventNames.h',
'../third_party/WebKit/WebCore/dom/EventTarget.cpp',
'../third_party/WebKit/WebCore/dom/EventTarget.h',
'../third_party/WebKit/WebCore/dom/ExceptionBase.cpp',
'../third_party/WebKit/WebCore/dom/ExceptionBase.h',
'../third_party/WebKit/WebCore/dom/ExceptionCode.cpp',
'../third_party/WebKit/WebCore/dom/ExceptionCode.h',
'../third_party/WebKit/WebCore/dom/InputElement.cpp',
'../third_party/WebKit/WebCore/dom/InputElement.h',
'../third_party/WebKit/WebCore/dom/KeyboardEvent.cpp',
'../third_party/WebKit/WebCore/dom/KeyboardEvent.h',
'../third_party/WebKit/WebCore/dom/MappedAttribute.cpp',
'../third_party/WebKit/WebCore/dom/MappedAttribute.h',
'../third_party/WebKit/WebCore/dom/MappedAttributeEntry.h',
'../third_party/WebKit/WebCore/dom/MessageChannel.cpp',
'../third_party/WebKit/WebCore/dom/MessageChannel.h',
'../third_party/WebKit/WebCore/dom/MessageEvent.cpp',
'../third_party/WebKit/WebCore/dom/MessageEvent.h',
'../third_party/WebKit/WebCore/dom/MessagePort.cpp',
'../third_party/WebKit/WebCore/dom/MessagePort.h',
'../third_party/WebKit/WebCore/dom/MessagePortChannel.cpp',
'../third_party/WebKit/WebCore/dom/MessagePortChannel.h',
'../third_party/WebKit/WebCore/dom/MouseEvent.cpp',
'../third_party/WebKit/WebCore/dom/MouseEvent.h',
'../third_party/WebKit/WebCore/dom/MouseRelatedEvent.cpp',
'../third_party/WebKit/WebCore/dom/MouseRelatedEvent.h',
'../third_party/WebKit/WebCore/dom/MutationEvent.cpp',
'../third_party/WebKit/WebCore/dom/MutationEvent.h',
'../third_party/WebKit/WebCore/dom/NameNodeList.cpp',
'../third_party/WebKit/WebCore/dom/NameNodeList.h',
'../third_party/WebKit/WebCore/dom/NamedAttrMap.cpp',
'../third_party/WebKit/WebCore/dom/NamedAttrMap.h',
'../third_party/WebKit/WebCore/dom/NamedMappedAttrMap.cpp',
'../third_party/WebKit/WebCore/dom/NamedMappedAttrMap.h',
'../third_party/WebKit/WebCore/dom/NamedNodeMap.h',
'../third_party/WebKit/WebCore/dom/Node.cpp',
'../third_party/WebKit/WebCore/dom/Node.h',
'../third_party/WebKit/WebCore/dom/NodeFilter.cpp',
'../third_party/WebKit/WebCore/dom/NodeFilter.h',
'../third_party/WebKit/WebCore/dom/NodeFilterCondition.cpp',
'../third_party/WebKit/WebCore/dom/NodeFilterCondition.h',
'../third_party/WebKit/WebCore/dom/NodeIterator.cpp',
'../third_party/WebKit/WebCore/dom/NodeIterator.h',
'../third_party/WebKit/WebCore/dom/NodeList.h',
'../third_party/WebKit/WebCore/dom/NodeRareData.h',
'../third_party/WebKit/WebCore/dom/NodeRenderStyle.h',
'../third_party/WebKit/WebCore/dom/NodeWithIndex.h',
'../third_party/WebKit/WebCore/dom/Notation.cpp',
'../third_party/WebKit/WebCore/dom/Notation.h',
'../third_party/WebKit/WebCore/dom/OptionElement.cpp',
'../third_party/WebKit/WebCore/dom/OptionElement.h',
'../third_party/WebKit/WebCore/dom/OptionGroupElement.cpp',
'../third_party/WebKit/WebCore/dom/OptionGroupElement.h',
'../third_party/WebKit/WebCore/dom/OverflowEvent.cpp',
'../third_party/WebKit/WebCore/dom/OverflowEvent.h',
'../third_party/WebKit/WebCore/dom/Position.cpp',
'../third_party/WebKit/WebCore/dom/Position.h',
'../third_party/WebKit/WebCore/dom/PositionIterator.cpp',
'../third_party/WebKit/WebCore/dom/PositionIterator.h',
'../third_party/WebKit/WebCore/dom/ProcessingInstruction.cpp',
'../third_party/WebKit/WebCore/dom/ProcessingInstruction.h',
'../third_party/WebKit/WebCore/dom/ProgressEvent.cpp',
'../third_party/WebKit/WebCore/dom/ProgressEvent.h',
'../third_party/WebKit/WebCore/dom/QualifiedName.cpp',
'../third_party/WebKit/WebCore/dom/QualifiedName.h',
'../third_party/WebKit/WebCore/dom/Range.cpp',
'../third_party/WebKit/WebCore/dom/Range.h',
'../third_party/WebKit/WebCore/dom/RangeBoundaryPoint.h',
'../third_party/WebKit/WebCore/dom/RangeException.h',
'../third_party/WebKit/WebCore/dom/RegisteredEventListener.cpp',
'../third_party/WebKit/WebCore/dom/RegisteredEventListener.h',
'../third_party/WebKit/WebCore/dom/ScriptElement.cpp',
'../third_party/WebKit/WebCore/dom/ScriptElement.h',
'../third_party/WebKit/WebCore/dom/ScriptExecutionContext.cpp',
'../third_party/WebKit/WebCore/dom/ScriptExecutionContext.h',
'../third_party/WebKit/WebCore/dom/SelectElement.cpp',
'../third_party/WebKit/WebCore/dom/SelectElement.h',
'../third_party/WebKit/WebCore/dom/SelectorNodeList.cpp',
'../third_party/WebKit/WebCore/dom/SelectorNodeList.h',
'../third_party/WebKit/WebCore/dom/StaticNodeList.cpp',
'../third_party/WebKit/WebCore/dom/StaticNodeList.h',
'../third_party/WebKit/WebCore/dom/StaticStringList.cpp',
'../third_party/WebKit/WebCore/dom/StaticStringList.h',
'../third_party/WebKit/WebCore/dom/StyleElement.cpp',
'../third_party/WebKit/WebCore/dom/StyleElement.h',
'../third_party/WebKit/WebCore/dom/StyledElement.cpp',
'../third_party/WebKit/WebCore/dom/StyledElement.h',
'../third_party/WebKit/WebCore/dom/TagNodeList.cpp',
'../third_party/WebKit/WebCore/dom/TagNodeList.h',
'../third_party/WebKit/WebCore/dom/Text.cpp',
'../third_party/WebKit/WebCore/dom/Text.h',
'../third_party/WebKit/WebCore/dom/TextEvent.cpp',
'../third_party/WebKit/WebCore/dom/TextEvent.h',
'../third_party/WebKit/WebCore/dom/Tokenizer.h',
'../third_party/WebKit/WebCore/dom/Traversal.cpp',
'../third_party/WebKit/WebCore/dom/Traversal.h',
'../third_party/WebKit/WebCore/dom/TreeWalker.cpp',
'../third_party/WebKit/WebCore/dom/TreeWalker.h',
'../third_party/WebKit/WebCore/dom/UIEvent.cpp',
'../third_party/WebKit/WebCore/dom/UIEvent.h',
'../third_party/WebKit/WebCore/dom/UIEventWithKeyState.cpp',
'../third_party/WebKit/WebCore/dom/UIEventWithKeyState.h',
'../third_party/WebKit/WebCore/dom/WebKitAnimationEvent.cpp',
'../third_party/WebKit/WebCore/dom/WebKitAnimationEvent.h',
'../third_party/WebKit/WebCore/dom/WebKitTransitionEvent.cpp',
'../third_party/WebKit/WebCore/dom/WebKitTransitionEvent.h',
'../third_party/WebKit/WebCore/dom/WheelEvent.cpp',
'../third_party/WebKit/WebCore/dom/WheelEvent.h',
'../third_party/WebKit/WebCore/dom/XMLTokenizer.cpp',
'../third_party/WebKit/WebCore/dom/XMLTokenizer.h',
'../third_party/WebKit/WebCore/dom/XMLTokenizerLibxml2.cpp',
'../third_party/WebKit/WebCore/dom/XMLTokenizerScope.cpp',
'../third_party/WebKit/WebCore/dom/XMLTokenizerScope.h',
'../third_party/WebKit/WebCore/dom/XMLTokenizerQt.cpp',
'../third_party/WebKit/WebCore/editing/android/EditorAndroid.cpp',
'../third_party/WebKit/WebCore/editing/chromium/EditorChromium.cpp',
'../third_party/WebKit/WebCore/editing/mac/EditorMac.mm',
'../third_party/WebKit/WebCore/editing/mac/SelectionControllerMac.mm',
'../third_party/WebKit/WebCore/editing/qt/EditorQt.cpp',
'../third_party/WebKit/WebCore/editing/wx/EditorWx.cpp',
'../third_party/WebKit/WebCore/editing/AppendNodeCommand.cpp',
'../third_party/WebKit/WebCore/editing/AppendNodeCommand.h',
'../third_party/WebKit/WebCore/editing/ApplyStyleCommand.cpp',
'../third_party/WebKit/WebCore/editing/ApplyStyleCommand.h',
'../third_party/WebKit/WebCore/editing/BreakBlockquoteCommand.cpp',
'../third_party/WebKit/WebCore/editing/BreakBlockquoteCommand.h',
'../third_party/WebKit/WebCore/editing/CompositeEditCommand.cpp',
'../third_party/WebKit/WebCore/editing/CompositeEditCommand.h',
'../third_party/WebKit/WebCore/editing/CreateLinkCommand.cpp',
'../third_party/WebKit/WebCore/editing/CreateLinkCommand.h',
'../third_party/WebKit/WebCore/editing/DeleteButton.cpp',
'../third_party/WebKit/WebCore/editing/DeleteButton.h',
'../third_party/WebKit/WebCore/editing/DeleteButtonController.cpp',
'../third_party/WebKit/WebCore/editing/DeleteButtonController.h',
'../third_party/WebKit/WebCore/editing/DeleteFromTextNodeCommand.cpp',
'../third_party/WebKit/WebCore/editing/DeleteFromTextNodeCommand.h',
'../third_party/WebKit/WebCore/editing/DeleteSelectionCommand.cpp',
'../third_party/WebKit/WebCore/editing/DeleteSelectionCommand.h',
'../third_party/WebKit/WebCore/editing/EditAction.h',
'../third_party/WebKit/WebCore/editing/EditCommand.cpp',
'../third_party/WebKit/WebCore/editing/EditCommand.h',
'../third_party/WebKit/WebCore/editing/Editor.cpp',
'../third_party/WebKit/WebCore/editing/Editor.h',
'../third_party/WebKit/WebCore/editing/EditorCommand.cpp',
'../third_party/WebKit/WebCore/editing/EditorDeleteAction.h',
'../third_party/WebKit/WebCore/editing/EditorInsertAction.h',
'../third_party/WebKit/WebCore/editing/FormatBlockCommand.cpp',
'../third_party/WebKit/WebCore/editing/FormatBlockCommand.h',
'../third_party/WebKit/WebCore/editing/HTMLInterchange.cpp',
'../third_party/WebKit/WebCore/editing/HTMLInterchange.h',
'../third_party/WebKit/WebCore/editing/IndentOutdentCommand.cpp',
'../third_party/WebKit/WebCore/editing/IndentOutdentCommand.h',
'../third_party/WebKit/WebCore/editing/InsertIntoTextNodeCommand.cpp',
'../third_party/WebKit/WebCore/editing/InsertIntoTextNodeCommand.h',
'../third_party/WebKit/WebCore/editing/InsertLineBreakCommand.cpp',
'../third_party/WebKit/WebCore/editing/InsertLineBreakCommand.h',
'../third_party/WebKit/WebCore/editing/InsertListCommand.cpp',
'../third_party/WebKit/WebCore/editing/InsertListCommand.h',
'../third_party/WebKit/WebCore/editing/InsertNodeBeforeCommand.cpp',
'../third_party/WebKit/WebCore/editing/InsertNodeBeforeCommand.h',
'../third_party/WebKit/WebCore/editing/InsertParagraphSeparatorCommand.cpp',
'../third_party/WebKit/WebCore/editing/InsertParagraphSeparatorCommand.h',
'../third_party/WebKit/WebCore/editing/InsertTextCommand.cpp',
'../third_party/WebKit/WebCore/editing/InsertTextCommand.h',
'../third_party/WebKit/WebCore/editing/JoinTextNodesCommand.cpp',
'../third_party/WebKit/WebCore/editing/JoinTextNodesCommand.h',
'../third_party/WebKit/WebCore/editing/MergeIdenticalElementsCommand.cpp',
'../third_party/WebKit/WebCore/editing/MergeIdenticalElementsCommand.h',
'../third_party/WebKit/WebCore/editing/ModifySelectionListLevel.cpp',
'../third_party/WebKit/WebCore/editing/ModifySelectionListLevel.h',
'../third_party/WebKit/WebCore/editing/MoveSelectionCommand.cpp',
'../third_party/WebKit/WebCore/editing/MoveSelectionCommand.h',
'../third_party/WebKit/WebCore/editing/RemoveCSSPropertyCommand.cpp',
'../third_party/WebKit/WebCore/editing/RemoveCSSPropertyCommand.h',
'../third_party/WebKit/WebCore/editing/RemoveFormatCommand.cpp',
'../third_party/WebKit/WebCore/editing/RemoveFormatCommand.h',
'../third_party/WebKit/WebCore/editing/RemoveNodeCommand.cpp',
'../third_party/WebKit/WebCore/editing/RemoveNodeCommand.h',
'../third_party/WebKit/WebCore/editing/RemoveNodePreservingChildrenCommand.cpp',
'../third_party/WebKit/WebCore/editing/RemoveNodePreservingChildrenCommand.h',
'../third_party/WebKit/WebCore/editing/ReplaceNodeWithSpanCommand.cpp',
'../third_party/WebKit/WebCore/editing/ReplaceNodeWithSpanCommand.h',
'../third_party/WebKit/WebCore/editing/ReplaceSelectionCommand.cpp',
'../third_party/WebKit/WebCore/editing/ReplaceSelectionCommand.h',
'../third_party/WebKit/WebCore/editing/SelectionController.cpp',
'../third_party/WebKit/WebCore/editing/SelectionController.h',
'../third_party/WebKit/WebCore/editing/SetNodeAttributeCommand.cpp',
'../third_party/WebKit/WebCore/editing/SetNodeAttributeCommand.h',
'../third_party/WebKit/WebCore/editing/SmartReplace.cpp',
'../third_party/WebKit/WebCore/editing/SmartReplace.h',
'../third_party/WebKit/WebCore/editing/SmartReplaceCF.cpp',
'../third_party/WebKit/WebCore/editing/SmartReplaceICU.cpp',
'../third_party/WebKit/WebCore/editing/SplitElementCommand.cpp',
'../third_party/WebKit/WebCore/editing/SplitElementCommand.h',
'../third_party/WebKit/WebCore/editing/SplitTextNodeCommand.cpp',
'../third_party/WebKit/WebCore/editing/SplitTextNodeCommand.h',
'../third_party/WebKit/WebCore/editing/SplitTextNodeContainingElementCommand.cpp',
'../third_party/WebKit/WebCore/editing/SplitTextNodeContainingElementCommand.h',
'../third_party/WebKit/WebCore/editing/TextAffinity.h',
'../third_party/WebKit/WebCore/editing/TextGranularity.h',
'../third_party/WebKit/WebCore/editing/TextIterator.cpp',
'../third_party/WebKit/WebCore/editing/TextIterator.h',
'../third_party/WebKit/WebCore/editing/TypingCommand.cpp',
'../third_party/WebKit/WebCore/editing/TypingCommand.h',
'../third_party/WebKit/WebCore/editing/UnlinkCommand.cpp',
'../third_party/WebKit/WebCore/editing/UnlinkCommand.h',
'../third_party/WebKit/WebCore/editing/VisiblePosition.cpp',
'../third_party/WebKit/WebCore/editing/VisiblePosition.h',
'../third_party/WebKit/WebCore/editing/VisibleSelection.cpp',
'../third_party/WebKit/WebCore/editing/VisibleSelection.h',
'../third_party/WebKit/WebCore/editing/WrapContentsInDummySpanCommand.cpp',
'../third_party/WebKit/WebCore/editing/WrapContentsInDummySpanCommand.h',
'../third_party/WebKit/WebCore/editing/htmlediting.cpp',
'../third_party/WebKit/WebCore/editing/htmlediting.h',
'../third_party/WebKit/WebCore/editing/markup.cpp',
'../third_party/WebKit/WebCore/editing/markup.h',
'../third_party/WebKit/WebCore/editing/visible_units.cpp',
'../third_party/WebKit/WebCore/editing/visible_units.h',
'../third_party/WebKit/WebCore/history/mac/HistoryItemMac.mm',
'../third_party/WebKit/WebCore/history/BackForwardList.cpp',
'../third_party/WebKit/WebCore/history/BackForwardList.h',
'../third_party/WebKit/WebCore/history/BackForwardListChromium.cpp',
'../third_party/WebKit/WebCore/history/CachedFrame.cpp',
'../third_party/WebKit/WebCore/history/CachedFrame.h',
'../third_party/WebKit/WebCore/history/CachedFramePlatformData.h',
'../third_party/WebKit/WebCore/history/CachedPage.cpp',
'../third_party/WebKit/WebCore/history/CachedPage.h',
'../third_party/WebKit/WebCore/history/HistoryItem.cpp',
'../third_party/WebKit/WebCore/history/HistoryItem.h',
'../third_party/WebKit/WebCore/history/PageCache.cpp',
'../third_party/WebKit/WebCore/history/PageCache.h',
'../third_party/WebKit/WebCore/html/CanvasGradient.cpp',
'../third_party/WebKit/WebCore/html/CanvasGradient.h',
'../third_party/WebKit/WebCore/html/CanvasPattern.cpp',
'../third_party/WebKit/WebCore/html/CanvasPattern.h',
'../third_party/WebKit/WebCore/html/CanvasPixelArray.cpp',
'../third_party/WebKit/WebCore/html/CanvasPixelArray.h',
'../third_party/WebKit/WebCore/html/CanvasRenderingContext2D.cpp',
'../third_party/WebKit/WebCore/html/CanvasRenderingContext2D.h',
'../third_party/WebKit/WebCore/html/CanvasStyle.cpp',
'../third_party/WebKit/WebCore/html/CanvasStyle.h',
'../third_party/WebKit/WebCore/html/CollectionCache.cpp',
'../third_party/WebKit/WebCore/html/CollectionCache.h',
'../third_party/WebKit/WebCore/html/CollectionType.h',
'../third_party/WebKit/WebCore/html/DataGridColumn.cpp',
'../third_party/WebKit/WebCore/html/DataGridColumn.h',
'../third_party/WebKit/WebCore/html/DOMDataGridDataSource.cpp',
'../third_party/WebKit/WebCore/html/DOMDataGridDataSource.h',
'../third_party/WebKit/WebCore/html/DataGridColumnList.cpp',
'../third_party/WebKit/WebCore/html/DataGridColumnList.h',
'../third_party/WebKit/WebCore/html/File.cpp',
'../third_party/WebKit/WebCore/html/File.h',
'../third_party/WebKit/WebCore/html/FileList.cpp',
'../third_party/WebKit/WebCore/html/FileList.h',
'../third_party/WebKit/WebCore/html/FormDataList.cpp',
'../third_party/WebKit/WebCore/html/FormDataList.h',
'../third_party/WebKit/WebCore/html/HTMLAnchorElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLAnchorElement.h',
'../third_party/WebKit/WebCore/html/HTMLAppletElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLAppletElement.h',
'../third_party/WebKit/WebCore/html/HTMLAreaElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLAreaElement.h',
'../third_party/WebKit/WebCore/html/HTMLAudioElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLAudioElement.h',
'../third_party/WebKit/WebCore/html/HTMLBRElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLBRElement.h',
'../third_party/WebKit/WebCore/html/HTMLBaseElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLBaseElement.h',
'../third_party/WebKit/WebCore/html/HTMLBaseFontElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLBaseFontElement.h',
'../third_party/WebKit/WebCore/html/HTMLBlockquoteElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLBlockquoteElement.h',
'../third_party/WebKit/WebCore/html/HTMLBodyElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLBodyElement.h',
'../third_party/WebKit/WebCore/html/HTMLButtonElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLButtonElement.h',
'../third_party/WebKit/WebCore/html/HTMLCanvasElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLCanvasElement.h',
'../third_party/WebKit/WebCore/html/HTMLCollection.cpp',
'../third_party/WebKit/WebCore/html/HTMLCollection.h',
'../third_party/WebKit/WebCore/html/HTMLDListElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLDListElement.h',
'../third_party/WebKit/WebCore/html/HTMLDataGridCellElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLDataGridCellElement.h',
'../third_party/WebKit/WebCore/html/HTMLDataGridColElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLDataGridColElement.h',
'../third_party/WebKit/WebCore/html/HTMLDataGridElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLDataGridElement.h',
'../third_party/WebKit/WebCore/html/HTMLDataGridRowElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLDataGridRowElement.h',
'../third_party/WebKit/WebCore/html/HTMLDirectoryElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLDirectoryElement.h',
'../third_party/WebKit/WebCore/html/HTMLDivElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLDivElement.h',
'../third_party/WebKit/WebCore/html/HTMLDocument.cpp',
'../third_party/WebKit/WebCore/html/HTMLDocument.h',
'../third_party/WebKit/WebCore/html/HTMLElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLElement.h',
'../third_party/WebKit/WebCore/html/HTMLEmbedElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLEmbedElement.h',
'../third_party/WebKit/WebCore/html/HTMLFieldSetElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLFieldSetElement.h',
'../third_party/WebKit/WebCore/html/HTMLFontElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLFontElement.h',
'../third_party/WebKit/WebCore/html/HTMLFormCollection.cpp',
'../third_party/WebKit/WebCore/html/HTMLFormCollection.h',
'../third_party/WebKit/WebCore/html/HTMLFormControlElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLFormControlElement.h',
'../third_party/WebKit/WebCore/html/HTMLFormElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLFormElement.h',
'../third_party/WebKit/WebCore/html/HTMLFrameElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLFrameElement.h',
'../third_party/WebKit/WebCore/html/HTMLFrameElementBase.cpp',
'../third_party/WebKit/WebCore/html/HTMLFrameElementBase.h',
'../third_party/WebKit/WebCore/html/HTMLFrameOwnerElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLFrameOwnerElement.h',
'../third_party/WebKit/WebCore/html/HTMLFrameSetElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLFrameSetElement.h',
'../third_party/WebKit/WebCore/html/HTMLHRElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLHRElement.h',
'../third_party/WebKit/WebCore/html/HTMLHeadElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLHeadElement.h',
'../third_party/WebKit/WebCore/html/HTMLHeadingElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLHeadingElement.h',
'../third_party/WebKit/WebCore/html/HTMLHtmlElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLHtmlElement.h',
'../third_party/WebKit/WebCore/html/HTMLIFrameElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLIFrameElement.h',
'../third_party/WebKit/WebCore/html/HTMLImageElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLImageElement.h',
'../third_party/WebKit/WebCore/html/HTMLImageLoader.cpp',
'../third_party/WebKit/WebCore/html/HTMLImageLoader.h',
'../third_party/WebKit/WebCore/html/HTMLInputElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLInputElement.h',
'../third_party/WebKit/WebCore/html/HTMLIsIndexElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLIsIndexElement.h',
'../third_party/WebKit/WebCore/html/HTMLKeygenElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLKeygenElement.h',
'../third_party/WebKit/WebCore/html/HTMLLIElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLLIElement.h',
'../third_party/WebKit/WebCore/html/HTMLLabelElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLLabelElement.h',
'../third_party/WebKit/WebCore/html/HTMLLegendElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLLegendElement.h',
'../third_party/WebKit/WebCore/html/HTMLLinkElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLLinkElement.h',
'../third_party/WebKit/WebCore/html/HTMLMapElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLMapElement.h',
'../third_party/WebKit/WebCore/html/HTMLMarqueeElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLMarqueeElement.h',
'../third_party/WebKit/WebCore/html/HTMLMediaElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLMediaElement.h',
'../third_party/WebKit/WebCore/html/HTMLMenuElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLMenuElement.h',
'../third_party/WebKit/WebCore/html/HTMLMetaElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLMetaElement.h',
'../third_party/WebKit/WebCore/html/HTMLModElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLModElement.h',
'../third_party/WebKit/WebCore/html/HTMLNameCollection.cpp',
'../third_party/WebKit/WebCore/html/HTMLNameCollection.h',
'../third_party/WebKit/WebCore/html/HTMLOListElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLOListElement.h',
'../third_party/WebKit/WebCore/html/HTMLObjectElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLObjectElement.h',
'../third_party/WebKit/WebCore/html/HTMLOptGroupElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLOptGroupElement.h',
'../third_party/WebKit/WebCore/html/HTMLOptionElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLOptionElement.h',
'../third_party/WebKit/WebCore/html/HTMLOptionsCollection.cpp',
'../third_party/WebKit/WebCore/html/HTMLOptionsCollection.h',
'../third_party/WebKit/WebCore/html/HTMLParagraphElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLParagraphElement.h',
'../third_party/WebKit/WebCore/html/HTMLParamElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLParamElement.h',
'../third_party/WebKit/WebCore/html/HTMLParser.cpp',
'../third_party/WebKit/WebCore/html/HTMLParser.h',
'../third_party/WebKit/WebCore/html/HTMLParserErrorCodes.cpp',
'../third_party/WebKit/WebCore/html/HTMLParserErrorCodes.h',
'../third_party/WebKit/WebCore/html/HTMLPlugInElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLPlugInElement.h',
'../third_party/WebKit/WebCore/html/HTMLPlugInImageElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLPlugInImageElement.h',
'../third_party/WebKit/WebCore/html/HTMLPreElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLPreElement.h',
'../third_party/WebKit/WebCore/html/HTMLQuoteElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLQuoteElement.h',
'../third_party/WebKit/WebCore/html/HTMLScriptElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLScriptElement.h',
'../third_party/WebKit/WebCore/html/HTMLSelectElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLSelectElement.h',
'../third_party/WebKit/WebCore/html/HTMLSourceElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLSourceElement.h',
'../third_party/WebKit/WebCore/html/HTMLStyleElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLStyleElement.h',
'../third_party/WebKit/WebCore/html/HTMLTableCaptionElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLTableCaptionElement.h',
'../third_party/WebKit/WebCore/html/HTMLTableCellElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLTableCellElement.h',
'../third_party/WebKit/WebCore/html/HTMLTableColElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLTableColElement.h',
'../third_party/WebKit/WebCore/html/HTMLTableElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLTableElement.h',
'../third_party/WebKit/WebCore/html/HTMLTablePartElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLTablePartElement.h',
'../third_party/WebKit/WebCore/html/HTMLTableRowElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLTableRowElement.h',
'../third_party/WebKit/WebCore/html/HTMLTableRowsCollection.cpp',
'../third_party/WebKit/WebCore/html/HTMLTableRowsCollection.h',
'../third_party/WebKit/WebCore/html/HTMLTableSectionElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLTableSectionElement.h',
'../third_party/WebKit/WebCore/html/HTMLTextAreaElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLTextAreaElement.h',
'../third_party/WebKit/WebCore/html/HTMLTitleElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLTitleElement.h',
'../third_party/WebKit/WebCore/html/HTMLTokenizer.cpp',
'../third_party/WebKit/WebCore/html/HTMLTokenizer.h',
'../third_party/WebKit/WebCore/html/HTMLUListElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLUListElement.h',
'../third_party/WebKit/WebCore/html/HTMLVideoElement.cpp',
'../third_party/WebKit/WebCore/html/HTMLVideoElement.h',
'../third_party/WebKit/WebCore/html/HTMLViewSourceDocument.cpp',
'../third_party/WebKit/WebCore/html/HTMLViewSourceDocument.h',
'../third_party/WebKit/WebCore/html/ImageData.cpp',
'../third_party/WebKit/WebCore/html/ImageData.h',
'../third_party/WebKit/WebCore/html/MediaError.h',
'../third_party/WebKit/WebCore/html/PreloadScanner.cpp',
'../third_party/WebKit/WebCore/html/PreloadScanner.h',
'../third_party/WebKit/WebCore/html/TextMetrics.h',
'../third_party/WebKit/WebCore/html/TimeRanges.cpp',
'../third_party/WebKit/WebCore/html/TimeRanges.h',
'../third_party/WebKit/WebCore/html/VoidCallback.h',
'../third_party/WebKit/WebCore/inspector/InspectorClient.h',
'../third_party/WebKit/WebCore/inspector/ConsoleMessage.cpp',
'../third_party/WebKit/WebCore/inspector/ConsoleMessage.h',
'../third_party/WebKit/WebCore/inspector/InspectorController.cpp',
'../third_party/WebKit/WebCore/inspector/InspectorController.h',
'../third_party/WebKit/WebCore/inspector/InspectorDatabaseResource.cpp',
'../third_party/WebKit/WebCore/inspector/InspectorDatabaseResource.h',
'../third_party/WebKit/WebCore/inspector/InspectorDOMStorageResource.cpp',
'../third_party/WebKit/WebCore/inspector/InspectorDOMStorageResource.h',
'../third_party/WebKit/WebCore/inspector/InspectorFrontend.cpp',
'../third_party/WebKit/WebCore/inspector/InspectorFrontend.h',
'../third_party/WebKit/WebCore/inspector/InspectorJSONObject.cpp',
'../third_party/WebKit/WebCore/inspector/InspectorJSONObject.h',
'../third_party/WebKit/WebCore/inspector/InspectorResource.cpp',
'../third_party/WebKit/WebCore/inspector/InspectorResource.h',
'../third_party/WebKit/WebCore/inspector/JavaScriptCallFrame.cpp',
'../third_party/WebKit/WebCore/inspector/JavaScriptCallFrame.h',
'../third_party/WebKit/WebCore/inspector/JavaScriptDebugListener.h',
'../third_party/WebKit/WebCore/inspector/JavaScriptDebugServer.cpp',
'../third_party/WebKit/WebCore/inspector/JavaScriptDebugServer.h',
'../third_party/WebKit/WebCore/inspector/JavaScriptProfile.cpp',
'../third_party/WebKit/WebCore/inspector/JavaScriptProfile.h',
'../third_party/WebKit/WebCore/inspector/JavaScriptProfileNode.cpp',
'../third_party/WebKit/WebCore/inspector/JavaScriptProfileNode.h',
'../third_party/WebKit/WebCore/loader/appcache/ApplicationCache.cpp',
'../third_party/WebKit/WebCore/loader/appcache/ApplicationCache.h',
'../third_party/WebKit/WebCore/loader/appcache/ApplicationCacheGroup.cpp',
'../third_party/WebKit/WebCore/loader/appcache/ApplicationCacheGroup.h',
'../third_party/WebKit/WebCore/loader/appcache/ApplicationCacheResource.cpp',
'../third_party/WebKit/WebCore/loader/appcache/ApplicationCacheResource.h',
'../third_party/WebKit/WebCore/loader/appcache/ApplicationCacheStorage.cpp',
'../third_party/WebKit/WebCore/loader/appcache/ApplicationCacheStorage.h',
'../third_party/WebKit/WebCore/loader/appcache/DOMApplicationCache.cpp',
'../third_party/WebKit/WebCore/loader/appcache/DOMApplicationCache.h',
'../third_party/WebKit/WebCore/loader/appcache/ManifestParser.cpp',
'../third_party/WebKit/WebCore/loader/appcache/ManifestParser.h',
'../third_party/WebKit/WebCore/loader/archive/cf/LegacyWebArchive.cpp',
'../third_party/WebKit/WebCore/loader/archive/cf/LegacyWebArchive.h',
'../third_party/WebKit/WebCore/loader/archive/cf/LegacyWebArchiveMac.mm',
'../third_party/WebKit/WebCore/loader/archive/Archive.h',
'../third_party/WebKit/WebCore/loader/archive/ArchiveFactory.cpp',
'../third_party/WebKit/WebCore/loader/archive/ArchiveFactory.h',
'../third_party/WebKit/WebCore/loader/archive/ArchiveResource.cpp',
'../third_party/WebKit/WebCore/loader/archive/ArchiveResource.h',
'../third_party/WebKit/WebCore/loader/archive/ArchiveResourceCollection.cpp',
'../third_party/WebKit/WebCore/loader/archive/ArchiveResourceCollection.h',
'../third_party/WebKit/WebCore/loader/icon/IconDatabase.cpp',
'../third_party/WebKit/WebCore/loader/icon/IconDatabase.h',
'../third_party/WebKit/WebCore/loader/icon/IconDatabaseClient.h',
'../third_party/WebKit/WebCore/loader/icon/IconDatabaseNone.cpp',
'../third_party/WebKit/WebCore/loader/icon/IconFetcher.cpp',
'../third_party/WebKit/WebCore/loader/icon/IconFetcher.h',
'../third_party/WebKit/WebCore/loader/icon/IconLoader.cpp',
'../third_party/WebKit/WebCore/loader/icon/IconLoader.h',
'../third_party/WebKit/WebCore/loader/icon/IconRecord.cpp',
'../third_party/WebKit/WebCore/loader/icon/IconRecord.h',
'../third_party/WebKit/WebCore/loader/icon/PageURLRecord.cpp',
'../third_party/WebKit/WebCore/loader/icon/PageURLRecord.h',
'../third_party/WebKit/WebCore/loader/mac/DocumentLoaderMac.cpp',
'../third_party/WebKit/WebCore/loader/mac/LoaderNSURLExtras.h',
'../third_party/WebKit/WebCore/loader/mac/LoaderNSURLExtras.mm',
'../third_party/WebKit/WebCore/loader/mac/ResourceLoaderMac.mm',
'../third_party/WebKit/WebCore/loader/win/DocumentLoaderWin.cpp',
'../third_party/WebKit/WebCore/loader/win/FrameLoaderWin.cpp',
'../third_party/WebKit/WebCore/loader/Cache.cpp',
'../third_party/WebKit/WebCore/loader/Cache.h',
'../third_party/WebKit/WebCore/loader/CachePolicy.h',
'../third_party/WebKit/WebCore/loader/CachedCSSStyleSheet.cpp',
'../third_party/WebKit/WebCore/loader/CachedCSSStyleSheet.h',
'../third_party/WebKit/WebCore/loader/CachedFont.cpp',
'../third_party/WebKit/WebCore/loader/CachedFont.h',
'../third_party/WebKit/WebCore/loader/CachedImage.cpp',
'../third_party/WebKit/WebCore/loader/CachedImage.h',
'../third_party/WebKit/WebCore/loader/CachedResource.cpp',
'../third_party/WebKit/WebCore/loader/CachedResource.h',
'../third_party/WebKit/WebCore/loader/CachedResourceClient.h',
'../third_party/WebKit/WebCore/loader/CachedResourceClientWalker.cpp',
'../third_party/WebKit/WebCore/loader/CachedResourceClientWalker.h',
'../third_party/WebKit/WebCore/loader/CachedResourceHandle.cpp',
'../third_party/WebKit/WebCore/loader/CachedResourceHandle.h',
'../third_party/WebKit/WebCore/loader/CachedScript.cpp',
'../third_party/WebKit/WebCore/loader/CachedScript.h',
'../third_party/WebKit/WebCore/loader/CachedXBLDocument.cpp',
'../third_party/WebKit/WebCore/loader/CachedXBLDocument.h',
'../third_party/WebKit/WebCore/loader/CachedXSLStyleSheet.cpp',
'../third_party/WebKit/WebCore/loader/CachedXSLStyleSheet.h',
'../third_party/WebKit/WebCore/loader/CrossOriginAccessControl.cpp',
'../third_party/WebKit/WebCore/loader/CrossOriginAccessControl.h',
'../third_party/WebKit/WebCore/loader/CrossOriginPreflightResultCache.cpp',
'../third_party/WebKit/WebCore/loader/CrossOriginPreflightResultCache.h',
'../third_party/WebKit/WebCore/loader/DocLoader.cpp',
'../third_party/WebKit/WebCore/loader/DocLoader.h',
'../third_party/WebKit/WebCore/loader/DocumentLoader.cpp',
'../third_party/WebKit/WebCore/loader/DocumentLoader.h',
'../third_party/WebKit/WebCore/loader/DocumentThreadableLoader.cpp',
'../third_party/WebKit/WebCore/loader/DocumentThreadableLoader.h',
'../third_party/WebKit/WebCore/loader/EmptyClients.h',
'../third_party/WebKit/WebCore/loader/FTPDirectoryDocument.cpp',
'../third_party/WebKit/WebCore/loader/FTPDirectoryDocument.h',
'../third_party/WebKit/WebCore/loader/FTPDirectoryParser.cpp',
'../third_party/WebKit/WebCore/loader/FTPDirectoryParser.h',
'../third_party/WebKit/WebCore/loader/FormState.cpp',
'../third_party/WebKit/WebCore/loader/FormState.h',
'../third_party/WebKit/WebCore/loader/FrameLoader.cpp',
'../third_party/WebKit/WebCore/loader/FrameLoader.h',
'../third_party/WebKit/WebCore/loader/FrameLoaderClient.h',
'../third_party/WebKit/WebCore/loader/FrameLoaderTypes.h',
'../third_party/WebKit/WebCore/loader/ImageDocument.cpp',
'../third_party/WebKit/WebCore/loader/ImageDocument.h',
'../third_party/WebKit/WebCore/loader/ImageLoader.cpp',
'../third_party/WebKit/WebCore/loader/ImageLoader.h',
'../third_party/WebKit/WebCore/loader/MainResourceLoader.cpp',
'../third_party/WebKit/WebCore/loader/MainResourceLoader.h',
'../third_party/WebKit/WebCore/loader/MediaDocument.cpp',
'../third_party/WebKit/WebCore/loader/MediaDocument.h',
'../third_party/WebKit/WebCore/loader/NavigationAction.cpp',
'../third_party/WebKit/WebCore/loader/NavigationAction.h',
'../third_party/WebKit/WebCore/loader/NetscapePlugInStreamLoader.cpp',
'../third_party/WebKit/WebCore/loader/NetscapePlugInStreamLoader.h',
'../third_party/WebKit/WebCore/loader/PluginDocument.cpp',
'../third_party/WebKit/WebCore/loader/PluginDocument.h',
'../third_party/WebKit/WebCore/loader/ProgressTracker.cpp',
'../third_party/WebKit/WebCore/loader/ProgressTracker.h',
'../third_party/WebKit/WebCore/loader/Request.cpp',
'../third_party/WebKit/WebCore/loader/Request.h',
'../third_party/WebKit/WebCore/loader/ResourceLoader.cpp',
'../third_party/WebKit/WebCore/loader/ResourceLoader.h',
'../third_party/WebKit/WebCore/loader/SubresourceLoader.cpp',
'../third_party/WebKit/WebCore/loader/SubresourceLoader.h',
'../third_party/WebKit/WebCore/loader/SubresourceLoaderClient.h',
'../third_party/WebKit/WebCore/loader/SubstituteData.h',
'../third_party/WebKit/WebCore/loader/SubstituteResource.h',
'../third_party/WebKit/WebCore/loader/TextDocument.cpp',
'../third_party/WebKit/WebCore/loader/TextDocument.h',
'../third_party/WebKit/WebCore/loader/TextResourceDecoder.cpp',
'../third_party/WebKit/WebCore/loader/TextResourceDecoder.h',
'../third_party/WebKit/WebCore/loader/ThreadableLoader.cpp',
'../third_party/WebKit/WebCore/loader/ThreadableLoader.h',
'../third_party/WebKit/WebCore/loader/ThreadableLoaderClient.h',
'../third_party/WebKit/WebCore/loader/ThreadableLoaderClientWrapper.h',
'../third_party/WebKit/WebCore/loader/UserStyleSheetLoader.cpp',
'../third_party/WebKit/WebCore/loader/UserStyleSheetLoader.h',
'../third_party/WebKit/WebCore/loader/WorkerThreadableLoader.cpp',
'../third_party/WebKit/WebCore/loader/WorkerThreadableLoader.h',
'../third_party/WebKit/WebCore/loader/loader.cpp',
'../third_party/WebKit/WebCore/loader/loader.h',
'../third_party/WebKit/WebCore/page/animation/AnimationBase.cpp',
'../third_party/WebKit/WebCore/page/animation/AnimationBase.h',
'../third_party/WebKit/WebCore/page/animation/AnimationController.cpp',
'../third_party/WebKit/WebCore/page/animation/AnimationController.h',
'../third_party/WebKit/WebCore/page/animation/AnimationControllerPrivate.h',
'../third_party/WebKit/WebCore/page/animation/CompositeAnimation.cpp',
'../third_party/WebKit/WebCore/page/animation/CompositeAnimation.h',
'../third_party/WebKit/WebCore/page/animation/ImplicitAnimation.cpp',
'../third_party/WebKit/WebCore/page/animation/ImplicitAnimation.h',
'../third_party/WebKit/WebCore/page/animation/KeyframeAnimation.cpp',
'../third_party/WebKit/WebCore/page/animation/KeyframeAnimation.h',
'../third_party/WebKit/WebCore/page/chromium/ChromeClientChromium.h',
'../third_party/WebKit/WebCore/page/chromium/DragControllerChromium.cpp',
'../third_party/WebKit/WebCore/page/chromium/EventHandlerChromium.cpp',
'../third_party/WebKit/WebCore/page/chromium/FrameChromium.cpp',
'../third_party/WebKit/WebCore/page/chromium/FrameChromium.h',
'../third_party/WebKit/WebCore/page/gtk/DragControllerGtk.cpp',
'../third_party/WebKit/WebCore/page/gtk/EventHandlerGtk.cpp',
'../third_party/WebKit/WebCore/page/gtk/FrameGtk.cpp',
'../third_party/WebKit/WebCore/page/mac/ChromeMac.mm',
'../third_party/WebKit/WebCore/page/mac/DragControllerMac.mm',
'../third_party/WebKit/WebCore/page/mac/EventHandlerMac.mm',
'../third_party/WebKit/WebCore/page/mac/FrameMac.mm',
'../third_party/WebKit/WebCore/page/mac/PageMac.cpp',
'../third_party/WebKit/WebCore/page/mac/WebCoreFrameView.h',
'../third_party/WebKit/WebCore/page/mac/WebCoreKeyboardUIMode.h',
'../third_party/WebKit/WebCore/page/mac/WebCoreViewFactory.h',
'../third_party/WebKit/WebCore/page/mac/WebCoreViewFactory.m',
'../third_party/WebKit/WebCore/page/mac/WebDashboardRegion.h',
'../third_party/WebKit/WebCore/page/mac/WebDashboardRegion.m',
'../third_party/WebKit/WebCore/page/qt/DragControllerQt.cpp',
'../third_party/WebKit/WebCore/page/qt/EventHandlerQt.cpp',
'../third_party/WebKit/WebCore/page/qt/FrameQt.cpp',
'../third_party/WebKit/WebCore/page/win/DragControllerWin.cpp',
'../third_party/WebKit/WebCore/page/win/EventHandlerWin.cpp',
'../third_party/WebKit/WebCore/page/win/FrameCGWin.cpp',
'../third_party/WebKit/WebCore/page/win/FrameCairoWin.cpp',
'../third_party/WebKit/WebCore/page/win/FrameWin.cpp',
'../third_party/WebKit/WebCore/page/win/FrameWin.h',
'../third_party/WebKit/WebCore/page/win/PageWin.cpp',
'../third_party/WebKit/WebCore/page/wx/DragControllerWx.cpp',
'../third_party/WebKit/WebCore/page/wx/EventHandlerWx.cpp',
'../third_party/WebKit/WebCore/page/BarInfo.cpp',
'../third_party/WebKit/WebCore/page/BarInfo.h',
'../third_party/WebKit/WebCore/page/Chrome.cpp',
'../third_party/WebKit/WebCore/page/Chrome.h',
'../third_party/WebKit/WebCore/page/ChromeClient.h',
'../third_party/WebKit/WebCore/page/Console.cpp',
'../third_party/WebKit/WebCore/page/Console.h',
'../third_party/WebKit/WebCore/page/ContextMenuClient.h',
'../third_party/WebKit/WebCore/page/ContextMenuController.cpp',
'../third_party/WebKit/WebCore/page/ContextMenuController.h',
'../third_party/WebKit/WebCore/page/Coordinates.cpp',
'../third_party/WebKit/WebCore/page/DOMSelection.cpp',
'../third_party/WebKit/WebCore/page/DOMSelection.h',
'../third_party/WebKit/WebCore/page/DOMTimer.cpp',
'../third_party/WebKit/WebCore/page/DOMTimer.h',
'../third_party/WebKit/WebCore/page/DOMWindow.cpp',
'../third_party/WebKit/WebCore/page/DOMWindow.h',
'../third_party/WebKit/WebCore/page/DragActions.h',
'../third_party/WebKit/WebCore/page/DragClient.h',
'../third_party/WebKit/WebCore/page/DragController.cpp',
'../third_party/WebKit/WebCore/page/DragController.h',
'../third_party/WebKit/WebCore/page/EditorClient.h',
'../third_party/WebKit/WebCore/page/EventHandler.cpp',
'../third_party/WebKit/WebCore/page/EventHandler.h',
'../third_party/WebKit/WebCore/page/FocusController.cpp',
'../third_party/WebKit/WebCore/page/FocusController.h',
'../third_party/WebKit/WebCore/page/FocusDirection.h',
'../third_party/WebKit/WebCore/page/Frame.cpp',
'../third_party/WebKit/WebCore/page/Frame.h',
'../third_party/WebKit/WebCore/page/FrameLoadRequest.h',
'../third_party/WebKit/WebCore/page/FrameTree.cpp',
'../third_party/WebKit/WebCore/page/FrameTree.h',
'../third_party/WebKit/WebCore/page/FrameView.cpp',
'../third_party/WebKit/WebCore/page/FrameView.h',
'../third_party/WebKit/WebCore/page/Geolocation.cpp',
'../third_party/WebKit/WebCore/page/Geolocation.h',
'../third_party/WebKit/WebCore/page/Geoposition.cpp',
'../third_party/WebKit/WebCore/page/Geoposition.h',
'../third_party/WebKit/WebCore/page/History.cpp',
'../third_party/WebKit/WebCore/page/History.h',
'../third_party/WebKit/WebCore/page/Location.cpp',
'../third_party/WebKit/WebCore/page/Location.h',
'../third_party/WebKit/WebCore/page/MouseEventWithHitTestResults.cpp',
'../third_party/WebKit/WebCore/page/MouseEventWithHitTestResults.h',
'../third_party/WebKit/WebCore/page/Navigator.cpp',
'../third_party/WebKit/WebCore/page/Navigator.h',
'../third_party/WebKit/WebCore/page/NavigatorBase.cpp',
'../third_party/WebKit/WebCore/page/NavigatorBase.h',
'../third_party/WebKit/WebCore/page/Page.cpp',
'../third_party/WebKit/WebCore/page/Page.h',
'../third_party/WebKit/WebCore/page/PageGroup.cpp',
'../third_party/WebKit/WebCore/page/PageGroup.h',
'../third_party/WebKit/WebCore/page/PageGroupLoadDeferrer.cpp',
'../third_party/WebKit/WebCore/page/PageGroupLoadDeferrer.h',
'../third_party/WebKit/WebCore/page/PositionCallback.h',
'../third_party/WebKit/WebCore/page/PositionError.h',
'../third_party/WebKit/WebCore/page/PositionErrorCallback.h',
'../third_party/WebKit/WebCore/page/PositionOptions.h',
'../third_party/WebKit/WebCore/page/PrintContext.cpp',
'../third_party/WebKit/WebCore/page/PrintContext.h',
'../third_party/WebKit/WebCore/page/Screen.cpp',
'../third_party/WebKit/WebCore/page/Screen.h',
'../third_party/WebKit/WebCore/page/SecurityOrigin.cpp',
'../third_party/WebKit/WebCore/page/SecurityOrigin.h',
'../third_party/WebKit/WebCore/page/SecurityOriginHash.h',
'../third_party/WebKit/WebCore/page/Settings.cpp',
'../third_party/WebKit/WebCore/page/Settings.h',
'../third_party/WebKit/WebCore/page/WebKitPoint.h',
'../third_party/WebKit/WebCore/page/WindowFeatures.cpp',
'../third_party/WebKit/WebCore/page/WindowFeatures.h',
'../third_party/WebKit/WebCore/page/WorkerNavigator.cpp',
'../third_party/WebKit/WebCore/page/WorkerNavigator.h',
'../third_party/WebKit/WebCore/page/XSSAuditor.cpp',
'../third_party/WebKit/WebCore/page/XSSAuditor.h',
'../third_party/WebKit/WebCore/platform/animation/Animation.cpp',
'../third_party/WebKit/WebCore/platform/animation/Animation.h',
'../third_party/WebKit/WebCore/platform/animation/AnimationList.cpp',
'../third_party/WebKit/WebCore/platform/animation/AnimationList.h',
'../third_party/WebKit/WebCore/platform/animation/TimingFunction.h',
'../third_party/WebKit/WebCore/platform/cf/FileSystemCF.cpp',
'../third_party/WebKit/WebCore/platform/cf/KURLCFNet.cpp',
'../third_party/WebKit/WebCore/platform/cf/SchedulePair.cpp',
'../third_party/WebKit/WebCore/platform/cf/SchedulePair.h',
'../third_party/WebKit/WebCore/platform/cf/SharedBufferCF.cpp',
'../third_party/WebKit/WebCore/platform/chromium/ChromiumBridge.h',
'../third_party/WebKit/WebCore/platform/chromium/ChromiumDataObject.cpp',
'../third_party/WebKit/WebCore/platform/chromium/ChromiumDataObject.h',
'../third_party/WebKit/WebCore/platform/chromium/ClipboardChromium.cpp',
'../third_party/WebKit/WebCore/platform/chromium/ClipboardChromium.h',
'../third_party/WebKit/WebCore/platform/chromium/ClipboardChromiumLinux.cpp',
'../third_party/WebKit/WebCore/platform/chromium/ClipboardChromiumMac.cpp',
'../third_party/WebKit/WebCore/platform/chromium/ClipboardChromiumWin.cpp',
'../third_party/WebKit/WebCore/platform/chromium/ClipboardUtilitiesChromium.cpp',
'../third_party/WebKit/WebCore/platform/chromium/ClipboardUtilitiesChromium.h',
'../third_party/WebKit/WebCore/platform/chromium/ContextMenuChromium.cpp',
'../third_party/WebKit/WebCore/platform/chromium/ContextMenuItemChromium.cpp',
'../third_party/WebKit/WebCore/platform/chromium/CursorChromium.cpp',
'../third_party/WebKit/WebCore/platform/chromium/DragDataChromium.cpp',
'../third_party/WebKit/WebCore/platform/chromium/DragDataRef.h',
'../third_party/WebKit/WebCore/platform/chromium/DragImageChromium.cpp',
'../third_party/WebKit/WebCore/platform/chromium/DragImageRef.h',
'../third_party/WebKit/WebCore/platform/chromium/FileChooserChromium.cpp',
'../third_party/WebKit/WebCore/platform/chromium/FileSystemChromium.cpp',
'../third_party/WebKit/WebCore/platform/chromium/FileSystemChromiumLinux.cpp',
'../third_party/WebKit/WebCore/platform/chromium/FileSystemChromiumMac.mm',
'../third_party/WebKit/WebCore/platform/chromium/FileSystemChromiumWin.cpp',
'../third_party/WebKit/WebCore/platform/chromium/FramelessScrollView.cpp',
'../third_party/WebKit/WebCore/platform/chromium/FramelessScrollView.h',
'../third_party/WebKit/WebCore/platform/chromium/FramelessScrollViewClient.h',
'../third_party/WebKit/WebCore/platform/chromium/KeyCodeConversion.h',
'../third_party/WebKit/WebCore/platform/chromium/KeyCodeConversionGtk.cpp',
'../third_party/WebKit/WebCore/platform/chromium/KeyboardCodesPosix.h',
'../third_party/WebKit/WebCore/platform/chromium/KeyboardCodesWin.h',
'../third_party/WebKit/WebCore/platform/chromium/Language.cpp',
'../third_party/WebKit/WebCore/platform/chromium/LinkHashChromium.cpp',
'../third_party/WebKit/WebCore/platform/chromium/MimeTypeRegistryChromium.cpp',
'../third_party/WebKit/WebCore/platform/chromium/PasteboardChromium.cpp',
'../third_party/WebKit/WebCore/platform/chromium/PasteboardPrivate.h',
'../third_party/WebKit/WebCore/platform/chromium/PlatformCursor.h',
'../third_party/WebKit/WebCore/platform/chromium/PlatformKeyboardEventChromium.cpp',
'../third_party/WebKit/WebCore/platform/chromium/PlatformScreenChromium.cpp',
'../third_party/WebKit/WebCore/platform/chromium/PlatformWidget.h',
'../third_party/WebKit/WebCore/platform/chromium/PopupMenuChromium.cpp',
'../third_party/WebKit/WebCore/platform/chromium/PopupMenuChromium.h',
'../third_party/WebKit/WebCore/platform/chromium/PopupMenuPrivate.h',
'../third_party/WebKit/WebCore/platform/chromium/SSLKeyGeneratorChromium.cpp',
'../third_party/WebKit/WebCore/platform/chromium/ScrollbarThemeChromium.cpp',
'../third_party/WebKit/WebCore/platform/chromium/ScrollbarThemeChromium.h',
'../third_party/WebKit/WebCore/platform/chromium/ScrollbarThemeChromiumLinux.cpp',
'../third_party/WebKit/WebCore/platform/chromium/ScrollbarThemeChromiumWin.cpp',
'../third_party/WebKit/WebCore/platform/chromium/SearchPopupMenuChromium.cpp',
'../third_party/WebKit/WebCore/platform/chromium/SharedTimerChromium.cpp',
'../third_party/WebKit/WebCore/platform/chromium/SoundChromiumPosix.cpp',
'../third_party/WebKit/WebCore/platform/chromium/SoundChromiumWin.cpp',
'../third_party/WebKit/WebCore/platform/chromium/SuddenTerminationChromium.cpp',
'../third_party/WebKit/WebCore/platform/chromium/SystemTimeChromium.cpp',
'../third_party/WebKit/WebCore/platform/chromium/TemporaryLinkStubs.cpp',
'../third_party/WebKit/WebCore/platform/chromium/WidgetChromium.cpp',
'../third_party/WebKit/WebCore/platform/chromium/WindowsVersion.cpp',
'../third_party/WebKit/WebCore/platform/chromium/WindowsVersion.h',
'../third_party/WebKit/WebCore/platform/graphics/cairo/CairoPath.h',
'../third_party/WebKit/WebCore/platform/graphics/cairo/FontCairo.cpp',
'../third_party/WebKit/WebCore/platform/graphics/cairo/GradientCairo.cpp',
'../third_party/WebKit/WebCore/platform/graphics/cairo/GraphicsContextCairo.cpp',
'../third_party/WebKit/WebCore/platform/graphics/cairo/GraphicsContextPlatformPrivateCairo.h',
'../third_party/WebKit/WebCore/platform/graphics/cairo/ImageBufferCairo.cpp',
'../third_party/WebKit/WebCore/platform/graphics/cairo/ImageBufferData.h',
'../third_party/WebKit/WebCore/platform/graphics/cairo/ImageCairo.cpp',
'../third_party/WebKit/WebCore/platform/graphics/cairo/ImageSourceCairo.cpp',
'../third_party/WebKit/WebCore/platform/graphics/cairo/PathCairo.cpp',
'../third_party/WebKit/WebCore/platform/graphics/cairo/PatternCairo.cpp',
'../third_party/WebKit/WebCore/platform/graphics/cairo/TransformationMatrixCairo.cpp',
'../third_party/WebKit/WebCore/platform/graphics/cg/ColorCG.cpp',
'../third_party/WebKit/WebCore/platform/graphics/cg/FloatPointCG.cpp',
'../third_party/WebKit/WebCore/platform/graphics/cg/FloatRectCG.cpp',
'../third_party/WebKit/WebCore/platform/graphics/cg/FloatSizeCG.cpp',
'../third_party/WebKit/WebCore/platform/graphics/cg/GradientCG.cpp',
'../third_party/WebKit/WebCore/platform/graphics/cg/GraphicsContextCG.cpp',
'../third_party/WebKit/WebCore/platform/graphics/cg/GraphicsContextPlatformPrivateCG.h',
'../third_party/WebKit/WebCore/platform/graphics/cg/ImageBufferCG.cpp',
'../third_party/WebKit/WebCore/platform/graphics/cg/ImageBufferData.h',
'../third_party/WebKit/WebCore/platform/graphics/cg/ImageCG.cpp',
'../third_party/WebKit/WebCore/platform/graphics/cg/ImageSourceCG.cpp',
'../third_party/WebKit/WebCore/platform/graphics/cg/ImageSourceCG.h',
'../third_party/WebKit/WebCore/platform/graphics/cg/ImageSourceCGMac.mm',
'../third_party/WebKit/WebCore/platform/graphics/cg/ImageSourceCGWin.cpp',
'../third_party/WebKit/WebCore/platform/graphics/cg/IntPointCG.cpp',
'../third_party/WebKit/WebCore/platform/graphics/cg/IntRectCG.cpp',
'../third_party/WebKit/WebCore/platform/graphics/cg/IntSizeCG.cpp',
'../third_party/WebKit/WebCore/platform/graphics/cg/PDFDocumentImage.cpp',
'../third_party/WebKit/WebCore/platform/graphics/cg/PDFDocumentImage.h',
'../third_party/WebKit/WebCore/platform/graphics/cg/PathCG.cpp',
'../third_party/WebKit/WebCore/platform/graphics/cg/PatternCG.cpp',
'../third_party/WebKit/WebCore/platform/graphics/cg/TransformationMatrixCG.cpp',
'../third_party/WebKit/WebCore/platform/graphics/chromium/FontCacheChromiumWin.cpp',
'../third_party/WebKit/WebCore/platform/graphics/chromium/FontCacheLinux.cpp',
'../third_party/WebKit/WebCore/platform/graphics/chromium/FontChromiumWin.cpp',
'../third_party/WebKit/WebCore/platform/graphics/chromium/FontCustomPlatformData.cpp',
'../third_party/WebKit/WebCore/platform/graphics/chromium/FontCustomPlatformData.h',
'../third_party/WebKit/WebCore/platform/graphics/chromium/FontLinux.cpp',
'../third_party/WebKit/WebCore/platform/graphics/chromium/FontPlatformData.h',
'../third_party/WebKit/WebCore/platform/graphics/chromium/FontPlatformDataChromiumWin.cpp',
'../third_party/WebKit/WebCore/platform/graphics/chromium/FontPlatformDataChromiumWin.h',
'../third_party/WebKit/WebCore/platform/graphics/chromium/FontPlatformDataLinux.cpp',
'../third_party/WebKit/WebCore/platform/graphics/chromium/FontPlatformDataLinux.h',
'../third_party/WebKit/WebCore/platform/graphics/chromium/FontUtilsChromiumWin.cpp',
'../third_party/WebKit/WebCore/platform/graphics/chromium/FontUtilsChromiumWin.h',
'../third_party/WebKit/WebCore/platform/graphics/chromium/GlyphPageTreeNodeChromiumWin.cpp',
'../third_party/WebKit/WebCore/platform/graphics/chromium/GlyphPageTreeNodeLinux.cpp',
'../third_party/WebKit/WebCore/platform/graphics/chromium/IconChromiumLinux.cpp',
'../third_party/WebKit/WebCore/platform/graphics/chromium/IconChromiumMac.cpp',
'../third_party/WebKit/WebCore/platform/graphics/chromium/IconChromiumWin.cpp',
'../third_party/WebKit/WebCore/platform/graphics/chromium/ImageBufferData.h',
'../third_party/WebKit/WebCore/platform/graphics/chromium/ImageChromiumMac.mm',
'../third_party/WebKit/WebCore/platform/graphics/chromium/MediaPlayerPrivateChromium.h',
'../third_party/WebKit/WebCore/platform/graphics/chromium/PlatformIcon.h',
'../third_party/WebKit/WebCore/platform/graphics/chromium/SimpleFontDataChromiumWin.cpp',
'../third_party/WebKit/WebCore/platform/graphics/chromium/SimpleFontDataLinux.cpp',
'../third_party/WebKit/WebCore/platform/graphics/chromium/TransparencyWin.cpp',
'../third_party/WebKit/WebCore/platform/graphics/chromium/TransparencyWin.h',
'../third_party/WebKit/WebCore/platform/graphics/chromium/UniscribeHelper.cpp',
'../third_party/WebKit/WebCore/platform/graphics/chromium/UniscribeHelper.h',
'../third_party/WebKit/WebCore/platform/graphics/chromium/UniscribeHelperTextRun.cpp',
'../third_party/WebKit/WebCore/platform/graphics/chromium/UniscribeHelperTextRun.h',
'../third_party/WebKit/WebCore/platform/graphics/filters/FEBlend.cpp',
'../third_party/WebKit/WebCore/platform/graphics/filters/FEBlend.h',
'../third_party/WebKit/WebCore/platform/graphics/filters/FEColorMatrix.cpp',
'../third_party/WebKit/WebCore/platform/graphics/filters/FEColorMatrix.h',
'../third_party/WebKit/WebCore/platform/graphics/filters/FEComponentTransfer.cpp',
'../third_party/WebKit/WebCore/platform/graphics/filters/FEComponentTransfer.h',
'../third_party/WebKit/WebCore/platform/graphics/filters/FEComposite.cpp',
'../third_party/WebKit/WebCore/platform/graphics/filters/FEComposite.h',
'../third_party/WebKit/WebCore/platform/graphics/filters/SourceAlpha.cpp',
'../third_party/WebKit/WebCore/platform/graphics/filters/SourceAlpha.h',
'../third_party/WebKit/WebCore/platform/graphics/filters/SourceGraphic.cpp',
'../third_party/WebKit/WebCore/platform/graphics/filters/SourceGraphic.h',
'../third_party/WebKit/WebCore/platform/graphics/gtk/ColorGtk.cpp',
'../third_party/WebKit/WebCore/platform/graphics/gtk/FontCacheGtk.cpp',
'../third_party/WebKit/WebCore/platform/graphics/gtk/FontCustomPlatformData.cpp',
'../third_party/WebKit/WebCore/platform/graphics/gtk/FontCustomPlatformData.h',
'../third_party/WebKit/WebCore/platform/graphics/gtk/FontCustomPlatformDataPango.cpp',
'../third_party/WebKit/WebCore/platform/graphics/gtk/FontGtk.cpp',
'../third_party/WebKit/WebCore/platform/graphics/gtk/FontPlatformData.h',
'../third_party/WebKit/WebCore/platform/graphics/gtk/FontPlatformDataGtk.cpp',
'../third_party/WebKit/WebCore/platform/graphics/gtk/FontPlatformDataPango.cpp',
'../third_party/WebKit/WebCore/platform/graphics/gtk/GlyphPageTreeNodeGtk.cpp',
'../third_party/WebKit/WebCore/platform/graphics/gtk/GlyphPageTreeNodePango.cpp',
'../third_party/WebKit/WebCore/platform/graphics/gtk/IconGtk.cpp',
'../third_party/WebKit/WebCore/platform/graphics/gtk/ImageGtk.cpp',
'../third_party/WebKit/WebCore/platform/graphics/gtk/IntPointGtk.cpp',
'../third_party/WebKit/WebCore/platform/graphics/gtk/IntRectGtk.cpp',
'../third_party/WebKit/WebCore/platform/graphics/gtk/MediaPlayerPrivateGStreamer.cpp',
'../third_party/WebKit/WebCore/platform/graphics/gtk/MediaPlayerPrivateGStreamer.h',
'../third_party/WebKit/WebCore/platform/graphics/gtk/SimpleFontDataGtk.cpp',
'../third_party/WebKit/WebCore/platform/graphics/gtk/SimpleFontDataPango.cpp',
'../third_party/WebKit/WebCore/platform/graphics/gtk/VideoSinkGStreamer.cpp',
'../third_party/WebKit/WebCore/platform/graphics/gtk/VideoSinkGStreamer.h',
'../third_party/WebKit/WebCore/platform/graphics/mac/ColorMac.h',
'../third_party/WebKit/WebCore/platform/graphics/mac/ColorMac.mm',
'../third_party/WebKit/WebCore/platform/graphics/mac/CoreTextController.cpp',
'../third_party/WebKit/WebCore/platform/graphics/mac/CoreTextController.h',
'../third_party/WebKit/WebCore/platform/graphics/mac/FloatPointMac.mm',
'../third_party/WebKit/WebCore/platform/graphics/mac/FloatRectMac.mm',
'../third_party/WebKit/WebCore/platform/graphics/mac/FloatSizeMac.mm',
'../third_party/WebKit/WebCore/platform/graphics/mac/FontCacheMac.mm',
'../third_party/WebKit/WebCore/platform/graphics/mac/FontCustomPlatformData.cpp',
'../third_party/WebKit/WebCore/platform/graphics/mac/FontCustomPlatformData.h',
'../third_party/WebKit/WebCore/platform/graphics/mac/FontMac.mm',
'../third_party/WebKit/WebCore/platform/graphics/mac/FontMacATSUI.mm',
'../third_party/WebKit/WebCore/platform/graphics/mac/FontMacCoreText.cpp',
'../third_party/WebKit/WebCore/platform/graphics/mac/FontPlatformData.h',
'../third_party/WebKit/WebCore/platform/graphics/mac/FontPlatformDataMac.mm',
'../third_party/WebKit/WebCore/platform/graphics/mac/GlyphPageTreeNodeMac.cpp',
'../third_party/WebKit/WebCore/platform/graphics/mac/GraphicsContextMac.mm',
'../third_party/WebKit/WebCore/platform/graphics/mac/GraphicsLayerCA.h',
'../third_party/WebKit/WebCore/platform/graphics/mac/GraphicsLayerCA.mm',
'../third_party/WebKit/WebCore/platform/graphics/mac/IconMac.mm',
'../third_party/WebKit/WebCore/platform/graphics/mac/ImageMac.mm',
'../third_party/WebKit/WebCore/platform/graphics/mac/IntPointMac.mm',
'../third_party/WebKit/WebCore/platform/graphics/mac/IntRectMac.mm',
'../third_party/WebKit/WebCore/platform/graphics/mac/IntSizeMac.mm',
'../third_party/WebKit/WebCore/platform/graphics/mac/MediaPlayerPrivateQTKit.h',
'../third_party/WebKit/WebCore/platform/graphics/mac/MediaPlayerPrivateQTKit.mm',
'../third_party/WebKit/WebCore/platform/graphics/mac/MediaPlayerProxy.h',
'../third_party/WebKit/WebCore/platform/graphics/mac/SimpleFontDataMac.mm',
'../third_party/WebKit/WebCore/platform/graphics/mac/WebLayer.h',
'../third_party/WebKit/WebCore/platform/graphics/mac/WebLayer.mm',
'../third_party/WebKit/WebCore/platform/graphics/mac/WebTiledLayer.h',
'../third_party/WebKit/WebCore/platform/graphics/mac/WebTiledLayer.mm',
'../third_party/WebKit/WebCore/platform/graphics/MediaPlayer.cpp',
'../third_party/WebKit/WebCore/platform/graphics/opentype/OpenTypeUtilities.cpp',
'../third_party/WebKit/WebCore/platform/graphics/opentype/OpenTypeUtilities.h',
'../third_party/WebKit/WebCore/platform/graphics/qt/ColorQt.cpp',
'../third_party/WebKit/WebCore/platform/graphics/qt/FloatPointQt.cpp',
'../third_party/WebKit/WebCore/platform/graphics/qt/FloatRectQt.cpp',
'../third_party/WebKit/WebCore/platform/graphics/qt/FontCacheQt.cpp',
'../third_party/WebKit/WebCore/platform/graphics/qt/FontCustomPlatformData.cpp',
'../third_party/WebKit/WebCore/platform/graphics/qt/FontCustomPlatformData.h',
'../third_party/WebKit/WebCore/platform/graphics/qt/FontFallbackListQt.cpp',
'../third_party/WebKit/WebCore/platform/graphics/qt/FontPlatformData.h',
'../third_party/WebKit/WebCore/platform/graphics/qt/FontPlatformDataQt.cpp',
'../third_party/WebKit/WebCore/platform/graphics/qt/FontQt.cpp',
'../third_party/WebKit/WebCore/platform/graphics/qt/FontQt43.cpp',
'../third_party/WebKit/WebCore/platform/graphics/qt/GlyphPageTreeNodeQt.cpp',
'../third_party/WebKit/WebCore/platform/graphics/qt/GradientQt.cpp',
'../third_party/WebKit/WebCore/platform/graphics/qt/GraphicsContextQt.cpp',
'../third_party/WebKit/WebCore/platform/graphics/qt/IconQt.cpp',
'../third_party/WebKit/WebCore/platform/graphics/qt/ImageBufferData.h',
'../third_party/WebKit/WebCore/platform/graphics/qt/ImageBufferQt.cpp',
'../third_party/WebKit/WebCore/platform/graphics/qt/ImageDecoderQt.cpp',
'../third_party/WebKit/WebCore/platform/graphics/qt/ImageDecoderQt.h',
'../third_party/WebKit/WebCore/platform/graphics/qt/ImageQt.cpp',
'../third_party/WebKit/WebCore/platform/graphics/qt/ImageSourceQt.cpp',
'../third_party/WebKit/WebCore/platform/graphics/qt/IntPointQt.cpp',
'../third_party/WebKit/WebCore/platform/graphics/qt/IntRectQt.cpp',
'../third_party/WebKit/WebCore/platform/graphics/qt/IntSizeQt.cpp',
'../third_party/WebKit/WebCore/platform/graphics/qt/MediaPlayerPrivatePhonon.cpp',
'../third_party/WebKit/WebCore/platform/graphics/qt/MediaPlayerPrivatePhonon.h',
'../third_party/WebKit/WebCore/platform/graphics/qt/PathQt.cpp',
'../third_party/WebKit/WebCore/platform/graphics/qt/PatternQt.cpp',
'../third_party/WebKit/WebCore/platform/graphics/qt/SimpleFontDataQt.cpp',
'../third_party/WebKit/WebCore/platform/graphics/qt/StillImageQt.cpp',
'../third_party/WebKit/WebCore/platform/graphics/qt/StillImageQt.h',
'../third_party/WebKit/WebCore/platform/graphics/qt/TransformationMatrixQt.cpp',
'../third_party/WebKit/WebCore/platform/graphics/skia/BitmapImageSingleFrameSkia.h',
'../third_party/WebKit/WebCore/platform/graphics/skia/FloatPointSkia.cpp',
'../third_party/WebKit/WebCore/platform/graphics/skia/FloatRectSkia.cpp',
'../third_party/WebKit/WebCore/platform/graphics/skia/GradientSkia.cpp',
'../third_party/WebKit/WebCore/platform/graphics/skia/GraphicsContextPlatformPrivate.h',
'../third_party/WebKit/WebCore/platform/graphics/skia/GraphicsContextSkia.cpp',
'../third_party/WebKit/WebCore/platform/graphics/skia/ImageBufferSkia.cpp',
'../third_party/WebKit/WebCore/platform/graphics/skia/ImageSkia.cpp',
'../third_party/WebKit/WebCore/platform/graphics/skia/ImageSourceSkia.cpp',
'../third_party/WebKit/WebCore/platform/graphics/skia/ImageSourceSkia.h',
'../third_party/WebKit/WebCore/platform/graphics/skia/IntPointSkia.cpp',
'../third_party/WebKit/WebCore/platform/graphics/skia/IntRectSkia.cpp',
'../third_party/WebKit/WebCore/platform/graphics/skia/NativeImageSkia.cpp',
'../third_party/WebKit/WebCore/platform/graphics/skia/NativeImageSkia.h',
'../third_party/WebKit/WebCore/platform/graphics/skia/PathSkia.cpp',
'../third_party/WebKit/WebCore/platform/graphics/skia/PatternSkia.cpp',
'../third_party/WebKit/WebCore/platform/graphics/skia/PlatformContextSkia.cpp',
'../third_party/WebKit/WebCore/platform/graphics/skia/PlatformContextSkia.h',
'../third_party/WebKit/WebCore/platform/graphics/skia/PlatformGraphics.h',
'../third_party/WebKit/WebCore/platform/graphics/skia/SkiaFontWin.cpp',
'../third_party/WebKit/WebCore/platform/graphics/skia/SkiaFontWin.h',
'../third_party/WebKit/WebCore/platform/graphics/skia/SkiaUtils.cpp',
'../third_party/WebKit/WebCore/platform/graphics/skia/SkiaUtils.h',
'../third_party/WebKit/WebCore/platform/graphics/skia/TransformationMatrixSkia.cpp',
'../third_party/WebKit/WebCore/platform/graphics/transforms/IdentityTransformOperation.h',
'../third_party/WebKit/WebCore/platform/graphics/transforms/Matrix3DTransformOperation.cpp',
'../third_party/WebKit/WebCore/platform/graphics/transforms/Matrix3DTransformOperation.h',
'../third_party/WebKit/WebCore/platform/graphics/transforms/MatrixTransformOperation.cpp',
'../third_party/WebKit/WebCore/platform/graphics/transforms/MatrixTransformOperation.h',
'../third_party/WebKit/WebCore/platform/graphics/transforms/PerspectiveTransformOperation.cpp',
'../third_party/WebKit/WebCore/platform/graphics/transforms/PerspectiveTransformOperation.h',
'../third_party/WebKit/WebCore/platform/graphics/transforms/RotateTransformOperation.cpp',
'../third_party/WebKit/WebCore/platform/graphics/transforms/RotateTransformOperation.h',
'../third_party/WebKit/WebCore/platform/graphics/transforms/ScaleTransformOperation.cpp',
'../third_party/WebKit/WebCore/platform/graphics/transforms/ScaleTransformOperation.h',
'../third_party/WebKit/WebCore/platform/graphics/transforms/SkewTransformOperation.cpp',
'../third_party/WebKit/WebCore/platform/graphics/transforms/SkewTransformOperation.h',
'../third_party/WebKit/WebCore/platform/graphics/transforms/TransformOperation.h',
'../third_party/WebKit/WebCore/platform/graphics/transforms/TransformOperations.cpp',
'../third_party/WebKit/WebCore/platform/graphics/transforms/TransformOperations.h',
'../third_party/WebKit/WebCore/platform/graphics/transforms/TransformationMatrix.cpp',
'../third_party/WebKit/WebCore/platform/graphics/transforms/TransformationMatrix.h',
'../third_party/WebKit/WebCore/platform/graphics/transforms/TranslateTransformOperation.cpp',
'../third_party/WebKit/WebCore/platform/graphics/transforms/TranslateTransformOperation.h',
'../third_party/WebKit/WebCore/platform/graphics/win/ColorSafari.cpp',
'../third_party/WebKit/WebCore/platform/graphics/win/FontCGWin.cpp',
'../third_party/WebKit/WebCore/platform/graphics/win/FontCacheWin.cpp',
'../third_party/WebKit/WebCore/platform/graphics/win/FontCustomPlatformData.cpp',
'../third_party/WebKit/WebCore/platform/graphics/win/FontCustomPlatformData.h',
'../third_party/WebKit/WebCore/platform/graphics/win/FontCustomPlatformDataCairo.cpp',
'../third_party/WebKit/WebCore/platform/graphics/win/FontCustomPlatformDataCairo.h',
'../third_party/WebKit/WebCore/platform/graphics/win/FontDatabase.cpp',
'../third_party/WebKit/WebCore/platform/graphics/win/FontDatabase.h',
'../third_party/WebKit/WebCore/platform/graphics/win/FontPlatformData.h',
'../third_party/WebKit/WebCore/platform/graphics/win/FontPlatformDataCGWin.cpp',
'../third_party/WebKit/WebCore/platform/graphics/win/FontPlatformDataCairoWin.cpp',
'../third_party/WebKit/WebCore/platform/graphics/win/FontPlatformDataWin.cpp',
'../third_party/WebKit/WebCore/platform/graphics/win/FontWin.cpp',
'../third_party/WebKit/WebCore/platform/graphics/win/GlyphPageTreeNodeCGWin.cpp',
'../third_party/WebKit/WebCore/platform/graphics/win/GlyphPageTreeNodeCairoWin.cpp',
'../third_party/WebKit/WebCore/platform/graphics/win/GraphicsContextCGWin.cpp',
'../third_party/WebKit/WebCore/platform/graphics/win/GraphicsContextCairoWin.cpp',
'../third_party/WebKit/WebCore/platform/graphics/win/GraphicsContextWin.cpp',
'../third_party/WebKit/WebCore/platform/graphics/win/IconWin.cpp',
'../third_party/WebKit/WebCore/platform/graphics/win/ImageCGWin.cpp',
'../third_party/WebKit/WebCore/platform/graphics/win/ImageCairoWin.cpp',
'../third_party/WebKit/WebCore/platform/graphics/win/ImageWin.cpp',
'../third_party/WebKit/WebCore/platform/graphics/win/IntPointWin.cpp',
'../third_party/WebKit/WebCore/platform/graphics/win/IntRectWin.cpp',
'../third_party/WebKit/WebCore/platform/graphics/win/IntSizeWin.cpp',
'../third_party/WebKit/WebCore/platform/graphics/win/MediaPlayerPrivateQuickTimeWin.cpp',
'../third_party/WebKit/WebCore/platform/graphics/win/MediaPlayerPrivateQuickTimeWin.h',
'../third_party/WebKit/WebCore/platform/graphics/win/QTMovieWin.cpp',
'../third_party/WebKit/WebCore/platform/graphics/win/QTMovieWin.h',
'../third_party/WebKit/WebCore/platform/graphics/win/QTMovieWinTimer.cpp',
'../third_party/WebKit/WebCore/platform/graphics/win/QTMovieWinTimer.h',
'../third_party/WebKit/WebCore/platform/graphics/win/SimpleFontDataCGWin.cpp',
'../third_party/WebKit/WebCore/platform/graphics/win/SimpleFontDataCairoWin.cpp',
'../third_party/WebKit/WebCore/platform/graphics/win/SimpleFontDataWin.cpp',
'../third_party/WebKit/WebCore/platform/graphics/win/UniscribeController.cpp',
'../third_party/WebKit/WebCore/platform/graphics/win/UniscribeController.h',
'../third_party/WebKit/WebCore/platform/graphics/wx/ColorWx.cpp',
'../third_party/WebKit/WebCore/platform/graphics/wx/FloatRectWx.cpp',
'../third_party/WebKit/WebCore/platform/graphics/wx/FontCacheWx.cpp',
'../third_party/WebKit/WebCore/platform/graphics/wx/FontPlatformData.h',
'../third_party/WebKit/WebCore/platform/graphics/wx/FontPlatformDataWx.cpp',
'../third_party/WebKit/WebCore/platform/graphics/wx/FontWx.cpp',
'../third_party/WebKit/WebCore/platform/graphics/wx/GlyphMapWx.cpp',
'../third_party/WebKit/WebCore/platform/graphics/wx/GradientWx.cpp',
'../third_party/WebKit/WebCore/platform/graphics/wx/GraphicsContextWx.cpp',
'../third_party/WebKit/WebCore/platform/graphics/wx/ImageBufferData.h',
'../third_party/WebKit/WebCore/platform/graphics/wx/ImageBufferWx.cpp',
'../third_party/WebKit/WebCore/platform/graphics/wx/ImageSourceWx.cpp',
'../third_party/WebKit/WebCore/platform/graphics/wx/ImageWx.cpp',
'../third_party/WebKit/WebCore/platform/graphics/wx/IntPointWx.cpp',
'../third_party/WebKit/WebCore/platform/graphics/wx/IntRectWx.cpp',
'../third_party/WebKit/WebCore/platform/graphics/wx/PathWx.cpp',
'../third_party/WebKit/WebCore/platform/graphics/wx/PenWx.cpp',
'../third_party/WebKit/WebCore/platform/graphics/wx/SimpleFontDataWx.cpp',
'../third_party/WebKit/WebCore/platform/graphics/wx/TransformationMatrixWx.cpp',
'../third_party/WebKit/WebCore/platform/graphics/BitmapImage.cpp',
'../third_party/WebKit/WebCore/platform/graphics/BitmapImage.h',
'../third_party/WebKit/WebCore/platform/graphics/Color.cpp',
'../third_party/WebKit/WebCore/platform/graphics/Color.h',
'../third_party/WebKit/WebCore/platform/graphics/DashArray.h',
'../third_party/WebKit/WebCore/platform/graphics/FloatPoint.cpp',
'../third_party/WebKit/WebCore/platform/graphics/FloatPoint.h',
'../third_party/WebKit/WebCore/platform/graphics/FloatPoint3D.cpp',
'../third_party/WebKit/WebCore/platform/graphics/FloatPoint3D.h',
'../third_party/WebKit/WebCore/platform/graphics/FloatQuad.cpp',
'../third_party/WebKit/WebCore/platform/graphics/FloatQuad.h',
'../third_party/WebKit/WebCore/platform/graphics/FloatRect.cpp',
'../third_party/WebKit/WebCore/platform/graphics/FloatRect.h',
'../third_party/WebKit/WebCore/platform/graphics/FloatSize.cpp',
'../third_party/WebKit/WebCore/platform/graphics/FloatSize.h',
'../third_party/WebKit/WebCore/platform/graphics/Font.cpp',
'../third_party/WebKit/WebCore/platform/graphics/Font.h',
'../third_party/WebKit/WebCore/platform/graphics/FontCache.cpp',
'../third_party/WebKit/WebCore/platform/graphics/FontCache.h',
'../third_party/WebKit/WebCore/platform/graphics/FontData.cpp',
'../third_party/WebKit/WebCore/platform/graphics/FontData.h',
'../third_party/WebKit/WebCore/platform/graphics/FontDescription.cpp',
'../third_party/WebKit/WebCore/platform/graphics/FontDescription.h',
'../third_party/WebKit/WebCore/platform/graphics/FontFallbackList.cpp',
'../third_party/WebKit/WebCore/platform/graphics/FontFallbackList.h',
'../third_party/WebKit/WebCore/platform/graphics/FontFamily.cpp',
'../third_party/WebKit/WebCore/platform/graphics/FontFamily.h',
'../third_party/WebKit/WebCore/platform/graphics/FontFastPath.cpp',
'../third_party/WebKit/WebCore/platform/graphics/FontRenderingMode.h',
'../third_party/WebKit/WebCore/platform/graphics/FontSelector.h',
'../third_party/WebKit/WebCore/platform/graphics/FontTraitsMask.h',
'../third_party/WebKit/WebCore/platform/graphics/GeneratedImage.cpp',
'../third_party/WebKit/WebCore/platform/graphics/GeneratedImage.h',
'../third_party/WebKit/WebCore/platform/graphics/Generator.h',
'../third_party/WebKit/WebCore/platform/graphics/GlyphBuffer.h',
'../third_party/WebKit/WebCore/platform/graphics/GlyphPageTreeNode.cpp',
'../third_party/WebKit/WebCore/platform/graphics/GlyphPageTreeNode.h',
'../third_party/WebKit/WebCore/platform/graphics/GlyphWidthMap.cpp',
'../third_party/WebKit/WebCore/platform/graphics/GlyphWidthMap.h',
'../third_party/WebKit/WebCore/platform/graphics/Gradient.cpp',
'../third_party/WebKit/WebCore/platform/graphics/Gradient.h',
'../third_party/WebKit/WebCore/platform/graphics/GraphicsContext.cpp',
'../third_party/WebKit/WebCore/platform/graphics/GraphicsContext.h',
'../third_party/WebKit/WebCore/platform/graphics/GraphicsContextPrivate.h',
'../third_party/WebKit/WebCore/platform/graphics/GraphicsLayer.cpp',
'../third_party/WebKit/WebCore/platform/graphics/GraphicsLayer.h',
'../third_party/WebKit/WebCore/platform/graphics/GraphicsLayerClient.h',
'../third_party/WebKit/WebCore/platform/graphics/GraphicsTypes.cpp',
'../third_party/WebKit/WebCore/platform/graphics/GraphicsTypes.h',
'../third_party/WebKit/WebCore/platform/graphics/Icon.h',
'../third_party/WebKit/WebCore/platform/graphics/Image.cpp',
'../third_party/WebKit/WebCore/platform/graphics/Image.h',
'../third_party/WebKit/WebCore/platform/graphics/ImageBuffer.h',
'../third_party/WebKit/WebCore/platform/graphics/ImageObserver.h',
'../third_party/WebKit/WebCore/platform/graphics/ImageSource.h',
'../third_party/WebKit/WebCore/platform/graphics/IntPoint.h',
'../third_party/WebKit/WebCore/platform/graphics/IntRect.cpp',
'../third_party/WebKit/WebCore/platform/graphics/IntRect.h',
'../third_party/WebKit/WebCore/platform/graphics/IntSize.h',
'../third_party/WebKit/WebCore/platform/graphics/IntSizeHash.h',
'../third_party/WebKit/WebCore/platform/graphics/MediaPlayer.cpp',
'../third_party/WebKit/WebCore/platform/graphics/MediaPlayer.h',
'../third_party/WebKit/WebCore/platform/graphics/MediaPlayerPrivate.h',
'../third_party/WebKit/WebCore/platform/graphics/Path.cpp',
'../third_party/WebKit/WebCore/platform/graphics/Path.h',
'../third_party/WebKit/WebCore/platform/graphics/PathTraversalState.cpp',
'../third_party/WebKit/WebCore/platform/graphics/PathTraversalState.h',
'../third_party/WebKit/WebCore/platform/graphics/Pattern.cpp',
'../third_party/WebKit/WebCore/platform/graphics/Pattern.h',
'../third_party/WebKit/WebCore/platform/graphics/Pen.cpp',
'../third_party/WebKit/WebCore/platform/graphics/Pen.h',
'../third_party/WebKit/WebCore/platform/graphics/SegmentedFontData.cpp',
'../third_party/WebKit/WebCore/platform/graphics/SegmentedFontData.h',
'../third_party/WebKit/WebCore/platform/graphics/SimpleFontData.cpp',
'../third_party/WebKit/WebCore/platform/graphics/SimpleFontData.h',
'../third_party/WebKit/WebCore/platform/graphics/StringTruncator.cpp',
'../third_party/WebKit/WebCore/platform/graphics/StringTruncator.h',
'../third_party/WebKit/WebCore/platform/graphics/StrokeStyleApplier.h',
'../third_party/WebKit/WebCore/platform/graphics/TextRun.h',
'../third_party/WebKit/WebCore/platform/graphics/UnitBezier.h',
'../third_party/WebKit/WebCore/platform/graphics/WidthIterator.cpp',
'../third_party/WebKit/WebCore/platform/graphics/WidthIterator.h',
'../third_party/WebKit/WebCore/platform/gtk/ClipboardGtk.cpp',
'../third_party/WebKit/WebCore/platform/gtk/ClipboardGtk.h',
'../third_party/WebKit/WebCore/platform/gtk/ContextMenuGtk.cpp',
'../third_party/WebKit/WebCore/platform/gtk/ContextMenuItemGtk.cpp',
'../third_party/WebKit/WebCore/platform/gtk/CursorGtk.cpp',
'../third_party/WebKit/WebCore/platform/gtk/CursorGtk.h',
'../third_party/WebKit/WebCore/platform/gtk/DragDataGtk.cpp',
'../third_party/WebKit/WebCore/platform/gtk/DragImageGtk.cpp',
'../third_party/WebKit/WebCore/platform/gtk/EventLoopGtk.cpp',
'../third_party/WebKit/WebCore/platform/gtk/FileChooserGtk.cpp',
'../third_party/WebKit/WebCore/platform/gtk/FileSystemGtk.cpp',
'../third_party/WebKit/WebCore/platform/gtk/GeolocationServiceGtk.cpp',
'../third_party/WebKit/WebCore/platform/gtk/GeolocationServiceGtk.h',
'../third_party/WebKit/WebCore/platform/gtk/KURLGtk.cpp',
'../third_party/WebKit/WebCore/platform/gtk/KeyEventGtk.cpp',
'../third_party/WebKit/WebCore/platform/gtk/KeyboardCodes.h',
'../third_party/WebKit/WebCore/platform/gtk/Language.cpp',
'../third_party/WebKit/WebCore/platform/gtk/LocalizedStringsGtk.cpp',
'../third_party/WebKit/WebCore/platform/gtk/LoggingGtk.cpp',
'../third_party/WebKit/WebCore/platform/gtk/MIMETypeRegistryGtk.cpp',
'../third_party/WebKit/WebCore/platform/gtk/MouseEventGtk.cpp',
'../third_party/WebKit/WebCore/platform/gtk/PasteboardGtk.cpp',
'../third_party/WebKit/WebCore/platform/gtk/PasteboardHelper.h',
'../third_party/WebKit/WebCore/platform/gtk/PlatformScreenGtk.cpp',
'../third_party/WebKit/WebCore/platform/gtk/PopupMenuGtk.cpp',
'../third_party/WebKit/WebCore/platform/gtk/RenderThemeGtk.cpp',
'../third_party/WebKit/WebCore/platform/gtk/RenderThemeGtk.h',
'../third_party/WebKit/WebCore/platform/gtk/ScrollViewGtk.cpp',
'../third_party/WebKit/WebCore/platform/gtk/ScrollbarGtk.cpp',
'../third_party/WebKit/WebCore/platform/gtk/ScrollbarGtk.h',
'../third_party/WebKit/WebCore/platform/gtk/ScrollbarThemeGtk.cpp',
'../third_party/WebKit/WebCore/platform/gtk/ScrollbarThemeGtk.h',
'../third_party/WebKit/WebCore/platform/gtk/SearchPopupMenuGtk.cpp',
'../third_party/WebKit/WebCore/platform/gtk/SharedBufferGtk.cpp',
'../third_party/WebKit/WebCore/platform/gtk/SharedTimerGtk.cpp',
'../third_party/WebKit/WebCore/platform/gtk/SoundGtk.cpp',
'../third_party/WebKit/WebCore/platform/gtk/TemporaryLinkStubs.cpp',
'../third_party/WebKit/WebCore/platform/gtk/WheelEventGtk.cpp',
'../third_party/WebKit/WebCore/platform/gtk/WidgetGtk.cpp',
'../third_party/WebKit/WebCore/platform/gtk/gtkdrawing.h',
'../third_party/WebKit/WebCore/platform/gtk/guriescape.h',
'../third_party/WebKit/WebCore/platform/image-decoders/ImageDecoder.h',
'../third_party/WebKit/WebCore/platform/image-decoders/bmp/BMPImageDecoder.cpp',
'../third_party/WebKit/WebCore/platform/image-decoders/bmp/BMPImageDecoder.h',
'../third_party/WebKit/WebCore/platform/image-decoders/bmp/BMPImageReader.cpp',
'../third_party/WebKit/WebCore/platform/image-decoders/bmp/BMPImageReader.h',
'../third_party/WebKit/WebCore/platform/image-decoders/gif/GIFImageDecoder.cpp',
'../third_party/WebKit/WebCore/platform/image-decoders/gif/GIFImageDecoder.h',
'../third_party/WebKit/WebCore/platform/image-decoders/gif/GIFImageReader.cpp',
'../third_party/WebKit/WebCore/platform/image-decoders/gif/GIFImageReader.h',
'../third_party/WebKit/WebCore/platform/image-decoders/ico/ICOImageDecoder.cpp',
'../third_party/WebKit/WebCore/platform/image-decoders/ico/ICOImageDecoder.h',
'../third_party/WebKit/WebCore/platform/image-decoders/jpeg/JPEGImageDecoder.cpp',
'../third_party/WebKit/WebCore/platform/image-decoders/jpeg/JPEGImageDecoder.h',
'../third_party/WebKit/WebCore/platform/image-decoders/png/PNGImageDecoder.cpp',
'../third_party/WebKit/WebCore/platform/image-decoders/png/PNGImageDecoder.h',
'../third_party/WebKit/WebCore/platform/image-decoders/xbm/XBMImageDecoder.cpp',
'../third_party/WebKit/WebCore/platform/image-decoders/xbm/XBMImageDecoder.h',
'../third_party/WebKit/WebCore/platform/image-decoders/zlib/crc32.h',
'../third_party/WebKit/WebCore/platform/image-decoders/zlib/deflate.h',
'../third_party/WebKit/WebCore/platform/image-decoders/zlib/inffast.h',
'../third_party/WebKit/WebCore/platform/image-decoders/zlib/inffixed.h',
'../third_party/WebKit/WebCore/platform/image-decoders/zlib/inflate.h',
'../third_party/WebKit/WebCore/platform/image-decoders/zlib/inftrees.h',
'../third_party/WebKit/WebCore/platform/image-decoders/zlib/mozzconf.h',
'../third_party/WebKit/WebCore/platform/image-decoders/zlib/trees.h',
'../third_party/WebKit/WebCore/platform/image-decoders/zlib/zconf.h',
'../third_party/WebKit/WebCore/platform/image-decoders/zlib/zlib.h',
'../third_party/WebKit/WebCore/platform/image-decoders/zlib/zutil.h',
'../third_party/WebKit/WebCore/platform/image-decoders/skia/ImageDecoderSkia.cpp',
'../third_party/WebKit/WebCore/platform/image-encoders/skia/PNGImageEncoder.cpp',
'../third_party/WebKit/WebCore/platform/image-encoders/skia/PNGImageEncoder.h',
'../third_party/WebKit/WebCore/platform/mac/AutodrainedPool.mm',
'../third_party/WebKit/WebCore/platform/mac/BlockExceptions.h',
'../third_party/WebKit/WebCore/platform/mac/BlockExceptions.mm',
'../third_party/WebKit/WebCore/platform/mac/ClipboardMac.h',
'../third_party/WebKit/WebCore/platform/mac/ClipboardMac.mm',
'../third_party/WebKit/WebCore/platform/mac/ContextMenuItemMac.mm',
'../third_party/WebKit/WebCore/platform/mac/ContextMenuMac.mm',
'../third_party/WebKit/WebCore/platform/mac/CookieJar.mm',
'../third_party/WebKit/WebCore/platform/mac/CursorMac.mm',
'../third_party/WebKit/WebCore/platform/mac/DragDataMac.mm',
'../third_party/WebKit/WebCore/platform/mac/DragImageMac.mm',
'../third_party/WebKit/WebCore/platform/mac/EventLoopMac.mm',
'../third_party/WebKit/WebCore/platform/mac/FileChooserMac.mm',
'../third_party/WebKit/WebCore/platform/mac/FileSystemMac.mm',
'../third_party/WebKit/WebCore/platform/mac/FoundationExtras.h',
'../third_party/WebKit/WebCore/platform/mac/KURLMac.mm',
'../third_party/WebKit/WebCore/platform/mac/KeyEventMac.mm',
'../third_party/WebKit/WebCore/platform/mac/Language.mm',
'../third_party/WebKit/WebCore/platform/mac/LocalCurrentGraphicsContext.h',
'../third_party/WebKit/WebCore/platform/mac/LocalCurrentGraphicsContext.mm',
'../third_party/WebKit/WebCore/platform/mac/LocalizedStringsMac.mm',
'../third_party/WebKit/WebCore/platform/mac/LoggingMac.mm',
'../third_party/WebKit/WebCore/platform/mac/MIMETypeRegistryMac.mm',
'../third_party/WebKit/WebCore/platform/mac/PasteboardHelper.h',
'../third_party/WebKit/WebCore/platform/mac/PasteboardMac.mm',
'../third_party/WebKit/WebCore/platform/mac/PlatformMouseEventMac.mm',
'../third_party/WebKit/WebCore/platform/mac/PlatformScreenMac.mm',
'../third_party/WebKit/WebCore/platform/mac/PopupMenuMac.mm',
'../third_party/WebKit/WebCore/platform/mac/PurgeableBufferMac.cpp',
'../third_party/WebKit/WebCore/platform/mac/SSLKeyGeneratorMac.mm',
'../third_party/WebKit/WebCore/platform/mac/SchedulePairMac.mm',
'../third_party/WebKit/WebCore/platform/mac/ScrollViewMac.mm',
'../third_party/WebKit/WebCore/platform/mac/ScrollbarThemeMac.h',
'../third_party/WebKit/WebCore/platform/mac/ScrollbarThemeMac.mm',
'../third_party/WebKit/WebCore/platform/mac/SearchPopupMenuMac.mm',
'../third_party/WebKit/WebCore/platform/mac/SharedBufferMac.mm',
'../third_party/WebKit/WebCore/platform/mac/SharedTimerMac.mm',
'../third_party/WebKit/WebCore/platform/mac/SoftLinking.h',
'../third_party/WebKit/WebCore/platform/mac/SoundMac.mm',
'../third_party/WebKit/WebCore/platform/mac/SystemTimeMac.cpp',
'../third_party/WebKit/WebCore/platform/mac/ThemeMac.h',
'../third_party/WebKit/WebCore/platform/mac/ThemeMac.mm',
'../third_party/WebKit/WebCore/platform/mac/ThreadCheck.mm',
'../third_party/WebKit/WebCore/platform/mac/WebCoreKeyGenerator.h',
'../third_party/WebKit/WebCore/platform/mac/WebCoreKeyGenerator.m',
'../third_party/WebKit/WebCore/platform/mac/WebCoreNSStringExtras.h',
'../third_party/WebKit/WebCore/platform/mac/WebCoreNSStringExtras.mm',
'../third_party/WebKit/WebCore/platform/mac/WebCoreObjCExtras.h',
'../third_party/WebKit/WebCore/platform/mac/WebCoreObjCExtras.mm',
'../third_party/WebKit/WebCore/platform/mac/WebCoreSystemInterface.h',
'../third_party/WebKit/WebCore/platform/mac/WebCoreSystemInterface.mm',
'../third_party/WebKit/WebCore/platform/mac/WebCoreView.h',
'../third_party/WebKit/WebCore/platform/mac/WebCoreView.m',
'../third_party/WebKit/WebCore/platform/mac/WebFontCache.h',
'../third_party/WebKit/WebCore/platform/mac/WebFontCache.mm',
'../third_party/WebKit/WebCore/platform/mac/WheelEventMac.mm',
'../third_party/WebKit/WebCore/platform/mac/WidgetMac.mm',
'../third_party/WebKit/WebCore/platform/network/cf/AuthenticationCF.cpp',
'../third_party/WebKit/WebCore/platform/network/cf/AuthenticationCF.h',
'../third_party/WebKit/WebCore/platform/network/cf/AuthenticationChallenge.h',
'../third_party/WebKit/WebCore/platform/network/cf/DNSCFNet.cpp',
'../third_party/WebKit/WebCore/platform/network/cf/FormDataStreamCFNet.cpp',
'../third_party/WebKit/WebCore/platform/network/cf/FormDataStreamCFNet.h',
'../third_party/WebKit/WebCore/platform/network/cf/ResourceError.h',
'../third_party/WebKit/WebCore/platform/network/cf/ResourceErrorCF.cpp',
'../third_party/WebKit/WebCore/platform/network/cf/ResourceHandleCFNet.cpp',
'../third_party/WebKit/WebCore/platform/network/cf/ResourceRequest.h',
'../third_party/WebKit/WebCore/platform/network/cf/ResourceRequestCFNet.cpp',
'../third_party/WebKit/WebCore/platform/network/cf/ResourceRequestCFNet.h',
'../third_party/WebKit/WebCore/platform/network/cf/ResourceResponse.h',
'../third_party/WebKit/WebCore/platform/network/cf/ResourceResponseCFNet.cpp',
'../third_party/WebKit/WebCore/platform/network/cf/ResourceResponseCFNet.h',
'../third_party/WebKit/WebCore/platform/network/chromium/AuthenticationChallenge.h',
'../third_party/WebKit/WebCore/platform/network/chromium/AuthenticationChallengeChromium.cpp',
'../third_party/WebKit/WebCore/platform/network/chromium/CookieJarChromium.cpp',
'../third_party/WebKit/WebCore/platform/network/chromium/DNSChromium.cpp',
'../third_party/WebKit/WebCore/platform/network/chromium/NetworkStateNotifierChromium.cpp',
'../third_party/WebKit/WebCore/platform/network/chromium/NetworkStateNotifierPrivate.h',
'../third_party/WebKit/WebCore/platform/network/chromium/ResourceError.h',
'../third_party/WebKit/WebCore/platform/network/chromium/ResourceRequest.h',
'../third_party/WebKit/WebCore/platform/network/chromium/ResourceResponse.h',
'../third_party/WebKit/WebCore/platform/network/curl/AuthenticationChallenge.h',
'../third_party/WebKit/WebCore/platform/network/curl/CookieJarCurl.cpp',
'../third_party/WebKit/WebCore/platform/network/curl/DNSCurl.cpp',
'../third_party/WebKit/WebCore/platform/network/curl/FormDataStreamCurl.cpp',
'../third_party/WebKit/WebCore/platform/network/curl/FormDataStreamCurl.h',
'../third_party/WebKit/WebCore/platform/network/curl/ResourceError.h',
'../third_party/WebKit/WebCore/platform/network/curl/ResourceHandleCurl.cpp',
'../third_party/WebKit/WebCore/platform/network/curl/ResourceHandleManager.cpp',
'../third_party/WebKit/WebCore/platform/network/curl/ResourceHandleManager.h',
'../third_party/WebKit/WebCore/platform/network/curl/ResourceRequest.h',
'../third_party/WebKit/WebCore/platform/network/curl/ResourceResponse.h',
'../third_party/WebKit/WebCore/platform/network/mac/AuthenticationChallenge.h',
'../third_party/WebKit/WebCore/platform/network/mac/AuthenticationMac.h',
'../third_party/WebKit/WebCore/platform/network/mac/AuthenticationMac.mm',
'../third_party/WebKit/WebCore/platform/network/mac/FormDataStreamMac.h',
'../third_party/WebKit/WebCore/platform/network/mac/FormDataStreamMac.mm',
'../third_party/WebKit/WebCore/platform/network/mac/NetworkStateNotifierMac.cpp',
'../third_party/WebKit/WebCore/platform/network/mac/ResourceError.h',
'../third_party/WebKit/WebCore/platform/network/mac/ResourceErrorMac.mm',
'../third_party/WebKit/WebCore/platform/network/mac/ResourceHandleMac.mm',
'../third_party/WebKit/WebCore/platform/network/mac/ResourceRequest.h',
'../third_party/WebKit/WebCore/platform/network/mac/ResourceRequestMac.mm',
'../third_party/WebKit/WebCore/platform/network/mac/ResourceResponse.h',
'../third_party/WebKit/WebCore/platform/network/mac/ResourceResponseMac.mm',
'../third_party/WebKit/WebCore/platform/network/mac/WebCoreURLResponse.h',
'../third_party/WebKit/WebCore/platform/network/mac/WebCoreURLResponse.mm',
'../third_party/WebKit/WebCore/platform/network/qt/AuthenticationChallenge.h',
'../third_party/WebKit/WebCore/platform/network/qt/QNetworkReplyHandler.cpp',
'../third_party/WebKit/WebCore/platform/network/qt/QNetworkReplyHandler.h',
'../third_party/WebKit/WebCore/platform/network/qt/ResourceError.h',
'../third_party/WebKit/WebCore/platform/network/qt/ResourceHandleQt.cpp',
'../third_party/WebKit/WebCore/platform/network/qt/ResourceRequest.h',
'../third_party/WebKit/WebCore/platform/network/qt/ResourceRequestQt.cpp',
'../third_party/WebKit/WebCore/platform/network/qt/ResourceResponse.h',
'../third_party/WebKit/WebCore/platform/network/soup/AuthenticationChallenge.h',
'../third_party/WebKit/WebCore/platform/network/soup/CookieJarSoup.cpp',
'../third_party/WebKit/WebCore/platform/network/soup/CookieJarSoup.h',
'../third_party/WebKit/WebCore/platform/network/soup/DNSSoup.cpp',
'../third_party/WebKit/WebCore/platform/network/soup/ResourceError.h',
'../third_party/WebKit/WebCore/platform/network/soup/ResourceHandleSoup.cpp',
'../third_party/WebKit/WebCore/platform/network/soup/ResourceRequest.h',
'../third_party/WebKit/WebCore/platform/network/soup/ResourceResponse.h',
'../third_party/WebKit/WebCore/platform/network/soup/webkit-soup-auth-dialog.c',
'../third_party/WebKit/WebCore/platform/network/soup/webkit-soup-auth-dialog.h',
'../third_party/WebKit/WebCore/platform/network/win/CookieJarCFNetWin.cpp',
'../third_party/WebKit/WebCore/platform/network/win/CookieJarWin.cpp',
'../third_party/WebKit/WebCore/platform/network/win/CookieStorageWin.cpp',
'../third_party/WebKit/WebCore/platform/network/win/CookieStorageWin.h',
'../third_party/WebKit/WebCore/platform/network/win/NetworkStateNotifierWin.cpp',
'../third_party/WebKit/WebCore/platform/network/win/ResourceHandleWin.cpp',
'../third_party/WebKit/WebCore/platform/network/win/ResourceHandleWin.h',
'../third_party/WebKit/WebCore/platform/network/AuthenticationChallengeBase.cpp',
'../third_party/WebKit/WebCore/platform/network/AuthenticationChallengeBase.h',
'../third_party/WebKit/WebCore/platform/network/Credential.cpp',
'../third_party/WebKit/WebCore/platform/network/Credential.h',
'../third_party/WebKit/WebCore/platform/network/DNS.h',
'../third_party/WebKit/WebCore/platform/network/FormData.cpp',
'../third_party/WebKit/WebCore/platform/network/FormData.h',
'../third_party/WebKit/WebCore/platform/network/FormDataBuilder.cpp',
'../third_party/WebKit/WebCore/platform/network/FormDataBuilder.h',
'../third_party/WebKit/WebCore/platform/network/HTTPHeaderMap.cpp',
'../third_party/WebKit/WebCore/platform/network/HTTPHeaderMap.h',
'../third_party/WebKit/WebCore/platform/network/HTTPParsers.cpp',
'../third_party/WebKit/WebCore/platform/network/HTTPParsers.h',
'../third_party/WebKit/WebCore/platform/network/NetworkStateNotifier.cpp',
'../third_party/WebKit/WebCore/platform/network/NetworkStateNotifier.h',
'../third_party/WebKit/WebCore/platform/network/ProtectionSpace.cpp',
'../third_party/WebKit/WebCore/platform/network/ProtectionSpace.h',
'../third_party/WebKit/WebCore/platform/network/ResourceErrorBase.cpp',
'../third_party/WebKit/WebCore/platform/network/ResourceErrorBase.h',
'../third_party/WebKit/WebCore/platform/network/ResourceHandleClient.h',
'../third_party/WebKit/WebCore/platform/network/ResourceHandleInternal.h',
'../third_party/WebKit/WebCore/platform/network/ResourceRequestBase.cpp',
'../third_party/WebKit/WebCore/platform/network/ResourceRequestBase.h',
'../third_party/WebKit/WebCore/platform/network/ResourceResponseBase.cpp',
'../third_party/WebKit/WebCore/platform/network/ResourceResponseBase.h',
'../third_party/WebKit/WebCore/platform/posix/FileSystemPOSIX.cpp',
'../third_party/WebKit/WebCore/platform/qt/ClipboardQt.cpp',
'../third_party/WebKit/WebCore/platform/qt/ClipboardQt.h',
'../third_party/WebKit/WebCore/platform/qt/ContextMenuItemQt.cpp',
'../third_party/WebKit/WebCore/platform/qt/ContextMenuQt.cpp',
'../third_party/WebKit/WebCore/platform/qt/CookieJarQt.cpp',
'../third_party/WebKit/WebCore/platform/qt/CursorQt.cpp',
'../third_party/WebKit/WebCore/platform/qt/DragDataQt.cpp',
'../third_party/WebKit/WebCore/platform/qt/DragImageQt.cpp',
'../third_party/WebKit/WebCore/platform/qt/EventLoopQt.cpp',
'../third_party/WebKit/WebCore/platform/qt/FileChooserQt.cpp',
'../third_party/WebKit/WebCore/platform/qt/FileSystemQt.cpp',
'../third_party/WebKit/WebCore/platform/qt/KURLQt.cpp',
'../third_party/WebKit/WebCore/platform/qt/KeyboardCodes.h',
'../third_party/WebKit/WebCore/platform/qt/Localizations.cpp',
'../third_party/WebKit/WebCore/platform/qt/LoggingQt.cpp',
'../third_party/WebKit/WebCore/platform/qt/MIMETypeRegistryQt.cpp',
'../third_party/WebKit/WebCore/platform/qt/MenuEventProxy.h',
'../third_party/WebKit/WebCore/platform/qt/PasteboardQt.cpp',
'../third_party/WebKit/WebCore/platform/qt/PlatformKeyboardEventQt.cpp',
'../third_party/WebKit/WebCore/platform/qt/PlatformMouseEventQt.cpp',
'../third_party/WebKit/WebCore/platform/qt/PlatformScreenQt.cpp',
'../third_party/WebKit/WebCore/platform/qt/PopupMenuQt.cpp',
'../third_party/WebKit/WebCore/platform/qt/QWebPopup.cpp',
'../third_party/WebKit/WebCore/platform/qt/QWebPopup.h',
'../third_party/WebKit/WebCore/platform/qt/RenderThemeQt.cpp',
'../third_party/WebKit/WebCore/platform/qt/RenderThemeQt.h',
'../third_party/WebKit/WebCore/platform/qt/ScreenQt.cpp',
'../third_party/WebKit/WebCore/platform/qt/ScrollViewQt.cpp',
'../third_party/WebKit/WebCore/platform/qt/ScrollbarQt.cpp',
'../third_party/WebKit/WebCore/platform/qt/ScrollbarThemeQt.cpp',
'../third_party/WebKit/WebCore/platform/qt/ScrollbarThemeQt.h',
'../third_party/WebKit/WebCore/platform/qt/SearchPopupMenuQt.cpp',
'../third_party/WebKit/WebCore/platform/qt/SharedBufferQt.cpp',
'../third_party/WebKit/WebCore/platform/qt/SharedTimerQt.cpp',
'../third_party/WebKit/WebCore/platform/qt/SoundQt.cpp',
'../third_party/WebKit/WebCore/platform/qt/TemporaryLinkStubs.cpp',
'../third_party/WebKit/WebCore/platform/qt/WheelEventQt.cpp',
'../third_party/WebKit/WebCore/platform/qt/WidgetQt.cpp',
'../third_party/WebKit/WebCore/platform/sql/SQLValue.cpp',
'../third_party/WebKit/WebCore/platform/sql/SQLValue.h',
'../third_party/WebKit/WebCore/platform/sql/SQLiteAuthorizer.cpp',
'../third_party/WebKit/WebCore/platform/sql/SQLiteDatabase.cpp',
'../third_party/WebKit/WebCore/platform/sql/SQLiteDatabase.h',
'../third_party/WebKit/WebCore/platform/sql/SQLiteFileSystem.h',
'../third_party/WebKit/WebCore/platform/sql/SQLiteFileSystem.cpp',
'../third_party/WebKit/WebCore/platform/sql/SQLiteStatement.cpp',
'../third_party/WebKit/WebCore/platform/sql/SQLiteStatement.h',
'../third_party/WebKit/WebCore/platform/sql/SQLiteTransaction.cpp',
'../third_party/WebKit/WebCore/platform/sql/SQLiteTransaction.h',
'../third_party/WebKit/WebCore/platform/symbian/FloatPointSymbian.cpp',
'../third_party/WebKit/WebCore/platform/symbian/FloatRectSymbian.cpp',
'../third_party/WebKit/WebCore/platform/symbian/IntPointSymbian.cpp',
'../third_party/WebKit/WebCore/platform/symbian/IntRectSymbian.cpp',
'../third_party/WebKit/WebCore/platform/symbian/IntSizeSymbian.cpp',
'../third_party/WebKit/WebCore/platform/text/cf/StringCF.cpp',
'../third_party/WebKit/WebCore/platform/text/cf/StringImplCF.cpp',
'../third_party/WebKit/WebCore/platform/text/chromium/TextBreakIteratorInternalICUChromium.cpp',
'../third_party/WebKit/WebCore/platform/text/gtk/TextBreakIteratorInternalICUGtk.cpp',
'../third_party/WebKit/WebCore/platform/text/mac/CharsetData.h',
'../third_party/WebKit/WebCore/platform/text/mac/ShapeArabic.c',
'../third_party/WebKit/WebCore/platform/text/mac/ShapeArabic.h',
'../third_party/WebKit/WebCore/platform/text/mac/StringImplMac.mm',
'../third_party/WebKit/WebCore/platform/text/mac/StringMac.mm',
'../third_party/WebKit/WebCore/platform/text/mac/TextBoundaries.mm',
'../third_party/WebKit/WebCore/platform/text/mac/TextBreakIteratorInternalICUMac.mm',
'../third_party/WebKit/WebCore/platform/text/mac/TextCodecMac.cpp',
'../third_party/WebKit/WebCore/platform/text/mac/TextCodecMac.h',
'../third_party/WebKit/WebCore/platform/text/qt/StringQt.cpp',
'../third_party/WebKit/WebCore/platform/text/qt/TextBoundaries.cpp',
'../third_party/WebKit/WebCore/platform/text/qt/TextBreakIteratorQt.cpp',
'../third_party/WebKit/WebCore/platform/text/qt/TextCodecQt.cpp',
'../third_party/WebKit/WebCore/platform/text/qt/TextCodecQt.h',
'../third_party/WebKit/WebCore/platform/text/symbian/StringImplSymbian.cpp',
'../third_party/WebKit/WebCore/platform/text/symbian/StringSymbian.cpp',
'../third_party/WebKit/WebCore/platform/text/win/TextBreakIteratorInternalICUWin.cpp',
'../third_party/WebKit/WebCore/platform/text/wx/StringWx.cpp',
'../third_party/WebKit/WebCore/platform/text/AtomicString.cpp',
'../third_party/WebKit/WebCore/platform/text/AtomicString.h',
'../third_party/WebKit/WebCore/platform/text/AtomicStringHash.h',
'../third_party/WebKit/WebCore/platform/text/AtomicStringImpl.h',
'../third_party/WebKit/WebCore/platform/text/Base64.cpp',
'../third_party/WebKit/WebCore/platform/text/Base64.h',
'../third_party/WebKit/WebCore/platform/text/BidiContext.cpp',
'../third_party/WebKit/WebCore/platform/text/BidiContext.h',
'../third_party/WebKit/WebCore/platform/text/BidiResolver.h',
'../third_party/WebKit/WebCore/platform/text/CString.cpp',
'../third_party/WebKit/WebCore/platform/text/CString.h',
'../third_party/WebKit/WebCore/platform/text/CharacterNames.h',
'../third_party/WebKit/WebCore/platform/text/ParserUtilities.h',
'../third_party/WebKit/WebCore/platform/text/PlatformString.h',
'../third_party/WebKit/WebCore/platform/text/RegularExpression.cpp',
'../third_party/WebKit/WebCore/platform/text/RegularExpression.h',
'../third_party/WebKit/WebCore/platform/text/SegmentedString.cpp',
'../third_party/WebKit/WebCore/platform/text/SegmentedString.h',
'../third_party/WebKit/WebCore/platform/text/String.cpp',
'../third_party/WebKit/WebCore/platform/text/StringBuffer.h',
'../third_party/WebKit/WebCore/platform/text/StringBuilder.cpp',
'../third_party/WebKit/WebCore/platform/text/StringBuilder.h',
'../third_party/WebKit/WebCore/platform/text/StringHash.h',
'../third_party/WebKit/WebCore/platform/text/StringImpl.cpp',
'../third_party/WebKit/WebCore/platform/text/StringImpl.h',
'../third_party/WebKit/WebCore/platform/text/TextBoundaries.h',
'../third_party/WebKit/WebCore/platform/text/TextBoundariesICU.cpp',
'../third_party/WebKit/WebCore/platform/text/TextBreakIterator.h',
'../third_party/WebKit/WebCore/platform/text/TextBreakIteratorICU.cpp',
'../third_party/WebKit/WebCore/platform/text/TextBreakIteratorInternalICU.h',
'../third_party/WebKit/WebCore/platform/text/TextCodec.cpp',
'../third_party/WebKit/WebCore/platform/text/TextCodec.h',
'../third_party/WebKit/WebCore/platform/text/TextCodecICU.cpp',
'../third_party/WebKit/WebCore/platform/text/TextCodecICU.h',
'../third_party/WebKit/WebCore/platform/text/TextCodecLatin1.cpp',
'../third_party/WebKit/WebCore/platform/text/TextCodecLatin1.h',
'../third_party/WebKit/WebCore/platform/text/TextCodecUTF16.cpp',
'../third_party/WebKit/WebCore/platform/text/TextCodecUTF16.h',
'../third_party/WebKit/WebCore/platform/text/TextCodecUserDefined.cpp',
'../third_party/WebKit/WebCore/platform/text/TextCodecUserDefined.h',
'../third_party/WebKit/WebCore/platform/text/TextDirection.h',
'../third_party/WebKit/WebCore/platform/text/TextEncoding.cpp',
'../third_party/WebKit/WebCore/platform/text/TextEncoding.h',
'../third_party/WebKit/WebCore/platform/text/TextEncodingDetector.h',
'../third_party/WebKit/WebCore/platform/text/TextEncodingDetectorICU.cpp',
'../third_party/WebKit/WebCore/platform/text/TextEncodingRegistry.cpp',
'../third_party/WebKit/WebCore/platform/text/TextEncodingRegistry.h',
'../third_party/WebKit/WebCore/platform/text/TextStream.cpp',
'../third_party/WebKit/WebCore/platform/text/TextStream.h',
'../third_party/WebKit/WebCore/platform/text/UnicodeRange.cpp',
'../third_party/WebKit/WebCore/platform/text/UnicodeRange.h',
'../third_party/WebKit/WebCore/platform/win/BString.cpp',
'../third_party/WebKit/WebCore/platform/win/BString.h',
'../third_party/WebKit/WebCore/platform/win/COMPtr.h',
'../third_party/WebKit/WebCore/platform/win/ClipboardUtilitiesWin.cpp',
'../third_party/WebKit/WebCore/platform/win/ClipboardUtilitiesWin.h',
'../third_party/WebKit/WebCore/platform/win/ClipboardWin.cpp',
'../third_party/WebKit/WebCore/platform/win/ClipboardWin.h',
'../third_party/WebKit/WebCore/platform/win/ContextMenuItemWin.cpp',
'../third_party/WebKit/WebCore/platform/win/ContextMenuWin.cpp',
'../third_party/WebKit/WebCore/platform/win/CursorWin.cpp',
'../third_party/WebKit/WebCore/platform/win/DragDataWin.cpp',
'../third_party/WebKit/WebCore/platform/win/DragImageCGWin.cpp',
'../third_party/WebKit/WebCore/platform/win/DragImageCairoWin.cpp',
'../third_party/WebKit/WebCore/platform/win/DragImageWin.cpp',
'../third_party/WebKit/WebCore/platform/win/EditorWin.cpp',
'../third_party/WebKit/WebCore/platform/win/EventLoopWin.cpp',
'../third_party/WebKit/WebCore/platform/win/FileChooserWin.cpp',
'../third_party/WebKit/WebCore/platform/win/FileSystemWin.cpp',
'../third_party/WebKit/WebCore/platform/win/GDIObjectCounter.cpp',
'../third_party/WebKit/WebCore/platform/win/GDIObjectCounter.h',
'../third_party/WebKit/WebCore/platform/win/KeyEventWin.cpp',
'../third_party/WebKit/WebCore/platform/win/Language.cpp',
'../third_party/WebKit/WebCore/platform/win/LoggingWin.cpp',
'../third_party/WebKit/WebCore/platform/win/MIMETypeRegistryWin.cpp',
'../third_party/WebKit/WebCore/platform/win/PasteboardWin.cpp',
'../third_party/WebKit/WebCore/platform/win/PlatformMouseEventWin.cpp',
'../third_party/WebKit/WebCore/platform/win/PlatformScreenWin.cpp',
'../third_party/WebKit/WebCore/platform/win/PlatformScrollBar.h',
'../third_party/WebKit/WebCore/platform/win/PlatformScrollBarWin.cpp',
'../third_party/WebKit/WebCore/platform/win/PopupMenuWin.cpp',
'../third_party/WebKit/WebCore/platform/win/ScrollbarThemeSafari.cpp',
'../third_party/WebKit/WebCore/platform/win/ScrollbarThemeSafari.h',
'../third_party/WebKit/WebCore/platform/win/ScrollbarThemeWin.cpp',
'../third_party/WebKit/WebCore/platform/win/ScrollbarThemeWin.h',
'../third_party/WebKit/WebCore/platform/win/SearchPopupMenuWin.cpp',
'../third_party/WebKit/WebCore/platform/win/SharedBufferWin.cpp',
'../third_party/WebKit/WebCore/platform/win/SharedTimerWin.cpp',
'../third_party/WebKit/WebCore/platform/win/SoftLinking.h',
'../third_party/WebKit/WebCore/platform/win/SoundWin.cpp',
'../third_party/WebKit/WebCore/platform/win/SystemTimeWin.cpp',
'../third_party/WebKit/WebCore/platform/win/TemporaryLinkStubs.cpp',
'../third_party/WebKit/WebCore/platform/win/WCDataObject.cpp',
'../third_party/WebKit/WebCore/platform/win/WCDataObject.h',
'../third_party/WebKit/WebCore/platform/win/WebCoreTextRenderer.cpp',
'../third_party/WebKit/WebCore/platform/win/WebCoreTextRenderer.h',
'../third_party/WebKit/WebCore/platform/win/WheelEventWin.cpp',
'../third_party/WebKit/WebCore/platform/win/WidgetWin.cpp',
'../third_party/WebKit/WebCore/platform/win/WindowMessageBroadcaster.cpp',
'../third_party/WebKit/WebCore/platform/win/WindowMessageBroadcaster.h',
'../third_party/WebKit/WebCore/platform/win/WindowMessageListener.h',
'../third_party/WebKit/WebCore/platform/wx/wxcode/gtk/fontprops.cpp',
'../third_party/WebKit/WebCore/platform/wx/wxcode/gtk/non-kerned-drawing.cpp',
'../third_party/WebKit/WebCore/platform/wx/wxcode/mac/carbon/fontprops.cpp',
'../third_party/WebKit/WebCore/platform/wx/wxcode/mac/carbon/non-kerned-drawing.cpp',
'../third_party/WebKit/WebCore/platform/wx/wxcode/win/fontprops.cpp',
'../third_party/WebKit/WebCore/platform/wx/wxcode/win/non-kerned-drawing.cpp',
'../third_party/WebKit/WebCore/platform/wx/wxcode/fontprops.cpp',
'../third_party/WebKit/WebCore/platform/wx/wxcode/fontprops.h',
'../third_party/WebKit/WebCore/platform/wx/wxcode/non-kerned-drawing.h',
'../third_party/WebKit/WebCore/platform/wx/ClipboardWx.cpp',
'../third_party/WebKit/WebCore/platform/wx/ClipboardWx.h',
'../third_party/WebKit/WebCore/platform/wx/ContextMenuItemWx.cpp',
'../third_party/WebKit/WebCore/platform/wx/ContextMenuWx.cpp',
'../third_party/WebKit/WebCore/platform/wx/CursorWx.cpp',
'../third_party/WebKit/WebCore/platform/wx/DragDataWx.cpp',
'../third_party/WebKit/WebCore/platform/wx/DragImageWx.cpp',
'../third_party/WebKit/WebCore/platform/wx/EventLoopWx.cpp',
'../third_party/WebKit/WebCore/platform/wx/FileSystemWx.cpp',
'../third_party/WebKit/WebCore/platform/wx/KeyEventWin.cpp',
'../third_party/WebKit/WebCore/platform/wx/KeyboardCodes.h',
'../third_party/WebKit/WebCore/platform/wx/KeyboardEventWx.cpp',
'../third_party/WebKit/WebCore/platform/wx/LocalizedStringsWx.cpp',
'../third_party/WebKit/WebCore/platform/wx/LoggingWx.cpp',
'../third_party/WebKit/WebCore/platform/wx/MimeTypeRegistryWx.cpp',
'../third_party/WebKit/WebCore/platform/wx/MouseEventWx.cpp',
'../third_party/WebKit/WebCore/platform/wx/MouseWheelEventWx.cpp',
'../third_party/WebKit/WebCore/platform/wx/PasteboardWx.cpp',
'../third_party/WebKit/WebCore/platform/wx/PopupMenuWx.cpp',
'../third_party/WebKit/WebCore/platform/wx/RenderThemeWx.cpp',
'../third_party/WebKit/WebCore/platform/wx/ScreenWx.cpp',
'../third_party/WebKit/WebCore/platform/wx/ScrollViewWx.cpp',
'../third_party/WebKit/WebCore/platform/wx/SharedTimerWx.cpp',
'../third_party/WebKit/WebCore/platform/wx/SoundWx.cpp',
'../third_party/WebKit/WebCore/platform/wx/TemporaryLinkStubs.cpp',
'../third_party/WebKit/WebCore/platform/wx/WidgetWx.cpp',
'../third_party/WebKit/WebCore/platform/Arena.cpp',
'../third_party/WebKit/WebCore/platform/Arena.h',
'../third_party/WebKit/WebCore/platform/AutodrainedPool.h',
'../third_party/WebKit/WebCore/platform/ContentType.cpp',
'../third_party/WebKit/WebCore/platform/ContentType.h',
'../third_party/WebKit/WebCore/platform/ContextMenu.cpp',
'../third_party/WebKit/WebCore/platform/ContextMenu.h',
'../third_party/WebKit/WebCore/platform/ContextMenuItem.h',
'../third_party/WebKit/WebCore/platform/CookieJar.h',
'../third_party/WebKit/WebCore/platform/CrossThreadCopier.h',
'../third_party/WebKit/WebCore/platform/CrossThreadCopier.cpp',
'../third_party/WebKit/WebCore/platform/Cursor.h',
'../third_party/WebKit/WebCore/platform/DeprecatedPtrList.h',
'../third_party/WebKit/WebCore/platform/DeprecatedPtrListImpl.cpp',
'../third_party/WebKit/WebCore/platform/DeprecatedPtrListImpl.h',
'../third_party/WebKit/WebCore/platform/DragData.cpp',
'../third_party/WebKit/WebCore/platform/DragData.h',
'../third_party/WebKit/WebCore/platform/DragImage.cpp',
'../third_party/WebKit/WebCore/platform/DragImage.h',
'../third_party/WebKit/WebCore/platform/EventLoop.h',
'../third_party/WebKit/WebCore/platform/FileChooser.cpp',
'../third_party/WebKit/WebCore/platform/FileChooser.h',
'../third_party/WebKit/WebCore/platform/FileSystem.h',
'../third_party/WebKit/WebCore/platform/FloatConversion.h',
'../third_party/WebKit/WebCore/platform/GeolocationService.cpp',
'../third_party/WebKit/WebCore/platform/GeolocationService.h',
'../third_party/WebKit/WebCore/platform/HostWindow.h',
'../third_party/WebKit/WebCore/platform/KeyboardCodes.h',
'../third_party/WebKit/WebCore/platform/KURL.cpp',
'../third_party/WebKit/WebCore/platform/KURL.h',
'../third_party/WebKit/WebCore/platform/KURLGoogle.cpp',
'../third_party/WebKit/WebCore/platform/KURLGooglePrivate.h',
'../third_party/WebKit/WebCore/platform/KURLHash.h',
'../third_party/WebKit/WebCore/platform/Language.h',
'../third_party/WebKit/WebCore/platform/Length.cpp',
'../third_party/WebKit/WebCore/platform/Length.h',
'../third_party/WebKit/WebCore/platform/LengthBox.h',
'../third_party/WebKit/WebCore/platform/LengthSize.h',
'../third_party/WebKit/WebCore/platform/LinkHash.cpp',
'../third_party/WebKit/WebCore/platform/LinkHash.h',
'../third_party/WebKit/WebCore/platform/LocalizedStrings.h',
'../third_party/WebKit/WebCore/platform/Logging.cpp',
'../third_party/WebKit/WebCore/platform/Logging.h',
'../third_party/WebKit/WebCore/platform/MIMETypeRegistry.cpp',
'../third_party/WebKit/WebCore/platform/MIMETypeRegistry.h',
'../third_party/WebKit/WebCore/platform/NotImplemented.h',
'../third_party/WebKit/WebCore/platform/Pasteboard.h',
'../third_party/WebKit/WebCore/platform/PlatformKeyboardEvent.h',
'../third_party/WebKit/WebCore/platform/PlatformMenuDescription.h',
'../third_party/WebKit/WebCore/platform/PlatformMouseEvent.h',
'../third_party/WebKit/WebCore/platform/PlatformScreen.h',
'../third_party/WebKit/WebCore/platform/PlatformWheelEvent.h',
'../third_party/WebKit/WebCore/platform/PopupMenu.h',
'../third_party/WebKit/WebCore/platform/PopupMenuClient.h',
'../third_party/WebKit/WebCore/platform/PopupMenuStyle.h',
'../third_party/WebKit/WebCore/platform/PurgeableBuffer.h',
'../third_party/WebKit/WebCore/platform/SSLKeyGenerator.h',
'../third_party/WebKit/WebCore/platform/ScrollTypes.h',
'../third_party/WebKit/WebCore/platform/ScrollView.cpp',
'../third_party/WebKit/WebCore/platform/ScrollView.h',
'../third_party/WebKit/WebCore/platform/Scrollbar.cpp',
'../third_party/WebKit/WebCore/platform/Scrollbar.h',
'../third_party/WebKit/WebCore/platform/ScrollbarClient.h',
'../third_party/WebKit/WebCore/platform/ScrollbarTheme.h',
'../third_party/WebKit/WebCore/platform/ScrollbarThemeComposite.cpp',
'../third_party/WebKit/WebCore/platform/ScrollbarThemeComposite.h',
'../third_party/WebKit/WebCore/platform/SearchPopupMenu.h',
'../third_party/WebKit/WebCore/platform/SharedBuffer.cpp',
'../third_party/WebKit/WebCore/platform/SharedBuffer.h',
'../third_party/WebKit/WebCore/platform/SharedTimer.h',
'../third_party/WebKit/WebCore/platform/Sound.h',
'../third_party/WebKit/WebCore/platform/StaticConstructors.h',
'../third_party/WebKit/WebCore/platform/SystemTime.h',
'../third_party/WebKit/WebCore/platform/Theme.cpp',
'../third_party/WebKit/WebCore/platform/Theme.h',
'../third_party/WebKit/WebCore/platform/ThemeTypes.h',
'../third_party/WebKit/WebCore/platform/ThreadCheck.h',
'../third_party/WebKit/WebCore/platform/ThreadGlobalData.cpp',
'../third_party/WebKit/WebCore/platform/ThreadGlobalData.h',
'../third_party/WebKit/WebCore/platform/ThreadTimers.cpp',
'../third_party/WebKit/WebCore/platform/ThreadTimers.h',
'../third_party/WebKit/WebCore/platform/Timer.cpp',
'../third_party/WebKit/WebCore/platform/Timer.h',
'../third_party/WebKit/WebCore/platform/TreeShared.h',
'../third_party/WebKit/WebCore/platform/Widget.cpp',
'../third_party/WebKit/WebCore/platform/Widget.h',
'../third_party/WebKit/WebCore/plugins/chromium/PluginDataChromium.cpp',
'../third_party/WebKit/WebCore/plugins/gtk/PluginDataGtk.cpp',
'../third_party/WebKit/WebCore/plugins/gtk/PluginPackageGtk.cpp',
'../third_party/WebKit/WebCore/plugins/gtk/PluginViewGtk.cpp',
'../third_party/WebKit/WebCore/plugins/gtk/gtk2xtbin.h',
'../third_party/WebKit/WebCore/plugins/gtk/xembed.h',
'../third_party/WebKit/WebCore/plugins/mac/PluginDataMac.mm',
'../third_party/WebKit/WebCore/plugins/mac/PluginPackageMac.cpp',
'../third_party/WebKit/WebCore/plugins/mac/PluginViewMac.cpp',
'../third_party/WebKit/WebCore/plugins/qt/PluginDataQt.cpp',
'../third_party/WebKit/WebCore/plugins/qt/PluginPackageQt.cpp',
'../third_party/WebKit/WebCore/plugins/qt/PluginViewQt.cpp',
'../third_party/WebKit/WebCore/plugins/win/PluginDataWin.cpp',
'../third_party/WebKit/WebCore/plugins/win/PluginDatabaseWin.cpp',
'../third_party/WebKit/WebCore/plugins/win/PluginMessageThrottlerWin.cpp',
'../third_party/WebKit/WebCore/plugins/win/PluginMessageThrottlerWin.h',
'../third_party/WebKit/WebCore/plugins/win/PluginPackageWin.cpp',
'../third_party/WebKit/WebCore/plugins/win/PluginViewWin.cpp',
'../third_party/WebKit/WebCore/plugins/wx/PluginDataWx.cpp',
'../third_party/WebKit/WebCore/plugins/wx/PluginPackageWx.cpp',
'../third_party/WebKit/WebCore/plugins/wx/PluginViewWx.cpp',
'../third_party/WebKit/WebCore/plugins/MimeType.cpp',
'../third_party/WebKit/WebCore/plugins/MimeType.h',
'../third_party/WebKit/WebCore/plugins/MimeTypeArray.cpp',
'../third_party/WebKit/WebCore/plugins/MimeTypeArray.h',
'../third_party/WebKit/WebCore/plugins/Plugin.cpp',
'../third_party/WebKit/WebCore/plugins/Plugin.h',
'../third_party/WebKit/WebCore/plugins/PluginArray.cpp',
'../third_party/WebKit/WebCore/plugins/PluginArray.h',
'../third_party/WebKit/WebCore/plugins/PluginData.cpp',
'../third_party/WebKit/WebCore/plugins/PluginData.h',
'../third_party/WebKit/WebCore/plugins/PluginDatabase.cpp',
'../third_party/WebKit/WebCore/plugins/PluginDatabase.h',
'../third_party/WebKit/WebCore/plugins/PluginDebug.h',
'../third_party/WebKit/WebCore/plugins/PluginInfoStore.cpp',
'../third_party/WebKit/WebCore/plugins/PluginInfoStore.h',
'../third_party/WebKit/WebCore/plugins/PluginMainThreadScheduler.cpp',
'../third_party/WebKit/WebCore/plugins/PluginMainThreadScheduler.h',
'../third_party/WebKit/WebCore/plugins/PluginPackage.cpp',
'../third_party/WebKit/WebCore/plugins/PluginPackage.h',
'../third_party/WebKit/WebCore/plugins/PluginQuirkSet.h',
'../third_party/WebKit/WebCore/plugins/PluginStream.cpp',
'../third_party/WebKit/WebCore/plugins/PluginStream.h',
'../third_party/WebKit/WebCore/plugins/PluginView.cpp',
'../third_party/WebKit/WebCore/plugins/PluginView.h',
'../third_party/WebKit/WebCore/plugins/npapi.cpp',
'../third_party/WebKit/WebCore/plugins/npfunctions.h',
'../third_party/WebKit/WebCore/rendering/style/BindingURI.cpp',
'../third_party/WebKit/WebCore/rendering/style/BindingURI.h',
'../third_party/WebKit/WebCore/rendering/style/BorderData.h',
'../third_party/WebKit/WebCore/rendering/style/BorderValue.h',
'../third_party/WebKit/WebCore/rendering/style/CollapsedBorderValue.h',
'../third_party/WebKit/WebCore/rendering/style/ContentData.cpp',
'../third_party/WebKit/WebCore/rendering/style/ContentData.h',
'../third_party/WebKit/WebCore/rendering/style/CounterContent.h',
'../third_party/WebKit/WebCore/rendering/style/CounterDirectives.cpp',
'../third_party/WebKit/WebCore/rendering/style/CounterDirectives.h',
'../third_party/WebKit/WebCore/rendering/style/CursorData.h',
'../third_party/WebKit/WebCore/rendering/style/CursorList.h',
'../third_party/WebKit/WebCore/rendering/style/DataRef.h',
'../third_party/WebKit/WebCore/rendering/style/FillLayer.cpp',
'../third_party/WebKit/WebCore/rendering/style/FillLayer.h',
'../third_party/WebKit/WebCore/rendering/style/KeyframeList.cpp',
'../third_party/WebKit/WebCore/rendering/style/KeyframeList.h',
'../third_party/WebKit/WebCore/rendering/style/NinePieceImage.cpp',
'../third_party/WebKit/WebCore/rendering/style/NinePieceImage.h',
'../third_party/WebKit/WebCore/rendering/style/OutlineValue.h',
'../third_party/WebKit/WebCore/rendering/style/RenderStyle.cpp',
'../third_party/WebKit/WebCore/rendering/style/RenderStyle.h',
'../third_party/WebKit/WebCore/rendering/style/RenderStyleConstants.h',
'../third_party/WebKit/WebCore/rendering/style/SVGRenderStyle.cpp',
'../third_party/WebKit/WebCore/rendering/style/SVGRenderStyle.h',
'../third_party/WebKit/WebCore/rendering/style/SVGRenderStyleDefs.cpp',
'../third_party/WebKit/WebCore/rendering/style/SVGRenderStyleDefs.h',
'../third_party/WebKit/WebCore/rendering/style/ShadowData.cpp',
'../third_party/WebKit/WebCore/rendering/style/ShadowData.h',
'../third_party/WebKit/WebCore/rendering/style/StyleBackgroundData.cpp',
'../third_party/WebKit/WebCore/rendering/style/StyleBackgroundData.h',
'../third_party/WebKit/WebCore/rendering/style/StyleBoxData.cpp',
'../third_party/WebKit/WebCore/rendering/style/StyleBoxData.h',
'../third_party/WebKit/WebCore/rendering/style/StyleCachedImage.cpp',
'../third_party/WebKit/WebCore/rendering/style/StyleCachedImage.h',
'../third_party/WebKit/WebCore/rendering/style/StyleDashboardRegion.h',
'../third_party/WebKit/WebCore/rendering/style/StyleFlexibleBoxData.cpp',
'../third_party/WebKit/WebCore/rendering/style/StyleFlexibleBoxData.h',
'../third_party/WebKit/WebCore/rendering/style/StyleGeneratedImage.cpp',
'../third_party/WebKit/WebCore/rendering/style/StyleGeneratedImage.h',
'../third_party/WebKit/WebCore/rendering/style/StyleImage.h',
'../third_party/WebKit/WebCore/rendering/style/StyleInheritedData.cpp',
'../third_party/WebKit/WebCore/rendering/style/StyleInheritedData.h',
'../third_party/WebKit/WebCore/rendering/style/StyleMarqueeData.cpp',
'../third_party/WebKit/WebCore/rendering/style/StyleMarqueeData.h',
'../third_party/WebKit/WebCore/rendering/style/StyleMultiColData.cpp',
'../third_party/WebKit/WebCore/rendering/style/StyleMultiColData.h',
'../third_party/WebKit/WebCore/rendering/style/StyleRareInheritedData.cpp',
'../third_party/WebKit/WebCore/rendering/style/StyleRareInheritedData.h',
'../third_party/WebKit/WebCore/rendering/style/StyleRareNonInheritedData.cpp',
'../third_party/WebKit/WebCore/rendering/style/StyleRareNonInheritedData.h',
'../third_party/WebKit/WebCore/rendering/style/StyleReflection.h',
'../third_party/WebKit/WebCore/rendering/style/StyleSurroundData.cpp',
'../third_party/WebKit/WebCore/rendering/style/StyleSurroundData.h',
'../third_party/WebKit/WebCore/rendering/style/StyleTransformData.cpp',
'../third_party/WebKit/WebCore/rendering/style/StyleTransformData.h',
'../third_party/WebKit/WebCore/rendering/style/StyleVisualData.cpp',
'../third_party/WebKit/WebCore/rendering/style/StyleVisualData.h',
'../third_party/WebKit/WebCore/rendering/AutoTableLayout.cpp',
'../third_party/WebKit/WebCore/rendering/AutoTableLayout.h',
'../third_party/WebKit/WebCore/rendering/CounterNode.cpp',
'../third_party/WebKit/WebCore/rendering/CounterNode.h',
'../third_party/WebKit/WebCore/rendering/EllipsisBox.cpp',
'../third_party/WebKit/WebCore/rendering/EllipsisBox.h',
'../third_party/WebKit/WebCore/rendering/FixedTableLayout.cpp',
'../third_party/WebKit/WebCore/rendering/FixedTableLayout.h',
'../third_party/WebKit/WebCore/rendering/GapRects.h',
'../third_party/WebKit/WebCore/rendering/HitTestRequest.h',
'../third_party/WebKit/WebCore/rendering/HitTestResult.cpp',
'../third_party/WebKit/WebCore/rendering/HitTestResult.h',
'../third_party/WebKit/WebCore/rendering/InlineBox.cpp',
'../third_party/WebKit/WebCore/rendering/InlineBox.h',
'../third_party/WebKit/WebCore/rendering/InlineFlowBox.cpp',
'../third_party/WebKit/WebCore/rendering/InlineFlowBox.h',
'../third_party/WebKit/WebCore/rendering/InlineRunBox.h',
'../third_party/WebKit/WebCore/rendering/InlineTextBox.cpp',
'../third_party/WebKit/WebCore/rendering/InlineTextBox.h',
'../third_party/WebKit/WebCore/rendering/LayoutState.cpp',
'../third_party/WebKit/WebCore/rendering/LayoutState.h',
'../third_party/WebKit/WebCore/rendering/MediaControlElements.cpp',
'../third_party/WebKit/WebCore/rendering/MediaControlElements.h',
'../third_party/WebKit/WebCore/rendering/PointerEventsHitRules.cpp',
'../third_party/WebKit/WebCore/rendering/PointerEventsHitRules.h',
'../third_party/WebKit/WebCore/rendering/RenderApplet.cpp',
'../third_party/WebKit/WebCore/rendering/RenderApplet.h',
'../third_party/WebKit/WebCore/rendering/RenderArena.cpp',
'../third_party/WebKit/WebCore/rendering/RenderArena.h',
'../third_party/WebKit/WebCore/rendering/RenderBR.cpp',
'../third_party/WebKit/WebCore/rendering/RenderBR.h',
'../third_party/WebKit/WebCore/rendering/RenderBlock.cpp',
'../third_party/WebKit/WebCore/rendering/RenderBlock.h',
'../third_party/WebKit/WebCore/rendering/RenderBox.cpp',
'../third_party/WebKit/WebCore/rendering/RenderBox.h',
'../third_party/WebKit/WebCore/rendering/RenderBoxModelObject.cpp',
'../third_party/WebKit/WebCore/rendering/RenderBoxModelObject.h',
'../third_party/WebKit/WebCore/rendering/RenderButton.cpp',
'../third_party/WebKit/WebCore/rendering/RenderButton.h',
'../third_party/WebKit/WebCore/rendering/RenderCounter.cpp',
'../third_party/WebKit/WebCore/rendering/RenderCounter.h',
'../third_party/WebKit/WebCore/rendering/RenderDataGrid.cpp',
'../third_party/WebKit/WebCore/rendering/RenderDataGrid.h',
'../third_party/WebKit/WebCore/rendering/RenderFieldset.cpp',
'../third_party/WebKit/WebCore/rendering/RenderFieldset.h',
'../third_party/WebKit/WebCore/rendering/RenderFileUploadControl.cpp',
'../third_party/WebKit/WebCore/rendering/RenderFileUploadControl.h',
'../third_party/WebKit/WebCore/rendering/RenderFlexibleBox.cpp',
'../third_party/WebKit/WebCore/rendering/RenderFlexibleBox.h',
'../third_party/WebKit/WebCore/rendering/RenderForeignObject.cpp',
'../third_party/WebKit/WebCore/rendering/RenderForeignObject.h',
'../third_party/WebKit/WebCore/rendering/RenderFrame.cpp',
'../third_party/WebKit/WebCore/rendering/RenderFrame.h',
'../third_party/WebKit/WebCore/rendering/RenderFrameSet.cpp',
'../third_party/WebKit/WebCore/rendering/RenderFrameSet.h',
'../third_party/WebKit/WebCore/rendering/RenderHTMLCanvas.cpp',
'../third_party/WebKit/WebCore/rendering/RenderHTMLCanvas.h',
'../third_party/WebKit/WebCore/rendering/RenderImage.cpp',
'../third_party/WebKit/WebCore/rendering/RenderImage.h',
'../third_party/WebKit/WebCore/rendering/RenderImageGeneratedContent.cpp',
'../third_party/WebKit/WebCore/rendering/RenderImageGeneratedContent.h',
'../third_party/WebKit/WebCore/rendering/RenderInline.cpp',
'../third_party/WebKit/WebCore/rendering/RenderInline.h',
'../third_party/WebKit/WebCore/rendering/RenderLayer.cpp',
'../third_party/WebKit/WebCore/rendering/RenderLayer.h',
'../third_party/WebKit/WebCore/rendering/RenderLayerBacking.cpp',
'../third_party/WebKit/WebCore/rendering/RenderLayerBacking.h',
'../third_party/WebKit/WebCore/rendering/RenderLayerCompositor.cpp',
'../third_party/WebKit/WebCore/rendering/RenderLayerCompositor.h',
'../third_party/WebKit/WebCore/rendering/RenderLineBoxList.cpp',
'../third_party/WebKit/WebCore/rendering/RenderLineBoxList.h',
'../third_party/WebKit/WebCore/rendering/RenderListBox.cpp',
'../third_party/WebKit/WebCore/rendering/RenderListBox.h',
'../third_party/WebKit/WebCore/rendering/RenderListItem.cpp',
'../third_party/WebKit/WebCore/rendering/RenderListItem.h',
'../third_party/WebKit/WebCore/rendering/RenderListMarker.cpp',
'../third_party/WebKit/WebCore/rendering/RenderListMarker.h',
'../third_party/WebKit/WebCore/rendering/RenderMarquee.cpp',
'../third_party/WebKit/WebCore/rendering/RenderMarquee.h',
'../third_party/WebKit/WebCore/rendering/RenderMedia.cpp',
'../third_party/WebKit/WebCore/rendering/RenderMedia.h',
'../third_party/WebKit/WebCore/rendering/RenderMenuList.cpp',
'../third_party/WebKit/WebCore/rendering/RenderMenuList.h',
'../third_party/WebKit/WebCore/rendering/RenderObject.cpp',
'../third_party/WebKit/WebCore/rendering/RenderObject.h',
'../third_party/WebKit/WebCore/rendering/RenderObjectChildList.cpp',
'../third_party/WebKit/WebCore/rendering/RenderObjectChildList.h',
'../third_party/WebKit/WebCore/rendering/RenderPart.cpp',
'../third_party/WebKit/WebCore/rendering/RenderPart.h',
'../third_party/WebKit/WebCore/rendering/RenderPartObject.cpp',
'../third_party/WebKit/WebCore/rendering/RenderPartObject.h',
'../third_party/WebKit/WebCore/rendering/RenderPath.cpp',
'../third_party/WebKit/WebCore/rendering/RenderPath.h',
'../third_party/WebKit/WebCore/rendering/RenderReplaced.cpp',
'../third_party/WebKit/WebCore/rendering/RenderReplaced.h',
'../third_party/WebKit/WebCore/rendering/RenderReplica.cpp',
'../third_party/WebKit/WebCore/rendering/RenderReplica.h',
'../third_party/WebKit/WebCore/rendering/RenderSVGBlock.cpp',
'../third_party/WebKit/WebCore/rendering/RenderSVGBlock.h',
'../third_party/WebKit/WebCore/rendering/RenderSVGContainer.cpp',
'../third_party/WebKit/WebCore/rendering/RenderSVGContainer.h',
'../third_party/WebKit/WebCore/rendering/RenderSVGGradientStop.cpp',
'../third_party/WebKit/WebCore/rendering/RenderSVGGradientStop.h',
'../third_party/WebKit/WebCore/rendering/RenderSVGHiddenContainer.cpp',
'../third_party/WebKit/WebCore/rendering/RenderSVGHiddenContainer.h',
'../third_party/WebKit/WebCore/rendering/RenderSVGImage.cpp',
'../third_party/WebKit/WebCore/rendering/RenderSVGImage.h',
'../third_party/WebKit/WebCore/rendering/RenderSVGInline.cpp',
'../third_party/WebKit/WebCore/rendering/RenderSVGInline.h',
'../third_party/WebKit/WebCore/rendering/RenderSVGInlineText.cpp',
'../third_party/WebKit/WebCore/rendering/RenderSVGInlineText.h',
'../third_party/WebKit/WebCore/rendering/RenderSVGModelObject.cpp',
'../third_party/WebKit/WebCore/rendering/RenderSVGModelObject.h',
'../third_party/WebKit/WebCore/rendering/RenderSVGRoot.cpp',
'../third_party/WebKit/WebCore/rendering/RenderSVGRoot.h',
'../third_party/WebKit/WebCore/rendering/RenderSVGTSpan.cpp',
'../third_party/WebKit/WebCore/rendering/RenderSVGTSpan.h',
'../third_party/WebKit/WebCore/rendering/RenderSVGText.cpp',
'../third_party/WebKit/WebCore/rendering/RenderSVGText.h',
'../third_party/WebKit/WebCore/rendering/RenderSVGTextPath.cpp',
'../third_party/WebKit/WebCore/rendering/RenderSVGTextPath.h',
'../third_party/WebKit/WebCore/rendering/RenderSVGTransformableContainer.cpp',
'../third_party/WebKit/WebCore/rendering/RenderSVGTransformableContainer.h',
'../third_party/WebKit/WebCore/rendering/RenderSVGViewportContainer.cpp',
'../third_party/WebKit/WebCore/rendering/RenderSVGViewportContainer.h',
'../third_party/WebKit/WebCore/rendering/RenderScrollbar.cpp',
'../third_party/WebKit/WebCore/rendering/RenderScrollbar.h',
'../third_party/WebKit/WebCore/rendering/RenderScrollbarPart.cpp',
'../third_party/WebKit/WebCore/rendering/RenderScrollbarPart.h',
'../third_party/WebKit/WebCore/rendering/RenderScrollbarTheme.cpp',
'../third_party/WebKit/WebCore/rendering/RenderScrollbarTheme.h',
'../third_party/WebKit/WebCore/rendering/RenderSelectionInfo.h',
'../third_party/WebKit/WebCore/rendering/RenderSlider.cpp',
'../third_party/WebKit/WebCore/rendering/RenderSlider.h',
'../third_party/WebKit/WebCore/rendering/RenderTable.cpp',
'../third_party/WebKit/WebCore/rendering/RenderTable.h',
'../third_party/WebKit/WebCore/rendering/RenderTableCell.cpp',
'../third_party/WebKit/WebCore/rendering/RenderTableCell.h',
'../third_party/WebKit/WebCore/rendering/RenderTableCol.cpp',
'../third_party/WebKit/WebCore/rendering/RenderTableCol.h',
'../third_party/WebKit/WebCore/rendering/RenderTableRow.cpp',
'../third_party/WebKit/WebCore/rendering/RenderTableRow.h',
'../third_party/WebKit/WebCore/rendering/RenderTableSection.cpp',
'../third_party/WebKit/WebCore/rendering/RenderTableSection.h',
'../third_party/WebKit/WebCore/rendering/RenderText.cpp',
'../third_party/WebKit/WebCore/rendering/RenderText.h',
'../third_party/WebKit/WebCore/rendering/RenderTextControl.cpp',
'../third_party/WebKit/WebCore/rendering/RenderTextControl.h',
'../third_party/WebKit/WebCore/rendering/RenderTextControlMultiLine.cpp',
'../third_party/WebKit/WebCore/rendering/RenderTextControlMultiLine.h',
'../third_party/WebKit/WebCore/rendering/RenderTextControlSingleLine.cpp',
'../third_party/WebKit/WebCore/rendering/RenderTextControlSingleLine.h',
'../third_party/WebKit/WebCore/rendering/RenderTextFragment.cpp',
'../third_party/WebKit/WebCore/rendering/RenderTextFragment.h',
'../third_party/WebKit/WebCore/rendering/RenderTheme.cpp',
'../third_party/WebKit/WebCore/rendering/RenderTheme.h',
'../third_party/WebKit/WebCore/rendering/RenderThemeChromiumSkia.cpp',
'../third_party/WebKit/WebCore/rendering/RenderThemeChromiumSkia.h',
'../third_party/WebKit/WebCore/rendering/RenderThemeChromiumLinux.cpp',
'../third_party/WebKit/WebCore/rendering/RenderThemeChromiumLinux.h',
'../third_party/WebKit/WebCore/rendering/RenderThemeChromiumMac.h',
'../third_party/WebKit/WebCore/rendering/RenderThemeChromiumMac.mm',
'../third_party/WebKit/WebCore/rendering/RenderThemeChromiumWin.cpp',
'../third_party/WebKit/WebCore/rendering/RenderThemeChromiumWin.h',
'../third_party/WebKit/WebCore/rendering/RenderThemeMac.h',
'../third_party/WebKit/WebCore/rendering/RenderThemeMac.mm',
'../third_party/WebKit/WebCore/rendering/RenderThemeSafari.cpp',
'../third_party/WebKit/WebCore/rendering/RenderThemeSafari.h',
'../third_party/WebKit/WebCore/rendering/RenderThemeWin.cpp',
'../third_party/WebKit/WebCore/rendering/RenderThemeWin.h',
'../third_party/WebKit/WebCore/rendering/RenderTreeAsText.cpp',
'../third_party/WebKit/WebCore/rendering/RenderTreeAsText.h',
'../third_party/WebKit/WebCore/rendering/RenderVideo.cpp',
'../third_party/WebKit/WebCore/rendering/RenderVideo.h',
'../third_party/WebKit/WebCore/rendering/RenderView.cpp',
'../third_party/WebKit/WebCore/rendering/RenderView.h',
'../third_party/WebKit/WebCore/rendering/RenderWidget.cpp',
'../third_party/WebKit/WebCore/rendering/RenderWidget.h',
'../third_party/WebKit/WebCore/rendering/RenderWordBreak.cpp',
'../third_party/WebKit/WebCore/rendering/RenderWordBreak.h',
'../third_party/WebKit/WebCore/rendering/RootInlineBox.cpp',
'../third_party/WebKit/WebCore/rendering/RootInlineBox.h',
'../third_party/WebKit/WebCore/rendering/ScrollBehavior.cpp',
'../third_party/WebKit/WebCore/rendering/ScrollBehavior.h',
'../third_party/WebKit/WebCore/rendering/SVGCharacterLayoutInfo.cpp',
'../third_party/WebKit/WebCore/rendering/SVGCharacterLayoutInfo.h',
'../third_party/WebKit/WebCore/rendering/SVGInlineFlowBox.cpp',
'../third_party/WebKit/WebCore/rendering/SVGInlineFlowBox.h',
'../third_party/WebKit/WebCore/rendering/SVGInlineTextBox.cpp',
'../third_party/WebKit/WebCore/rendering/SVGInlineTextBox.h',
'../third_party/WebKit/WebCore/rendering/SVGRenderSupport.cpp',
'../third_party/WebKit/WebCore/rendering/SVGRenderSupport.h',
'../third_party/WebKit/WebCore/rendering/SVGRenderTreeAsText.cpp',
'../third_party/WebKit/WebCore/rendering/SVGRenderTreeAsText.h',
'../third_party/WebKit/WebCore/rendering/SVGRootInlineBox.cpp',
'../third_party/WebKit/WebCore/rendering/SVGRootInlineBox.h',
'../third_party/WebKit/WebCore/rendering/TableLayout.h',
'../third_party/WebKit/WebCore/rendering/TextControlInnerElements.cpp',
'../third_party/WebKit/WebCore/rendering/TextControlInnerElements.h',
'../third_party/WebKit/WebCore/rendering/TransformState.cpp',
'../third_party/WebKit/WebCore/rendering/TransformState.h',
'../third_party/WebKit/WebCore/rendering/bidi.cpp',
'../third_party/WebKit/WebCore/rendering/bidi.h',
'../third_party/WebKit/WebCore/rendering/break_lines.cpp',
'../third_party/WebKit/WebCore/rendering/break_lines.h',
'../third_party/WebKit/WebCore/storage/ChangeVersionWrapper.cpp',
'../third_party/WebKit/WebCore/storage/ChangeVersionWrapper.h',
'../third_party/WebKit/WebCore/storage/Database.cpp',
'../third_party/WebKit/WebCore/storage/Database.h',
'../third_party/WebKit/WebCore/storage/DatabaseAuthorizer.cpp',
'../third_party/WebKit/WebCore/storage/DatabaseAuthorizer.h',
'../third_party/WebKit/WebCore/storage/DatabaseDetails.h',
'../third_party/WebKit/WebCore/storage/DatabaseTask.cpp',
'../third_party/WebKit/WebCore/storage/DatabaseTask.h',
'../third_party/WebKit/WebCore/storage/DatabaseThread.cpp',
'../third_party/WebKit/WebCore/storage/DatabaseThread.h',
'../third_party/WebKit/WebCore/storage/DatabaseTracker.cpp',
'../third_party/WebKit/WebCore/storage/DatabaseTracker.h',
'../third_party/WebKit/WebCore/storage/DatabaseTrackerClient.h',
'../third_party/WebKit/WebCore/storage/LocalStorage.cpp',
'../third_party/WebKit/WebCore/storage/LocalStorage.h',
'../third_party/WebKit/WebCore/storage/LocalStorageArea.cpp',
'../third_party/WebKit/WebCore/storage/LocalStorageArea.h',
'../third_party/WebKit/WebCore/storage/LocalStorageTask.cpp',
'../third_party/WebKit/WebCore/storage/LocalStorageTask.h',
'../third_party/WebKit/WebCore/storage/LocalStorageThread.cpp',
'../third_party/WebKit/WebCore/storage/LocalStorageThread.h',
'../third_party/WebKit/WebCore/storage/OriginQuotaManager.cpp',
'../third_party/WebKit/WebCore/storage/OriginQuotaManager.h',
'../third_party/WebKit/WebCore/storage/OriginUsageRecord.cpp',
'../third_party/WebKit/WebCore/storage/OriginUsageRecord.h',
'../third_party/WebKit/WebCore/storage/SQLError.h',
'../third_party/WebKit/WebCore/storage/SQLResultSet.cpp',
'../third_party/WebKit/WebCore/storage/SQLResultSet.h',
'../third_party/WebKit/WebCore/storage/SQLResultSetRowList.cpp',
'../third_party/WebKit/WebCore/storage/SQLResultSetRowList.h',
'../third_party/WebKit/WebCore/storage/SQLStatement.cpp',
'../third_party/WebKit/WebCore/storage/SQLStatement.h',
'../third_party/WebKit/WebCore/storage/SQLStatementCallback.h',
'../third_party/WebKit/WebCore/storage/SQLStatementErrorCallback.h',
'../third_party/WebKit/WebCore/storage/SQLTransaction.cpp',
'../third_party/WebKit/WebCore/storage/SQLTransaction.h',
'../third_party/WebKit/WebCore/storage/SQLTransactionCallback.h',
'../third_party/WebKit/WebCore/storage/SQLTransactionErrorCallback.h',
'../third_party/WebKit/WebCore/storage/SessionStorage.cpp',
'../third_party/WebKit/WebCore/storage/SessionStorage.h',
'../third_party/WebKit/WebCore/storage/SessionStorageArea.cpp',
'../third_party/WebKit/WebCore/storage/SessionStorageArea.h',
'../third_party/WebKit/WebCore/storage/Storage.cpp',
'../third_party/WebKit/WebCore/storage/Storage.h',
'../third_party/WebKit/WebCore/storage/StorageArea.h',
'../third_party/WebKit/WebCore/storage/StorageEvent.cpp',
'../third_party/WebKit/WebCore/storage/StorageEvent.h',
'../third_party/WebKit/WebCore/storage/StorageMap.cpp',
'../third_party/WebKit/WebCore/storage/StorageMap.h',
'../third_party/WebKit/WebCore/svg/animation/SMILTime.cpp',
'../third_party/WebKit/WebCore/svg/animation/SMILTime.h',
'../third_party/WebKit/WebCore/svg/animation/SMILTimeContainer.cpp',
'../third_party/WebKit/WebCore/svg/animation/SMILTimeContainer.h',
'../third_party/WebKit/WebCore/svg/animation/SVGSMILElement.cpp',
'../third_party/WebKit/WebCore/svg/animation/SVGSMILElement.h',
'../third_party/WebKit/WebCore/svg/graphics/filters/SVGDistantLightSource.h',
'../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEConvolveMatrix.cpp',
'../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEConvolveMatrix.h',
'../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEDiffuseLighting.cpp',
'../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEDiffuseLighting.h',
'../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEDisplacementMap.cpp',
'../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEDisplacementMap.h',
'../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEFlood.cpp',
'../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEFlood.h',
'../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEGaussianBlur.cpp',
'../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEGaussianBlur.h',
'../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEImage.cpp',
'../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEImage.h',
'../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEMerge.cpp',
'../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEMerge.h',
'../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEMorphology.cpp',
'../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEMorphology.h',
'../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEOffset.cpp',
'../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEOffset.h',
'../third_party/WebKit/WebCore/svg/graphics/filters/SVGFESpecularLighting.cpp',
'../third_party/WebKit/WebCore/svg/graphics/filters/SVGFESpecularLighting.h',
'../third_party/WebKit/WebCore/svg/graphics/filters/SVGFETile.cpp',
'../third_party/WebKit/WebCore/svg/graphics/filters/SVGFETile.h',
'../third_party/WebKit/WebCore/svg/graphics/filters/SVGFETurbulence.cpp',
'../third_party/WebKit/WebCore/svg/graphics/filters/SVGFETurbulence.h',
'../third_party/WebKit/WebCore/svg/graphics/filters/SVGFilterEffect.cpp',
'../third_party/WebKit/WebCore/svg/graphics/filters/SVGFilterEffect.h',
'../third_party/WebKit/WebCore/svg/graphics/filters/SVGLightSource.cpp',
'../third_party/WebKit/WebCore/svg/graphics/filters/SVGLightSource.h',
'../third_party/WebKit/WebCore/svg/graphics/filters/SVGPointLightSource.h',
'../third_party/WebKit/WebCore/svg/graphics/filters/SVGSpotLightSource.h',
'../third_party/WebKit/WebCore/svg/graphics/SVGImage.cpp',
'../third_party/WebKit/WebCore/svg/graphics/SVGImage.h',
'../third_party/WebKit/WebCore/svg/graphics/SVGPaintServer.cpp',
'../third_party/WebKit/WebCore/svg/graphics/SVGPaintServer.h',
'../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerGradient.cpp',
'../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerGradient.h',
'../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerLinearGradient.cpp',
'../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerLinearGradient.h',
'../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerPattern.cpp',
'../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerPattern.h',
'../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerRadialGradient.cpp',
'../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerRadialGradient.h',
'../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerSolid.cpp',
'../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerSolid.h',
'../third_party/WebKit/WebCore/svg/graphics/SVGResource.cpp',
'../third_party/WebKit/WebCore/svg/graphics/SVGResource.h',
'../third_party/WebKit/WebCore/svg/graphics/SVGResourceClipper.cpp',
'../third_party/WebKit/WebCore/svg/graphics/SVGResourceClipper.h',
'../third_party/WebKit/WebCore/svg/graphics/SVGResourceFilter.cpp',
'../third_party/WebKit/WebCore/svg/graphics/SVGResourceFilter.h',
'../third_party/WebKit/WebCore/svg/graphics/SVGResourceListener.h',
'../third_party/WebKit/WebCore/svg/graphics/SVGResourceMarker.cpp',
'../third_party/WebKit/WebCore/svg/graphics/SVGResourceMarker.h',
'../third_party/WebKit/WebCore/svg/graphics/SVGResourceMasker.cpp',
'../third_party/WebKit/WebCore/svg/graphics/SVGResourceMasker.h',
'../third_party/WebKit/WebCore/svg/ColorDistance.cpp',
'../third_party/WebKit/WebCore/svg/ColorDistance.h',
'../third_party/WebKit/WebCore/svg/ElementTimeControl.h',
'../third_party/WebKit/WebCore/svg/Filter.cpp',
'../third_party/WebKit/WebCore/svg/Filter.h',
'../third_party/WebKit/WebCore/svg/FilterBuilder.h',
'../third_party/WebKit/WebCore/svg/FilterBuilder.cpp',
'../third_party/WebKit/WebCore/svg/FilterEffect.cpp',
'../third_party/WebKit/WebCore/svg/FilterEffect.h',
'../third_party/WebKit/WebCore/svg/GradientAttributes.h',
'../third_party/WebKit/WebCore/svg/LinearGradientAttributes.h',
'../third_party/WebKit/WebCore/svg/PatternAttributes.h',
'../third_party/WebKit/WebCore/svg/RadialGradientAttributes.h',
'../third_party/WebKit/WebCore/svg/SVGAElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGAElement.h',
'../third_party/WebKit/WebCore/svg/SVGAllInOne.cpp',
'../third_party/WebKit/WebCore/svg/SVGAltGlyphElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGAltGlyphElement.h',
'../third_party/WebKit/WebCore/svg/SVGAngle.cpp',
'../third_party/WebKit/WebCore/svg/SVGAngle.h',
'../third_party/WebKit/WebCore/svg/SVGAnimateColorElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGAnimateColorElement.h',
'../third_party/WebKit/WebCore/svg/SVGAnimateElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGAnimateElement.h',
'../third_party/WebKit/WebCore/svg/SVGAnimateMotionElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGAnimateMotionElement.h',
'../third_party/WebKit/WebCore/svg/SVGAnimateTransformElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGAnimateTransformElement.h',
'../third_party/WebKit/WebCore/svg/SVGAnimatedPathData.cpp',
'../third_party/WebKit/WebCore/svg/SVGAnimatedPathData.h',
'../third_party/WebKit/WebCore/svg/SVGAnimatedPoints.cpp',
'../third_party/WebKit/WebCore/svg/SVGAnimatedPoints.h',
'../third_party/WebKit/WebCore/svg/SVGAnimatedProperty.h',
'../third_party/WebKit/WebCore/svg/SVGAnimatedTemplate.h',
'../third_party/WebKit/WebCore/svg/SVGAnimationElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGAnimationElement.h',
'../third_party/WebKit/WebCore/svg/SVGCircleElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGCircleElement.h',
'../third_party/WebKit/WebCore/svg/SVGClipPathElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGClipPathElement.h',
'../third_party/WebKit/WebCore/svg/SVGColor.cpp',
'../third_party/WebKit/WebCore/svg/SVGColor.h',
'../third_party/WebKit/WebCore/svg/SVGComponentTransferFunctionElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGComponentTransferFunctionElement.h',
'../third_party/WebKit/WebCore/svg/SVGCursorElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGCursorElement.h',
'../third_party/WebKit/WebCore/svg/SVGDefinitionSrcElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGDefinitionSrcElement.h',
'../third_party/WebKit/WebCore/svg/SVGDefsElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGDefsElement.h',
'../third_party/WebKit/WebCore/svg/SVGDescElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGDescElement.h',
'../third_party/WebKit/WebCore/svg/SVGDocument.cpp',
'../third_party/WebKit/WebCore/svg/SVGDocument.h',
'../third_party/WebKit/WebCore/svg/SVGDocumentExtensions.cpp',
'../third_party/WebKit/WebCore/svg/SVGDocumentExtensions.h',
'../third_party/WebKit/WebCore/svg/SVGElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGElement.h',
'../third_party/WebKit/WebCore/svg/SVGElementInstance.cpp',
'../third_party/WebKit/WebCore/svg/SVGElementInstance.h',
'../third_party/WebKit/WebCore/svg/SVGElementInstanceList.cpp',
'../third_party/WebKit/WebCore/svg/SVGElementInstanceList.h',
'../third_party/WebKit/WebCore/svg/SVGEllipseElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGEllipseElement.h',
'../third_party/WebKit/WebCore/svg/SVGException.h',
'../third_party/WebKit/WebCore/svg/SVGExternalResourcesRequired.cpp',
'../third_party/WebKit/WebCore/svg/SVGExternalResourcesRequired.h',
'../third_party/WebKit/WebCore/svg/SVGFEBlendElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGFEBlendElement.h',
'../third_party/WebKit/WebCore/svg/SVGFEColorMatrixElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGFEColorMatrixElement.h',
'../third_party/WebKit/WebCore/svg/SVGFEComponentTransferElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGFEComponentTransferElement.h',
'../third_party/WebKit/WebCore/svg/SVGFECompositeElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGFECompositeElement.h',
'../third_party/WebKit/WebCore/svg/SVGFEDiffuseLightingElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGFEDiffuseLightingElement.h',
'../third_party/WebKit/WebCore/svg/SVGFEDisplacementMapElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGFEDisplacementMapElement.h',
'../third_party/WebKit/WebCore/svg/SVGFEDistantLightElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGFEDistantLightElement.h',
'../third_party/WebKit/WebCore/svg/SVGFEFloodElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGFEFloodElement.h',
'../third_party/WebKit/WebCore/svg/SVGFEFuncAElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGFEFuncAElement.h',
'../third_party/WebKit/WebCore/svg/SVGFEFuncBElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGFEFuncBElement.h',
'../third_party/WebKit/WebCore/svg/SVGFEFuncGElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGFEFuncGElement.h',
'../third_party/WebKit/WebCore/svg/SVGFEFuncRElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGFEFuncRElement.h',
'../third_party/WebKit/WebCore/svg/SVGFEGaussianBlurElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGFEGaussianBlurElement.h',
'../third_party/WebKit/WebCore/svg/SVGFEImageElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGFEImageElement.h',
'../third_party/WebKit/WebCore/svg/SVGFELightElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGFELightElement.h',
'../third_party/WebKit/WebCore/svg/SVGFEMergeElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGFEMergeElement.h',
'../third_party/WebKit/WebCore/svg/SVGFEMergeNodeElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGFEMergeNodeElement.h',
'../third_party/WebKit/WebCore/svg/SVGFEOffsetElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGFEOffsetElement.h',
'../third_party/WebKit/WebCore/svg/SVGFEPointLightElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGFEPointLightElement.h',
'../third_party/WebKit/WebCore/svg/SVGFESpecularLightingElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGFESpecularLightingElement.h',
'../third_party/WebKit/WebCore/svg/SVGFESpotLightElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGFESpotLightElement.h',
'../third_party/WebKit/WebCore/svg/SVGFETileElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGFETileElement.h',
'../third_party/WebKit/WebCore/svg/SVGFETurbulenceElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGFETurbulenceElement.h',
'../third_party/WebKit/WebCore/svg/SVGFilterElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGFilterElement.h',
'../third_party/WebKit/WebCore/svg/SVGFilterPrimitiveStandardAttributes.cpp',
'../third_party/WebKit/WebCore/svg/SVGFilterPrimitiveStandardAttributes.h',
'../third_party/WebKit/WebCore/svg/SVGFitToViewBox.cpp',
'../third_party/WebKit/WebCore/svg/SVGFitToViewBox.h',
'../third_party/WebKit/WebCore/svg/SVGFont.cpp',
'../third_party/WebKit/WebCore/svg/SVGFontData.cpp',
'../third_party/WebKit/WebCore/svg/SVGFontData.h',
'../third_party/WebKit/WebCore/svg/SVGFontElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGFontElement.h',
'../third_party/WebKit/WebCore/svg/SVGFontFaceElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGFontFaceElement.h',
'../third_party/WebKit/WebCore/svg/SVGFontFaceFormatElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGFontFaceFormatElement.h',
'../third_party/WebKit/WebCore/svg/SVGFontFaceNameElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGFontFaceNameElement.h',
'../third_party/WebKit/WebCore/svg/SVGFontFaceSrcElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGFontFaceSrcElement.h',
'../third_party/WebKit/WebCore/svg/SVGFontFaceUriElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGFontFaceUriElement.h',
'../third_party/WebKit/WebCore/svg/SVGForeignObjectElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGForeignObjectElement.h',
'../third_party/WebKit/WebCore/svg/SVGGElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGGElement.h',
'../third_party/WebKit/WebCore/svg/SVGGlyphElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGGlyphElement.h',
'../third_party/WebKit/WebCore/svg/SVGGlyphMap.h',
'../third_party/WebKit/WebCore/svg/SVGGradientElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGGradientElement.h',
'../third_party/WebKit/WebCore/svg/SVGHKernElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGHKernElement.h',
'../third_party/WebKit/WebCore/svg/SVGImageElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGImageElement.h',
'../third_party/WebKit/WebCore/svg/SVGImageLoader.cpp',
'../third_party/WebKit/WebCore/svg/SVGImageLoader.h',
'../third_party/WebKit/WebCore/svg/SVGLangSpace.cpp',
'../third_party/WebKit/WebCore/svg/SVGLangSpace.h',
'../third_party/WebKit/WebCore/svg/SVGLength.cpp',
'../third_party/WebKit/WebCore/svg/SVGLength.h',
'../third_party/WebKit/WebCore/svg/SVGLengthList.cpp',
'../third_party/WebKit/WebCore/svg/SVGLengthList.h',
'../third_party/WebKit/WebCore/svg/SVGLineElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGLineElement.h',
'../third_party/WebKit/WebCore/svg/SVGLinearGradientElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGLinearGradientElement.h',
'../third_party/WebKit/WebCore/svg/SVGList.h',
'../third_party/WebKit/WebCore/svg/SVGListTraits.h',
'../third_party/WebKit/WebCore/svg/SVGLocatable.cpp',
'../third_party/WebKit/WebCore/svg/SVGLocatable.h',
'../third_party/WebKit/WebCore/svg/SVGMPathElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGMPathElement.h',
'../third_party/WebKit/WebCore/svg/SVGMarkerElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGMarkerElement.h',
'../third_party/WebKit/WebCore/svg/SVGMaskElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGMaskElement.h',
'../third_party/WebKit/WebCore/svg/SVGMetadataElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGMetadataElement.h',
'../third_party/WebKit/WebCore/svg/SVGMissingGlyphElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGMissingGlyphElement.h',
'../third_party/WebKit/WebCore/svg/SVGNumberList.cpp',
'../third_party/WebKit/WebCore/svg/SVGNumberList.h',
'../third_party/WebKit/WebCore/svg/SVGPaint.cpp',
'../third_party/WebKit/WebCore/svg/SVGPaint.h',
'../third_party/WebKit/WebCore/svg/SVGParserUtilities.cpp',
'../third_party/WebKit/WebCore/svg/SVGParserUtilities.h',
'../third_party/WebKit/WebCore/svg/SVGPathElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGPathElement.h',
'../third_party/WebKit/WebCore/svg/SVGPathSeg.h',
'../third_party/WebKit/WebCore/svg/SVGPathSegArc.cpp',
'../third_party/WebKit/WebCore/svg/SVGPathSegArc.h',
'../third_party/WebKit/WebCore/svg/SVGPathSegClosePath.cpp',
'../third_party/WebKit/WebCore/svg/SVGPathSegClosePath.h',
'../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoCubic.cpp',
'../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoCubic.h',
'../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoCubicSmooth.cpp',
'../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoCubicSmooth.h',
'../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoQuadratic.cpp',
'../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoQuadratic.h',
'../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoQuadraticSmooth.cpp',
'../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoQuadraticSmooth.h',
'../third_party/WebKit/WebCore/svg/SVGPathSegLineto.cpp',
'../third_party/WebKit/WebCore/svg/SVGPathSegLineto.h',
'../third_party/WebKit/WebCore/svg/SVGPathSegLinetoHorizontal.cpp',
'../third_party/WebKit/WebCore/svg/SVGPathSegLinetoHorizontal.h',
'../third_party/WebKit/WebCore/svg/SVGPathSegLinetoVertical.cpp',
'../third_party/WebKit/WebCore/svg/SVGPathSegLinetoVertical.h',
'../third_party/WebKit/WebCore/svg/SVGPathSegList.cpp',
'../third_party/WebKit/WebCore/svg/SVGPathSegList.h',
'../third_party/WebKit/WebCore/svg/SVGPathSegMoveto.cpp',
'../third_party/WebKit/WebCore/svg/SVGPathSegMoveto.h',
'../third_party/WebKit/WebCore/svg/SVGPatternElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGPatternElement.h',
'../third_party/WebKit/WebCore/svg/SVGPointList.cpp',
'../third_party/WebKit/WebCore/svg/SVGPointList.h',
'../third_party/WebKit/WebCore/svg/SVGPolyElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGPolyElement.h',
'../third_party/WebKit/WebCore/svg/SVGPolygonElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGPolygonElement.h',
'../third_party/WebKit/WebCore/svg/SVGPolylineElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGPolylineElement.h',
'../third_party/WebKit/WebCore/svg/SVGPreserveAspectRatio.cpp',
'../third_party/WebKit/WebCore/svg/SVGPreserveAspectRatio.h',
'../third_party/WebKit/WebCore/svg/SVGRadialGradientElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGRadialGradientElement.h',
'../third_party/WebKit/WebCore/svg/SVGRectElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGRectElement.h',
'../third_party/WebKit/WebCore/svg/SVGRenderingIntent.h',
'../third_party/WebKit/WebCore/svg/SVGSVGElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGSVGElement.h',
'../third_party/WebKit/WebCore/svg/SVGScriptElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGScriptElement.h',
'../third_party/WebKit/WebCore/svg/SVGSetElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGSetElement.h',
'../third_party/WebKit/WebCore/svg/SVGStopElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGStopElement.h',
'../third_party/WebKit/WebCore/svg/SVGStringList.cpp',
'../third_party/WebKit/WebCore/svg/SVGStringList.h',
'../third_party/WebKit/WebCore/svg/SVGStylable.cpp',
'../third_party/WebKit/WebCore/svg/SVGStylable.h',
'../third_party/WebKit/WebCore/svg/SVGStyleElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGStyleElement.h',
'../third_party/WebKit/WebCore/svg/SVGStyledElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGStyledElement.h',
'../third_party/WebKit/WebCore/svg/SVGStyledLocatableElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGStyledLocatableElement.h',
'../third_party/WebKit/WebCore/svg/SVGStyledTransformableElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGStyledTransformableElement.h',
'../third_party/WebKit/WebCore/svg/SVGSwitchElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGSwitchElement.h',
'../third_party/WebKit/WebCore/svg/SVGSymbolElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGSymbolElement.h',
'../third_party/WebKit/WebCore/svg/SVGTRefElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGTRefElement.h',
'../third_party/WebKit/WebCore/svg/SVGTSpanElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGTSpanElement.h',
'../third_party/WebKit/WebCore/svg/SVGTests.cpp',
'../third_party/WebKit/WebCore/svg/SVGTests.h',
'../third_party/WebKit/WebCore/svg/SVGTextContentElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGTextContentElement.h',
'../third_party/WebKit/WebCore/svg/SVGTextElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGTextElement.h',
'../third_party/WebKit/WebCore/svg/SVGTextPathElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGTextPathElement.h',
'../third_party/WebKit/WebCore/svg/SVGTextPositioningElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGTextPositioningElement.h',
'../third_party/WebKit/WebCore/svg/SVGTitleElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGTitleElement.h',
'../third_party/WebKit/WebCore/svg/SVGTransform.cpp',
'../third_party/WebKit/WebCore/svg/SVGTransform.h',
'../third_party/WebKit/WebCore/svg/SVGTransformDistance.cpp',
'../third_party/WebKit/WebCore/svg/SVGTransformDistance.h',
'../third_party/WebKit/WebCore/svg/SVGTransformList.cpp',
'../third_party/WebKit/WebCore/svg/SVGTransformList.h',
'../third_party/WebKit/WebCore/svg/SVGTransformable.cpp',
'../third_party/WebKit/WebCore/svg/SVGTransformable.h',
'../third_party/WebKit/WebCore/svg/SVGURIReference.cpp',
'../third_party/WebKit/WebCore/svg/SVGURIReference.h',
'../third_party/WebKit/WebCore/svg/SVGUnitTypes.h',
'../third_party/WebKit/WebCore/svg/SVGUseElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGUseElement.h',
'../third_party/WebKit/WebCore/svg/SVGViewElement.cpp',
'../third_party/WebKit/WebCore/svg/SVGViewElement.h',
'../third_party/WebKit/WebCore/svg/SVGViewSpec.cpp',
'../third_party/WebKit/WebCore/svg/SVGViewSpec.h',
'../third_party/WebKit/WebCore/svg/SVGZoomAndPan.cpp',
'../third_party/WebKit/WebCore/svg/SVGZoomAndPan.h',
'../third_party/WebKit/WebCore/svg/SVGZoomEvent.cpp',
'../third_party/WebKit/WebCore/svg/SVGZoomEvent.h',
'../third_party/WebKit/WebCore/svg/SynchronizableTypeWrapper.h',
'../third_party/WebKit/WebCore/workers/GenericWorkerTask.h',
'../third_party/WebKit/WebCore/workers/Worker.cpp',
'../third_party/WebKit/WebCore/workers/Worker.h',
'../third_party/WebKit/WebCore/workers/WorkerContext.cpp',
'../third_party/WebKit/WebCore/workers/WorkerContext.h',
'../third_party/WebKit/WebCore/workers/WorkerContextProxy.h',
'../third_party/WebKit/WebCore/workers/WorkerLoaderProxy.h',
'../third_party/WebKit/WebCore/workers/WorkerLocation.cpp',
'../third_party/WebKit/WebCore/workers/WorkerLocation.h',
'../third_party/WebKit/WebCore/workers/WorkerMessagingProxy.cpp',
'../third_party/WebKit/WebCore/workers/WorkerMessagingProxy.h',
'../third_party/WebKit/WebCore/workers/WorkerObjectProxy.h',
'../third_party/WebKit/WebCore/workers/WorkerRunLoop.cpp',
'../third_party/WebKit/WebCore/workers/WorkerRunLoop.h',
'../third_party/WebKit/WebCore/workers/WorkerScriptLoader.cpp',
'../third_party/WebKit/WebCore/workers/WorkerScriptLoader.h',
'../third_party/WebKit/WebCore/workers/WorkerScriptLoaderClient.h',
'../third_party/WebKit/WebCore/workers/WorkerThread.cpp',
'../third_party/WebKit/WebCore/workers/WorkerThread.h',
'../third_party/WebKit/WebCore/xml/DOMParser.cpp',
'../third_party/WebKit/WebCore/xml/DOMParser.h',
'../third_party/WebKit/WebCore/xml/NativeXPathNSResolver.cpp',
'../third_party/WebKit/WebCore/xml/NativeXPathNSResolver.h',
'../third_party/WebKit/WebCore/xml/XMLHttpRequest.cpp',
'../third_party/WebKit/WebCore/xml/XMLHttpRequest.h',
'../third_party/WebKit/WebCore/xml/XMLHttpRequestException.h',
'../third_party/WebKit/WebCore/xml/XMLHttpRequestProgressEvent.h',
'../third_party/WebKit/WebCore/xml/XMLHttpRequestUpload.cpp',
'../third_party/WebKit/WebCore/xml/XMLHttpRequestUpload.h',
'../third_party/WebKit/WebCore/xml/XMLSerializer.cpp',
'../third_party/WebKit/WebCore/xml/XMLSerializer.h',
'../third_party/WebKit/WebCore/xml/XPathEvaluator.cpp',
'../third_party/WebKit/WebCore/xml/XPathEvaluator.h',
'../third_party/WebKit/WebCore/xml/XPathException.h',
'../third_party/WebKit/WebCore/xml/XPathExpression.cpp',
'../third_party/WebKit/WebCore/xml/XPathExpression.h',
'../third_party/WebKit/WebCore/xml/XPathExpressionNode.cpp',
'../third_party/WebKit/WebCore/xml/XPathExpressionNode.h',
'../third_party/WebKit/WebCore/xml/XPathFunctions.cpp',
'../third_party/WebKit/WebCore/xml/XPathFunctions.h',
'../third_party/WebKit/WebCore/xml/XPathNSResolver.cpp',
'../third_party/WebKit/WebCore/xml/XPathNSResolver.h',
'../third_party/WebKit/WebCore/xml/XPathNamespace.cpp',
'../third_party/WebKit/WebCore/xml/XPathNamespace.h',
'../third_party/WebKit/WebCore/xml/XPathNodeSet.cpp',
'../third_party/WebKit/WebCore/xml/XPathNodeSet.h',
'../third_party/WebKit/WebCore/xml/XPathParser.cpp',
'../third_party/WebKit/WebCore/xml/XPathParser.h',
'../third_party/WebKit/WebCore/xml/XPathPath.cpp',
'../third_party/WebKit/WebCore/xml/XPathPath.h',
'../third_party/WebKit/WebCore/xml/XPathPredicate.cpp',
'../third_party/WebKit/WebCore/xml/XPathPredicate.h',
'../third_party/WebKit/WebCore/xml/XPathResult.cpp',
'../third_party/WebKit/WebCore/xml/XPathResult.h',
'../third_party/WebKit/WebCore/xml/XPathStep.cpp',
'../third_party/WebKit/WebCore/xml/XPathStep.h',
'../third_party/WebKit/WebCore/xml/XPathUtil.cpp',
'../third_party/WebKit/WebCore/xml/XPathUtil.h',
'../third_party/WebKit/WebCore/xml/XPathValue.cpp',
'../third_party/WebKit/WebCore/xml/XPathValue.h',
'../third_party/WebKit/WebCore/xml/XPathVariableReference.cpp',
'../third_party/WebKit/WebCore/xml/XPathVariableReference.h',
'../third_party/WebKit/WebCore/xml/XSLImportRule.cpp',
'../third_party/WebKit/WebCore/xml/XSLImportRule.h',
'../third_party/WebKit/WebCore/xml/XSLStyleSheet.cpp',
'../third_party/WebKit/WebCore/xml/XSLStyleSheet.h',
'../third_party/WebKit/WebCore/xml/XSLTExtensions.cpp',
'../third_party/WebKit/WebCore/xml/XSLTExtensions.h',
'../third_party/WebKit/WebCore/xml/XSLTProcessor.cpp',
'../third_party/WebKit/WebCore/xml/XSLTProcessor.h',
'../third_party/WebKit/WebCore/xml/XSLTUnicodeSort.cpp',
'../third_party/WebKit/WebCore/xml/XSLTUnicodeSort.h',
# For WebCoreSystemInterface, Mac-only.
'../third_party/WebKit/WebKit/mac/WebCoreSupport/WebSystemInterface.m',
],
'sources/': [
# Don't build bindings for storage/database.
['exclude', '/third_party/WebKit/WebCore/storage/Storage[^/]*\\.idl$'],
# SVG_FILTERS only.
['exclude', '/third_party/WebKit/WebCore/svg/SVG(FE|Filter)[^/]*\\.idl$'],
# Fortunately, many things can be excluded by using broad patterns.
# Exclude things that don't apply to the Chromium platform on the basis
# of their enclosing directories and tags at the ends of their
# filenames.
['exclude', '/(android|cairo|cf|cg|curl|gtk|linux|mac|opentype|posix|qt|soup|symbian|win|wx)/'],
['exclude', '(?<!Chromium)(SVGAllInOne|Android|Cairo|CF|CG|Curl|Gtk|Linux|Mac|OpenType|POSIX|Posix|Qt|Safari|Soup|Symbian|Win|Wx)\\.(cpp|mm?)$'],
# JSC-only.
['exclude', '/third_party/WebKit/WebCore/inspector/JavaScript[^/]*\\.cpp$'],
# ENABLE_OFFLINE_WEB_APPLICATIONS only.
['exclude', '/third_party/WebKit/WebCore/loader/appcache/'],
# SVG_FILTERS only.
['exclude', '/third_party/WebKit/WebCore/(platform|svg)/graphics/filters/'],
['exclude', '/third_party/WebKit/WebCore/svg/Filter[^/]*\\.cpp$'],
['exclude', '/third_party/WebKit/WebCore/svg/SVG(FE|Filter)[^/]*\\.cpp$'],
# Exclude some, but not all, of storage.
['exclude', '/third_party/WebKit/WebCore/storage/(Local|Session)Storage[^/]*\\.cpp$'],
],
'sources!': [
# Custom bindings in bindings/v8/custom exist for these.
'../third_party/WebKit/WebCore/dom/EventListener.idl',
'../third_party/WebKit/WebCore/dom/EventTarget.idl',
'../third_party/WebKit/WebCore/html/VoidCallback.idl',
# JSC-only.
'../third_party/WebKit/WebCore/inspector/JavaScriptCallFrame.idl',
# ENABLE_OFFLINE_WEB_APPLICATIONS only.
'../third_party/WebKit/WebCore/loader/appcache/DOMApplicationCache.idl',
# ENABLE_GEOLOCATION only.
'../third_party/WebKit/WebCore/page/Geolocation.idl',
'../third_party/WebKit/WebCore/page/Geoposition.idl',
'../third_party/WebKit/WebCore/page/PositionCallback.idl',
'../third_party/WebKit/WebCore/page/PositionError.idl',
'../third_party/WebKit/WebCore/page/PositionErrorCallback.idl',
# Bindings with custom Objective-C implementations.
'../third_party/WebKit/WebCore/page/AbstractView.idl',
# TODO(mark): I don't know why all of these are excluded.
# Extra SVG bindings to exclude.
'../third_party/WebKit/WebCore/svg/ElementTimeControl.idl',
'../third_party/WebKit/WebCore/svg/SVGAnimatedPathData.idl',
'../third_party/WebKit/WebCore/svg/SVGComponentTransferFunctionElement.idl',
'../third_party/WebKit/WebCore/svg/SVGExternalResourcesRequired.idl',
'../third_party/WebKit/WebCore/svg/SVGFitToViewBox.idl',
'../third_party/WebKit/WebCore/svg/SVGHKernElement.idl',
'../third_party/WebKit/WebCore/svg/SVGLangSpace.idl',
'../third_party/WebKit/WebCore/svg/SVGLocatable.idl',
'../third_party/WebKit/WebCore/svg/SVGStylable.idl',
'../third_party/WebKit/WebCore/svg/SVGTests.idl',
'../third_party/WebKit/WebCore/svg/SVGTransformable.idl',
'../third_party/WebKit/WebCore/svg/SVGViewSpec.idl',
'../third_party/WebKit/WebCore/svg/SVGZoomAndPan.idl',
# TODO(mark): I don't know why these are excluded, either.
# Someone (me?) should figure it out and add appropriate comments.
'../third_party/WebKit/WebCore/css/CSSUnknownRule.idl',
# A few things can't be excluded by patterns. List them individually.
# Use history/BackForwardListChromium.cpp instead.
'../third_party/WebKit/WebCore/history/BackForwardList.cpp',
# Use loader/icon/IconDatabaseNone.cpp instead.
'../third_party/WebKit/WebCore/loader/icon/IconDatabase.cpp',
# Use platform/KURLGoogle.cpp instead.
'../third_party/WebKit/WebCore/platform/KURL.cpp',
# Use platform/MIMETypeRegistryChromium.cpp instead.
'../third_party/WebKit/WebCore/platform/MIMETypeRegistry.cpp',
# USE_NEW_THEME only.
'../third_party/WebKit/WebCore/platform/Theme.cpp',
# Exclude some, but not all, of plugins.
'../third_party/WebKit/WebCore/plugins/PluginDatabase.cpp',
'../third_party/WebKit/WebCore/plugins/PluginInfoStore.cpp',
'../third_party/WebKit/WebCore/plugins/PluginMainThreadScheduler.cpp',
'../third_party/WebKit/WebCore/plugins/PluginPackage.cpp',
'../third_party/WebKit/WebCore/plugins/PluginStream.cpp',
'../third_party/WebKit/WebCore/plugins/PluginView.cpp',
'../third_party/WebKit/WebCore/plugins/npapi.cpp',
# Use LinkHashChromium.cpp instead
'../third_party/WebKit/WebCore/platform/LinkHash.cpp',
# Don't build these.
# TODO(mark): I don't know exactly why these are excluded. It would
# be nice to provide more explicit comments. Some of these do actually
# compile.
'../third_party/WebKit/WebCore/dom/StaticStringList.cpp',
'../third_party/WebKit/WebCore/loader/icon/IconFetcher.cpp',
'../third_party/WebKit/WebCore/loader/UserStyleSheetLoader.cpp',
'../third_party/WebKit/WebCore/platform/graphics/GraphicsLayer.cpp',
'../third_party/WebKit/WebCore/platform/graphics/RenderLayerBacking.cpp',
'../third_party/WebKit/WebCore/platform/graphics/RenderLayerCompositor.cpp',
],
'direct_dependent_settings': {
'include_dirs': [
'<(SHARED_INTERMEDIATE_DIR)/webkit',
'<(SHARED_INTERMEDIATE_DIR)/webkit/bindings',
'port/bindings/v8',
'<@(webcore_include_dirs)',
],
'mac_framework_dirs': [
'$(SDKROOT)/System/Library/Frameworks/ApplicationServices.framework/Frameworks',
],
},
'export_dependent_settings': [
'wtf',
'../build/temp_gyp/googleurl.gyp:googleurl',
'../skia/skia.gyp:skia',
'../third_party/npapi/npapi.gyp:npapi',
],
'link_settings': {
'mac_bundle_resources': [
'../third_party/WebKit/WebCore/Resources/aliasCursor.png',
'../third_party/WebKit/WebCore/Resources/cellCursor.png',
'../third_party/WebKit/WebCore/Resources/contextMenuCursor.png',
'../third_party/WebKit/WebCore/Resources/copyCursor.png',
'../third_party/WebKit/WebCore/Resources/crossHairCursor.png',
'../third_party/WebKit/WebCore/Resources/eastResizeCursor.png',
'../third_party/WebKit/WebCore/Resources/eastWestResizeCursor.png',
'../third_party/WebKit/WebCore/Resources/helpCursor.png',
'../third_party/WebKit/WebCore/Resources/linkCursor.png',
'../third_party/WebKit/WebCore/Resources/missingImage.png',
'../third_party/WebKit/WebCore/Resources/moveCursor.png',
'../third_party/WebKit/WebCore/Resources/noDropCursor.png',
'../third_party/WebKit/WebCore/Resources/noneCursor.png',
'../third_party/WebKit/WebCore/Resources/northEastResizeCursor.png',
'../third_party/WebKit/WebCore/Resources/northEastSouthWestResizeCursor.png',
'../third_party/WebKit/WebCore/Resources/northResizeCursor.png',
'../third_party/WebKit/WebCore/Resources/northSouthResizeCursor.png',
'../third_party/WebKit/WebCore/Resources/northWestResizeCursor.png',
'../third_party/WebKit/WebCore/Resources/northWestSouthEastResizeCursor.png',
'../third_party/WebKit/WebCore/Resources/notAllowedCursor.png',
'../third_party/WebKit/WebCore/Resources/progressCursor.png',
'../third_party/WebKit/WebCore/Resources/southEastResizeCursor.png',
'../third_party/WebKit/WebCore/Resources/southResizeCursor.png',
'../third_party/WebKit/WebCore/Resources/southWestResizeCursor.png',
'../third_party/WebKit/WebCore/Resources/verticalTextCursor.png',
'../third_party/WebKit/WebCore/Resources/waitCursor.png',
'../third_party/WebKit/WebCore/Resources/westResizeCursor.png',
'../third_party/WebKit/WebCore/Resources/zoomInCursor.png',
'../third_party/WebKit/WebCore/Resources/zoomOutCursor.png',
],
},
'hard_dependency': 1,
'mac_framework_dirs': [
'$(SDKROOT)/System/Library/Frameworks/ApplicationServices.framework/Frameworks',
],
'msvs_disabled_warnings': [
4138, 4244, 4291, 4305, 4344, 4355, 4521, 4099,
],
'scons_line_length' : 1,
'xcode_settings': {
# Some Mac-specific parts of WebKit won't compile without having this
# prefix header injected.
# TODO(mark): make this a first-class setting.
'GCC_PREFIX_HEADER': '../third_party/WebKit/WebCore/WebCorePrefix.h',
},
'conditions': [
['javascript_engine=="v8"', {
'dependencies': [
'../v8/tools/gyp/v8.gyp:v8',
],
'export_dependent_settings': [
'../v8/tools/gyp/v8.gyp:v8',
],
}],
['OS=="linux"', {
'dependencies': [
'../build/linux/system.gyp:fontconfig',
'../build/linux/system.gyp:gtk',
],
'sources': [
'../third_party/WebKit/WebCore/platform/graphics/chromium/VDMXParser.cpp',
'../third_party/WebKit/WebCore/platform/graphics/chromium/HarfbuzzSkia.cpp',
],
'sources!': [
# Not yet ported to Linux.
'../third_party/WebKit/WebCore/platform/graphics/chromium/FontCustomPlatformData.cpp',
],
'sources/': [
# Cherry-pick files excluded by the broader regular expressions above.
['include', 'third_party/WebKit/WebCore/platform/chromium/KeyCodeConversionGtk\\.cpp$'],
['include', 'third_party/WebKit/WebCore/platform/graphics/chromium/FontCacheLinux\\.cpp$'],
['include', 'third_party/WebKit/WebCore/platform/graphics/chromium/FontLinux\\.cpp$'],
['include', 'third_party/WebKit/WebCore/platform/graphics/chromium/FontPlatformDataLinux\\.cpp$'],
['include', 'third_party/WebKit/WebCore/platform/graphics/chromium/GlyphPageTreeNodeLinux\\.cpp$'],
['include', 'third_party/WebKit/WebCore/platform/graphics/chromium/SimpleFontDataLinux\\.cpp$'],
],
'cflags': [
# -Wno-multichar for:
# .../WebCore/platform/image-decoders/bmp/BMPImageDecoder.cpp
'-Wno-multichar',
# WebCore does not work with strict aliasing enabled.
# https://bugs.webkit.org/show_bug.cgi?id=25864
'-fno-strict-aliasing',
],
}],
['OS=="mac"', {
'actions': [
{
# Allow framework-style #include of
# <WebCore/WebCoreSystemInterface.h>.
'action_name': 'WebCoreSystemInterface.h',
'inputs': [
'../third_party/WebKit/WebCore/platform/mac/WebCoreSystemInterface.h',
],
'outputs': [
'<(INTERMEDIATE_DIR)/WebCore/WebCoreSystemInterface.h',
],
'action': ['cp', '<@(_inputs)', '<@(_outputs)'],
},
],
'include_dirs': [
'../third_party/WebKit/WebKitLibraries',
],
'sources/': [
# Additional files from the WebCore Mac build that are presently
# used in the WebCore Chromium Mac build too.
# The Mac build is PLATFORM_CF but does not use CFNetwork.
['include', 'CF\\.cpp$'],
['exclude', '/network/cf/'],
# The Mac build is PLATFORM_CG too. platform/graphics/cg is the
# only place that CG files we want to build are located, and not
# all of them even have a CG suffix, so just add them by a
# regexp matching their directory.
['include', '/platform/graphics/cg/[^/]*(?<!Win)?\\.(cpp|mm?)$'],
# Use native Mac font code from WebCore.
['include', '/platform/(graphics/)?mac/[^/]*Font[^/]*\\.(cpp|mm?)$'],
# Cherry-pick some files that can't be included by broader regexps.
# Some of these are used instead of Chromium platform files, see
# the specific exclusions in the "sources!" list below.
['include', '/third_party/WebKit/WebCore/loader/archive/cf/LegacyWebArchive\\.cpp$'],
['include', '/third_party/WebKit/WebCore/platform/graphics/mac/ColorMac\\.mm$'],
['include', '/third_party/WebKit/WebCore/platform/graphics/mac/GlyphPageTreeNodeMac\\.cpp$'],
['include', '/third_party/WebKit/WebCore/platform/graphics/mac/GraphicsContextMac\\.mm$'],
['include', '/third_party/WebKit/WebCore/platform/mac/BlockExceptions\\.mm$'],
['include', '/third_party/WebKit/WebCore/platform/mac/LocalCurrentGraphicsContext\\.mm$'],
['include', '/third_party/WebKit/WebCore/platform/mac/PurgeableBufferMac\\.cpp$'],
['include', '/third_party/WebKit/WebCore/platform/mac/ScrollbarThemeMac\\.mm$'],
['include', '/third_party/WebKit/WebCore/platform/mac/WebCoreSystemInterface\\.mm$'],
['include', '/third_party/WebKit/WebCore/platform/mac/WebCoreTextRenderer\\.mm$'],
['include', '/third_party/WebKit/WebCore/platform/text/mac/ShapeArabic\\.c$'],
['include', '/third_party/WebKit/WebCore/platform/text/mac/String(Impl)?Mac\\.mm$'],
['include', '/third_party/WebKit/WebKit/mac/WebCoreSupport/WebSystemInterface\\.m$'],
],
'sources!': [
# The Mac currently uses FontCustomPlatformData.cpp from
# platform/graphics/mac, included by regex above, instead.
'../third_party/WebKit/WebCore/platform/graphics/chromium/FontCustomPlatformData.cpp',
# The Mac currently uses ScrollbarThemeMac.mm, included by regex
# above, instead of ScrollbarThemeChromium.cpp.
'../third_party/WebKit/WebCore/platform/chromium/ScrollbarThemeChromium.cpp',
# These Skia files aren't currently built on the Mac, which uses
# CoreGraphics directly for this portion of graphics handling.
'../third_party/WebKit/WebCore/platform/graphics/skia/FloatPointSkia.cpp',
'../third_party/WebKit/WebCore/platform/graphics/skia/FloatRectSkia.cpp',
'../third_party/WebKit/WebCore/platform/graphics/skia/GradientSkia.cpp',
'../third_party/WebKit/WebCore/platform/graphics/skia/GraphicsContextSkia.cpp',
'../third_party/WebKit/WebCore/platform/graphics/skia/ImageBufferSkia.cpp',
'../third_party/WebKit/WebCore/platform/graphics/skia/ImageSkia.cpp',
'../third_party/WebKit/WebCore/platform/graphics/skia/ImageSourceSkia.cpp',
'../third_party/WebKit/WebCore/platform/graphics/skia/IntPointSkia.cpp',
'../third_party/WebKit/WebCore/platform/graphics/skia/IntRectSkia.cpp',
'../third_party/WebKit/WebCore/platform/graphics/skia/PathSkia.cpp',
'../third_party/WebKit/WebCore/platform/graphics/skia/PatternSkia.cpp',
'../third_party/WebKit/WebCore/platform/graphics/skia/TransformationMatrixSkia.cpp',
# RenderThemeChromiumSkia is not used on mac since RenderThemeChromiumMac
# does not reference the Skia code that is used by Windows and Linux.
'../third_party/WebKit/WebCore/rendering/RenderThemeChromiumSkia.cpp',
# Skia image-decoders are also not used on mac. CoreGraphics
# is used directly instead.
'../third_party/WebKit/WebCore/platform/image-decoders/ImageDecoder.h',
'../third_party/WebKit/WebCore/platform/image-decoders/bmp/BMPImageDecoder.cpp',
'../third_party/WebKit/WebCore/platform/image-decoders/bmp/BMPImageDecoder.h',
'../third_party/WebKit/WebCore/platform/image-decoders/bmp/BMPImageReader.cpp',
'../third_party/WebKit/WebCore/platform/image-decoders/bmp/BMPImageReader.h',
'../third_party/WebKit/WebCore/platform/image-decoders/gif/GIFImageDecoder.cpp',
'../third_party/WebKit/WebCore/platform/image-decoders/gif/GIFImageDecoder.h',
'../third_party/WebKit/WebCore/platform/image-decoders/gif/GIFImageReader.cpp',
'../third_party/WebKit/WebCore/platform/image-decoders/gif/GIFImageReader.h',
'../third_party/WebKit/WebCore/platform/image-decoders/ico/ICOImageDecoder.cpp',
'../third_party/WebKit/WebCore/platform/image-decoders/ico/ICOImageDecoder.h',
'../third_party/WebKit/WebCore/platform/image-decoders/jpeg/JPEGImageDecoder.cpp',
'../third_party/WebKit/WebCore/platform/image-decoders/jpeg/JPEGImageDecoder.h',
'../third_party/WebKit/WebCore/platform/image-decoders/png/PNGImageDecoder.cpp',
'../third_party/WebKit/WebCore/platform/image-decoders/png/PNGImageDecoder.h',
'../third_party/WebKit/WebCore/platform/image-decoders/skia/ImageDecoderSkia.cpp',
'../third_party/WebKit/WebCore/platform/image-decoders/xbm/XBMImageDecoder.cpp',
'../third_party/WebKit/WebCore/platform/image-decoders/xbm/XBMImageDecoder.h',
],
'link_settings': {
'libraries': [
'../third_party/WebKit/WebKitLibraries/libWebKitSystemInterfaceLeopard.a',
],
},
'direct_dependent_settings': {
'include_dirs': [
'../third_party/WebKit/WebKitLibraries',
'../third_party/WebKit/WebKit/mac/WebCoreSupport',
],
},
}],
['OS=="win"', {
'dependencies': ['../build/win/system.gyp:cygwin'],
'sources/': [
['exclude', 'Posix\\.cpp$'],
['include', '/opentype/'],
['include', '/TransparencyWin\\.cpp$'],
['include', '/SkiaFontWin\\.cpp$'],
],
'defines': [
'__PRETTY_FUNCTION__=__FUNCTION__',
'DISABLE_ACTIVEX_TYPE_CONVERSION_MPLAYER2',
],
# This is needed because Event.h in this directory is blocked
# by a system header on windows.
'include_dirs++': ['../third_party/WebKit/WebCore/dom'],
'direct_dependent_settings': {
'include_dirs+++': ['../third_party/WebKit/WebCore/dom'],
},
}],
['OS!="linux"', {'sources/': [['exclude', '(Gtk|Linux)\\.cpp$']]}],
['OS!="mac"', {'sources/': [['exclude', 'Mac\\.(cpp|mm?)$']]}],
['OS!="win"', {
'sources/': [
['exclude', 'Win\\.cpp$'],
['exclude', '/(Windows|Uniscribe)[^/]*\\.cpp$']
],
}],
],
},
{
'target_name': 'webkit',
'type': '<(library)',
'msvs_guid': '5ECEC9E5-8F23-47B6-93E0-C3B328B3BE65',
'dependencies': [
'webcore',
],
'include_dirs': [
'api/public',
'api/src',
],
'defines': [
'WEBKIT_IMPLEMENTATION',
],
'sources': [
'api/public/gtk/WebInputEventFactory.h',
'api/public/x11/WebScreenInfoFactory.h',
'api/public/mac/WebInputEventFactory.h',
'api/public/mac/WebScreenInfoFactory.h',
'api/public/WebCache.h',
'api/public/WebCanvas.h',
'api/public/WebClipboard.h',
'api/public/WebColor.h',
'api/public/WebCommon.h',
'api/public/WebConsoleMessage.h',
'api/public/WebCString.h',
'api/public/WebCursorInfo.h',
'api/public/WebData.h',
'api/public/WebDataSource.h',
'api/public/WebDragData.h',
'api/public/WebFindOptions.h',
'api/public/WebForm.h',
'api/public/WebHistoryItem.h',
'api/public/WebHTTPBody.h',
'api/public/WebImage.h',
'api/public/WebInputEvent.h',
'api/public/WebKit.h',
'api/public/WebKitClient.h',
'api/public/WebMediaPlayer.h',
'api/public/WebMediaPlayerClient.h',
'api/public/WebMimeRegistry.h',
'api/public/WebNavigationType.h',
'api/public/WebNonCopyable.h',
'api/public/WebPluginListBuilder.h',
'api/public/WebPoint.h',
'api/public/WebRect.h',
'api/public/WebScreenInfo.h',
'api/public/WebScriptSource.h',
'api/public/WebSize.h',
'api/public/WebString.h',
'api/public/WebURL.h',
'api/public/WebURLError.h',
'api/public/WebURLLoader.h',
'api/public/WebURLLoaderClient.h',
'api/public/WebURLRequest.h',
'api/public/WebURLResponse.h',
'api/public/WebVector.h',
'api/public/win/WebInputEventFactory.h',
'api/public/win/WebSandboxSupport.h',
'api/public/win/WebScreenInfoFactory.h',
'api/public/win/WebScreenInfoFactory.h',
'api/src/ChromiumBridge.cpp',
'api/src/ChromiumCurrentTime.cpp',
'api/src/ChromiumThreading.cpp',
'api/src/gtk/WebFontInfo.cpp',
'api/src/gtk/WebFontInfo.h',
'api/src/gtk/WebInputEventFactory.cpp',
'api/src/x11/WebScreenInfoFactory.cpp',
'api/src/mac/WebInputEventFactory.mm',
'api/src/mac/WebScreenInfoFactory.mm',
'api/src/MediaPlayerPrivateChromium.cpp',
'api/src/ResourceHandle.cpp',
'api/src/TemporaryGlue.h',
'api/src/WebCache.cpp',
'api/src/WebCString.cpp',
'api/src/WebCursorInfo.cpp',
'api/src/WebData.cpp',
'api/src/WebDragData.cpp',
'api/src/WebForm.cpp',
'api/src/WebHistoryItem.cpp',
'api/src/WebHTTPBody.cpp',
'api/src/WebImageCG.cpp',
'api/src/WebImageSkia.cpp',
'api/src/WebInputEvent.cpp',
'api/src/WebKit.cpp',
'api/src/WebMediaPlayerClientImpl.cpp',
'api/src/WebMediaPlayerClientImpl.h',
'api/src/WebPluginListBuilderImpl.cpp',
'api/src/WebPluginListBuilderImpl.h',
'api/src/WebString.cpp',
'api/src/WebURL.cpp',
'api/src/WebURLRequest.cpp',
'api/src/WebURLRequestPrivate.h',
'api/src/WebURLResponse.cpp',
'api/src/WebURLResponsePrivate.h',
'api/src/WebURLError.cpp',
'api/src/WrappedResourceRequest.h',
'api/src/WrappedResourceResponse.h',
'api/src/win/WebInputEventFactory.cpp',
'api/src/win/WebScreenInfoFactory.cpp',
],
'conditions': [
['OS=="linux"', {
'dependencies': [
'../build/linux/system.gyp:x11',
'../build/linux/system.gyp:gtk',
],
'include_dirs': [
'api/public/x11',
'api/public/gtk',
'api/public/linux',
],
}, { # else: OS!="linux"
'sources/': [
['exclude', '/gtk/'],
['exclude', '/x11/'],
],
}],
['OS=="mac"', {
'include_dirs': [
'api/public/mac',
],
'sources/': [
['exclude', 'Skia\\.cpp$'],
],
}, { # else: OS!="mac"
'sources/': [
['exclude', '/mac/'],
['exclude', 'CG\\.cpp$'],
],
}],
['OS=="win"', {
'include_dirs': [
'api/public/win',
],
}, { # else: OS!="win"
'sources/': [['exclude', '/win/']],
}],
],
},
{
'target_name': 'webkit_resources',
'type': 'none',
'msvs_guid': '0B469837-3D46-484A-AFB3-C5A6C68730B9',
'variables': {
'grit_path': '../tools/grit/grit.py',
'grit_out_dir': '<(SHARED_INTERMEDIATE_DIR)/webkit',
},
'actions': [
{
'action_name': 'webkit_resources',
'variables': {
'input_path': 'glue/webkit_resources.grd',
},
'inputs': [
'<(input_path)',
],
'outputs': [
'<(grit_out_dir)/grit/webkit_resources.h',
'<(grit_out_dir)/webkit_resources.pak',
'<(grit_out_dir)/webkit_resources.rc',
],
'action': ['python', '<(grit_path)', '-i', '<(input_path)', 'build', '-o', '<(grit_out_dir)'],
'message': 'Generating resources from <(input_path)',
},
],
'direct_dependent_settings': {
'include_dirs': [
'<(SHARED_INTERMEDIATE_DIR)/webkit',
],
},
'conditions': [
['OS=="win"', {
'dependencies': ['../build/win/system.gyp:cygwin'],
}],
],
},
{
'target_name': 'webkit_strings',
'type': 'none',
'msvs_guid': '60B43839-95E6-4526-A661-209F16335E0E',
'variables': {
'grit_path': '../tools/grit/grit.py',
'grit_out_dir': '<(SHARED_INTERMEDIATE_DIR)/webkit',
},
'actions': [
{
'action_name': 'webkit_strings',
'variables': {
'input_path': 'glue/webkit_strings.grd',
},
'inputs': [
'<(input_path)',
],
'outputs': [
'<(grit_out_dir)/grit/webkit_strings.h',
'<(grit_out_dir)/webkit_strings_da.pak',
'<(grit_out_dir)/webkit_strings_da.rc',
'<(grit_out_dir)/webkit_strings_en-US.pak',
'<(grit_out_dir)/webkit_strings_en-US.rc',
'<(grit_out_dir)/webkit_strings_he.pak',
'<(grit_out_dir)/webkit_strings_he.rc',
'<(grit_out_dir)/webkit_strings_zh-TW.pak',
'<(grit_out_dir)/webkit_strings_zh-TW.rc',
],
'action': ['python', '<(grit_path)', '-i', '<(input_path)', 'build', '-o', '<(grit_out_dir)'],
'message': 'Generating resources from <(input_path)',
},
],
'direct_dependent_settings': {
'include_dirs': [
'<(SHARED_INTERMEDIATE_DIR)/webkit',
],
},
'conditions': [
['OS=="win"', {
'dependencies': ['../build/win/system.gyp:cygwin'],
}],
],
},
{
'target_name': 'glue',
'type': '<(library)',
'msvs_guid': 'C66B126D-0ECE-4CA2-B6DC-FA780AFBBF09',
'dependencies': [
'../net/net.gyp:net',
'inspector_resources',
'webcore',
'webkit',
'webkit_resources',
'webkit_strings',
],
'actions': [
{
'action_name': 'webkit_version',
'inputs': [
'build/webkit_version.py',
'../third_party/WebKit/WebCore/Configurations/Version.xcconfig',
],
'outputs': [
'<(INTERMEDIATE_DIR)/webkit_version.h',
],
'action': ['python', '<@(_inputs)', '<(INTERMEDIATE_DIR)'],
},
],
'include_dirs': [
'<(INTERMEDIATE_DIR)',
'<(SHARED_INTERMEDIATE_DIR)/webkit',
],
'sources': [
# This list contains all .h, .cc, and .mm files in glue except for
# those in the test subdirectory and those with unittest in in their
# names.
'glue/devtools/devtools_rpc.cc',
'glue/devtools/devtools_rpc.h',
'glue/devtools/devtools_rpc_js.h',
'glue/devtools/bound_object.cc',
'glue/devtools/bound_object.h',
'glue/devtools/debugger_agent.h',
'glue/devtools/debugger_agent_impl.cc',
'glue/devtools/debugger_agent_impl.h',
'glue/devtools/debugger_agent_manager.cc',
'glue/devtools/debugger_agent_manager.h',
'glue/devtools/dom_agent.h',
'glue/devtools/dom_agent_impl.cc',
'glue/devtools/dom_agent_impl.h',
'glue/devtools/tools_agent.h',
'glue/media/media_resource_loader_bridge_factory.cc',
'glue/media/media_resource_loader_bridge_factory.h',
'glue/media/simple_data_source.cc',
'glue/media/simple_data_source.h',
'glue/media/video_renderer_impl.cc',
'glue/media/video_renderer_impl.h',
'glue/plugins/mozilla_extensions.cc',
'glue/plugins/mozilla_extensions.h',
'glue/plugins/nphostapi.h',
'glue/plugins/gtk_plugin_container.h',
'glue/plugins/gtk_plugin_container.cc',
'glue/plugins/gtk_plugin_container_manager.h',
'glue/plugins/gtk_plugin_container_manager.cc',
'glue/plugins/plugin_constants_win.h',
'glue/plugins/plugin_host.cc',
'glue/plugins/plugin_host.h',
'glue/plugins/plugin_instance.cc',
'glue/plugins/plugin_instance.h',
'glue/plugins/plugin_lib.cc',
'glue/plugins/plugin_lib.h',
'glue/plugins/plugin_lib_linux.cc',
'glue/plugins/plugin_lib_mac.mm',
'glue/plugins/plugin_lib_win.cc',
'glue/plugins/plugin_list.cc',
'glue/plugins/plugin_list.h',
'glue/plugins/plugin_list_linux.cc',
'glue/plugins/plugin_list_mac.mm',
'glue/plugins/plugin_list_win.cc',
'glue/plugins/plugin_stream.cc',
'glue/plugins/plugin_stream.h',
'glue/plugins/plugin_stream_posix.cc',
'glue/plugins/plugin_stream_url.cc',
'glue/plugins/plugin_stream_url.h',
'glue/plugins/plugin_stream_win.cc',
'glue/plugins/plugin_string_stream.cc',
'glue/plugins/plugin_string_stream.h',
'glue/plugins/plugin_stubs.cc',
'glue/plugins/webplugin_delegate_impl.cc',
'glue/plugins/webplugin_delegate_impl.h',
'glue/plugins/webplugin_delegate_impl_gtk.cc',
'glue/plugins/webplugin_delegate_impl_mac.mm',
'glue/alt_404_page_resource_fetcher.cc',
'glue/alt_404_page_resource_fetcher.h',
'glue/alt_error_page_resource_fetcher.cc',
'glue/alt_error_page_resource_fetcher.h',
'glue/autocomplete_input_listener.h',
'glue/autofill_form.cc',
'glue/autofill_form.h',
'glue/back_forward_list_client_impl.cc',
'glue/back_forward_list_client_impl.h',
'glue/chrome_client_impl.cc',
'glue/chrome_client_impl.h',
'glue/chromium_bridge_impl.cc',
'glue/context_menu.h',
'glue/context_menu_client_impl.cc',
'glue/context_menu_client_impl.h',
'glue/cpp_binding_example.cc',
'glue/cpp_binding_example.h',
'glue/cpp_bound_class.cc',
'glue/cpp_bound_class.h',
'glue/cpp_variant.cc',
'glue/cpp_variant.h',
'glue/dom_operations.cc',
'glue/dom_operations.h',
'glue/dom_operations_private.h',
'glue/dom_serializer.cc',
'glue/dom_serializer.h',
'glue/dom_serializer_delegate.h',
'glue/dragclient_impl.cc',
'glue/dragclient_impl.h',
'glue/editor_client_impl.cc',
'glue/editor_client_impl.h',
'glue/entity_map.cc',
'glue/entity_map.h',
'glue/event_conversion.cc',
'glue/event_conversion.h',
'glue/feed_preview.cc',
'glue/feed_preview.h',
'glue/form_data.h',
'glue/glue_accessibility_object.cc',
'glue/glue_accessibility_object.h',
'glue/glue_serialize.cc',
'glue/glue_serialize.h',
'glue/glue_util.cc',
'glue/glue_util.h',
'glue/image_decoder.cc',
'glue/image_decoder.h',
'glue/image_resource_fetcher.cc',
'glue/image_resource_fetcher.h',
'glue/inspector_client_impl.cc',
'glue/inspector_client_impl.h',
'glue/localized_strings.cc',
'glue/multipart_response_delegate.cc',
'glue/multipart_response_delegate.h',
'glue/npruntime_util.cc',
'glue/npruntime_util.h',
'glue/password_autocomplete_listener.cc',
'glue/password_autocomplete_listener.h',
'glue/password_form.h',
'glue/password_form_dom_manager.cc',
'glue/password_form_dom_manager.h',
'glue/resource_fetcher.cc',
'glue/resource_fetcher.h',
'glue/resource_loader_bridge.cc',
'glue/resource_loader_bridge.h',
'glue/resource_type.h',
'glue/scoped_clipboard_writer_glue.h',
'glue/searchable_form_data.cc',
'glue/searchable_form_data.h',
'glue/simple_webmimeregistry_impl.cc',
'glue/simple_webmimeregistry_impl.h',
'glue/stacking_order_iterator.cc',
'glue/stacking_order_iterator.h',
'glue/temporary_glue.cc',
'glue/webaccessibility.h',
'glue/webaccessibilitymanager.h',
'glue/webaccessibilitymanager_impl.cc',
'glue/webaccessibilitymanager_impl.h',
'glue/webappcachecontext.cc',
'glue/webappcachecontext.h',
'glue/webclipboard_impl.cc',
'glue/webclipboard_impl.h',
'glue/webcursor.cc',
'glue/webcursor.h',
'glue/webcursor_gtk.cc',
'glue/webcursor_gtk_data.h',
'glue/webcursor_mac.mm',
'glue/webcursor_win.cc',
'glue/webdatasource_impl.cc',
'glue/webdatasource_impl.h',
'glue/webdevtoolsagent.h',
'glue/webdevtoolsagent_delegate.h',
'glue/webdevtoolsagent_impl.cc',
'glue/webdevtoolsagent_impl.h',
'glue/webdevtoolsclient.h',
'glue/webdevtoolsclient_delegate.h',
'glue/webdevtoolsclient_impl.cc',
'glue/webdevtoolsclient_impl.h',
'glue/webdropdata.cc',
'glue/webdropdata_win.cc',
'glue/webdropdata.h',
'glue/webframe.h',
'glue/webframe_impl.cc',
'glue/webframe_impl.h',
'glue/webframeloaderclient_impl.cc',
'glue/webframeloaderclient_impl.h',
'glue/webkit_glue.cc',
'glue/webkit_glue.h',
'glue/webkitclient_impl.cc',
'glue/webkitclient_impl.h',
'glue/webmediaplayer_impl.h',
'glue/webmediaplayer_impl.cc',
'glue/webmenurunner_mac.h',
'glue/webmenurunner_mac.mm',
'glue/webplugin.h',
'glue/webplugin_delegate.cc',
'glue/webplugin_delegate.h',
'glue/webplugin_impl.cc',
'glue/webplugin_impl.h',
'glue/webplugininfo.h',
'glue/webpreferences.h',
'glue/webtextinput.h',
'glue/webtextinput_impl.cc',
'glue/webtextinput_impl.h',
'glue/webthemeengine_impl_win.cc',
'glue/weburlloader_impl.cc',
'glue/weburlloader_impl.h',
'glue/webview.h',
'glue/webview_delegate.cc',
'glue/webview_delegate.h',
'glue/webview_impl.cc',
'glue/webview_impl.h',
'glue/webwidget.h',
'glue/webwidget_delegate.h',
'glue/webwidget_impl.cc',
'glue/webwidget_impl.h',
'glue/webworker_impl.cc',
'glue/webworker_impl.h',
'glue/webworkerclient_impl.cc',
'glue/webworkerclient_impl.h',
'glue/window_open_disposition.h',
],
# When glue is a dependency, it needs to be a hard dependency.
# Dependents may rely on files generated by this target or one of its
# own hard dependencies.
'hard_dependency': 1,
'export_dependent_settings': [
'webcore',
],
'conditions': [
['OS=="linux"', {
'dependencies': [
'../build/linux/system.gyp:gtk',
],
'export_dependent_settings': [
# Users of webcursor.h need the GTK include path.
'../build/linux/system.gyp:gtk',
],
'sources!': [
'glue/plugins/plugin_stubs.cc',
],
}, { # else: OS!="linux"
'sources/': [['exclude', '_(linux|gtk)(_data)?\\.cc$'],
['exclude', r'/gtk_']],
}],
['OS!="mac"', {
'sources/': [['exclude', '_mac\\.(cc|mm)$']]
}],
['OS!="win"', {
'sources/': [['exclude', '_win\\.cc$']],
'sources!': [
# TODO(port): Mac uses webplugin_delegate_impl_mac.cc and GTK uses
# webplugin_delegate_impl_gtk.cc. Seems like this should be
# renamed webplugin_delegate_impl_win.cc, then we could get rid
# of the explicit exclude.
'glue/plugins/webplugin_delegate_impl.cc',
# These files are Windows-only now but may be ported to other
# platforms.
'glue/glue_accessibility_object.cc',
'glue/glue_accessibility_object.h',
'glue/plugins/mozilla_extensions.cc',
'glue/plugins/webplugin_delegate_impl.cc',
'glue/webaccessibility.h',
'glue/webaccessibilitymanager.h',
'glue/webaccessibilitymanager_impl.cc',
'glue/webaccessibilitymanager_impl.cc',
'glue/webaccessibilitymanager_impl.h',
'glue/webthemeengine_impl_win.cc',
],
}, { # else: OS=="win"
'sources/': [['exclude', '_posix\\.cc$']],
'dependencies': [
'../build/win/system.gyp:cygwin',
'activex_shim/activex_shim.gyp:activex_shim',
'default_plugin/default_plugin.gyp:default_plugin',
],
'sources!': [
'glue/plugins/plugin_stubs.cc',
],
}],
],
},
{
'target_name': 'inspector_resources',
'type': 'none',
'msvs_guid': '5330F8EE-00F5-D65C-166E-E3150171055D',
'copies': [
{
'destination': '<(PRODUCT_DIR)/resources/inspector',
'files': [
'glue/devtools/js/base.js',
'glue/devtools/js/debugger_agent.js',
'glue/devtools/js/devtools.css',
'glue/devtools/js/devtools.html',
'glue/devtools/js/devtools.js',
'glue/devtools/js/devtools_callback.js',
'glue/devtools/js/devtools_host_stub.js',
'glue/devtools/js/dom_agent.js',
'glue/devtools/js/inject.js',
'glue/devtools/js/inspector_controller.js',
'glue/devtools/js/inspector_controller_impl.js',
'glue/devtools/js/profiler_processor.js',
'glue/devtools/js/tests.js',
'../third_party/WebKit/WebCore/inspector/front-end/BottomUpProfileDataGridTree.js',
'../third_party/WebKit/WebCore/inspector/front-end/Breakpoint.js',
'../third_party/WebKit/WebCore/inspector/front-end/BreakpointsSidebarPane.js',
'../third_party/WebKit/WebCore/inspector/front-end/CallStackSidebarPane.js',
'../third_party/WebKit/WebCore/inspector/front-end/Console.js',
'../third_party/WebKit/WebCore/inspector/front-end/Database.js',
'../third_party/WebKit/WebCore/inspector/front-end/DatabaseQueryView.js',
'../third_party/WebKit/WebCore/inspector/front-end/DatabasesPanel.js',
'../third_party/WebKit/WebCore/inspector/front-end/DatabaseTableView.js',
'../third_party/WebKit/WebCore/inspector/front-end/DataGrid.js',
'../third_party/WebKit/WebCore/inspector/front-end/ElementsPanel.js',
'../third_party/WebKit/WebCore/inspector/front-end/ElementsTreeOutline.js',
'../third_party/WebKit/WebCore/inspector/front-end/FontView.js',
'../third_party/WebKit/WebCore/inspector/front-end/ImageView.js',
'../third_party/WebKit/WebCore/inspector/front-end/inspector.css',
'../third_party/WebKit/WebCore/inspector/front-end/inspector.html',
'../third_party/WebKit/WebCore/inspector/front-end/inspector.js',
'../third_party/WebKit/WebCore/inspector/front-end/KeyboardShortcut.js',
'../third_party/WebKit/WebCore/inspector/front-end/MetricsSidebarPane.js',
'../third_party/WebKit/WebCore/inspector/front-end/Object.js',
'../third_party/WebKit/WebCore/inspector/front-end/ObjectPropertiesSection.js',
'../third_party/WebKit/WebCore/inspector/front-end/Panel.js',
'../third_party/WebKit/WebCore/inspector/front-end/PanelEnablerView.js',
'../third_party/WebKit/WebCore/inspector/front-end/Placard.js',
'../third_party/WebKit/WebCore/inspector/front-end/ProfilesPanel.js',
'../third_party/WebKit/WebCore/inspector/front-end/ProfileDataGridTree.js',
'../third_party/WebKit/WebCore/inspector/front-end/ProfileView.js',
'../third_party/WebKit/WebCore/inspector/front-end/PropertiesSection.js',
'../third_party/WebKit/WebCore/inspector/front-end/PropertiesSidebarPane.js',
'../third_party/WebKit/WebCore/inspector/front-end/Resource.js',
'../third_party/WebKit/WebCore/inspector/front-end/ResourceCategory.js',
'../third_party/WebKit/WebCore/inspector/front-end/ResourcesPanel.js',
'../third_party/WebKit/WebCore/inspector/front-end/ResourceView.js',
'../third_party/WebKit/WebCore/inspector/front-end/ScopeChainSidebarPane.js',
'../third_party/WebKit/WebCore/inspector/front-end/Script.js',
'../third_party/WebKit/WebCore/inspector/front-end/ScriptsPanel.js',
'../third_party/WebKit/WebCore/inspector/front-end/ScriptView.js',
'../third_party/WebKit/WebCore/inspector/front-end/SidebarPane.js',
'../third_party/WebKit/WebCore/inspector/front-end/SidebarTreeElement.js',
'../third_party/WebKit/WebCore/inspector/front-end/SourceFrame.js',
'../third_party/WebKit/WebCore/inspector/front-end/SourceView.js',
'../third_party/WebKit/WebCore/inspector/front-end/StylesSidebarPane.js',
'../third_party/WebKit/WebCore/inspector/front-end/TextPrompt.js',
'../third_party/WebKit/WebCore/inspector/front-end/TopDownProfileDataGridTree.js',
'../third_party/WebKit/WebCore/inspector/front-end/treeoutline.js',
'../third_party/WebKit/WebCore/inspector/front-end/utilities.js',
'../third_party/WebKit/WebCore/inspector/front-end/View.js',
'../v8/tools/codemap.js',
'../v8/tools/consarray.js',
'../v8/tools/csvparser.js',
'../v8/tools/logreader.js',
'../v8/tools/profile.js',
'../v8/tools/profile_view.js',
'../v8/tools/splaytree.js',
],
},
{
'destination': '<(PRODUCT_DIR)/resources/inspector/Images',
'files': [
'../third_party/WebKit/WebCore/inspector/front-end/Images/back.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/checker.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/clearConsoleButtons.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/closeButtons.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/consoleButtons.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/database.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/databasesIcon.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/databaseTable.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/debuggerContinue.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/debuggerPause.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/debuggerStepInto.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/debuggerStepOut.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/debuggerStepOver.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/disclosureTriangleSmallDown.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/disclosureTriangleSmallDownBlack.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/disclosureTriangleSmallDownWhite.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/disclosureTriangleSmallRight.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/disclosureTriangleSmallRightBlack.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/disclosureTriangleSmallRightDown.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/disclosureTriangleSmallRightDownBlack.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/disclosureTriangleSmallRightDownWhite.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/disclosureTriangleSmallRightWhite.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/dockButtons.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/elementsIcon.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/enableButtons.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/errorIcon.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/errorMediumIcon.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/excludeButtons.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/focusButtons.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/forward.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/glossyHeader.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/glossyHeaderPressed.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/glossyHeaderSelected.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/glossyHeaderSelectedPressed.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/goArrow.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/graphLabelCalloutLeft.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/graphLabelCalloutRight.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/largerResourcesButtons.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/nodeSearchButtons.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/paneBottomGrow.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/paneBottomGrowActive.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/paneGrowHandleLine.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/pauseOnExceptionButtons.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/percentButtons.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/profileGroupIcon.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/profileIcon.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/profilesIcon.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/profileSmallIcon.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/profilesSilhouette.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/radioDot.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/recordButtons.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/reloadButtons.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/resourceCSSIcon.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/resourceDocumentIcon.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/resourceDocumentIconSmall.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/resourceJSIcon.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/resourcePlainIcon.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/resourcePlainIconSmall.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/resourcesIcon.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/resourcesSilhouette.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/resourcesSizeGraphIcon.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/resourcesTimeGraphIcon.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/scriptsIcon.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/scriptsSilhouette.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/searchSmallBlue.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/searchSmallBrightBlue.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/searchSmallGray.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/searchSmallWhite.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/segment.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/segmentEnd.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/segmentHover.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/segmentHoverEnd.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/segmentSelected.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/segmentSelectedEnd.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/splitviewDimple.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/splitviewDividerBackground.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/statusbarBackground.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/statusbarBottomBackground.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/statusbarButtons.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/statusbarMenuButton.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/statusbarMenuButtonSelected.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/statusbarResizerHorizontal.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/statusbarResizerVertical.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/timelineHollowPillBlue.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/timelineHollowPillGray.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/timelineHollowPillGreen.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/timelineHollowPillOrange.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/timelineHollowPillPurple.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/timelineHollowPillRed.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/timelineHollowPillYellow.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/timelinePillBlue.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/timelinePillGray.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/timelinePillGreen.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/timelinePillOrange.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/timelinePillPurple.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/timelinePillRed.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/timelinePillYellow.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/tipBalloon.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/tipBalloonBottom.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/tipIcon.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/tipIconPressed.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/toolbarItemSelected.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/treeDownTriangleBlack.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/treeDownTriangleWhite.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/treeRightTriangleBlack.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/treeRightTriangleWhite.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/treeUpTriangleBlack.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/treeUpTriangleWhite.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/userInputIcon.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/userInputPreviousIcon.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/warningIcon.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/warningMediumIcon.png',
'../third_party/WebKit/WebCore/inspector/front-end/Images/warningsErrors.png',
],
},
],
},
],
}
| {'variables': {'feature_defines': ['ENABLE_CHANNEL_MESSAGING=1', 'ENABLE_DATABASE=1', 'ENABLE_DATAGRID=1', 'ENABLE_DASHBOARD_SUPPORT=0', 'ENABLE_JAVASCRIPT_DEBUGGER=0', 'ENABLE_JSC_MULTIPLE_THREADS=0', 'ENABLE_ICONDATABASE=0', 'ENABLE_XSLT=1', 'ENABLE_XPATH=1', 'ENABLE_SVG=1', 'ENABLE_SVG_ANIMATION=1', 'ENABLE_SVG_AS_IMAGE=1', 'ENABLE_SVG_USE=1', 'ENABLE_SVG_FOREIGN_OBJECT=1', 'ENABLE_SVG_FONTS=1', 'ENABLE_VIDEO=1', 'ENABLE_WORKERS=1'], 'non_feature_defines': ['BUILDING_CHROMIUM__=1', 'USE_GOOGLE_URL_LIBRARY=1', 'USE_SYSTEM_MALLOC=1'], 'webcore_include_dirs': ['../third_party/WebKit/WebCore/accessibility', '../third_party/WebKit/WebCore/accessibility/chromium', '../third_party/WebKit/WebCore/bindings/v8', '../third_party/WebKit/WebCore/bindings/v8/custom', '../third_party/WebKit/WebCore/css', '../third_party/WebKit/WebCore/dom', '../third_party/WebKit/WebCore/dom/default', '../third_party/WebKit/WebCore/editing', '../third_party/WebKit/WebCore/history', '../third_party/WebKit/WebCore/html', '../third_party/WebKit/WebCore/inspector', '../third_party/WebKit/WebCore/loader', '../third_party/WebKit/WebCore/loader/appcache', '../third_party/WebKit/WebCore/loader/archive', '../third_party/WebKit/WebCore/loader/icon', '../third_party/WebKit/WebCore/page', '../third_party/WebKit/WebCore/page/animation', '../third_party/WebKit/WebCore/page/chromium', '../third_party/WebKit/WebCore/platform', '../third_party/WebKit/WebCore/platform/animation', '../third_party/WebKit/WebCore/platform/chromium', '../third_party/WebKit/WebCore/platform/graphics', '../third_party/WebKit/WebCore/platform/graphics/chromium', '../third_party/WebKit/WebCore/platform/graphics/opentype', '../third_party/WebKit/WebCore/platform/graphics/skia', '../third_party/WebKit/WebCore/platform/graphics/transforms', '../third_party/WebKit/WebCore/platform/image-decoders', '../third_party/WebKit/WebCore/platform/image-decoders/bmp', '../third_party/WebKit/WebCore/platform/image-decoders/gif', '../third_party/WebKit/WebCore/platform/image-decoders/ico', '../third_party/WebKit/WebCore/platform/image-decoders/jpeg', '../third_party/WebKit/WebCore/platform/image-decoders/png', '../third_party/WebKit/WebCore/platform/image-decoders/skia', '../third_party/WebKit/WebCore/platform/image-decoders/xbm', '../third_party/WebKit/WebCore/platform/image-encoders/skia', '../third_party/WebKit/WebCore/platform/network', '../third_party/WebKit/WebCore/platform/network/chromium', '../third_party/WebKit/WebCore/platform/sql', '../third_party/WebKit/WebCore/platform/text', '../third_party/WebKit/WebCore/plugins', '../third_party/WebKit/WebCore/rendering', '../third_party/WebKit/WebCore/rendering/style', '../third_party/WebKit/WebCore/storage', '../third_party/WebKit/WebCore/svg', '../third_party/WebKit/WebCore/svg/animation', '../third_party/WebKit/WebCore/svg/graphics', '../third_party/WebKit/WebCore/workers', '../third_party/WebKit/WebCore/xml'], 'conditions': [['OS=="linux"', {'non_feature_defines': ['WEBCORE_NAVIGATOR_PLATFORM="Linux i686"']}], ['OS=="mac"', {'non_feature_defines': ['BUILDING_ON_LEOPARD', 'WEBCORE_NAVIGATOR_PLATFORM="MacIntel"'], 'webcore_include_dirs+': ['../third_party/WebKit/WebCore/platform/graphics/cg', '../third_party/WebKit/WebCore/platform/graphics/mac'], 'webcore_include_dirs': ['../third_party/WebKit/WebCore/loader/archive/cf', '../third_party/WebKit/WebCore/platform/mac', '../third_party/WebKit/WebCore/platform/text/mac']}], ['OS=="win"', {'non_feature_defines': ['CRASH=__debugbreak', 'WEBCORE_NAVIGATOR_PLATFORM="Win32"'], 'webcore_include_dirs': ['../third_party/WebKit/WebCore/page/win', '../third_party/WebKit/WebCore/platform/graphics/win', '../third_party/WebKit/WebCore/platform/text/win', '../third_party/WebKit/WebCore/platform/win']}]]}, 'includes': ['../build/common.gypi'], 'targets': [{'target_name': 'pull_in_test_shell', 'type': 'none', 'conditions': [['OS=="win"', {'dependencies': ['tools/test_shell/test_shell.gyp:*', 'activex_shim_dll/activex_shim_dll.gyp:*']}]]}, {'target_name': 'config', 'type': 'none', 'msvs_guid': '2E2D3301-2EC4-4C0F-B889-87073B30F673', 'actions': [{'action_name': 'config.h', 'inputs': ['config.h.in'], 'outputs': ['<(SHARED_INTERMEDIATE_DIR)/webkit/config.h'], 'action': ['python', 'build/action_jsconfig.py', 'v8', '<(SHARED_INTERMEDIATE_DIR)/webkit', '<@(_inputs)'], 'conditions': [['OS=="win"', {'inputs': ['../third_party/WebKit/WebCore/bridge/npapi.h', '../third_party/WebKit/WebCore/bridge/npruntime.h', '../third_party/WebKit/WebCore/bindings/v8/npruntime_priv.h', '../third_party/WebKit/JavaScriptCore/os-win32/stdint.h']}]]}], 'direct_dependent_settings': {'defines': ['<@(feature_defines)', '<@(non_feature_defines)'], 'include_dirs++': ['<(SHARED_INTERMEDIATE_DIR)/webkit']}, 'conditions': [['OS=="win"', {'dependencies': ['../build/win/system.gyp:cygwin'], 'direct_dependent_settings': {'defines': ['__STD_C', '_CRT_SECURE_NO_DEPRECATE', '_SCL_SECURE_NO_DEPRECATE'], 'include_dirs': ['../third_party/WebKit/JavaScriptCore/os-win32', 'build/JavaScriptCore']}}]]}, {'target_name': 'wtf', 'type': '<(library)', 'msvs_guid': 'AA8A5A85-592B-4357-BC60-E0E91E026AF6', 'dependencies': ['config', '../third_party/icu38/icu38.gyp:icui18n', '../third_party/icu38/icu38.gyp:icuuc'], 'include_dirs': ['../third_party/WebKit/JavaScriptCore', '../third_party/WebKit/JavaScriptCore/wtf', '../third_party/WebKit/JavaScriptCore/wtf/unicode'], 'sources': ['../third_party/WebKit/JavaScriptCore/wtf/chromium/ChromiumThreading.h', '../third_party/WebKit/JavaScriptCore/wtf/chromium/MainThreadChromium.cpp', '../third_party/WebKit/JavaScriptCore/wtf/gtk/MainThreadGtk.cpp', '../third_party/WebKit/JavaScriptCore/wtf/mac/MainThreadMac.mm', '../third_party/WebKit/JavaScriptCore/wtf/qt/MainThreadQt.cpp', '../third_party/WebKit/JavaScriptCore/wtf/unicode/icu/CollatorICU.cpp', '../third_party/WebKit/JavaScriptCore/wtf/unicode/icu/UnicodeIcu.h', '../third_party/WebKit/JavaScriptCore/wtf/unicode/qt4/UnicodeQt4.h', '../third_party/WebKit/JavaScriptCore/wtf/unicode/Collator.h', '../third_party/WebKit/JavaScriptCore/wtf/unicode/CollatorDefault.cpp', '../third_party/WebKit/JavaScriptCore/wtf/unicode/UTF8.cpp', '../third_party/WebKit/JavaScriptCore/wtf/unicode/UTF8.h', '../third_party/WebKit/JavaScriptCore/wtf/unicode/Unicode.h', '../third_party/WebKit/JavaScriptCore/wtf/win/MainThreadWin.cpp', '../third_party/WebKit/JavaScriptCore/wtf/wx/MainThreadWx.cpp', '../third_party/WebKit/JavaScriptCore/wtf/ASCIICType.h', '../third_party/WebKit/JavaScriptCore/wtf/AVLTree.h', '../third_party/WebKit/JavaScriptCore/wtf/AlwaysInline.h', '../third_party/WebKit/JavaScriptCore/wtf/Assertions.cpp', '../third_party/WebKit/JavaScriptCore/wtf/Assertions.h', '../third_party/WebKit/JavaScriptCore/wtf/ByteArray.cpp', '../third_party/WebKit/JavaScriptCore/wtf/ByteArray.h', '../third_party/WebKit/JavaScriptCore/wtf/CurrentTime.h', '../third_party/WebKit/JavaScriptCore/wtf/CrossThreadRefCounted.h', '../third_party/WebKit/JavaScriptCore/wtf/DateMath.cpp', '../third_party/WebKit/JavaScriptCore/wtf/DateMath.h', '../third_party/WebKit/JavaScriptCore/wtf/Deque.h', '../third_party/WebKit/JavaScriptCore/wtf/DisallowCType.h', '../third_party/WebKit/JavaScriptCore/wtf/FastMalloc.cpp', '../third_party/WebKit/JavaScriptCore/wtf/FastMalloc.h', '../third_party/WebKit/JavaScriptCore/wtf/Forward.h', '../third_party/WebKit/JavaScriptCore/wtf/GOwnPtr.cpp', '../third_party/WebKit/JavaScriptCore/wtf/GOwnPtr.h', '../third_party/WebKit/JavaScriptCore/wtf/GetPtr.h', '../third_party/WebKit/JavaScriptCore/wtf/HashCountedSet.h', '../third_party/WebKit/JavaScriptCore/wtf/HashFunctions.h', '../third_party/WebKit/JavaScriptCore/wtf/HashIterators.h', '../third_party/WebKit/JavaScriptCore/wtf/HashMap.h', '../third_party/WebKit/JavaScriptCore/wtf/HashSet.h', '../third_party/WebKit/JavaScriptCore/wtf/HashTable.cpp', '../third_party/WebKit/JavaScriptCore/wtf/HashTable.h', '../third_party/WebKit/JavaScriptCore/wtf/HashTraits.h', '../third_party/WebKit/JavaScriptCore/wtf/ListHashSet.h', '../third_party/WebKit/JavaScriptCore/wtf/ListRefPtr.h', '../third_party/WebKit/JavaScriptCore/wtf/Locker.h', '../third_party/WebKit/JavaScriptCore/wtf/MainThread.cpp', '../third_party/WebKit/JavaScriptCore/wtf/MainThread.h', '../third_party/WebKit/JavaScriptCore/wtf/MallocZoneSupport.h', '../third_party/WebKit/JavaScriptCore/wtf/MathExtras.h', '../third_party/WebKit/JavaScriptCore/wtf/MessageQueue.h', '../third_party/WebKit/JavaScriptCore/wtf/Noncopyable.h', '../third_party/WebKit/JavaScriptCore/wtf/NotFound.h', '../third_party/WebKit/JavaScriptCore/wtf/OwnArrayPtr.h', '../third_party/WebKit/JavaScriptCore/wtf/OwnPtr.h', '../third_party/WebKit/JavaScriptCore/wtf/OwnPtrCommon.h', '../third_party/WebKit/JavaScriptCore/wtf/OwnPtrWin.cpp', '../third_party/WebKit/JavaScriptCore/wtf/PassOwnPtr.h', '../third_party/WebKit/JavaScriptCore/wtf/PassRefPtr.h', '../third_party/WebKit/JavaScriptCore/wtf/Platform.h', '../third_party/WebKit/JavaScriptCore/wtf/PtrAndFlags.h', '../third_party/WebKit/JavaScriptCore/wtf/RandomNumber.cpp', '../third_party/WebKit/JavaScriptCore/wtf/RandomNumber.h', '../third_party/WebKit/JavaScriptCore/wtf/RandomNumberSeed.h', '../third_party/WebKit/JavaScriptCore/wtf/RefCounted.h', '../third_party/WebKit/JavaScriptCore/wtf/RefCountedLeakCounter.cpp', '../third_party/WebKit/JavaScriptCore/wtf/RefCountedLeakCounter.h', '../third_party/WebKit/JavaScriptCore/wtf/RefPtr.h', '../third_party/WebKit/JavaScriptCore/wtf/RefPtrHashMap.h', '../third_party/WebKit/JavaScriptCore/wtf/RetainPtr.h', '../third_party/WebKit/JavaScriptCore/wtf/StdLibExtras.h', '../third_party/WebKit/JavaScriptCore/wtf/StringExtras.h', '../third_party/WebKit/JavaScriptCore/wtf/TCPackedCache.h', '../third_party/WebKit/JavaScriptCore/wtf/TCPageMap.h', '../third_party/WebKit/JavaScriptCore/wtf/TCSpinLock.h', '../third_party/WebKit/JavaScriptCore/wtf/TCSystemAlloc.cpp', '../third_party/WebKit/JavaScriptCore/wtf/TCSystemAlloc.h', '../third_party/WebKit/JavaScriptCore/wtf/ThreadSpecific.h', '../third_party/WebKit/JavaScriptCore/wtf/ThreadSpecificWin.cpp', '../third_party/WebKit/JavaScriptCore/wtf/Threading.cpp', '../third_party/WebKit/JavaScriptCore/wtf/Threading.h', '../third_party/WebKit/JavaScriptCore/wtf/ThreadingGtk.cpp', '../third_party/WebKit/JavaScriptCore/wtf/ThreadingNone.cpp', '../third_party/WebKit/JavaScriptCore/wtf/ThreadingPthreads.cpp', '../third_party/WebKit/JavaScriptCore/wtf/ThreadingQt.cpp', '../third_party/WebKit/JavaScriptCore/wtf/ThreadingWin.cpp', '../third_party/WebKit/JavaScriptCore/wtf/TypeTraits.cpp', '../third_party/WebKit/JavaScriptCore/wtf/TypeTraits.h', '../third_party/WebKit/JavaScriptCore/wtf/UnusedParam.h', '../third_party/WebKit/JavaScriptCore/wtf/Vector.h', '../third_party/WebKit/JavaScriptCore/wtf/VectorTraits.h', '../third_party/WebKit/JavaScriptCore/wtf/dtoa.cpp', '../third_party/WebKit/JavaScriptCore/wtf/dtoa.h', 'build/precompiled_webkit.cc', 'build/precompiled_webkit.h'], 'sources!': ['../third_party/WebKit/JavaScriptCore/wtf/GOwnPtr.cpp'], 'sources/': [['exclude', '(Default|Gtk|Mac|None|Qt|Win|Wx)\\.(cpp|mm)$']], 'direct_dependent_settings': {'include_dirs': ['../third_party/WebKit/JavaScriptCore', '../third_party/WebKit/JavaScriptCore/wtf']}, 'export_dependent_settings': ['config', '../third_party/icu38/icu38.gyp:icui18n', '../third_party/icu38/icu38.gyp:icuuc'], 'configurations': {'Debug': {'msvs_precompiled_header': 'build/precompiled_webkit.h', 'msvs_precompiled_source': 'build/precompiled_webkit.cc'}}, 'msvs_disabled_warnings': [4127, 4355, 4510, 4512, 4610, 4706], 'conditions': [['OS=="win"', {'sources/': [['exclude', 'ThreadingPthreads\\.cpp$'], ['include', 'Thread(ing|Specific)Win\\.cpp$']], 'include_dirs': ['build', '../third_party/WebKit/JavaScriptCore/kjs', '../third_party/WebKit/JavaScriptCore/API', '../third_party/WebKit/JavaScriptCore/bindings', '../third_party/WebKit/JavaScriptCore/bindings/c', '../third_party/WebKit/JavaScriptCore/bindings/jni', 'pending', 'pending/wtf'], 'include_dirs!': ['<(SHARED_INTERMEDIATE_DIR)/webkit']}, {'sources!': ['build/precompiled_webkit.cc', 'build/precompiled_webkit.h']}], ['OS=="linux"', {'defines': ['WTF_USE_PTHREADS=1'], 'direct_dependent_settings': {'defines': ['WTF_USE_PTHREADS=1']}}]]}, {'target_name': 'pcre', 'type': '<(library)', 'dependencies': ['config', 'wtf'], 'msvs_guid': '49909552-0B0C-4C14-8CF6-DB8A2ADE0934', 'actions': [{'action_name': 'dftables', 'inputs': ['../third_party/WebKit/JavaScriptCore/pcre/dftables'], 'outputs': ['<(INTERMEDIATE_DIR)/chartables.c'], 'action': ['perl', '-w', '<@(_inputs)', '<@(_outputs)']}], 'include_dirs': ['<(INTERMEDIATE_DIR)'], 'sources': ['../third_party/WebKit/JavaScriptCore/pcre/pcre.h', '../third_party/WebKit/JavaScriptCore/pcre/pcre_compile.cpp', '../third_party/WebKit/JavaScriptCore/pcre/pcre_exec.cpp', '../third_party/WebKit/JavaScriptCore/pcre/pcre_internal.h', '../third_party/WebKit/JavaScriptCore/pcre/pcre_tables.cpp', '../third_party/WebKit/JavaScriptCore/pcre/pcre_ucp_searchfuncs.cpp', '../third_party/WebKit/JavaScriptCore/pcre/pcre_xclass.cpp', '../third_party/WebKit/JavaScriptCore/pcre/ucpinternal.h', '../third_party/WebKit/JavaScriptCore/pcre/ucptable.cpp'], 'sources!': ['../third_party/WebKit/JavaScriptCore/pcre/ucptable.cpp'], 'export_dependent_settings': ['wtf'], 'conditions': [['OS=="win"', {'dependencies': ['../build/win/system.gyp:cygwin']}]]}, {'target_name': 'webcore', 'type': '<(library)', 'msvs_guid': '1C16337B-ACF3-4D03-AA90-851C5B5EADA6', 'dependencies': ['config', 'pcre', 'wtf', '../build/temp_gyp/googleurl.gyp:googleurl', '../skia/skia.gyp:skia', '../third_party/libjpeg/libjpeg.gyp:libjpeg', '../third_party/libpng/libpng.gyp:libpng', '../third_party/libxml/libxml.gyp:libxml', '../third_party/libxslt/libxslt.gyp:libxslt', '../third_party/npapi/npapi.gyp:npapi', '../third_party/sqlite/sqlite.gyp:sqlite'], 'actions': [{'action_name': 'CSSPropertyNames', 'inputs': ['../third_party/WebKit/WebCore/css/makeprop.pl', '../third_party/WebKit/WebCore/css/CSSPropertyNames.in', '../third_party/WebKit/WebCore/css/SVGCSSPropertyNames.in'], 'outputs': ['<(INTERMEDIATE_DIR)/CSSPropertyNames.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/CSSPropertyNames.h'], 'action': ['python', 'build/action_csspropertynames.py', '<@(_outputs)', '--', '<@(_inputs)']}, {'action_name': 'CSSValueKeywords', 'inputs': ['../third_party/WebKit/WebCore/css/makevalues.pl', '../third_party/WebKit/WebCore/css/CSSValueKeywords.in', '../third_party/WebKit/WebCore/css/SVGCSSValueKeywords.in'], 'outputs': ['<(INTERMEDIATE_DIR)/CSSValueKeywords.c', '<(SHARED_INTERMEDIATE_DIR)/webkit/CSSValueKeywords.h'], 'action': ['python', 'build/action_cssvaluekeywords.py', '<@(_outputs)', '--', '<@(_inputs)']}, {'action_name': 'HTMLNames', 'inputs': ['../third_party/WebKit/WebCore/dom/make_names.pl', '../third_party/WebKit/WebCore/html/HTMLTagNames.in', '../third_party/WebKit/WebCore/html/HTMLAttributeNames.in'], 'outputs': ['<(INTERMEDIATE_DIR)/HTMLNames.cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/HTMLNames.h', '<(INTERMEDIATE_DIR)/HTMLElementFactory.cpp'], 'action': ['python', 'build/action_makenames.py', '<@(_outputs)', '--', '<@(_inputs)', '--', '--factory', '--extraDefines', '<(feature_defines)'], 'process_outputs_as_sources': 1}, {'action_name': 'SVGNames', 'inputs': ['../third_party/WebKit/WebCore/dom/make_names.pl', '../third_party/WebKit/WebCore/svg/svgtags.in', '../third_party/WebKit/WebCore/svg/svgattrs.in'], 'outputs': ['<(INTERMEDIATE_DIR)/SVGNames.cpp', '<(INTERMEDIATE_DIR)/SVGNames.h', '<(INTERMEDIATE_DIR)/SVGElementFactory.cpp', '<(INTERMEDIATE_DIR)/SVGElementFactory.h'], 'action': ['python', 'build/action_makenames.py', '<@(_outputs)', '--', '<@(_inputs)', '--', '--factory', '--extraDefines', '<(feature_defines)'], 'process_outputs_as_sources': 1}, {'action_name': 'UserAgentStyleSheets', 'inputs': ['../third_party/WebKit/WebCore/css/make-css-file-arrays.pl', '../third_party/WebKit/WebCore/css/html.css', '../third_party/WebKit/WebCore/css/quirks.css', '../third_party/WebKit/WebCore/css/view-source.css', '../third_party/WebKit/WebCore/css/themeChromiumLinux.css', '../third_party/WebKit/WebCore/css/themeWin.css', '../third_party/WebKit/WebCore/css/themeWinQuirks.css', '../third_party/WebKit/WebCore/css/svg.css', '../third_party/WebKit/WebCore/css/mediaControls.css', '../third_party/WebKit/WebCore/css/mediaControlsChromium.css'], 'outputs': ['<(INTERMEDIATE_DIR)/UserAgentStyleSheets.h', '<(INTERMEDIATE_DIR)/UserAgentStyleSheetsData.cpp'], 'action': ['python', 'build/action_useragentstylesheets.py', '<@(_outputs)', '--', '<@(_inputs)'], 'process_outputs_as_sources': 1}, {'action_name': 'XLinkNames', 'inputs': ['../third_party/WebKit/WebCore/dom/make_names.pl', '../third_party/WebKit/WebCore/svg/xlinkattrs.in'], 'outputs': ['<(INTERMEDIATE_DIR)/XLinkNames.cpp', '<(INTERMEDIATE_DIR)/XLinkNames.h'], 'action': ['python', 'build/action_makenames.py', '<@(_outputs)', '--', '<@(_inputs)', '--', '--extraDefines', '<(feature_defines)'], 'process_outputs_as_sources': 1}, {'action_name': 'XMLNames', 'inputs': ['../third_party/WebKit/WebCore/dom/make_names.pl', '../third_party/WebKit/WebCore/xml/xmlattrs.in'], 'outputs': ['<(INTERMEDIATE_DIR)/XMLNames.cpp', '<(INTERMEDIATE_DIR)/XMLNames.h'], 'action': ['python', 'build/action_makenames.py', '<@(_outputs)', '--', '<@(_inputs)', '--', '--extraDefines', '<(feature_defines)'], 'process_outputs_as_sources': 1}, {'action_name': 'tokenizer', 'inputs': ['../third_party/WebKit/WebCore/css/maketokenizer', '../third_party/WebKit/WebCore/css/tokenizer.flex'], 'outputs': ['<(INTERMEDIATE_DIR)/tokenizer.cpp'], 'action': ['python', 'build/action_maketokenizer.py', '<@(_outputs)', '--', '<@(_inputs)']}], 'rules': [{'rule_name': 'bison', 'extension': 'y', 'outputs': ['<(INTERMEDIATE_DIR)/<(RULE_INPUT_ROOT).cpp', '<(INTERMEDIATE_DIR)/<(RULE_INPUT_ROOT).h'], 'action': ['python', 'build/rule_bison.py', '<(RULE_INPUT_PATH)', '<(INTERMEDIATE_DIR)'], 'process_outputs_as_sources': 1}, {'rule_name': 'gperf', 'extension': 'gperf', 'outputs': ['<(SHARED_INTERMEDIATE_DIR)/webkit/<(RULE_INPUT_ROOT).c', '<(SHARED_INTERMEDIATE_DIR)/webkit/<(RULE_INPUT_ROOT).cpp'], 'action': ['python', 'build/rule_gperf.py', '<(RULE_INPUT_PATH)', '<(SHARED_INTERMEDIATE_DIR)/webkit'], 'process_outputs_as_sources': 0}, {'rule_name': 'binding', 'extension': 'idl', 'msvs_external_rule': 1, 'inputs': ['../third_party/WebKit/WebCore/bindings/scripts/generate-bindings.pl', '../third_party/WebKit/WebCore/bindings/scripts/CodeGenerator.pm', '../third_party/WebKit/WebCore/bindings/scripts/CodeGeneratorV8.pm', '../third_party/WebKit/WebCore/bindings/scripts/IDLParser.pm', '../third_party/WebKit/WebCore/bindings/scripts/IDLStructure.pm'], 'outputs': ['<(INTERMEDIATE_DIR)/bindings/V8<(RULE_INPUT_ROOT).cpp', '<(SHARED_INTERMEDIATE_DIR)/webkit/bindings/V8<(RULE_INPUT_ROOT).h'], 'variables': {'generator_include_dirs': ['--include', '../third_party/WebKit/WebCore/css', '--include', '../third_party/WebKit/WebCore/dom', '--include', '../third_party/WebKit/WebCore/html', '--include', '../third_party/WebKit/WebCore/page', '--include', '../third_party/WebKit/WebCore/plugins', '--include', '../third_party/WebKit/WebCore/svg', '--include', '../third_party/WebKit/WebCore/xml']}, 'action': ['python', 'build/rule_binding.py', '<(RULE_INPUT_PATH)', '<(INTERMEDIATE_DIR)/bindings', '<(SHARED_INTERMEDIATE_DIR)/webkit/bindings', '--', '<@(_inputs)', '--', '--defines', '<(feature_defines) LANGUAGE_JAVASCRIPT V8_BINDING', '--generator', 'V8', '<@(generator_include_dirs)'], 'process_outputs_as_sources': 0, 'message': 'Generating binding from <(RULE_INPUT_PATH)'}], 'include_dirs': ['<(INTERMEDIATE_DIR)', '<(SHARED_INTERMEDIATE_DIR)/webkit', '<(SHARED_INTERMEDIATE_DIR)/webkit/bindings', 'port/bindings/v8', '<@(webcore_include_dirs)'], 'sources': ['../third_party/WebKit/WebCore/css/CSSGrammar.y', '../third_party/WebKit/WebCore/xml/XPathGrammar.y', '../third_party/WebKit/WebCore/html/DocTypeStrings.gperf', '../third_party/WebKit/WebCore/html/HTMLEntityNames.gperf', '../third_party/WebKit/WebCore/platform/ColorData.gperf', '../third_party/WebKit/WebCore/css/CSSCharsetRule.idl', '../third_party/WebKit/WebCore/css/CSSFontFaceRule.idl', '../third_party/WebKit/WebCore/css/CSSImportRule.idl', '../third_party/WebKit/WebCore/css/CSSMediaRule.idl', '../third_party/WebKit/WebCore/css/CSSPageRule.idl', '../third_party/WebKit/WebCore/css/CSSPrimitiveValue.idl', '../third_party/WebKit/WebCore/css/CSSRule.idl', '../third_party/WebKit/WebCore/css/CSSRuleList.idl', '../third_party/WebKit/WebCore/css/CSSStyleDeclaration.idl', '../third_party/WebKit/WebCore/css/CSSStyleRule.idl', '../third_party/WebKit/WebCore/css/CSSStyleSheet.idl', '../third_party/WebKit/WebCore/css/CSSUnknownRule.idl', '../third_party/WebKit/WebCore/css/CSSValue.idl', '../third_party/WebKit/WebCore/css/CSSValueList.idl', '../third_party/WebKit/WebCore/css/CSSVariablesDeclaration.idl', '../third_party/WebKit/WebCore/css/CSSVariablesRule.idl', '../third_party/WebKit/WebCore/css/Counter.idl', '../third_party/WebKit/WebCore/css/MediaList.idl', '../third_party/WebKit/WebCore/css/RGBColor.idl', '../third_party/WebKit/WebCore/css/Rect.idl', '../third_party/WebKit/WebCore/css/StyleSheet.idl', '../third_party/WebKit/WebCore/css/StyleSheetList.idl', '../third_party/WebKit/WebCore/css/WebKitCSSKeyframeRule.idl', '../third_party/WebKit/WebCore/css/WebKitCSSKeyframesRule.idl', '../third_party/WebKit/WebCore/css/WebKitCSSMatrix.idl', '../third_party/WebKit/WebCore/css/WebKitCSSTransformValue.idl', '../third_party/WebKit/WebCore/dom/Attr.idl', '../third_party/WebKit/WebCore/dom/CDATASection.idl', '../third_party/WebKit/WebCore/dom/CharacterData.idl', '../third_party/WebKit/WebCore/dom/ClientRect.idl', '../third_party/WebKit/WebCore/dom/ClientRectList.idl', '../third_party/WebKit/WebCore/dom/Clipboard.idl', '../third_party/WebKit/WebCore/dom/Comment.idl', '../third_party/WebKit/WebCore/dom/DOMCoreException.idl', '../third_party/WebKit/WebCore/dom/DOMImplementation.idl', '../third_party/WebKit/WebCore/dom/Document.idl', '../third_party/WebKit/WebCore/dom/DocumentFragment.idl', '../third_party/WebKit/WebCore/dom/DocumentType.idl', '../third_party/WebKit/WebCore/dom/Element.idl', '../third_party/WebKit/WebCore/dom/Entity.idl', '../third_party/WebKit/WebCore/dom/EntityReference.idl', '../third_party/WebKit/WebCore/dom/Event.idl', '../third_party/WebKit/WebCore/dom/EventException.idl', '../third_party/WebKit/WebCore/dom/EventListener.idl', '../third_party/WebKit/WebCore/dom/EventTarget.idl', '../third_party/WebKit/WebCore/dom/KeyboardEvent.idl', '../third_party/WebKit/WebCore/dom/MessageChannel.idl', '../third_party/WebKit/WebCore/dom/MessageEvent.idl', '../third_party/WebKit/WebCore/dom/MessagePort.idl', '../third_party/WebKit/WebCore/dom/MouseEvent.idl', '../third_party/WebKit/WebCore/dom/MutationEvent.idl', '../third_party/WebKit/WebCore/dom/NamedNodeMap.idl', '../third_party/WebKit/WebCore/dom/Node.idl', '../third_party/WebKit/WebCore/dom/NodeFilter.idl', '../third_party/WebKit/WebCore/dom/NodeIterator.idl', '../third_party/WebKit/WebCore/dom/NodeList.idl', '../third_party/WebKit/WebCore/dom/Notation.idl', '../third_party/WebKit/WebCore/dom/OverflowEvent.idl', '../third_party/WebKit/WebCore/dom/ProcessingInstruction.idl', '../third_party/WebKit/WebCore/dom/ProgressEvent.idl', '../third_party/WebKit/WebCore/dom/Range.idl', '../third_party/WebKit/WebCore/dom/RangeException.idl', '../third_party/WebKit/WebCore/dom/Text.idl', '../third_party/WebKit/WebCore/dom/TextEvent.idl', '../third_party/WebKit/WebCore/dom/TreeWalker.idl', '../third_party/WebKit/WebCore/dom/UIEvent.idl', '../third_party/WebKit/WebCore/dom/WebKitAnimationEvent.idl', '../third_party/WebKit/WebCore/dom/WebKitTransitionEvent.idl', '../third_party/WebKit/WebCore/dom/WheelEvent.idl', '../third_party/WebKit/WebCore/html/CanvasGradient.idl', '../third_party/WebKit/WebCore/html/CanvasPattern.idl', '../third_party/WebKit/WebCore/html/CanvasPixelArray.idl', '../third_party/WebKit/WebCore/html/CanvasRenderingContext2D.idl', '../third_party/WebKit/WebCore/html/DataGridColumn.idl', '../third_party/WebKit/WebCore/html/DataGridColumnList.idl', '../third_party/WebKit/WebCore/html/File.idl', '../third_party/WebKit/WebCore/html/FileList.idl', '../third_party/WebKit/WebCore/html/HTMLAnchorElement.idl', '../third_party/WebKit/WebCore/html/HTMLAppletElement.idl', '../third_party/WebKit/WebCore/html/HTMLAreaElement.idl', '../third_party/WebKit/WebCore/html/HTMLAudioElement.idl', '../third_party/WebKit/WebCore/html/HTMLBRElement.idl', '../third_party/WebKit/WebCore/html/HTMLBaseElement.idl', '../third_party/WebKit/WebCore/html/HTMLBaseFontElement.idl', '../third_party/WebKit/WebCore/html/HTMLBlockquoteElement.idl', '../third_party/WebKit/WebCore/html/HTMLBodyElement.idl', '../third_party/WebKit/WebCore/html/HTMLButtonElement.idl', '../third_party/WebKit/WebCore/html/HTMLCanvasElement.idl', '../third_party/WebKit/WebCore/html/HTMLCollection.idl', '../third_party/WebKit/WebCore/html/HTMLDListElement.idl', '../third_party/WebKit/WebCore/html/HTMLDataGridCellElement.idl', '../third_party/WebKit/WebCore/html/HTMLDataGridColElement.idl', '../third_party/WebKit/WebCore/html/HTMLDataGridElement.idl', '../third_party/WebKit/WebCore/html/HTMLDataGridRowElement.idl', '../third_party/WebKit/WebCore/html/HTMLDirectoryElement.idl', '../third_party/WebKit/WebCore/html/HTMLDivElement.idl', '../third_party/WebKit/WebCore/html/HTMLDocument.idl', '../third_party/WebKit/WebCore/html/HTMLElement.idl', '../third_party/WebKit/WebCore/html/HTMLEmbedElement.idl', '../third_party/WebKit/WebCore/html/HTMLFieldSetElement.idl', '../third_party/WebKit/WebCore/html/HTMLFontElement.idl', '../third_party/WebKit/WebCore/html/HTMLFormElement.idl', '../third_party/WebKit/WebCore/html/HTMLFrameElement.idl', '../third_party/WebKit/WebCore/html/HTMLFrameSetElement.idl', '../third_party/WebKit/WebCore/html/HTMLHRElement.idl', '../third_party/WebKit/WebCore/html/HTMLHeadElement.idl', '../third_party/WebKit/WebCore/html/HTMLHeadingElement.idl', '../third_party/WebKit/WebCore/html/HTMLHtmlElement.idl', '../third_party/WebKit/WebCore/html/HTMLIFrameElement.idl', '../third_party/WebKit/WebCore/html/HTMLImageElement.idl', '../third_party/WebKit/WebCore/html/HTMLInputElement.idl', '../third_party/WebKit/WebCore/html/HTMLIsIndexElement.idl', '../third_party/WebKit/WebCore/html/HTMLLIElement.idl', '../third_party/WebKit/WebCore/html/HTMLLabelElement.idl', '../third_party/WebKit/WebCore/html/HTMLLegendElement.idl', '../third_party/WebKit/WebCore/html/HTMLLinkElement.idl', '../third_party/WebKit/WebCore/html/HTMLMapElement.idl', '../third_party/WebKit/WebCore/html/HTMLMarqueeElement.idl', '../third_party/WebKit/WebCore/html/HTMLMediaElement.idl', '../third_party/WebKit/WebCore/html/HTMLMenuElement.idl', '../third_party/WebKit/WebCore/html/HTMLMetaElement.idl', '../third_party/WebKit/WebCore/html/HTMLModElement.idl', '../third_party/WebKit/WebCore/html/HTMLOListElement.idl', '../third_party/WebKit/WebCore/html/HTMLObjectElement.idl', '../third_party/WebKit/WebCore/html/HTMLOptGroupElement.idl', '../third_party/WebKit/WebCore/html/HTMLOptionElement.idl', '../third_party/WebKit/WebCore/html/HTMLOptionsCollection.idl', '../third_party/WebKit/WebCore/html/HTMLParagraphElement.idl', '../third_party/WebKit/WebCore/html/HTMLParamElement.idl', '../third_party/WebKit/WebCore/html/HTMLPreElement.idl', '../third_party/WebKit/WebCore/html/HTMLQuoteElement.idl', '../third_party/WebKit/WebCore/html/HTMLScriptElement.idl', '../third_party/WebKit/WebCore/html/HTMLSelectElement.idl', '../third_party/WebKit/WebCore/html/HTMLSourceElement.idl', '../third_party/WebKit/WebCore/html/HTMLStyleElement.idl', '../third_party/WebKit/WebCore/html/HTMLTableCaptionElement.idl', '../third_party/WebKit/WebCore/html/HTMLTableCellElement.idl', '../third_party/WebKit/WebCore/html/HTMLTableColElement.idl', '../third_party/WebKit/WebCore/html/HTMLTableElement.idl', '../third_party/WebKit/WebCore/html/HTMLTableRowElement.idl', '../third_party/WebKit/WebCore/html/HTMLTableSectionElement.idl', '../third_party/WebKit/WebCore/html/HTMLTextAreaElement.idl', '../third_party/WebKit/WebCore/html/HTMLTitleElement.idl', '../third_party/WebKit/WebCore/html/HTMLUListElement.idl', '../third_party/WebKit/WebCore/html/HTMLVideoElement.idl', '../third_party/WebKit/WebCore/html/ImageData.idl', '../third_party/WebKit/WebCore/html/MediaError.idl', '../third_party/WebKit/WebCore/html/TextMetrics.idl', '../third_party/WebKit/WebCore/html/TimeRanges.idl', '../third_party/WebKit/WebCore/html/VoidCallback.idl', '../third_party/WebKit/WebCore/inspector/InspectorController.idl', '../third_party/WebKit/WebCore/inspector/JavaScriptCallFrame.idl', '../third_party/WebKit/WebCore/loader/appcache/DOMApplicationCache.idl', '../third_party/WebKit/WebCore/page/AbstractView.idl', '../third_party/WebKit/WebCore/page/BarInfo.idl', '../third_party/WebKit/WebCore/page/Console.idl', '../third_party/WebKit/WebCore/page/DOMSelection.idl', '../third_party/WebKit/WebCore/page/DOMWindow.idl', '../third_party/WebKit/WebCore/page/Geolocation.idl', '../third_party/WebKit/WebCore/page/Geoposition.idl', '../third_party/WebKit/WebCore/page/History.idl', '../third_party/WebKit/WebCore/page/Location.idl', '../third_party/WebKit/WebCore/page/Navigator.idl', '../third_party/WebKit/WebCore/page/PositionCallback.idl', '../third_party/WebKit/WebCore/page/PositionError.idl', '../third_party/WebKit/WebCore/page/PositionErrorCallback.idl', '../third_party/WebKit/WebCore/page/Screen.idl', '../third_party/WebKit/WebCore/page/WebKitPoint.idl', '../third_party/WebKit/WebCore/page/WorkerNavigator.idl', '../third_party/WebKit/WebCore/plugins/MimeType.idl', '../third_party/WebKit/WebCore/plugins/MimeTypeArray.idl', '../third_party/WebKit/WebCore/plugins/Plugin.idl', '../third_party/WebKit/WebCore/plugins/PluginArray.idl', '../third_party/WebKit/WebCore/storage/Database.idl', '../third_party/WebKit/WebCore/storage/SQLError.idl', '../third_party/WebKit/WebCore/storage/SQLResultSet.idl', '../third_party/WebKit/WebCore/storage/SQLResultSetRowList.idl', '../third_party/WebKit/WebCore/storage/SQLTransaction.idl', '../third_party/WebKit/WebCore/storage/Storage.idl', '../third_party/WebKit/WebCore/storage/StorageEvent.idl', '../third_party/WebKit/WebCore/svg/ElementTimeControl.idl', '../third_party/WebKit/WebCore/svg/SVGAElement.idl', '../third_party/WebKit/WebCore/svg/SVGAltGlyphElement.idl', '../third_party/WebKit/WebCore/svg/SVGAngle.idl', '../third_party/WebKit/WebCore/svg/SVGAnimateColorElement.idl', '../third_party/WebKit/WebCore/svg/SVGAnimateElement.idl', '../third_party/WebKit/WebCore/svg/SVGAnimateTransformElement.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedAngle.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedBoolean.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedEnumeration.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedInteger.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedLength.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedLengthList.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedNumber.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedNumberList.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedPathData.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedPoints.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedPreserveAspectRatio.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedRect.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedString.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedTransformList.idl', '../third_party/WebKit/WebCore/svg/SVGAnimationElement.idl', '../third_party/WebKit/WebCore/svg/SVGCircleElement.idl', '../third_party/WebKit/WebCore/svg/SVGClipPathElement.idl', '../third_party/WebKit/WebCore/svg/SVGColor.idl', '../third_party/WebKit/WebCore/svg/SVGComponentTransferFunctionElement.idl', '../third_party/WebKit/WebCore/svg/SVGCursorElement.idl', '../third_party/WebKit/WebCore/svg/SVGDefinitionSrcElement.idl', '../third_party/WebKit/WebCore/svg/SVGDefsElement.idl', '../third_party/WebKit/WebCore/svg/SVGDescElement.idl', '../third_party/WebKit/WebCore/svg/SVGDocument.idl', '../third_party/WebKit/WebCore/svg/SVGElement.idl', '../third_party/WebKit/WebCore/svg/SVGElementInstance.idl', '../third_party/WebKit/WebCore/svg/SVGElementInstanceList.idl', '../third_party/WebKit/WebCore/svg/SVGEllipseElement.idl', '../third_party/WebKit/WebCore/svg/SVGException.idl', '../third_party/WebKit/WebCore/svg/SVGExternalResourcesRequired.idl', '../third_party/WebKit/WebCore/svg/SVGFEBlendElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEColorMatrixElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEComponentTransferElement.idl', '../third_party/WebKit/WebCore/svg/SVGFECompositeElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEDiffuseLightingElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEDisplacementMapElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEDistantLightElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEFloodElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEFuncAElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEFuncBElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEFuncGElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEFuncRElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEGaussianBlurElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEImageElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEMergeElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEMergeNodeElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEOffsetElement.idl', '../third_party/WebKit/WebCore/svg/SVGFEPointLightElement.idl', '../third_party/WebKit/WebCore/svg/SVGFESpecularLightingElement.idl', '../third_party/WebKit/WebCore/svg/SVGFESpotLightElement.idl', '../third_party/WebKit/WebCore/svg/SVGFETileElement.idl', '../third_party/WebKit/WebCore/svg/SVGFETurbulenceElement.idl', '../third_party/WebKit/WebCore/svg/SVGFilterElement.idl', '../third_party/WebKit/WebCore/svg/SVGFilterPrimitiveStandardAttributes.idl', '../third_party/WebKit/WebCore/svg/SVGFitToViewBox.idl', '../third_party/WebKit/WebCore/svg/SVGFontElement.idl', '../third_party/WebKit/WebCore/svg/SVGFontFaceElement.idl', '../third_party/WebKit/WebCore/svg/SVGFontFaceFormatElement.idl', '../third_party/WebKit/WebCore/svg/SVGFontFaceNameElement.idl', '../third_party/WebKit/WebCore/svg/SVGFontFaceSrcElement.idl', '../third_party/WebKit/WebCore/svg/SVGFontFaceUriElement.idl', '../third_party/WebKit/WebCore/svg/SVGForeignObjectElement.idl', '../third_party/WebKit/WebCore/svg/SVGGElement.idl', '../third_party/WebKit/WebCore/svg/SVGGlyphElement.idl', '../third_party/WebKit/WebCore/svg/SVGGradientElement.idl', '../third_party/WebKit/WebCore/svg/SVGHKernElement.idl', '../third_party/WebKit/WebCore/svg/SVGImageElement.idl', '../third_party/WebKit/WebCore/svg/SVGLangSpace.idl', '../third_party/WebKit/WebCore/svg/SVGLength.idl', '../third_party/WebKit/WebCore/svg/SVGLengthList.idl', '../third_party/WebKit/WebCore/svg/SVGLineElement.idl', '../third_party/WebKit/WebCore/svg/SVGLinearGradientElement.idl', '../third_party/WebKit/WebCore/svg/SVGLocatable.idl', '../third_party/WebKit/WebCore/svg/SVGMarkerElement.idl', '../third_party/WebKit/WebCore/svg/SVGMaskElement.idl', '../third_party/WebKit/WebCore/svg/SVGMatrix.idl', '../third_party/WebKit/WebCore/svg/SVGMetadataElement.idl', '../third_party/WebKit/WebCore/svg/SVGMissingGlyphElement.idl', '../third_party/WebKit/WebCore/svg/SVGNumber.idl', '../third_party/WebKit/WebCore/svg/SVGNumberList.idl', '../third_party/WebKit/WebCore/svg/SVGPaint.idl', '../third_party/WebKit/WebCore/svg/SVGPathElement.idl', '../third_party/WebKit/WebCore/svg/SVGPathSeg.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegArcAbs.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegArcRel.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegClosePath.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoCubicAbs.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoCubicRel.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoCubicSmoothAbs.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoCubicSmoothRel.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoQuadraticAbs.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoQuadraticRel.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoQuadraticSmoothAbs.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoQuadraticSmoothRel.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegLinetoAbs.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegLinetoHorizontalAbs.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegLinetoHorizontalRel.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegLinetoRel.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegLinetoVerticalAbs.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegLinetoVerticalRel.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegList.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegMovetoAbs.idl', '../third_party/WebKit/WebCore/svg/SVGPathSegMovetoRel.idl', '../third_party/WebKit/WebCore/svg/SVGPatternElement.idl', '../third_party/WebKit/WebCore/svg/SVGPoint.idl', '../third_party/WebKit/WebCore/svg/SVGPointList.idl', '../third_party/WebKit/WebCore/svg/SVGPolygonElement.idl', '../third_party/WebKit/WebCore/svg/SVGPolylineElement.idl', '../third_party/WebKit/WebCore/svg/SVGPreserveAspectRatio.idl', '../third_party/WebKit/WebCore/svg/SVGRadialGradientElement.idl', '../third_party/WebKit/WebCore/svg/SVGRect.idl', '../third_party/WebKit/WebCore/svg/SVGRectElement.idl', '../third_party/WebKit/WebCore/svg/SVGRenderingIntent.idl', '../third_party/WebKit/WebCore/svg/SVGSVGElement.idl', '../third_party/WebKit/WebCore/svg/SVGScriptElement.idl', '../third_party/WebKit/WebCore/svg/SVGSetElement.idl', '../third_party/WebKit/WebCore/svg/SVGStopElement.idl', '../third_party/WebKit/WebCore/svg/SVGStringList.idl', '../third_party/WebKit/WebCore/svg/SVGStylable.idl', '../third_party/WebKit/WebCore/svg/SVGStyleElement.idl', '../third_party/WebKit/WebCore/svg/SVGSwitchElement.idl', '../third_party/WebKit/WebCore/svg/SVGSymbolElement.idl', '../third_party/WebKit/WebCore/svg/SVGTRefElement.idl', '../third_party/WebKit/WebCore/svg/SVGTSpanElement.idl', '../third_party/WebKit/WebCore/svg/SVGTests.idl', '../third_party/WebKit/WebCore/svg/SVGTextContentElement.idl', '../third_party/WebKit/WebCore/svg/SVGTextElement.idl', '../third_party/WebKit/WebCore/svg/SVGTextPathElement.idl', '../third_party/WebKit/WebCore/svg/SVGTextPositioningElement.idl', '../third_party/WebKit/WebCore/svg/SVGTitleElement.idl', '../third_party/WebKit/WebCore/svg/SVGTransform.idl', '../third_party/WebKit/WebCore/svg/SVGTransformList.idl', '../third_party/WebKit/WebCore/svg/SVGTransformable.idl', '../third_party/WebKit/WebCore/svg/SVGURIReference.idl', '../third_party/WebKit/WebCore/svg/SVGUnitTypes.idl', '../third_party/WebKit/WebCore/svg/SVGUseElement.idl', '../third_party/WebKit/WebCore/svg/SVGViewElement.idl', '../third_party/WebKit/WebCore/svg/SVGViewSpec.idl', '../third_party/WebKit/WebCore/svg/SVGZoomAndPan.idl', '../third_party/WebKit/WebCore/svg/SVGZoomEvent.idl', '../third_party/WebKit/WebCore/workers/Worker.idl', '../third_party/WebKit/WebCore/workers/WorkerContext.idl', '../third_party/WebKit/WebCore/workers/WorkerLocation.idl', '../third_party/WebKit/WebCore/xml/DOMParser.idl', '../third_party/WebKit/WebCore/xml/XMLHttpRequest.idl', '../third_party/WebKit/WebCore/xml/XMLHttpRequestException.idl', '../third_party/WebKit/WebCore/xml/XMLHttpRequestProgressEvent.idl', '../third_party/WebKit/WebCore/xml/XMLHttpRequestUpload.idl', '../third_party/WebKit/WebCore/xml/XMLSerializer.idl', '../third_party/WebKit/WebCore/xml/XPathEvaluator.idl', '../third_party/WebKit/WebCore/xml/XPathException.idl', '../third_party/WebKit/WebCore/xml/XPathExpression.idl', '../third_party/WebKit/WebCore/xml/XPathNSResolver.idl', '../third_party/WebKit/WebCore/xml/XPathResult.idl', '../third_party/WebKit/WebCore/xml/XSLTProcessor.idl', 'port/bindings/v8/UndetectableHTMLCollection.idl', '../third_party/WebKit/WebCore/bindings/v8/DerivedSourcesAllInOne.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8AttrCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CanvasPixelArrayCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CanvasRenderingContext2DCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8ClientRectListCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8ClipboardCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CSSStyleDeclarationCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomBinding.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomBinding.h', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomEventListener.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomEventListener.h', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomSQLStatementCallback.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomSQLStatementCallback.h', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomSQLStatementErrorCallback.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomSQLStatementErrorCallback.h', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomSQLTransactionCallback.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomSQLTransactionCallback.h', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomSQLTransactionErrorCallback.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomSQLTransactionErrorCallback.h', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomVoidCallback.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomVoidCallback.h', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomXPathNSResolver.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8CustomXPathNSResolver.h', '../third_party/WebKit/WebCore/bindings/v8/custom/V8DatabaseCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8DocumentLocationCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8DOMParserConstructor.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8DOMWindowCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8DocumentCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8ElementCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8EventCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLAudioElementConstructor.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLCanvasElementCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLCollectionCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLDataGridElementCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLDocumentCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLFormElementCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLFrameElementCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLFrameSetElementCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLIFrameElementCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLImageElementConstructor.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLInputElementCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLOptionElementConstructor.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLOptionsCollectionCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLPlugInElementCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLSelectElementCollectionCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLSelectElementCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8HTMLSelectElementCustom.h', '../third_party/WebKit/WebCore/bindings/v8/custom/V8InspectorControllerCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8LocationCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8MessageChannelConstructor.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8MessagePortCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8NamedNodeMapCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8NamedNodesCollection.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8NamedNodesCollection.h', '../third_party/WebKit/WebCore/bindings/v8/custom/V8NavigatorCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8NodeCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8NodeFilterCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8NodeIteratorCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8NodeListCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8SQLResultSetRowListCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8SQLTransactionCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8SVGElementInstanceCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8SVGLengthCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8SVGMatrixCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8StyleSheetListCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8TreeWalkerCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8WebKitCSSMatrixConstructor.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8WebKitPointConstructor.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8WorkerContextCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8WorkerCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8XMLHttpRequestConstructor.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8XMLHttpRequestCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8XMLHttpRequestUploadCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8XMLSerializerConstructor.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8XPathEvaluatorConstructor.cpp', '../third_party/WebKit/WebCore/bindings/v8/custom/V8XSLTProcessorCustom.cpp', '../third_party/WebKit/WebCore/bindings/v8/DOMObjectsInclude.h', '../third_party/WebKit/WebCore/bindings/v8/ScheduledAction.cpp', '../third_party/WebKit/WebCore/bindings/v8/ScheduledAction.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptCachedFrameData.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptCallFrame.cpp', '../third_party/WebKit/WebCore/bindings/v8/ScriptCallFrame.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptCallStack.cpp', '../third_party/WebKit/WebCore/bindings/v8/ScriptCallStack.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptController.cpp', '../third_party/WebKit/WebCore/bindings/v8/ScriptController.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptEventListener.cpp', '../third_party/WebKit/WebCore/bindings/v8/ScriptEventListener.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptFunctionCall.cpp', '../third_party/WebKit/WebCore/bindings/v8/ScriptFunctionCall.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptInstance.cpp', '../third_party/WebKit/WebCore/bindings/v8/ScriptInstance.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptObject.cpp', '../third_party/WebKit/WebCore/bindings/v8/ScriptObject.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptObjectQuarantine.cpp', '../third_party/WebKit/WebCore/bindings/v8/ScriptObjectQuarantine.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptScope.cpp', '../third_party/WebKit/WebCore/bindings/v8/ScriptScope.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptSourceCode.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptState.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptState.cpp', '../third_party/WebKit/WebCore/bindings/v8/ScriptString.h', '../third_party/WebKit/WebCore/bindings/v8/ScriptValue.cpp', '../third_party/WebKit/WebCore/bindings/v8/ScriptValue.h', '../third_party/WebKit/WebCore/bindings/v8/V8AbstractEventListener.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8AbstractEventListener.h', '../third_party/WebKit/WebCore/bindings/v8/V8Binding.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8Binding.h', '../third_party/WebKit/WebCore/bindings/v8/V8Collection.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8Collection.h', '../third_party/WebKit/WebCore/bindings/v8/V8DOMMap.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8DOMMap.h', '../third_party/WebKit/WebCore/bindings/v8/V8DOMWrapper.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8DOMWrapper.h', '../third_party/WebKit/WebCore/bindings/v8/V8EventListenerList.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8EventListenerList.h', '../third_party/WebKit/WebCore/bindings/v8/V8GCController.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8GCController.h', '../third_party/WebKit/WebCore/bindings/v8/V8Helpers.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8Helpers.h', '../third_party/WebKit/WebCore/bindings/v8/V8Index.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8Index.h', '../third_party/WebKit/WebCore/bindings/v8/V8IsolatedWorld.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8IsolatedWorld.h', '../third_party/WebKit/WebCore/bindings/v8/V8LazyEventListener.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8LazyEventListener.h', '../third_party/WebKit/WebCore/bindings/v8/V8NodeFilterCondition.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8NodeFilterCondition.h', '../third_party/WebKit/WebCore/bindings/v8/V8ObjectEventListener.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8ObjectEventListener.h', '../third_party/WebKit/WebCore/bindings/v8/V8Proxy.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8Proxy.h', '../third_party/WebKit/WebCore/bindings/v8/V8SVGPODTypeWrapper.h', '../third_party/WebKit/WebCore/bindings/v8/V8Utilities.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8Utilities.h', '../third_party/WebKit/WebCore/bindings/v8/V8WorkerContextEventListener.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8WorkerContextEventListener.h', '../third_party/WebKit/WebCore/bindings/v8/V8WorkerContextObjectEventListener.cpp', '../third_party/WebKit/WebCore/bindings/v8/V8WorkerContextObjectEventListener.h', '../third_party/WebKit/WebCore/bindings/v8/WorkerContextExecutionProxy.h', '../third_party/WebKit/WebCore/bindings/v8/WorkerContextExecutionProxy.cpp', '../third_party/WebKit/WebCore/bindings/v8/WorkerScriptController.h', '../third_party/WebKit/WebCore/bindings/v8/WorkerScriptController.cpp', '../third_party/WebKit/WebCore/bindings/v8/npruntime.cpp', '../third_party/WebKit/WebCore/bindings/v8/npruntime_impl.h', '../third_party/WebKit/WebCore/bindings/v8/npruntime_internal.h', '../third_party/WebKit/WebCore/bindings/v8/npruntime_priv.h', 'extensions/v8/gc_extension.cc', 'extensions/v8/gc_extension.h', 'extensions/v8/gears_extension.cc', 'extensions/v8/gears_extension.h', 'extensions/v8/interval_extension.cc', 'extensions/v8/interval_extension.h', 'extensions/v8/playback_extension.cc', 'extensions/v8/playback_extension.h', 'extensions/v8/profiler_extension.cc', 'extensions/v8/profiler_extension.h', 'extensions/v8/benchmarking_extension.cc', 'extensions/v8/benchmarking_extension.h', 'port/bindings/v8/RGBColor.cpp', 'port/bindings/v8/RGBColor.h', 'port/bindings/v8/NPV8Object.cpp', 'port/bindings/v8/NPV8Object.h', 'port/bindings/v8/V8NPUtils.cpp', 'port/bindings/v8/V8NPUtils.h', 'port/bindings/v8/V8NPObject.cpp', 'port/bindings/v8/V8NPObject.h', '../third_party/WebKit/WebCore/accessibility/AXObjectCache.cpp', '../third_party/WebKit/WebCore/accessibility/AXObjectCache.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityARIAGrid.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityARIAGrid.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityARIAGridCell.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityARIAGridCell.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityARIAGridRow.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityARIAGridRow.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityImageMapLink.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityImageMapLink.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityList.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityList.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityListBox.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityListBox.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityListBoxOption.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityListBoxOption.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityObject.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityObject.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityRenderObject.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityRenderObject.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityTable.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityTable.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityTableCell.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityTableCell.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityTableColumn.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityTableColumn.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityTableHeaderContainer.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityTableHeaderContainer.h', '../third_party/WebKit/WebCore/accessibility/AccessibilityTableRow.cpp', '../third_party/WebKit/WebCore/accessibility/AccessibilityTableRow.h', '../third_party/WebKit/WebCore/accessibility/chromium/AXObjectCacheChromium.cpp', '../third_party/WebKit/WebCore/accessibility/chromium/AccessibilityObjectChromium.cpp', '../third_party/WebKit/WebCore/accessibility/chromium/AccessibilityObjectWrapper.h', '../third_party/WebKit/WebCore/accessibility/gtk/AXObjectCacheAtk.cpp', '../third_party/WebKit/WebCore/accessibility/gtk/AccessibilityObjectAtk.cpp', '../third_party/WebKit/WebCore/accessibility/gtk/AccessibilityObjectWrapperAtk.cpp', '../third_party/WebKit/WebCore/accessibility/gtk/AccessibilityObjectWrapperAtk.h', '../third_party/WebKit/WebCore/accessibility/qt/AccessibilityObjectQt.cpp', '../third_party/WebKit/WebCore/accessibility/mac/AXObjectCacheMac.mm', '../third_party/WebKit/WebCore/accessibility/mac/AccessibilityObjectMac.mm', '../third_party/WebKit/WebCore/accessibility/mac/AccessibilityObjectWrapper.h', '../third_party/WebKit/WebCore/accessibility/mac/AccessibilityObjectWrapper.mm', '../third_party/WebKit/WebCore/accessibility/win/AXObjectCacheWin.cpp', '../third_party/WebKit/WebCore/accessibility/win/AccessibilityObjectWin.cpp', '../third_party/WebKit/WebCore/accessibility/win/AccessibilityObjectWrapperWin.h', '../third_party/WebKit/WebCore/accessibility/wx/AccessibilityObjectWx.cpp', '../third_party/WebKit/WebCore/css/CSSBorderImageValue.cpp', '../third_party/WebKit/WebCore/css/CSSBorderImageValue.h', '../third_party/WebKit/WebCore/css/CSSCanvasValue.cpp', '../third_party/WebKit/WebCore/css/CSSCanvasValue.h', '../third_party/WebKit/WebCore/css/CSSCharsetRule.cpp', '../third_party/WebKit/WebCore/css/CSSCharsetRule.h', '../third_party/WebKit/WebCore/css/CSSComputedStyleDeclaration.cpp', '../third_party/WebKit/WebCore/css/CSSComputedStyleDeclaration.h', '../third_party/WebKit/WebCore/css/CSSCursorImageValue.cpp', '../third_party/WebKit/WebCore/css/CSSCursorImageValue.h', '../third_party/WebKit/WebCore/css/CSSFontFace.cpp', '../third_party/WebKit/WebCore/css/CSSFontFace.h', '../third_party/WebKit/WebCore/css/CSSFontFaceRule.cpp', '../third_party/WebKit/WebCore/css/CSSFontFaceRule.h', '../third_party/WebKit/WebCore/css/CSSFontFaceSource.cpp', '../third_party/WebKit/WebCore/css/CSSFontFaceSource.h', '../third_party/WebKit/WebCore/css/CSSFontFaceSrcValue.cpp', '../third_party/WebKit/WebCore/css/CSSFontFaceSrcValue.h', '../third_party/WebKit/WebCore/css/CSSFontSelector.cpp', '../third_party/WebKit/WebCore/css/CSSFontSelector.h', '../third_party/WebKit/WebCore/css/CSSFunctionValue.cpp', '../third_party/WebKit/WebCore/css/CSSFunctionValue.h', '../third_party/WebKit/WebCore/css/CSSGradientValue.cpp', '../third_party/WebKit/WebCore/css/CSSGradientValue.h', '../third_party/WebKit/WebCore/css/CSSHelper.cpp', '../third_party/WebKit/WebCore/css/CSSHelper.h', '../third_party/WebKit/WebCore/css/CSSImageGeneratorValue.cpp', '../third_party/WebKit/WebCore/css/CSSImageGeneratorValue.h', '../third_party/WebKit/WebCore/css/CSSImageValue.cpp', '../third_party/WebKit/WebCore/css/CSSImageValue.h', '../third_party/WebKit/WebCore/css/CSSImportRule.cpp', '../third_party/WebKit/WebCore/css/CSSImportRule.h', '../third_party/WebKit/WebCore/css/CSSInheritedValue.cpp', '../third_party/WebKit/WebCore/css/CSSInheritedValue.h', '../third_party/WebKit/WebCore/css/CSSInitialValue.cpp', '../third_party/WebKit/WebCore/css/CSSInitialValue.h', '../third_party/WebKit/WebCore/css/CSSMediaRule.cpp', '../third_party/WebKit/WebCore/css/CSSMediaRule.h', '../third_party/WebKit/WebCore/css/CSSMutableStyleDeclaration.cpp', '../third_party/WebKit/WebCore/css/CSSMutableStyleDeclaration.h', '../third_party/WebKit/WebCore/css/CSSNamespace.h', '../third_party/WebKit/WebCore/css/CSSPageRule.cpp', '../third_party/WebKit/WebCore/css/CSSPageRule.h', '../third_party/WebKit/WebCore/css/CSSParser.cpp', '../third_party/WebKit/WebCore/css/CSSParser.h', '../third_party/WebKit/WebCore/css/CSSParserValues.cpp', '../third_party/WebKit/WebCore/css/CSSParserValues.h', '../third_party/WebKit/WebCore/css/CSSPrimitiveValue.cpp', '../third_party/WebKit/WebCore/css/CSSPrimitiveValue.h', '../third_party/WebKit/WebCore/css/CSSPrimitiveValueMappings.h', '../third_party/WebKit/WebCore/css/CSSProperty.cpp', '../third_party/WebKit/WebCore/css/CSSProperty.h', '../third_party/WebKit/WebCore/css/CSSPropertyLonghand.cpp', '../third_party/WebKit/WebCore/css/CSSPropertyLonghand.h', '../third_party/WebKit/WebCore/css/CSSQuirkPrimitiveValue.h', '../third_party/WebKit/WebCore/css/CSSReflectValue.cpp', '../third_party/WebKit/WebCore/css/CSSReflectValue.h', '../third_party/WebKit/WebCore/css/CSSReflectionDirection.h', '../third_party/WebKit/WebCore/css/CSSRule.cpp', '../third_party/WebKit/WebCore/css/CSSRule.h', '../third_party/WebKit/WebCore/css/CSSRuleList.cpp', '../third_party/WebKit/WebCore/css/CSSRuleList.h', '../third_party/WebKit/WebCore/css/CSSSegmentedFontFace.cpp', '../third_party/WebKit/WebCore/css/CSSSegmentedFontFace.h', '../third_party/WebKit/WebCore/css/CSSSelector.cpp', '../third_party/WebKit/WebCore/css/CSSSelector.h', '../third_party/WebKit/WebCore/css/CSSSelectorList.cpp', '../third_party/WebKit/WebCore/css/CSSSelectorList.h', '../third_party/WebKit/WebCore/css/CSSStyleDeclaration.cpp', '../third_party/WebKit/WebCore/css/CSSStyleDeclaration.h', '../third_party/WebKit/WebCore/css/CSSStyleRule.cpp', '../third_party/WebKit/WebCore/css/CSSStyleRule.h', '../third_party/WebKit/WebCore/css/CSSStyleSelector.cpp', '../third_party/WebKit/WebCore/css/CSSStyleSelector.h', '../third_party/WebKit/WebCore/css/CSSStyleSheet.cpp', '../third_party/WebKit/WebCore/css/CSSStyleSheet.h', '../third_party/WebKit/WebCore/css/CSSTimingFunctionValue.cpp', '../third_party/WebKit/WebCore/css/CSSTimingFunctionValue.h', '../third_party/WebKit/WebCore/css/CSSUnicodeRangeValue.cpp', '../third_party/WebKit/WebCore/css/CSSUnicodeRangeValue.h', '../third_party/WebKit/WebCore/css/CSSUnknownRule.h', '../third_party/WebKit/WebCore/css/CSSValue.h', '../third_party/WebKit/WebCore/css/CSSValueList.cpp', '../third_party/WebKit/WebCore/css/CSSValueList.h', '../third_party/WebKit/WebCore/css/CSSVariableDependentValue.cpp', '../third_party/WebKit/WebCore/css/CSSVariableDependentValue.h', '../third_party/WebKit/WebCore/css/CSSVariablesDeclaration.cpp', '../third_party/WebKit/WebCore/css/CSSVariablesDeclaration.h', '../third_party/WebKit/WebCore/css/CSSVariablesRule.cpp', '../third_party/WebKit/WebCore/css/CSSVariablesRule.h', '../third_party/WebKit/WebCore/css/Counter.h', '../third_party/WebKit/WebCore/css/DashboardRegion.h', '../third_party/WebKit/WebCore/css/FontFamilyValue.cpp', '../third_party/WebKit/WebCore/css/FontFamilyValue.h', '../third_party/WebKit/WebCore/css/FontValue.cpp', '../third_party/WebKit/WebCore/css/FontValue.h', '../third_party/WebKit/WebCore/css/MediaFeatureNames.cpp', '../third_party/WebKit/WebCore/css/MediaFeatureNames.h', '../third_party/WebKit/WebCore/css/MediaList.cpp', '../third_party/WebKit/WebCore/css/MediaList.h', '../third_party/WebKit/WebCore/css/MediaQuery.cpp', '../third_party/WebKit/WebCore/css/MediaQuery.h', '../third_party/WebKit/WebCore/css/MediaQueryEvaluator.cpp', '../third_party/WebKit/WebCore/css/MediaQueryEvaluator.h', '../third_party/WebKit/WebCore/css/MediaQueryExp.cpp', '../third_party/WebKit/WebCore/css/MediaQueryExp.h', '../third_party/WebKit/WebCore/css/Pair.h', '../third_party/WebKit/WebCore/css/Rect.h', '../third_party/WebKit/WebCore/css/SVGCSSComputedStyleDeclaration.cpp', '../third_party/WebKit/WebCore/css/SVGCSSParser.cpp', '../third_party/WebKit/WebCore/css/SVGCSSStyleSelector.cpp', '../third_party/WebKit/WebCore/css/ShadowValue.cpp', '../third_party/WebKit/WebCore/css/ShadowValue.h', '../third_party/WebKit/WebCore/css/StyleBase.cpp', '../third_party/WebKit/WebCore/css/StyleBase.h', '../third_party/WebKit/WebCore/css/StyleList.cpp', '../third_party/WebKit/WebCore/css/StyleList.h', '../third_party/WebKit/WebCore/css/StyleSheet.cpp', '../third_party/WebKit/WebCore/css/StyleSheet.h', '../third_party/WebKit/WebCore/css/StyleSheetList.cpp', '../third_party/WebKit/WebCore/css/StyleSheetList.h', '../third_party/WebKit/WebCore/css/WebKitCSSKeyframeRule.cpp', '../third_party/WebKit/WebCore/css/WebKitCSSKeyframeRule.h', '../third_party/WebKit/WebCore/css/WebKitCSSKeyframesRule.cpp', '../third_party/WebKit/WebCore/css/WebKitCSSKeyframesRule.h', '../third_party/WebKit/WebCore/css/WebKitCSSMatrix.cpp', '../third_party/WebKit/WebCore/css/WebKitCSSMatrix.h', '../third_party/WebKit/WebCore/css/WebKitCSSTransformValue.cpp', '../third_party/WebKit/WebCore/css/WebKitCSSTransformValue.h', '../third_party/WebKit/WebCore/dom/default/PlatformMessagePortChannel.cpp', '../third_party/WebKit/WebCore/dom/default/PlatformMessagePortChannel.h', '../third_party/WebKit/WebCore/dom/ActiveDOMObject.cpp', '../third_party/WebKit/WebCore/dom/ActiveDOMObject.h', '../third_party/WebKit/WebCore/dom/Attr.cpp', '../third_party/WebKit/WebCore/dom/Attr.h', '../third_party/WebKit/WebCore/dom/Attribute.cpp', '../third_party/WebKit/WebCore/dom/Attribute.h', '../third_party/WebKit/WebCore/dom/BeforeTextInsertedEvent.cpp', '../third_party/WebKit/WebCore/dom/BeforeTextInsertedEvent.h', '../third_party/WebKit/WebCore/dom/BeforeUnloadEvent.cpp', '../third_party/WebKit/WebCore/dom/BeforeUnloadEvent.h', '../third_party/WebKit/WebCore/dom/CDATASection.cpp', '../third_party/WebKit/WebCore/dom/CDATASection.h', '../third_party/WebKit/WebCore/dom/CSSMappedAttributeDeclaration.cpp', '../third_party/WebKit/WebCore/dom/CSSMappedAttributeDeclaration.h', '../third_party/WebKit/WebCore/dom/CharacterData.cpp', '../third_party/WebKit/WebCore/dom/CharacterData.h', '../third_party/WebKit/WebCore/dom/CheckedRadioButtons.cpp', '../third_party/WebKit/WebCore/dom/CheckedRadioButtons.h', '../third_party/WebKit/WebCore/dom/ChildNodeList.cpp', '../third_party/WebKit/WebCore/dom/ChildNodeList.h', '../third_party/WebKit/WebCore/dom/ClassNames.cpp', '../third_party/WebKit/WebCore/dom/ClassNames.h', '../third_party/WebKit/WebCore/dom/ClassNodeList.cpp', '../third_party/WebKit/WebCore/dom/ClassNodeList.h', '../third_party/WebKit/WebCore/dom/ClientRect.cpp', '../third_party/WebKit/WebCore/dom/ClientRect.h', '../third_party/WebKit/WebCore/dom/ClientRectList.cpp', '../third_party/WebKit/WebCore/dom/ClientRectList.h', '../third_party/WebKit/WebCore/dom/Clipboard.cpp', '../third_party/WebKit/WebCore/dom/Clipboard.h', '../third_party/WebKit/WebCore/dom/ClipboardAccessPolicy.h', '../third_party/WebKit/WebCore/dom/ClipboardEvent.cpp', '../third_party/WebKit/WebCore/dom/ClipboardEvent.h', '../third_party/WebKit/WebCore/dom/Comment.cpp', '../third_party/WebKit/WebCore/dom/Comment.h', '../third_party/WebKit/WebCore/dom/ContainerNode.cpp', '../third_party/WebKit/WebCore/dom/ContainerNode.h', '../third_party/WebKit/WebCore/dom/ContainerNodeAlgorithms.h', '../third_party/WebKit/WebCore/dom/DOMCoreException.h', '../third_party/WebKit/WebCore/dom/DOMImplementation.cpp', '../third_party/WebKit/WebCore/dom/DOMImplementation.h', '../third_party/WebKit/WebCore/dom/DocPtr.h', '../third_party/WebKit/WebCore/dom/Document.cpp', '../third_party/WebKit/WebCore/dom/Document.h', '../third_party/WebKit/WebCore/dom/DocumentFragment.cpp', '../third_party/WebKit/WebCore/dom/DocumentFragment.h', '../third_party/WebKit/WebCore/dom/DocumentMarker.h', '../third_party/WebKit/WebCore/dom/DocumentType.cpp', '../third_party/WebKit/WebCore/dom/DocumentType.h', '../third_party/WebKit/WebCore/dom/DynamicNodeList.cpp', '../third_party/WebKit/WebCore/dom/DynamicNodeList.h', '../third_party/WebKit/WebCore/dom/EditingText.cpp', '../third_party/WebKit/WebCore/dom/EditingText.h', '../third_party/WebKit/WebCore/dom/Element.cpp', '../third_party/WebKit/WebCore/dom/Element.h', '../third_party/WebKit/WebCore/dom/ElementRareData.h', '../third_party/WebKit/WebCore/dom/Entity.cpp', '../third_party/WebKit/WebCore/dom/Entity.h', '../third_party/WebKit/WebCore/dom/EntityReference.cpp', '../third_party/WebKit/WebCore/dom/EntityReference.h', '../third_party/WebKit/WebCore/dom/Event.cpp', '../third_party/WebKit/WebCore/dom/Event.h', '../third_party/WebKit/WebCore/dom/EventException.h', '../third_party/WebKit/WebCore/dom/EventListener.h', '../third_party/WebKit/WebCore/dom/EventNames.cpp', '../third_party/WebKit/WebCore/dom/EventNames.h', '../third_party/WebKit/WebCore/dom/EventTarget.cpp', '../third_party/WebKit/WebCore/dom/EventTarget.h', '../third_party/WebKit/WebCore/dom/ExceptionBase.cpp', '../third_party/WebKit/WebCore/dom/ExceptionBase.h', '../third_party/WebKit/WebCore/dom/ExceptionCode.cpp', '../third_party/WebKit/WebCore/dom/ExceptionCode.h', '../third_party/WebKit/WebCore/dom/InputElement.cpp', '../third_party/WebKit/WebCore/dom/InputElement.h', '../third_party/WebKit/WebCore/dom/KeyboardEvent.cpp', '../third_party/WebKit/WebCore/dom/KeyboardEvent.h', '../third_party/WebKit/WebCore/dom/MappedAttribute.cpp', '../third_party/WebKit/WebCore/dom/MappedAttribute.h', '../third_party/WebKit/WebCore/dom/MappedAttributeEntry.h', '../third_party/WebKit/WebCore/dom/MessageChannel.cpp', '../third_party/WebKit/WebCore/dom/MessageChannel.h', '../third_party/WebKit/WebCore/dom/MessageEvent.cpp', '../third_party/WebKit/WebCore/dom/MessageEvent.h', '../third_party/WebKit/WebCore/dom/MessagePort.cpp', '../third_party/WebKit/WebCore/dom/MessagePort.h', '../third_party/WebKit/WebCore/dom/MessagePortChannel.cpp', '../third_party/WebKit/WebCore/dom/MessagePortChannel.h', '../third_party/WebKit/WebCore/dom/MouseEvent.cpp', '../third_party/WebKit/WebCore/dom/MouseEvent.h', '../third_party/WebKit/WebCore/dom/MouseRelatedEvent.cpp', '../third_party/WebKit/WebCore/dom/MouseRelatedEvent.h', '../third_party/WebKit/WebCore/dom/MutationEvent.cpp', '../third_party/WebKit/WebCore/dom/MutationEvent.h', '../third_party/WebKit/WebCore/dom/NameNodeList.cpp', '../third_party/WebKit/WebCore/dom/NameNodeList.h', '../third_party/WebKit/WebCore/dom/NamedAttrMap.cpp', '../third_party/WebKit/WebCore/dom/NamedAttrMap.h', '../third_party/WebKit/WebCore/dom/NamedMappedAttrMap.cpp', '../third_party/WebKit/WebCore/dom/NamedMappedAttrMap.h', '../third_party/WebKit/WebCore/dom/NamedNodeMap.h', '../third_party/WebKit/WebCore/dom/Node.cpp', '../third_party/WebKit/WebCore/dom/Node.h', '../third_party/WebKit/WebCore/dom/NodeFilter.cpp', '../third_party/WebKit/WebCore/dom/NodeFilter.h', '../third_party/WebKit/WebCore/dom/NodeFilterCondition.cpp', '../third_party/WebKit/WebCore/dom/NodeFilterCondition.h', '../third_party/WebKit/WebCore/dom/NodeIterator.cpp', '../third_party/WebKit/WebCore/dom/NodeIterator.h', '../third_party/WebKit/WebCore/dom/NodeList.h', '../third_party/WebKit/WebCore/dom/NodeRareData.h', '../third_party/WebKit/WebCore/dom/NodeRenderStyle.h', '../third_party/WebKit/WebCore/dom/NodeWithIndex.h', '../third_party/WebKit/WebCore/dom/Notation.cpp', '../third_party/WebKit/WebCore/dom/Notation.h', '../third_party/WebKit/WebCore/dom/OptionElement.cpp', '../third_party/WebKit/WebCore/dom/OptionElement.h', '../third_party/WebKit/WebCore/dom/OptionGroupElement.cpp', '../third_party/WebKit/WebCore/dom/OptionGroupElement.h', '../third_party/WebKit/WebCore/dom/OverflowEvent.cpp', '../third_party/WebKit/WebCore/dom/OverflowEvent.h', '../third_party/WebKit/WebCore/dom/Position.cpp', '../third_party/WebKit/WebCore/dom/Position.h', '../third_party/WebKit/WebCore/dom/PositionIterator.cpp', '../third_party/WebKit/WebCore/dom/PositionIterator.h', '../third_party/WebKit/WebCore/dom/ProcessingInstruction.cpp', '../third_party/WebKit/WebCore/dom/ProcessingInstruction.h', '../third_party/WebKit/WebCore/dom/ProgressEvent.cpp', '../third_party/WebKit/WebCore/dom/ProgressEvent.h', '../third_party/WebKit/WebCore/dom/QualifiedName.cpp', '../third_party/WebKit/WebCore/dom/QualifiedName.h', '../third_party/WebKit/WebCore/dom/Range.cpp', '../third_party/WebKit/WebCore/dom/Range.h', '../third_party/WebKit/WebCore/dom/RangeBoundaryPoint.h', '../third_party/WebKit/WebCore/dom/RangeException.h', '../third_party/WebKit/WebCore/dom/RegisteredEventListener.cpp', '../third_party/WebKit/WebCore/dom/RegisteredEventListener.h', '../third_party/WebKit/WebCore/dom/ScriptElement.cpp', '../third_party/WebKit/WebCore/dom/ScriptElement.h', '../third_party/WebKit/WebCore/dom/ScriptExecutionContext.cpp', '../third_party/WebKit/WebCore/dom/ScriptExecutionContext.h', '../third_party/WebKit/WebCore/dom/SelectElement.cpp', '../third_party/WebKit/WebCore/dom/SelectElement.h', '../third_party/WebKit/WebCore/dom/SelectorNodeList.cpp', '../third_party/WebKit/WebCore/dom/SelectorNodeList.h', '../third_party/WebKit/WebCore/dom/StaticNodeList.cpp', '../third_party/WebKit/WebCore/dom/StaticNodeList.h', '../third_party/WebKit/WebCore/dom/StaticStringList.cpp', '../third_party/WebKit/WebCore/dom/StaticStringList.h', '../third_party/WebKit/WebCore/dom/StyleElement.cpp', '../third_party/WebKit/WebCore/dom/StyleElement.h', '../third_party/WebKit/WebCore/dom/StyledElement.cpp', '../third_party/WebKit/WebCore/dom/StyledElement.h', '../third_party/WebKit/WebCore/dom/TagNodeList.cpp', '../third_party/WebKit/WebCore/dom/TagNodeList.h', '../third_party/WebKit/WebCore/dom/Text.cpp', '../third_party/WebKit/WebCore/dom/Text.h', '../third_party/WebKit/WebCore/dom/TextEvent.cpp', '../third_party/WebKit/WebCore/dom/TextEvent.h', '../third_party/WebKit/WebCore/dom/Tokenizer.h', '../third_party/WebKit/WebCore/dom/Traversal.cpp', '../third_party/WebKit/WebCore/dom/Traversal.h', '../third_party/WebKit/WebCore/dom/TreeWalker.cpp', '../third_party/WebKit/WebCore/dom/TreeWalker.h', '../third_party/WebKit/WebCore/dom/UIEvent.cpp', '../third_party/WebKit/WebCore/dom/UIEvent.h', '../third_party/WebKit/WebCore/dom/UIEventWithKeyState.cpp', '../third_party/WebKit/WebCore/dom/UIEventWithKeyState.h', '../third_party/WebKit/WebCore/dom/WebKitAnimationEvent.cpp', '../third_party/WebKit/WebCore/dom/WebKitAnimationEvent.h', '../third_party/WebKit/WebCore/dom/WebKitTransitionEvent.cpp', '../third_party/WebKit/WebCore/dom/WebKitTransitionEvent.h', '../third_party/WebKit/WebCore/dom/WheelEvent.cpp', '../third_party/WebKit/WebCore/dom/WheelEvent.h', '../third_party/WebKit/WebCore/dom/XMLTokenizer.cpp', '../third_party/WebKit/WebCore/dom/XMLTokenizer.h', '../third_party/WebKit/WebCore/dom/XMLTokenizerLibxml2.cpp', '../third_party/WebKit/WebCore/dom/XMLTokenizerScope.cpp', '../third_party/WebKit/WebCore/dom/XMLTokenizerScope.h', '../third_party/WebKit/WebCore/dom/XMLTokenizerQt.cpp', '../third_party/WebKit/WebCore/editing/android/EditorAndroid.cpp', '../third_party/WebKit/WebCore/editing/chromium/EditorChromium.cpp', '../third_party/WebKit/WebCore/editing/mac/EditorMac.mm', '../third_party/WebKit/WebCore/editing/mac/SelectionControllerMac.mm', '../third_party/WebKit/WebCore/editing/qt/EditorQt.cpp', '../third_party/WebKit/WebCore/editing/wx/EditorWx.cpp', '../third_party/WebKit/WebCore/editing/AppendNodeCommand.cpp', '../third_party/WebKit/WebCore/editing/AppendNodeCommand.h', '../third_party/WebKit/WebCore/editing/ApplyStyleCommand.cpp', '../third_party/WebKit/WebCore/editing/ApplyStyleCommand.h', '../third_party/WebKit/WebCore/editing/BreakBlockquoteCommand.cpp', '../third_party/WebKit/WebCore/editing/BreakBlockquoteCommand.h', '../third_party/WebKit/WebCore/editing/CompositeEditCommand.cpp', '../third_party/WebKit/WebCore/editing/CompositeEditCommand.h', '../third_party/WebKit/WebCore/editing/CreateLinkCommand.cpp', '../third_party/WebKit/WebCore/editing/CreateLinkCommand.h', '../third_party/WebKit/WebCore/editing/DeleteButton.cpp', '../third_party/WebKit/WebCore/editing/DeleteButton.h', '../third_party/WebKit/WebCore/editing/DeleteButtonController.cpp', '../third_party/WebKit/WebCore/editing/DeleteButtonController.h', '../third_party/WebKit/WebCore/editing/DeleteFromTextNodeCommand.cpp', '../third_party/WebKit/WebCore/editing/DeleteFromTextNodeCommand.h', '../third_party/WebKit/WebCore/editing/DeleteSelectionCommand.cpp', '../third_party/WebKit/WebCore/editing/DeleteSelectionCommand.h', '../third_party/WebKit/WebCore/editing/EditAction.h', '../third_party/WebKit/WebCore/editing/EditCommand.cpp', '../third_party/WebKit/WebCore/editing/EditCommand.h', '../third_party/WebKit/WebCore/editing/Editor.cpp', '../third_party/WebKit/WebCore/editing/Editor.h', '../third_party/WebKit/WebCore/editing/EditorCommand.cpp', '../third_party/WebKit/WebCore/editing/EditorDeleteAction.h', '../third_party/WebKit/WebCore/editing/EditorInsertAction.h', '../third_party/WebKit/WebCore/editing/FormatBlockCommand.cpp', '../third_party/WebKit/WebCore/editing/FormatBlockCommand.h', '../third_party/WebKit/WebCore/editing/HTMLInterchange.cpp', '../third_party/WebKit/WebCore/editing/HTMLInterchange.h', '../third_party/WebKit/WebCore/editing/IndentOutdentCommand.cpp', '../third_party/WebKit/WebCore/editing/IndentOutdentCommand.h', '../third_party/WebKit/WebCore/editing/InsertIntoTextNodeCommand.cpp', '../third_party/WebKit/WebCore/editing/InsertIntoTextNodeCommand.h', '../third_party/WebKit/WebCore/editing/InsertLineBreakCommand.cpp', '../third_party/WebKit/WebCore/editing/InsertLineBreakCommand.h', '../third_party/WebKit/WebCore/editing/InsertListCommand.cpp', '../third_party/WebKit/WebCore/editing/InsertListCommand.h', '../third_party/WebKit/WebCore/editing/InsertNodeBeforeCommand.cpp', '../third_party/WebKit/WebCore/editing/InsertNodeBeforeCommand.h', '../third_party/WebKit/WebCore/editing/InsertParagraphSeparatorCommand.cpp', '../third_party/WebKit/WebCore/editing/InsertParagraphSeparatorCommand.h', '../third_party/WebKit/WebCore/editing/InsertTextCommand.cpp', '../third_party/WebKit/WebCore/editing/InsertTextCommand.h', '../third_party/WebKit/WebCore/editing/JoinTextNodesCommand.cpp', '../third_party/WebKit/WebCore/editing/JoinTextNodesCommand.h', '../third_party/WebKit/WebCore/editing/MergeIdenticalElementsCommand.cpp', '../third_party/WebKit/WebCore/editing/MergeIdenticalElementsCommand.h', '../third_party/WebKit/WebCore/editing/ModifySelectionListLevel.cpp', '../third_party/WebKit/WebCore/editing/ModifySelectionListLevel.h', '../third_party/WebKit/WebCore/editing/MoveSelectionCommand.cpp', '../third_party/WebKit/WebCore/editing/MoveSelectionCommand.h', '../third_party/WebKit/WebCore/editing/RemoveCSSPropertyCommand.cpp', '../third_party/WebKit/WebCore/editing/RemoveCSSPropertyCommand.h', '../third_party/WebKit/WebCore/editing/RemoveFormatCommand.cpp', '../third_party/WebKit/WebCore/editing/RemoveFormatCommand.h', '../third_party/WebKit/WebCore/editing/RemoveNodeCommand.cpp', '../third_party/WebKit/WebCore/editing/RemoveNodeCommand.h', '../third_party/WebKit/WebCore/editing/RemoveNodePreservingChildrenCommand.cpp', '../third_party/WebKit/WebCore/editing/RemoveNodePreservingChildrenCommand.h', '../third_party/WebKit/WebCore/editing/ReplaceNodeWithSpanCommand.cpp', '../third_party/WebKit/WebCore/editing/ReplaceNodeWithSpanCommand.h', '../third_party/WebKit/WebCore/editing/ReplaceSelectionCommand.cpp', '../third_party/WebKit/WebCore/editing/ReplaceSelectionCommand.h', '../third_party/WebKit/WebCore/editing/SelectionController.cpp', '../third_party/WebKit/WebCore/editing/SelectionController.h', '../third_party/WebKit/WebCore/editing/SetNodeAttributeCommand.cpp', '../third_party/WebKit/WebCore/editing/SetNodeAttributeCommand.h', '../third_party/WebKit/WebCore/editing/SmartReplace.cpp', '../third_party/WebKit/WebCore/editing/SmartReplace.h', '../third_party/WebKit/WebCore/editing/SmartReplaceCF.cpp', '../third_party/WebKit/WebCore/editing/SmartReplaceICU.cpp', '../third_party/WebKit/WebCore/editing/SplitElementCommand.cpp', '../third_party/WebKit/WebCore/editing/SplitElementCommand.h', '../third_party/WebKit/WebCore/editing/SplitTextNodeCommand.cpp', '../third_party/WebKit/WebCore/editing/SplitTextNodeCommand.h', '../third_party/WebKit/WebCore/editing/SplitTextNodeContainingElementCommand.cpp', '../third_party/WebKit/WebCore/editing/SplitTextNodeContainingElementCommand.h', '../third_party/WebKit/WebCore/editing/TextAffinity.h', '../third_party/WebKit/WebCore/editing/TextGranularity.h', '../third_party/WebKit/WebCore/editing/TextIterator.cpp', '../third_party/WebKit/WebCore/editing/TextIterator.h', '../third_party/WebKit/WebCore/editing/TypingCommand.cpp', '../third_party/WebKit/WebCore/editing/TypingCommand.h', '../third_party/WebKit/WebCore/editing/UnlinkCommand.cpp', '../third_party/WebKit/WebCore/editing/UnlinkCommand.h', '../third_party/WebKit/WebCore/editing/VisiblePosition.cpp', '../third_party/WebKit/WebCore/editing/VisiblePosition.h', '../third_party/WebKit/WebCore/editing/VisibleSelection.cpp', '../third_party/WebKit/WebCore/editing/VisibleSelection.h', '../third_party/WebKit/WebCore/editing/WrapContentsInDummySpanCommand.cpp', '../third_party/WebKit/WebCore/editing/WrapContentsInDummySpanCommand.h', '../third_party/WebKit/WebCore/editing/htmlediting.cpp', '../third_party/WebKit/WebCore/editing/htmlediting.h', '../third_party/WebKit/WebCore/editing/markup.cpp', '../third_party/WebKit/WebCore/editing/markup.h', '../third_party/WebKit/WebCore/editing/visible_units.cpp', '../third_party/WebKit/WebCore/editing/visible_units.h', '../third_party/WebKit/WebCore/history/mac/HistoryItemMac.mm', '../third_party/WebKit/WebCore/history/BackForwardList.cpp', '../third_party/WebKit/WebCore/history/BackForwardList.h', '../third_party/WebKit/WebCore/history/BackForwardListChromium.cpp', '../third_party/WebKit/WebCore/history/CachedFrame.cpp', '../third_party/WebKit/WebCore/history/CachedFrame.h', '../third_party/WebKit/WebCore/history/CachedFramePlatformData.h', '../third_party/WebKit/WebCore/history/CachedPage.cpp', '../third_party/WebKit/WebCore/history/CachedPage.h', '../third_party/WebKit/WebCore/history/HistoryItem.cpp', '../third_party/WebKit/WebCore/history/HistoryItem.h', '../third_party/WebKit/WebCore/history/PageCache.cpp', '../third_party/WebKit/WebCore/history/PageCache.h', '../third_party/WebKit/WebCore/html/CanvasGradient.cpp', '../third_party/WebKit/WebCore/html/CanvasGradient.h', '../third_party/WebKit/WebCore/html/CanvasPattern.cpp', '../third_party/WebKit/WebCore/html/CanvasPattern.h', '../third_party/WebKit/WebCore/html/CanvasPixelArray.cpp', '../third_party/WebKit/WebCore/html/CanvasPixelArray.h', '../third_party/WebKit/WebCore/html/CanvasRenderingContext2D.cpp', '../third_party/WebKit/WebCore/html/CanvasRenderingContext2D.h', '../third_party/WebKit/WebCore/html/CanvasStyle.cpp', '../third_party/WebKit/WebCore/html/CanvasStyle.h', '../third_party/WebKit/WebCore/html/CollectionCache.cpp', '../third_party/WebKit/WebCore/html/CollectionCache.h', '../third_party/WebKit/WebCore/html/CollectionType.h', '../third_party/WebKit/WebCore/html/DataGridColumn.cpp', '../third_party/WebKit/WebCore/html/DataGridColumn.h', '../third_party/WebKit/WebCore/html/DOMDataGridDataSource.cpp', '../third_party/WebKit/WebCore/html/DOMDataGridDataSource.h', '../third_party/WebKit/WebCore/html/DataGridColumnList.cpp', '../third_party/WebKit/WebCore/html/DataGridColumnList.h', '../third_party/WebKit/WebCore/html/File.cpp', '../third_party/WebKit/WebCore/html/File.h', '../third_party/WebKit/WebCore/html/FileList.cpp', '../third_party/WebKit/WebCore/html/FileList.h', '../third_party/WebKit/WebCore/html/FormDataList.cpp', '../third_party/WebKit/WebCore/html/FormDataList.h', '../third_party/WebKit/WebCore/html/HTMLAnchorElement.cpp', '../third_party/WebKit/WebCore/html/HTMLAnchorElement.h', '../third_party/WebKit/WebCore/html/HTMLAppletElement.cpp', '../third_party/WebKit/WebCore/html/HTMLAppletElement.h', '../third_party/WebKit/WebCore/html/HTMLAreaElement.cpp', '../third_party/WebKit/WebCore/html/HTMLAreaElement.h', '../third_party/WebKit/WebCore/html/HTMLAudioElement.cpp', '../third_party/WebKit/WebCore/html/HTMLAudioElement.h', '../third_party/WebKit/WebCore/html/HTMLBRElement.cpp', '../third_party/WebKit/WebCore/html/HTMLBRElement.h', '../third_party/WebKit/WebCore/html/HTMLBaseElement.cpp', '../third_party/WebKit/WebCore/html/HTMLBaseElement.h', '../third_party/WebKit/WebCore/html/HTMLBaseFontElement.cpp', '../third_party/WebKit/WebCore/html/HTMLBaseFontElement.h', '../third_party/WebKit/WebCore/html/HTMLBlockquoteElement.cpp', '../third_party/WebKit/WebCore/html/HTMLBlockquoteElement.h', '../third_party/WebKit/WebCore/html/HTMLBodyElement.cpp', '../third_party/WebKit/WebCore/html/HTMLBodyElement.h', '../third_party/WebKit/WebCore/html/HTMLButtonElement.cpp', '../third_party/WebKit/WebCore/html/HTMLButtonElement.h', '../third_party/WebKit/WebCore/html/HTMLCanvasElement.cpp', '../third_party/WebKit/WebCore/html/HTMLCanvasElement.h', '../third_party/WebKit/WebCore/html/HTMLCollection.cpp', '../third_party/WebKit/WebCore/html/HTMLCollection.h', '../third_party/WebKit/WebCore/html/HTMLDListElement.cpp', '../third_party/WebKit/WebCore/html/HTMLDListElement.h', '../third_party/WebKit/WebCore/html/HTMLDataGridCellElement.cpp', '../third_party/WebKit/WebCore/html/HTMLDataGridCellElement.h', '../third_party/WebKit/WebCore/html/HTMLDataGridColElement.cpp', '../third_party/WebKit/WebCore/html/HTMLDataGridColElement.h', '../third_party/WebKit/WebCore/html/HTMLDataGridElement.cpp', '../third_party/WebKit/WebCore/html/HTMLDataGridElement.h', '../third_party/WebKit/WebCore/html/HTMLDataGridRowElement.cpp', '../third_party/WebKit/WebCore/html/HTMLDataGridRowElement.h', '../third_party/WebKit/WebCore/html/HTMLDirectoryElement.cpp', '../third_party/WebKit/WebCore/html/HTMLDirectoryElement.h', '../third_party/WebKit/WebCore/html/HTMLDivElement.cpp', '../third_party/WebKit/WebCore/html/HTMLDivElement.h', '../third_party/WebKit/WebCore/html/HTMLDocument.cpp', '../third_party/WebKit/WebCore/html/HTMLDocument.h', '../third_party/WebKit/WebCore/html/HTMLElement.cpp', '../third_party/WebKit/WebCore/html/HTMLElement.h', '../third_party/WebKit/WebCore/html/HTMLEmbedElement.cpp', '../third_party/WebKit/WebCore/html/HTMLEmbedElement.h', '../third_party/WebKit/WebCore/html/HTMLFieldSetElement.cpp', '../third_party/WebKit/WebCore/html/HTMLFieldSetElement.h', '../third_party/WebKit/WebCore/html/HTMLFontElement.cpp', '../third_party/WebKit/WebCore/html/HTMLFontElement.h', '../third_party/WebKit/WebCore/html/HTMLFormCollection.cpp', '../third_party/WebKit/WebCore/html/HTMLFormCollection.h', '../third_party/WebKit/WebCore/html/HTMLFormControlElement.cpp', '../third_party/WebKit/WebCore/html/HTMLFormControlElement.h', '../third_party/WebKit/WebCore/html/HTMLFormElement.cpp', '../third_party/WebKit/WebCore/html/HTMLFormElement.h', '../third_party/WebKit/WebCore/html/HTMLFrameElement.cpp', '../third_party/WebKit/WebCore/html/HTMLFrameElement.h', '../third_party/WebKit/WebCore/html/HTMLFrameElementBase.cpp', '../third_party/WebKit/WebCore/html/HTMLFrameElementBase.h', '../third_party/WebKit/WebCore/html/HTMLFrameOwnerElement.cpp', '../third_party/WebKit/WebCore/html/HTMLFrameOwnerElement.h', '../third_party/WebKit/WebCore/html/HTMLFrameSetElement.cpp', '../third_party/WebKit/WebCore/html/HTMLFrameSetElement.h', '../third_party/WebKit/WebCore/html/HTMLHRElement.cpp', '../third_party/WebKit/WebCore/html/HTMLHRElement.h', '../third_party/WebKit/WebCore/html/HTMLHeadElement.cpp', '../third_party/WebKit/WebCore/html/HTMLHeadElement.h', '../third_party/WebKit/WebCore/html/HTMLHeadingElement.cpp', '../third_party/WebKit/WebCore/html/HTMLHeadingElement.h', '../third_party/WebKit/WebCore/html/HTMLHtmlElement.cpp', '../third_party/WebKit/WebCore/html/HTMLHtmlElement.h', '../third_party/WebKit/WebCore/html/HTMLIFrameElement.cpp', '../third_party/WebKit/WebCore/html/HTMLIFrameElement.h', '../third_party/WebKit/WebCore/html/HTMLImageElement.cpp', '../third_party/WebKit/WebCore/html/HTMLImageElement.h', '../third_party/WebKit/WebCore/html/HTMLImageLoader.cpp', '../third_party/WebKit/WebCore/html/HTMLImageLoader.h', '../third_party/WebKit/WebCore/html/HTMLInputElement.cpp', '../third_party/WebKit/WebCore/html/HTMLInputElement.h', '../third_party/WebKit/WebCore/html/HTMLIsIndexElement.cpp', '../third_party/WebKit/WebCore/html/HTMLIsIndexElement.h', '../third_party/WebKit/WebCore/html/HTMLKeygenElement.cpp', '../third_party/WebKit/WebCore/html/HTMLKeygenElement.h', '../third_party/WebKit/WebCore/html/HTMLLIElement.cpp', '../third_party/WebKit/WebCore/html/HTMLLIElement.h', '../third_party/WebKit/WebCore/html/HTMLLabelElement.cpp', '../third_party/WebKit/WebCore/html/HTMLLabelElement.h', '../third_party/WebKit/WebCore/html/HTMLLegendElement.cpp', '../third_party/WebKit/WebCore/html/HTMLLegendElement.h', '../third_party/WebKit/WebCore/html/HTMLLinkElement.cpp', '../third_party/WebKit/WebCore/html/HTMLLinkElement.h', '../third_party/WebKit/WebCore/html/HTMLMapElement.cpp', '../third_party/WebKit/WebCore/html/HTMLMapElement.h', '../third_party/WebKit/WebCore/html/HTMLMarqueeElement.cpp', '../third_party/WebKit/WebCore/html/HTMLMarqueeElement.h', '../third_party/WebKit/WebCore/html/HTMLMediaElement.cpp', '../third_party/WebKit/WebCore/html/HTMLMediaElement.h', '../third_party/WebKit/WebCore/html/HTMLMenuElement.cpp', '../third_party/WebKit/WebCore/html/HTMLMenuElement.h', '../third_party/WebKit/WebCore/html/HTMLMetaElement.cpp', '../third_party/WebKit/WebCore/html/HTMLMetaElement.h', '../third_party/WebKit/WebCore/html/HTMLModElement.cpp', '../third_party/WebKit/WebCore/html/HTMLModElement.h', '../third_party/WebKit/WebCore/html/HTMLNameCollection.cpp', '../third_party/WebKit/WebCore/html/HTMLNameCollection.h', '../third_party/WebKit/WebCore/html/HTMLOListElement.cpp', '../third_party/WebKit/WebCore/html/HTMLOListElement.h', '../third_party/WebKit/WebCore/html/HTMLObjectElement.cpp', '../third_party/WebKit/WebCore/html/HTMLObjectElement.h', '../third_party/WebKit/WebCore/html/HTMLOptGroupElement.cpp', '../third_party/WebKit/WebCore/html/HTMLOptGroupElement.h', '../third_party/WebKit/WebCore/html/HTMLOptionElement.cpp', '../third_party/WebKit/WebCore/html/HTMLOptionElement.h', '../third_party/WebKit/WebCore/html/HTMLOptionsCollection.cpp', '../third_party/WebKit/WebCore/html/HTMLOptionsCollection.h', '../third_party/WebKit/WebCore/html/HTMLParagraphElement.cpp', '../third_party/WebKit/WebCore/html/HTMLParagraphElement.h', '../third_party/WebKit/WebCore/html/HTMLParamElement.cpp', '../third_party/WebKit/WebCore/html/HTMLParamElement.h', '../third_party/WebKit/WebCore/html/HTMLParser.cpp', '../third_party/WebKit/WebCore/html/HTMLParser.h', '../third_party/WebKit/WebCore/html/HTMLParserErrorCodes.cpp', '../third_party/WebKit/WebCore/html/HTMLParserErrorCodes.h', '../third_party/WebKit/WebCore/html/HTMLPlugInElement.cpp', '../third_party/WebKit/WebCore/html/HTMLPlugInElement.h', '../third_party/WebKit/WebCore/html/HTMLPlugInImageElement.cpp', '../third_party/WebKit/WebCore/html/HTMLPlugInImageElement.h', '../third_party/WebKit/WebCore/html/HTMLPreElement.cpp', '../third_party/WebKit/WebCore/html/HTMLPreElement.h', '../third_party/WebKit/WebCore/html/HTMLQuoteElement.cpp', '../third_party/WebKit/WebCore/html/HTMLQuoteElement.h', '../third_party/WebKit/WebCore/html/HTMLScriptElement.cpp', '../third_party/WebKit/WebCore/html/HTMLScriptElement.h', '../third_party/WebKit/WebCore/html/HTMLSelectElement.cpp', '../third_party/WebKit/WebCore/html/HTMLSelectElement.h', '../third_party/WebKit/WebCore/html/HTMLSourceElement.cpp', '../third_party/WebKit/WebCore/html/HTMLSourceElement.h', '../third_party/WebKit/WebCore/html/HTMLStyleElement.cpp', '../third_party/WebKit/WebCore/html/HTMLStyleElement.h', '../third_party/WebKit/WebCore/html/HTMLTableCaptionElement.cpp', '../third_party/WebKit/WebCore/html/HTMLTableCaptionElement.h', '../third_party/WebKit/WebCore/html/HTMLTableCellElement.cpp', '../third_party/WebKit/WebCore/html/HTMLTableCellElement.h', '../third_party/WebKit/WebCore/html/HTMLTableColElement.cpp', '../third_party/WebKit/WebCore/html/HTMLTableColElement.h', '../third_party/WebKit/WebCore/html/HTMLTableElement.cpp', '../third_party/WebKit/WebCore/html/HTMLTableElement.h', '../third_party/WebKit/WebCore/html/HTMLTablePartElement.cpp', '../third_party/WebKit/WebCore/html/HTMLTablePartElement.h', '../third_party/WebKit/WebCore/html/HTMLTableRowElement.cpp', '../third_party/WebKit/WebCore/html/HTMLTableRowElement.h', '../third_party/WebKit/WebCore/html/HTMLTableRowsCollection.cpp', '../third_party/WebKit/WebCore/html/HTMLTableRowsCollection.h', '../third_party/WebKit/WebCore/html/HTMLTableSectionElement.cpp', '../third_party/WebKit/WebCore/html/HTMLTableSectionElement.h', '../third_party/WebKit/WebCore/html/HTMLTextAreaElement.cpp', '../third_party/WebKit/WebCore/html/HTMLTextAreaElement.h', '../third_party/WebKit/WebCore/html/HTMLTitleElement.cpp', '../third_party/WebKit/WebCore/html/HTMLTitleElement.h', '../third_party/WebKit/WebCore/html/HTMLTokenizer.cpp', '../third_party/WebKit/WebCore/html/HTMLTokenizer.h', '../third_party/WebKit/WebCore/html/HTMLUListElement.cpp', '../third_party/WebKit/WebCore/html/HTMLUListElement.h', '../third_party/WebKit/WebCore/html/HTMLVideoElement.cpp', '../third_party/WebKit/WebCore/html/HTMLVideoElement.h', '../third_party/WebKit/WebCore/html/HTMLViewSourceDocument.cpp', '../third_party/WebKit/WebCore/html/HTMLViewSourceDocument.h', '../third_party/WebKit/WebCore/html/ImageData.cpp', '../third_party/WebKit/WebCore/html/ImageData.h', '../third_party/WebKit/WebCore/html/MediaError.h', '../third_party/WebKit/WebCore/html/PreloadScanner.cpp', '../third_party/WebKit/WebCore/html/PreloadScanner.h', '../third_party/WebKit/WebCore/html/TextMetrics.h', '../third_party/WebKit/WebCore/html/TimeRanges.cpp', '../third_party/WebKit/WebCore/html/TimeRanges.h', '../third_party/WebKit/WebCore/html/VoidCallback.h', '../third_party/WebKit/WebCore/inspector/InspectorClient.h', '../third_party/WebKit/WebCore/inspector/ConsoleMessage.cpp', '../third_party/WebKit/WebCore/inspector/ConsoleMessage.h', '../third_party/WebKit/WebCore/inspector/InspectorController.cpp', '../third_party/WebKit/WebCore/inspector/InspectorController.h', '../third_party/WebKit/WebCore/inspector/InspectorDatabaseResource.cpp', '../third_party/WebKit/WebCore/inspector/InspectorDatabaseResource.h', '../third_party/WebKit/WebCore/inspector/InspectorDOMStorageResource.cpp', '../third_party/WebKit/WebCore/inspector/InspectorDOMStorageResource.h', '../third_party/WebKit/WebCore/inspector/InspectorFrontend.cpp', '../third_party/WebKit/WebCore/inspector/InspectorFrontend.h', '../third_party/WebKit/WebCore/inspector/InspectorJSONObject.cpp', '../third_party/WebKit/WebCore/inspector/InspectorJSONObject.h', '../third_party/WebKit/WebCore/inspector/InspectorResource.cpp', '../third_party/WebKit/WebCore/inspector/InspectorResource.h', '../third_party/WebKit/WebCore/inspector/JavaScriptCallFrame.cpp', '../third_party/WebKit/WebCore/inspector/JavaScriptCallFrame.h', '../third_party/WebKit/WebCore/inspector/JavaScriptDebugListener.h', '../third_party/WebKit/WebCore/inspector/JavaScriptDebugServer.cpp', '../third_party/WebKit/WebCore/inspector/JavaScriptDebugServer.h', '../third_party/WebKit/WebCore/inspector/JavaScriptProfile.cpp', '../third_party/WebKit/WebCore/inspector/JavaScriptProfile.h', '../third_party/WebKit/WebCore/inspector/JavaScriptProfileNode.cpp', '../third_party/WebKit/WebCore/inspector/JavaScriptProfileNode.h', '../third_party/WebKit/WebCore/loader/appcache/ApplicationCache.cpp', '../third_party/WebKit/WebCore/loader/appcache/ApplicationCache.h', '../third_party/WebKit/WebCore/loader/appcache/ApplicationCacheGroup.cpp', '../third_party/WebKit/WebCore/loader/appcache/ApplicationCacheGroup.h', '../third_party/WebKit/WebCore/loader/appcache/ApplicationCacheResource.cpp', '../third_party/WebKit/WebCore/loader/appcache/ApplicationCacheResource.h', '../third_party/WebKit/WebCore/loader/appcache/ApplicationCacheStorage.cpp', '../third_party/WebKit/WebCore/loader/appcache/ApplicationCacheStorage.h', '../third_party/WebKit/WebCore/loader/appcache/DOMApplicationCache.cpp', '../third_party/WebKit/WebCore/loader/appcache/DOMApplicationCache.h', '../third_party/WebKit/WebCore/loader/appcache/ManifestParser.cpp', '../third_party/WebKit/WebCore/loader/appcache/ManifestParser.h', '../third_party/WebKit/WebCore/loader/archive/cf/LegacyWebArchive.cpp', '../third_party/WebKit/WebCore/loader/archive/cf/LegacyWebArchive.h', '../third_party/WebKit/WebCore/loader/archive/cf/LegacyWebArchiveMac.mm', '../third_party/WebKit/WebCore/loader/archive/Archive.h', '../third_party/WebKit/WebCore/loader/archive/ArchiveFactory.cpp', '../third_party/WebKit/WebCore/loader/archive/ArchiveFactory.h', '../third_party/WebKit/WebCore/loader/archive/ArchiveResource.cpp', '../third_party/WebKit/WebCore/loader/archive/ArchiveResource.h', '../third_party/WebKit/WebCore/loader/archive/ArchiveResourceCollection.cpp', '../third_party/WebKit/WebCore/loader/archive/ArchiveResourceCollection.h', '../third_party/WebKit/WebCore/loader/icon/IconDatabase.cpp', '../third_party/WebKit/WebCore/loader/icon/IconDatabase.h', '../third_party/WebKit/WebCore/loader/icon/IconDatabaseClient.h', '../third_party/WebKit/WebCore/loader/icon/IconDatabaseNone.cpp', '../third_party/WebKit/WebCore/loader/icon/IconFetcher.cpp', '../third_party/WebKit/WebCore/loader/icon/IconFetcher.h', '../third_party/WebKit/WebCore/loader/icon/IconLoader.cpp', '../third_party/WebKit/WebCore/loader/icon/IconLoader.h', '../third_party/WebKit/WebCore/loader/icon/IconRecord.cpp', '../third_party/WebKit/WebCore/loader/icon/IconRecord.h', '../third_party/WebKit/WebCore/loader/icon/PageURLRecord.cpp', '../third_party/WebKit/WebCore/loader/icon/PageURLRecord.h', '../third_party/WebKit/WebCore/loader/mac/DocumentLoaderMac.cpp', '../third_party/WebKit/WebCore/loader/mac/LoaderNSURLExtras.h', '../third_party/WebKit/WebCore/loader/mac/LoaderNSURLExtras.mm', '../third_party/WebKit/WebCore/loader/mac/ResourceLoaderMac.mm', '../third_party/WebKit/WebCore/loader/win/DocumentLoaderWin.cpp', '../third_party/WebKit/WebCore/loader/win/FrameLoaderWin.cpp', '../third_party/WebKit/WebCore/loader/Cache.cpp', '../third_party/WebKit/WebCore/loader/Cache.h', '../third_party/WebKit/WebCore/loader/CachePolicy.h', '../third_party/WebKit/WebCore/loader/CachedCSSStyleSheet.cpp', '../third_party/WebKit/WebCore/loader/CachedCSSStyleSheet.h', '../third_party/WebKit/WebCore/loader/CachedFont.cpp', '../third_party/WebKit/WebCore/loader/CachedFont.h', '../third_party/WebKit/WebCore/loader/CachedImage.cpp', '../third_party/WebKit/WebCore/loader/CachedImage.h', '../third_party/WebKit/WebCore/loader/CachedResource.cpp', '../third_party/WebKit/WebCore/loader/CachedResource.h', '../third_party/WebKit/WebCore/loader/CachedResourceClient.h', '../third_party/WebKit/WebCore/loader/CachedResourceClientWalker.cpp', '../third_party/WebKit/WebCore/loader/CachedResourceClientWalker.h', '../third_party/WebKit/WebCore/loader/CachedResourceHandle.cpp', '../third_party/WebKit/WebCore/loader/CachedResourceHandle.h', '../third_party/WebKit/WebCore/loader/CachedScript.cpp', '../third_party/WebKit/WebCore/loader/CachedScript.h', '../third_party/WebKit/WebCore/loader/CachedXBLDocument.cpp', '../third_party/WebKit/WebCore/loader/CachedXBLDocument.h', '../third_party/WebKit/WebCore/loader/CachedXSLStyleSheet.cpp', '../third_party/WebKit/WebCore/loader/CachedXSLStyleSheet.h', '../third_party/WebKit/WebCore/loader/CrossOriginAccessControl.cpp', '../third_party/WebKit/WebCore/loader/CrossOriginAccessControl.h', '../third_party/WebKit/WebCore/loader/CrossOriginPreflightResultCache.cpp', '../third_party/WebKit/WebCore/loader/CrossOriginPreflightResultCache.h', '../third_party/WebKit/WebCore/loader/DocLoader.cpp', '../third_party/WebKit/WebCore/loader/DocLoader.h', '../third_party/WebKit/WebCore/loader/DocumentLoader.cpp', '../third_party/WebKit/WebCore/loader/DocumentLoader.h', '../third_party/WebKit/WebCore/loader/DocumentThreadableLoader.cpp', '../third_party/WebKit/WebCore/loader/DocumentThreadableLoader.h', '../third_party/WebKit/WebCore/loader/EmptyClients.h', '../third_party/WebKit/WebCore/loader/FTPDirectoryDocument.cpp', '../third_party/WebKit/WebCore/loader/FTPDirectoryDocument.h', '../third_party/WebKit/WebCore/loader/FTPDirectoryParser.cpp', '../third_party/WebKit/WebCore/loader/FTPDirectoryParser.h', '../third_party/WebKit/WebCore/loader/FormState.cpp', '../third_party/WebKit/WebCore/loader/FormState.h', '../third_party/WebKit/WebCore/loader/FrameLoader.cpp', '../third_party/WebKit/WebCore/loader/FrameLoader.h', '../third_party/WebKit/WebCore/loader/FrameLoaderClient.h', '../third_party/WebKit/WebCore/loader/FrameLoaderTypes.h', '../third_party/WebKit/WebCore/loader/ImageDocument.cpp', '../third_party/WebKit/WebCore/loader/ImageDocument.h', '../third_party/WebKit/WebCore/loader/ImageLoader.cpp', '../third_party/WebKit/WebCore/loader/ImageLoader.h', '../third_party/WebKit/WebCore/loader/MainResourceLoader.cpp', '../third_party/WebKit/WebCore/loader/MainResourceLoader.h', '../third_party/WebKit/WebCore/loader/MediaDocument.cpp', '../third_party/WebKit/WebCore/loader/MediaDocument.h', '../third_party/WebKit/WebCore/loader/NavigationAction.cpp', '../third_party/WebKit/WebCore/loader/NavigationAction.h', '../third_party/WebKit/WebCore/loader/NetscapePlugInStreamLoader.cpp', '../third_party/WebKit/WebCore/loader/NetscapePlugInStreamLoader.h', '../third_party/WebKit/WebCore/loader/PluginDocument.cpp', '../third_party/WebKit/WebCore/loader/PluginDocument.h', '../third_party/WebKit/WebCore/loader/ProgressTracker.cpp', '../third_party/WebKit/WebCore/loader/ProgressTracker.h', '../third_party/WebKit/WebCore/loader/Request.cpp', '../third_party/WebKit/WebCore/loader/Request.h', '../third_party/WebKit/WebCore/loader/ResourceLoader.cpp', '../third_party/WebKit/WebCore/loader/ResourceLoader.h', '../third_party/WebKit/WebCore/loader/SubresourceLoader.cpp', '../third_party/WebKit/WebCore/loader/SubresourceLoader.h', '../third_party/WebKit/WebCore/loader/SubresourceLoaderClient.h', '../third_party/WebKit/WebCore/loader/SubstituteData.h', '../third_party/WebKit/WebCore/loader/SubstituteResource.h', '../third_party/WebKit/WebCore/loader/TextDocument.cpp', '../third_party/WebKit/WebCore/loader/TextDocument.h', '../third_party/WebKit/WebCore/loader/TextResourceDecoder.cpp', '../third_party/WebKit/WebCore/loader/TextResourceDecoder.h', '../third_party/WebKit/WebCore/loader/ThreadableLoader.cpp', '../third_party/WebKit/WebCore/loader/ThreadableLoader.h', '../third_party/WebKit/WebCore/loader/ThreadableLoaderClient.h', '../third_party/WebKit/WebCore/loader/ThreadableLoaderClientWrapper.h', '../third_party/WebKit/WebCore/loader/UserStyleSheetLoader.cpp', '../third_party/WebKit/WebCore/loader/UserStyleSheetLoader.h', '../third_party/WebKit/WebCore/loader/WorkerThreadableLoader.cpp', '../third_party/WebKit/WebCore/loader/WorkerThreadableLoader.h', '../third_party/WebKit/WebCore/loader/loader.cpp', '../third_party/WebKit/WebCore/loader/loader.h', '../third_party/WebKit/WebCore/page/animation/AnimationBase.cpp', '../third_party/WebKit/WebCore/page/animation/AnimationBase.h', '../third_party/WebKit/WebCore/page/animation/AnimationController.cpp', '../third_party/WebKit/WebCore/page/animation/AnimationController.h', '../third_party/WebKit/WebCore/page/animation/AnimationControllerPrivate.h', '../third_party/WebKit/WebCore/page/animation/CompositeAnimation.cpp', '../third_party/WebKit/WebCore/page/animation/CompositeAnimation.h', '../third_party/WebKit/WebCore/page/animation/ImplicitAnimation.cpp', '../third_party/WebKit/WebCore/page/animation/ImplicitAnimation.h', '../third_party/WebKit/WebCore/page/animation/KeyframeAnimation.cpp', '../third_party/WebKit/WebCore/page/animation/KeyframeAnimation.h', '../third_party/WebKit/WebCore/page/chromium/ChromeClientChromium.h', '../third_party/WebKit/WebCore/page/chromium/DragControllerChromium.cpp', '../third_party/WebKit/WebCore/page/chromium/EventHandlerChromium.cpp', '../third_party/WebKit/WebCore/page/chromium/FrameChromium.cpp', '../third_party/WebKit/WebCore/page/chromium/FrameChromium.h', '../third_party/WebKit/WebCore/page/gtk/DragControllerGtk.cpp', '../third_party/WebKit/WebCore/page/gtk/EventHandlerGtk.cpp', '../third_party/WebKit/WebCore/page/gtk/FrameGtk.cpp', '../third_party/WebKit/WebCore/page/mac/ChromeMac.mm', '../third_party/WebKit/WebCore/page/mac/DragControllerMac.mm', '../third_party/WebKit/WebCore/page/mac/EventHandlerMac.mm', '../third_party/WebKit/WebCore/page/mac/FrameMac.mm', '../third_party/WebKit/WebCore/page/mac/PageMac.cpp', '../third_party/WebKit/WebCore/page/mac/WebCoreFrameView.h', '../third_party/WebKit/WebCore/page/mac/WebCoreKeyboardUIMode.h', '../third_party/WebKit/WebCore/page/mac/WebCoreViewFactory.h', '../third_party/WebKit/WebCore/page/mac/WebCoreViewFactory.m', '../third_party/WebKit/WebCore/page/mac/WebDashboardRegion.h', '../third_party/WebKit/WebCore/page/mac/WebDashboardRegion.m', '../third_party/WebKit/WebCore/page/qt/DragControllerQt.cpp', '../third_party/WebKit/WebCore/page/qt/EventHandlerQt.cpp', '../third_party/WebKit/WebCore/page/qt/FrameQt.cpp', '../third_party/WebKit/WebCore/page/win/DragControllerWin.cpp', '../third_party/WebKit/WebCore/page/win/EventHandlerWin.cpp', '../third_party/WebKit/WebCore/page/win/FrameCGWin.cpp', '../third_party/WebKit/WebCore/page/win/FrameCairoWin.cpp', '../third_party/WebKit/WebCore/page/win/FrameWin.cpp', '../third_party/WebKit/WebCore/page/win/FrameWin.h', '../third_party/WebKit/WebCore/page/win/PageWin.cpp', '../third_party/WebKit/WebCore/page/wx/DragControllerWx.cpp', '../third_party/WebKit/WebCore/page/wx/EventHandlerWx.cpp', '../third_party/WebKit/WebCore/page/BarInfo.cpp', '../third_party/WebKit/WebCore/page/BarInfo.h', '../third_party/WebKit/WebCore/page/Chrome.cpp', '../third_party/WebKit/WebCore/page/Chrome.h', '../third_party/WebKit/WebCore/page/ChromeClient.h', '../third_party/WebKit/WebCore/page/Console.cpp', '../third_party/WebKit/WebCore/page/Console.h', '../third_party/WebKit/WebCore/page/ContextMenuClient.h', '../third_party/WebKit/WebCore/page/ContextMenuController.cpp', '../third_party/WebKit/WebCore/page/ContextMenuController.h', '../third_party/WebKit/WebCore/page/Coordinates.cpp', '../third_party/WebKit/WebCore/page/DOMSelection.cpp', '../third_party/WebKit/WebCore/page/DOMSelection.h', '../third_party/WebKit/WebCore/page/DOMTimer.cpp', '../third_party/WebKit/WebCore/page/DOMTimer.h', '../third_party/WebKit/WebCore/page/DOMWindow.cpp', '../third_party/WebKit/WebCore/page/DOMWindow.h', '../third_party/WebKit/WebCore/page/DragActions.h', '../third_party/WebKit/WebCore/page/DragClient.h', '../third_party/WebKit/WebCore/page/DragController.cpp', '../third_party/WebKit/WebCore/page/DragController.h', '../third_party/WebKit/WebCore/page/EditorClient.h', '../third_party/WebKit/WebCore/page/EventHandler.cpp', '../third_party/WebKit/WebCore/page/EventHandler.h', '../third_party/WebKit/WebCore/page/FocusController.cpp', '../third_party/WebKit/WebCore/page/FocusController.h', '../third_party/WebKit/WebCore/page/FocusDirection.h', '../third_party/WebKit/WebCore/page/Frame.cpp', '../third_party/WebKit/WebCore/page/Frame.h', '../third_party/WebKit/WebCore/page/FrameLoadRequest.h', '../third_party/WebKit/WebCore/page/FrameTree.cpp', '../third_party/WebKit/WebCore/page/FrameTree.h', '../third_party/WebKit/WebCore/page/FrameView.cpp', '../third_party/WebKit/WebCore/page/FrameView.h', '../third_party/WebKit/WebCore/page/Geolocation.cpp', '../third_party/WebKit/WebCore/page/Geolocation.h', '../third_party/WebKit/WebCore/page/Geoposition.cpp', '../third_party/WebKit/WebCore/page/Geoposition.h', '../third_party/WebKit/WebCore/page/History.cpp', '../third_party/WebKit/WebCore/page/History.h', '../third_party/WebKit/WebCore/page/Location.cpp', '../third_party/WebKit/WebCore/page/Location.h', '../third_party/WebKit/WebCore/page/MouseEventWithHitTestResults.cpp', '../third_party/WebKit/WebCore/page/MouseEventWithHitTestResults.h', '../third_party/WebKit/WebCore/page/Navigator.cpp', '../third_party/WebKit/WebCore/page/Navigator.h', '../third_party/WebKit/WebCore/page/NavigatorBase.cpp', '../third_party/WebKit/WebCore/page/NavigatorBase.h', '../third_party/WebKit/WebCore/page/Page.cpp', '../third_party/WebKit/WebCore/page/Page.h', '../third_party/WebKit/WebCore/page/PageGroup.cpp', '../third_party/WebKit/WebCore/page/PageGroup.h', '../third_party/WebKit/WebCore/page/PageGroupLoadDeferrer.cpp', '../third_party/WebKit/WebCore/page/PageGroupLoadDeferrer.h', '../third_party/WebKit/WebCore/page/PositionCallback.h', '../third_party/WebKit/WebCore/page/PositionError.h', '../third_party/WebKit/WebCore/page/PositionErrorCallback.h', '../third_party/WebKit/WebCore/page/PositionOptions.h', '../third_party/WebKit/WebCore/page/PrintContext.cpp', '../third_party/WebKit/WebCore/page/PrintContext.h', '../third_party/WebKit/WebCore/page/Screen.cpp', '../third_party/WebKit/WebCore/page/Screen.h', '../third_party/WebKit/WebCore/page/SecurityOrigin.cpp', '../third_party/WebKit/WebCore/page/SecurityOrigin.h', '../third_party/WebKit/WebCore/page/SecurityOriginHash.h', '../third_party/WebKit/WebCore/page/Settings.cpp', '../third_party/WebKit/WebCore/page/Settings.h', '../third_party/WebKit/WebCore/page/WebKitPoint.h', '../third_party/WebKit/WebCore/page/WindowFeatures.cpp', '../third_party/WebKit/WebCore/page/WindowFeatures.h', '../third_party/WebKit/WebCore/page/WorkerNavigator.cpp', '../third_party/WebKit/WebCore/page/WorkerNavigator.h', '../third_party/WebKit/WebCore/page/XSSAuditor.cpp', '../third_party/WebKit/WebCore/page/XSSAuditor.h', '../third_party/WebKit/WebCore/platform/animation/Animation.cpp', '../third_party/WebKit/WebCore/platform/animation/Animation.h', '../third_party/WebKit/WebCore/platform/animation/AnimationList.cpp', '../third_party/WebKit/WebCore/platform/animation/AnimationList.h', '../third_party/WebKit/WebCore/platform/animation/TimingFunction.h', '../third_party/WebKit/WebCore/platform/cf/FileSystemCF.cpp', '../third_party/WebKit/WebCore/platform/cf/KURLCFNet.cpp', '../third_party/WebKit/WebCore/platform/cf/SchedulePair.cpp', '../third_party/WebKit/WebCore/platform/cf/SchedulePair.h', '../third_party/WebKit/WebCore/platform/cf/SharedBufferCF.cpp', '../third_party/WebKit/WebCore/platform/chromium/ChromiumBridge.h', '../third_party/WebKit/WebCore/platform/chromium/ChromiumDataObject.cpp', '../third_party/WebKit/WebCore/platform/chromium/ChromiumDataObject.h', '../third_party/WebKit/WebCore/platform/chromium/ClipboardChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/ClipboardChromium.h', '../third_party/WebKit/WebCore/platform/chromium/ClipboardChromiumLinux.cpp', '../third_party/WebKit/WebCore/platform/chromium/ClipboardChromiumMac.cpp', '../third_party/WebKit/WebCore/platform/chromium/ClipboardChromiumWin.cpp', '../third_party/WebKit/WebCore/platform/chromium/ClipboardUtilitiesChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/ClipboardUtilitiesChromium.h', '../third_party/WebKit/WebCore/platform/chromium/ContextMenuChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/ContextMenuItemChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/CursorChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/DragDataChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/DragDataRef.h', '../third_party/WebKit/WebCore/platform/chromium/DragImageChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/DragImageRef.h', '../third_party/WebKit/WebCore/platform/chromium/FileChooserChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/FileSystemChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/FileSystemChromiumLinux.cpp', '../third_party/WebKit/WebCore/platform/chromium/FileSystemChromiumMac.mm', '../third_party/WebKit/WebCore/platform/chromium/FileSystemChromiumWin.cpp', '../third_party/WebKit/WebCore/platform/chromium/FramelessScrollView.cpp', '../third_party/WebKit/WebCore/platform/chromium/FramelessScrollView.h', '../third_party/WebKit/WebCore/platform/chromium/FramelessScrollViewClient.h', '../third_party/WebKit/WebCore/platform/chromium/KeyCodeConversion.h', '../third_party/WebKit/WebCore/platform/chromium/KeyCodeConversionGtk.cpp', '../third_party/WebKit/WebCore/platform/chromium/KeyboardCodesPosix.h', '../third_party/WebKit/WebCore/platform/chromium/KeyboardCodesWin.h', '../third_party/WebKit/WebCore/platform/chromium/Language.cpp', '../third_party/WebKit/WebCore/platform/chromium/LinkHashChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/MimeTypeRegistryChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/PasteboardChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/PasteboardPrivate.h', '../third_party/WebKit/WebCore/platform/chromium/PlatformCursor.h', '../third_party/WebKit/WebCore/platform/chromium/PlatformKeyboardEventChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/PlatformScreenChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/PlatformWidget.h', '../third_party/WebKit/WebCore/platform/chromium/PopupMenuChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/PopupMenuChromium.h', '../third_party/WebKit/WebCore/platform/chromium/PopupMenuPrivate.h', '../third_party/WebKit/WebCore/platform/chromium/SSLKeyGeneratorChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/ScrollbarThemeChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/ScrollbarThemeChromium.h', '../third_party/WebKit/WebCore/platform/chromium/ScrollbarThemeChromiumLinux.cpp', '../third_party/WebKit/WebCore/platform/chromium/ScrollbarThemeChromiumWin.cpp', '../third_party/WebKit/WebCore/platform/chromium/SearchPopupMenuChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/SharedTimerChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/SoundChromiumPosix.cpp', '../third_party/WebKit/WebCore/platform/chromium/SoundChromiumWin.cpp', '../third_party/WebKit/WebCore/platform/chromium/SuddenTerminationChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/SystemTimeChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/TemporaryLinkStubs.cpp', '../third_party/WebKit/WebCore/platform/chromium/WidgetChromium.cpp', '../third_party/WebKit/WebCore/platform/chromium/WindowsVersion.cpp', '../third_party/WebKit/WebCore/platform/chromium/WindowsVersion.h', '../third_party/WebKit/WebCore/platform/graphics/cairo/CairoPath.h', '../third_party/WebKit/WebCore/platform/graphics/cairo/FontCairo.cpp', '../third_party/WebKit/WebCore/platform/graphics/cairo/GradientCairo.cpp', '../third_party/WebKit/WebCore/platform/graphics/cairo/GraphicsContextCairo.cpp', '../third_party/WebKit/WebCore/platform/graphics/cairo/GraphicsContextPlatformPrivateCairo.h', '../third_party/WebKit/WebCore/platform/graphics/cairo/ImageBufferCairo.cpp', '../third_party/WebKit/WebCore/platform/graphics/cairo/ImageBufferData.h', '../third_party/WebKit/WebCore/platform/graphics/cairo/ImageCairo.cpp', '../third_party/WebKit/WebCore/platform/graphics/cairo/ImageSourceCairo.cpp', '../third_party/WebKit/WebCore/platform/graphics/cairo/PathCairo.cpp', '../third_party/WebKit/WebCore/platform/graphics/cairo/PatternCairo.cpp', '../third_party/WebKit/WebCore/platform/graphics/cairo/TransformationMatrixCairo.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/ColorCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/FloatPointCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/FloatRectCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/FloatSizeCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/GradientCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/GraphicsContextCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/GraphicsContextPlatformPrivateCG.h', '../third_party/WebKit/WebCore/platform/graphics/cg/ImageBufferCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/ImageBufferData.h', '../third_party/WebKit/WebCore/platform/graphics/cg/ImageCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/ImageSourceCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/ImageSourceCG.h', '../third_party/WebKit/WebCore/platform/graphics/cg/ImageSourceCGMac.mm', '../third_party/WebKit/WebCore/platform/graphics/cg/ImageSourceCGWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/IntPointCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/IntRectCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/IntSizeCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/PDFDocumentImage.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/PDFDocumentImage.h', '../third_party/WebKit/WebCore/platform/graphics/cg/PathCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/PatternCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/cg/TransformationMatrixCG.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontCacheChromiumWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontCacheLinux.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontChromiumWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontCustomPlatformData.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontCustomPlatformData.h', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontLinux.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontPlatformData.h', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontPlatformDataChromiumWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontPlatformDataChromiumWin.h', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontPlatformDataLinux.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontPlatformDataLinux.h', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontUtilsChromiumWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/FontUtilsChromiumWin.h', '../third_party/WebKit/WebCore/platform/graphics/chromium/GlyphPageTreeNodeChromiumWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/GlyphPageTreeNodeLinux.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/IconChromiumLinux.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/IconChromiumMac.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/IconChromiumWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/ImageBufferData.h', '../third_party/WebKit/WebCore/platform/graphics/chromium/ImageChromiumMac.mm', '../third_party/WebKit/WebCore/platform/graphics/chromium/MediaPlayerPrivateChromium.h', '../third_party/WebKit/WebCore/platform/graphics/chromium/PlatformIcon.h', '../third_party/WebKit/WebCore/platform/graphics/chromium/SimpleFontDataChromiumWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/SimpleFontDataLinux.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/TransparencyWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/TransparencyWin.h', '../third_party/WebKit/WebCore/platform/graphics/chromium/UniscribeHelper.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/UniscribeHelper.h', '../third_party/WebKit/WebCore/platform/graphics/chromium/UniscribeHelperTextRun.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/UniscribeHelperTextRun.h', '../third_party/WebKit/WebCore/platform/graphics/filters/FEBlend.cpp', '../third_party/WebKit/WebCore/platform/graphics/filters/FEBlend.h', '../third_party/WebKit/WebCore/platform/graphics/filters/FEColorMatrix.cpp', '../third_party/WebKit/WebCore/platform/graphics/filters/FEColorMatrix.h', '../third_party/WebKit/WebCore/platform/graphics/filters/FEComponentTransfer.cpp', '../third_party/WebKit/WebCore/platform/graphics/filters/FEComponentTransfer.h', '../third_party/WebKit/WebCore/platform/graphics/filters/FEComposite.cpp', '../third_party/WebKit/WebCore/platform/graphics/filters/FEComposite.h', '../third_party/WebKit/WebCore/platform/graphics/filters/SourceAlpha.cpp', '../third_party/WebKit/WebCore/platform/graphics/filters/SourceAlpha.h', '../third_party/WebKit/WebCore/platform/graphics/filters/SourceGraphic.cpp', '../third_party/WebKit/WebCore/platform/graphics/filters/SourceGraphic.h', '../third_party/WebKit/WebCore/platform/graphics/gtk/ColorGtk.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/FontCacheGtk.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/FontCustomPlatformData.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/FontCustomPlatformData.h', '../third_party/WebKit/WebCore/platform/graphics/gtk/FontCustomPlatformDataPango.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/FontGtk.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/FontPlatformData.h', '../third_party/WebKit/WebCore/platform/graphics/gtk/FontPlatformDataGtk.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/FontPlatformDataPango.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/GlyphPageTreeNodeGtk.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/GlyphPageTreeNodePango.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/IconGtk.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/ImageGtk.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/IntPointGtk.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/IntRectGtk.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/MediaPlayerPrivateGStreamer.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/MediaPlayerPrivateGStreamer.h', '../third_party/WebKit/WebCore/platform/graphics/gtk/SimpleFontDataGtk.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/SimpleFontDataPango.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/VideoSinkGStreamer.cpp', '../third_party/WebKit/WebCore/platform/graphics/gtk/VideoSinkGStreamer.h', '../third_party/WebKit/WebCore/platform/graphics/mac/ColorMac.h', '../third_party/WebKit/WebCore/platform/graphics/mac/ColorMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/CoreTextController.cpp', '../third_party/WebKit/WebCore/platform/graphics/mac/CoreTextController.h', '../third_party/WebKit/WebCore/platform/graphics/mac/FloatPointMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/FloatRectMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/FloatSizeMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/FontCacheMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/FontCustomPlatformData.cpp', '../third_party/WebKit/WebCore/platform/graphics/mac/FontCustomPlatformData.h', '../third_party/WebKit/WebCore/platform/graphics/mac/FontMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/FontMacATSUI.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/FontMacCoreText.cpp', '../third_party/WebKit/WebCore/platform/graphics/mac/FontPlatformData.h', '../third_party/WebKit/WebCore/platform/graphics/mac/FontPlatformDataMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/GlyphPageTreeNodeMac.cpp', '../third_party/WebKit/WebCore/platform/graphics/mac/GraphicsContextMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/GraphicsLayerCA.h', '../third_party/WebKit/WebCore/platform/graphics/mac/GraphicsLayerCA.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/IconMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/ImageMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/IntPointMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/IntRectMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/IntSizeMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/MediaPlayerPrivateQTKit.h', '../third_party/WebKit/WebCore/platform/graphics/mac/MediaPlayerPrivateQTKit.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/MediaPlayerProxy.h', '../third_party/WebKit/WebCore/platform/graphics/mac/SimpleFontDataMac.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/WebLayer.h', '../third_party/WebKit/WebCore/platform/graphics/mac/WebLayer.mm', '../third_party/WebKit/WebCore/platform/graphics/mac/WebTiledLayer.h', '../third_party/WebKit/WebCore/platform/graphics/mac/WebTiledLayer.mm', '../third_party/WebKit/WebCore/platform/graphics/MediaPlayer.cpp', '../third_party/WebKit/WebCore/platform/graphics/opentype/OpenTypeUtilities.cpp', '../third_party/WebKit/WebCore/platform/graphics/opentype/OpenTypeUtilities.h', '../third_party/WebKit/WebCore/platform/graphics/qt/ColorQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/FloatPointQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/FloatRectQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/FontCacheQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/FontCustomPlatformData.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/FontCustomPlatformData.h', '../third_party/WebKit/WebCore/platform/graphics/qt/FontFallbackListQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/FontPlatformData.h', '../third_party/WebKit/WebCore/platform/graphics/qt/FontPlatformDataQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/FontQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/FontQt43.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/GlyphPageTreeNodeQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/GradientQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/GraphicsContextQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/IconQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/ImageBufferData.h', '../third_party/WebKit/WebCore/platform/graphics/qt/ImageBufferQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/ImageDecoderQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/ImageDecoderQt.h', '../third_party/WebKit/WebCore/platform/graphics/qt/ImageQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/ImageSourceQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/IntPointQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/IntRectQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/IntSizeQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/MediaPlayerPrivatePhonon.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/MediaPlayerPrivatePhonon.h', '../third_party/WebKit/WebCore/platform/graphics/qt/PathQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/PatternQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/SimpleFontDataQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/StillImageQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/qt/StillImageQt.h', '../third_party/WebKit/WebCore/platform/graphics/qt/TransformationMatrixQt.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/BitmapImageSingleFrameSkia.h', '../third_party/WebKit/WebCore/platform/graphics/skia/FloatPointSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/FloatRectSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/GradientSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/GraphicsContextPlatformPrivate.h', '../third_party/WebKit/WebCore/platform/graphics/skia/GraphicsContextSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/ImageBufferSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/ImageSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/ImageSourceSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/ImageSourceSkia.h', '../third_party/WebKit/WebCore/platform/graphics/skia/IntPointSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/IntRectSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/NativeImageSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/NativeImageSkia.h', '../third_party/WebKit/WebCore/platform/graphics/skia/PathSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/PatternSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/PlatformContextSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/PlatformContextSkia.h', '../third_party/WebKit/WebCore/platform/graphics/skia/PlatformGraphics.h', '../third_party/WebKit/WebCore/platform/graphics/skia/SkiaFontWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/SkiaFontWin.h', '../third_party/WebKit/WebCore/platform/graphics/skia/SkiaUtils.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/SkiaUtils.h', '../third_party/WebKit/WebCore/platform/graphics/skia/TransformationMatrixSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/transforms/IdentityTransformOperation.h', '../third_party/WebKit/WebCore/platform/graphics/transforms/Matrix3DTransformOperation.cpp', '../third_party/WebKit/WebCore/platform/graphics/transforms/Matrix3DTransformOperation.h', '../third_party/WebKit/WebCore/platform/graphics/transforms/MatrixTransformOperation.cpp', '../third_party/WebKit/WebCore/platform/graphics/transforms/MatrixTransformOperation.h', '../third_party/WebKit/WebCore/platform/graphics/transforms/PerspectiveTransformOperation.cpp', '../third_party/WebKit/WebCore/platform/graphics/transforms/PerspectiveTransformOperation.h', '../third_party/WebKit/WebCore/platform/graphics/transforms/RotateTransformOperation.cpp', '../third_party/WebKit/WebCore/platform/graphics/transforms/RotateTransformOperation.h', '../third_party/WebKit/WebCore/platform/graphics/transforms/ScaleTransformOperation.cpp', '../third_party/WebKit/WebCore/platform/graphics/transforms/ScaleTransformOperation.h', '../third_party/WebKit/WebCore/platform/graphics/transforms/SkewTransformOperation.cpp', '../third_party/WebKit/WebCore/platform/graphics/transforms/SkewTransformOperation.h', '../third_party/WebKit/WebCore/platform/graphics/transforms/TransformOperation.h', '../third_party/WebKit/WebCore/platform/graphics/transforms/TransformOperations.cpp', '../third_party/WebKit/WebCore/platform/graphics/transforms/TransformOperations.h', '../third_party/WebKit/WebCore/platform/graphics/transforms/TransformationMatrix.cpp', '../third_party/WebKit/WebCore/platform/graphics/transforms/TransformationMatrix.h', '../third_party/WebKit/WebCore/platform/graphics/transforms/TranslateTransformOperation.cpp', '../third_party/WebKit/WebCore/platform/graphics/transforms/TranslateTransformOperation.h', '../third_party/WebKit/WebCore/platform/graphics/win/ColorSafari.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/FontCGWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/FontCacheWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/FontCustomPlatformData.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/FontCustomPlatformData.h', '../third_party/WebKit/WebCore/platform/graphics/win/FontCustomPlatformDataCairo.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/FontCustomPlatformDataCairo.h', '../third_party/WebKit/WebCore/platform/graphics/win/FontDatabase.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/FontDatabase.h', '../third_party/WebKit/WebCore/platform/graphics/win/FontPlatformData.h', '../third_party/WebKit/WebCore/platform/graphics/win/FontPlatformDataCGWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/FontPlatformDataCairoWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/FontPlatformDataWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/FontWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/GlyphPageTreeNodeCGWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/GlyphPageTreeNodeCairoWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/GraphicsContextCGWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/GraphicsContextCairoWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/GraphicsContextWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/IconWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/ImageCGWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/ImageCairoWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/ImageWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/IntPointWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/IntRectWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/IntSizeWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/MediaPlayerPrivateQuickTimeWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/MediaPlayerPrivateQuickTimeWin.h', '../third_party/WebKit/WebCore/platform/graphics/win/QTMovieWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/QTMovieWin.h', '../third_party/WebKit/WebCore/platform/graphics/win/QTMovieWinTimer.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/QTMovieWinTimer.h', '../third_party/WebKit/WebCore/platform/graphics/win/SimpleFontDataCGWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/SimpleFontDataCairoWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/SimpleFontDataWin.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/UniscribeController.cpp', '../third_party/WebKit/WebCore/platform/graphics/win/UniscribeController.h', '../third_party/WebKit/WebCore/platform/graphics/wx/ColorWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/FloatRectWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/FontCacheWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/FontPlatformData.h', '../third_party/WebKit/WebCore/platform/graphics/wx/FontPlatformDataWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/FontWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/GlyphMapWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/GradientWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/GraphicsContextWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/ImageBufferData.h', '../third_party/WebKit/WebCore/platform/graphics/wx/ImageBufferWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/ImageSourceWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/ImageWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/IntPointWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/IntRectWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/PathWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/PenWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/SimpleFontDataWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/wx/TransformationMatrixWx.cpp', '../third_party/WebKit/WebCore/platform/graphics/BitmapImage.cpp', '../third_party/WebKit/WebCore/platform/graphics/BitmapImage.h', '../third_party/WebKit/WebCore/platform/graphics/Color.cpp', '../third_party/WebKit/WebCore/platform/graphics/Color.h', '../third_party/WebKit/WebCore/platform/graphics/DashArray.h', '../third_party/WebKit/WebCore/platform/graphics/FloatPoint.cpp', '../third_party/WebKit/WebCore/platform/graphics/FloatPoint.h', '../third_party/WebKit/WebCore/platform/graphics/FloatPoint3D.cpp', '../third_party/WebKit/WebCore/platform/graphics/FloatPoint3D.h', '../third_party/WebKit/WebCore/platform/graphics/FloatQuad.cpp', '../third_party/WebKit/WebCore/platform/graphics/FloatQuad.h', '../third_party/WebKit/WebCore/platform/graphics/FloatRect.cpp', '../third_party/WebKit/WebCore/platform/graphics/FloatRect.h', '../third_party/WebKit/WebCore/platform/graphics/FloatSize.cpp', '../third_party/WebKit/WebCore/platform/graphics/FloatSize.h', '../third_party/WebKit/WebCore/platform/graphics/Font.cpp', '../third_party/WebKit/WebCore/platform/graphics/Font.h', '../third_party/WebKit/WebCore/platform/graphics/FontCache.cpp', '../third_party/WebKit/WebCore/platform/graphics/FontCache.h', '../third_party/WebKit/WebCore/platform/graphics/FontData.cpp', '../third_party/WebKit/WebCore/platform/graphics/FontData.h', '../third_party/WebKit/WebCore/platform/graphics/FontDescription.cpp', '../third_party/WebKit/WebCore/platform/graphics/FontDescription.h', '../third_party/WebKit/WebCore/platform/graphics/FontFallbackList.cpp', '../third_party/WebKit/WebCore/platform/graphics/FontFallbackList.h', '../third_party/WebKit/WebCore/platform/graphics/FontFamily.cpp', '../third_party/WebKit/WebCore/platform/graphics/FontFamily.h', '../third_party/WebKit/WebCore/platform/graphics/FontFastPath.cpp', '../third_party/WebKit/WebCore/platform/graphics/FontRenderingMode.h', '../third_party/WebKit/WebCore/platform/graphics/FontSelector.h', '../third_party/WebKit/WebCore/platform/graphics/FontTraitsMask.h', '../third_party/WebKit/WebCore/platform/graphics/GeneratedImage.cpp', '../third_party/WebKit/WebCore/platform/graphics/GeneratedImage.h', '../third_party/WebKit/WebCore/platform/graphics/Generator.h', '../third_party/WebKit/WebCore/platform/graphics/GlyphBuffer.h', '../third_party/WebKit/WebCore/platform/graphics/GlyphPageTreeNode.cpp', '../third_party/WebKit/WebCore/platform/graphics/GlyphPageTreeNode.h', '../third_party/WebKit/WebCore/platform/graphics/GlyphWidthMap.cpp', '../third_party/WebKit/WebCore/platform/graphics/GlyphWidthMap.h', '../third_party/WebKit/WebCore/platform/graphics/Gradient.cpp', '../third_party/WebKit/WebCore/platform/graphics/Gradient.h', '../third_party/WebKit/WebCore/platform/graphics/GraphicsContext.cpp', '../third_party/WebKit/WebCore/platform/graphics/GraphicsContext.h', '../third_party/WebKit/WebCore/platform/graphics/GraphicsContextPrivate.h', '../third_party/WebKit/WebCore/platform/graphics/GraphicsLayer.cpp', '../third_party/WebKit/WebCore/platform/graphics/GraphicsLayer.h', '../third_party/WebKit/WebCore/platform/graphics/GraphicsLayerClient.h', '../third_party/WebKit/WebCore/platform/graphics/GraphicsTypes.cpp', '../third_party/WebKit/WebCore/platform/graphics/GraphicsTypes.h', '../third_party/WebKit/WebCore/platform/graphics/Icon.h', '../third_party/WebKit/WebCore/platform/graphics/Image.cpp', '../third_party/WebKit/WebCore/platform/graphics/Image.h', '../third_party/WebKit/WebCore/platform/graphics/ImageBuffer.h', '../third_party/WebKit/WebCore/platform/graphics/ImageObserver.h', '../third_party/WebKit/WebCore/platform/graphics/ImageSource.h', '../third_party/WebKit/WebCore/platform/graphics/IntPoint.h', '../third_party/WebKit/WebCore/platform/graphics/IntRect.cpp', '../third_party/WebKit/WebCore/platform/graphics/IntRect.h', '../third_party/WebKit/WebCore/platform/graphics/IntSize.h', '../third_party/WebKit/WebCore/platform/graphics/IntSizeHash.h', '../third_party/WebKit/WebCore/platform/graphics/MediaPlayer.cpp', '../third_party/WebKit/WebCore/platform/graphics/MediaPlayer.h', '../third_party/WebKit/WebCore/platform/graphics/MediaPlayerPrivate.h', '../third_party/WebKit/WebCore/platform/graphics/Path.cpp', '../third_party/WebKit/WebCore/platform/graphics/Path.h', '../third_party/WebKit/WebCore/platform/graphics/PathTraversalState.cpp', '../third_party/WebKit/WebCore/platform/graphics/PathTraversalState.h', '../third_party/WebKit/WebCore/platform/graphics/Pattern.cpp', '../third_party/WebKit/WebCore/platform/graphics/Pattern.h', '../third_party/WebKit/WebCore/platform/graphics/Pen.cpp', '../third_party/WebKit/WebCore/platform/graphics/Pen.h', '../third_party/WebKit/WebCore/platform/graphics/SegmentedFontData.cpp', '../third_party/WebKit/WebCore/platform/graphics/SegmentedFontData.h', '../third_party/WebKit/WebCore/platform/graphics/SimpleFontData.cpp', '../third_party/WebKit/WebCore/platform/graphics/SimpleFontData.h', '../third_party/WebKit/WebCore/platform/graphics/StringTruncator.cpp', '../third_party/WebKit/WebCore/platform/graphics/StringTruncator.h', '../third_party/WebKit/WebCore/platform/graphics/StrokeStyleApplier.h', '../third_party/WebKit/WebCore/platform/graphics/TextRun.h', '../third_party/WebKit/WebCore/platform/graphics/UnitBezier.h', '../third_party/WebKit/WebCore/platform/graphics/WidthIterator.cpp', '../third_party/WebKit/WebCore/platform/graphics/WidthIterator.h', '../third_party/WebKit/WebCore/platform/gtk/ClipboardGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/ClipboardGtk.h', '../third_party/WebKit/WebCore/platform/gtk/ContextMenuGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/ContextMenuItemGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/CursorGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/CursorGtk.h', '../third_party/WebKit/WebCore/platform/gtk/DragDataGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/DragImageGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/EventLoopGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/FileChooserGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/FileSystemGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/GeolocationServiceGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/GeolocationServiceGtk.h', '../third_party/WebKit/WebCore/platform/gtk/KURLGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/KeyEventGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/KeyboardCodes.h', '../third_party/WebKit/WebCore/platform/gtk/Language.cpp', '../third_party/WebKit/WebCore/platform/gtk/LocalizedStringsGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/LoggingGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/MIMETypeRegistryGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/MouseEventGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/PasteboardGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/PasteboardHelper.h', '../third_party/WebKit/WebCore/platform/gtk/PlatformScreenGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/PopupMenuGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/RenderThemeGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/RenderThemeGtk.h', '../third_party/WebKit/WebCore/platform/gtk/ScrollViewGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/ScrollbarGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/ScrollbarGtk.h', '../third_party/WebKit/WebCore/platform/gtk/ScrollbarThemeGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/ScrollbarThemeGtk.h', '../third_party/WebKit/WebCore/platform/gtk/SearchPopupMenuGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/SharedBufferGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/SharedTimerGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/SoundGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/TemporaryLinkStubs.cpp', '../third_party/WebKit/WebCore/platform/gtk/WheelEventGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/WidgetGtk.cpp', '../third_party/WebKit/WebCore/platform/gtk/gtkdrawing.h', '../third_party/WebKit/WebCore/platform/gtk/guriescape.h', '../third_party/WebKit/WebCore/platform/image-decoders/ImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/bmp/BMPImageDecoder.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/bmp/BMPImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/bmp/BMPImageReader.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/bmp/BMPImageReader.h', '../third_party/WebKit/WebCore/platform/image-decoders/gif/GIFImageDecoder.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/gif/GIFImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/gif/GIFImageReader.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/gif/GIFImageReader.h', '../third_party/WebKit/WebCore/platform/image-decoders/ico/ICOImageDecoder.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/ico/ICOImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/jpeg/JPEGImageDecoder.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/jpeg/JPEGImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/png/PNGImageDecoder.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/png/PNGImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/xbm/XBMImageDecoder.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/xbm/XBMImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/zlib/crc32.h', '../third_party/WebKit/WebCore/platform/image-decoders/zlib/deflate.h', '../third_party/WebKit/WebCore/platform/image-decoders/zlib/inffast.h', '../third_party/WebKit/WebCore/platform/image-decoders/zlib/inffixed.h', '../third_party/WebKit/WebCore/platform/image-decoders/zlib/inflate.h', '../third_party/WebKit/WebCore/platform/image-decoders/zlib/inftrees.h', '../third_party/WebKit/WebCore/platform/image-decoders/zlib/mozzconf.h', '../third_party/WebKit/WebCore/platform/image-decoders/zlib/trees.h', '../third_party/WebKit/WebCore/platform/image-decoders/zlib/zconf.h', '../third_party/WebKit/WebCore/platform/image-decoders/zlib/zlib.h', '../third_party/WebKit/WebCore/platform/image-decoders/zlib/zutil.h', '../third_party/WebKit/WebCore/platform/image-decoders/skia/ImageDecoderSkia.cpp', '../third_party/WebKit/WebCore/platform/image-encoders/skia/PNGImageEncoder.cpp', '../third_party/WebKit/WebCore/platform/image-encoders/skia/PNGImageEncoder.h', '../third_party/WebKit/WebCore/platform/mac/AutodrainedPool.mm', '../third_party/WebKit/WebCore/platform/mac/BlockExceptions.h', '../third_party/WebKit/WebCore/platform/mac/BlockExceptions.mm', '../third_party/WebKit/WebCore/platform/mac/ClipboardMac.h', '../third_party/WebKit/WebCore/platform/mac/ClipboardMac.mm', '../third_party/WebKit/WebCore/platform/mac/ContextMenuItemMac.mm', '../third_party/WebKit/WebCore/platform/mac/ContextMenuMac.mm', '../third_party/WebKit/WebCore/platform/mac/CookieJar.mm', '../third_party/WebKit/WebCore/platform/mac/CursorMac.mm', '../third_party/WebKit/WebCore/platform/mac/DragDataMac.mm', '../third_party/WebKit/WebCore/platform/mac/DragImageMac.mm', '../third_party/WebKit/WebCore/platform/mac/EventLoopMac.mm', '../third_party/WebKit/WebCore/platform/mac/FileChooserMac.mm', '../third_party/WebKit/WebCore/platform/mac/FileSystemMac.mm', '../third_party/WebKit/WebCore/platform/mac/FoundationExtras.h', '../third_party/WebKit/WebCore/platform/mac/KURLMac.mm', '../third_party/WebKit/WebCore/platform/mac/KeyEventMac.mm', '../third_party/WebKit/WebCore/platform/mac/Language.mm', '../third_party/WebKit/WebCore/platform/mac/LocalCurrentGraphicsContext.h', '../third_party/WebKit/WebCore/platform/mac/LocalCurrentGraphicsContext.mm', '../third_party/WebKit/WebCore/platform/mac/LocalizedStringsMac.mm', '../third_party/WebKit/WebCore/platform/mac/LoggingMac.mm', '../third_party/WebKit/WebCore/platform/mac/MIMETypeRegistryMac.mm', '../third_party/WebKit/WebCore/platform/mac/PasteboardHelper.h', '../third_party/WebKit/WebCore/platform/mac/PasteboardMac.mm', '../third_party/WebKit/WebCore/platform/mac/PlatformMouseEventMac.mm', '../third_party/WebKit/WebCore/platform/mac/PlatformScreenMac.mm', '../third_party/WebKit/WebCore/platform/mac/PopupMenuMac.mm', '../third_party/WebKit/WebCore/platform/mac/PurgeableBufferMac.cpp', '../third_party/WebKit/WebCore/platform/mac/SSLKeyGeneratorMac.mm', '../third_party/WebKit/WebCore/platform/mac/SchedulePairMac.mm', '../third_party/WebKit/WebCore/platform/mac/ScrollViewMac.mm', '../third_party/WebKit/WebCore/platform/mac/ScrollbarThemeMac.h', '../third_party/WebKit/WebCore/platform/mac/ScrollbarThemeMac.mm', '../third_party/WebKit/WebCore/platform/mac/SearchPopupMenuMac.mm', '../third_party/WebKit/WebCore/platform/mac/SharedBufferMac.mm', '../third_party/WebKit/WebCore/platform/mac/SharedTimerMac.mm', '../third_party/WebKit/WebCore/platform/mac/SoftLinking.h', '../third_party/WebKit/WebCore/platform/mac/SoundMac.mm', '../third_party/WebKit/WebCore/platform/mac/SystemTimeMac.cpp', '../third_party/WebKit/WebCore/platform/mac/ThemeMac.h', '../third_party/WebKit/WebCore/platform/mac/ThemeMac.mm', '../third_party/WebKit/WebCore/platform/mac/ThreadCheck.mm', '../third_party/WebKit/WebCore/platform/mac/WebCoreKeyGenerator.h', '../third_party/WebKit/WebCore/platform/mac/WebCoreKeyGenerator.m', '../third_party/WebKit/WebCore/platform/mac/WebCoreNSStringExtras.h', '../third_party/WebKit/WebCore/platform/mac/WebCoreNSStringExtras.mm', '../third_party/WebKit/WebCore/platform/mac/WebCoreObjCExtras.h', '../third_party/WebKit/WebCore/platform/mac/WebCoreObjCExtras.mm', '../third_party/WebKit/WebCore/platform/mac/WebCoreSystemInterface.h', '../third_party/WebKit/WebCore/platform/mac/WebCoreSystemInterface.mm', '../third_party/WebKit/WebCore/platform/mac/WebCoreView.h', '../third_party/WebKit/WebCore/platform/mac/WebCoreView.m', '../third_party/WebKit/WebCore/platform/mac/WebFontCache.h', '../third_party/WebKit/WebCore/platform/mac/WebFontCache.mm', '../third_party/WebKit/WebCore/platform/mac/WheelEventMac.mm', '../third_party/WebKit/WebCore/platform/mac/WidgetMac.mm', '../third_party/WebKit/WebCore/platform/network/cf/AuthenticationCF.cpp', '../third_party/WebKit/WebCore/platform/network/cf/AuthenticationCF.h', '../third_party/WebKit/WebCore/platform/network/cf/AuthenticationChallenge.h', '../third_party/WebKit/WebCore/platform/network/cf/DNSCFNet.cpp', '../third_party/WebKit/WebCore/platform/network/cf/FormDataStreamCFNet.cpp', '../third_party/WebKit/WebCore/platform/network/cf/FormDataStreamCFNet.h', '../third_party/WebKit/WebCore/platform/network/cf/ResourceError.h', '../third_party/WebKit/WebCore/platform/network/cf/ResourceErrorCF.cpp', '../third_party/WebKit/WebCore/platform/network/cf/ResourceHandleCFNet.cpp', '../third_party/WebKit/WebCore/platform/network/cf/ResourceRequest.h', '../third_party/WebKit/WebCore/platform/network/cf/ResourceRequestCFNet.cpp', '../third_party/WebKit/WebCore/platform/network/cf/ResourceRequestCFNet.h', '../third_party/WebKit/WebCore/platform/network/cf/ResourceResponse.h', '../third_party/WebKit/WebCore/platform/network/cf/ResourceResponseCFNet.cpp', '../third_party/WebKit/WebCore/platform/network/cf/ResourceResponseCFNet.h', '../third_party/WebKit/WebCore/platform/network/chromium/AuthenticationChallenge.h', '../third_party/WebKit/WebCore/platform/network/chromium/AuthenticationChallengeChromium.cpp', '../third_party/WebKit/WebCore/platform/network/chromium/CookieJarChromium.cpp', '../third_party/WebKit/WebCore/platform/network/chromium/DNSChromium.cpp', '../third_party/WebKit/WebCore/platform/network/chromium/NetworkStateNotifierChromium.cpp', '../third_party/WebKit/WebCore/platform/network/chromium/NetworkStateNotifierPrivate.h', '../third_party/WebKit/WebCore/platform/network/chromium/ResourceError.h', '../third_party/WebKit/WebCore/platform/network/chromium/ResourceRequest.h', '../third_party/WebKit/WebCore/platform/network/chromium/ResourceResponse.h', '../third_party/WebKit/WebCore/platform/network/curl/AuthenticationChallenge.h', '../third_party/WebKit/WebCore/platform/network/curl/CookieJarCurl.cpp', '../third_party/WebKit/WebCore/platform/network/curl/DNSCurl.cpp', '../third_party/WebKit/WebCore/platform/network/curl/FormDataStreamCurl.cpp', '../third_party/WebKit/WebCore/platform/network/curl/FormDataStreamCurl.h', '../third_party/WebKit/WebCore/platform/network/curl/ResourceError.h', '../third_party/WebKit/WebCore/platform/network/curl/ResourceHandleCurl.cpp', '../third_party/WebKit/WebCore/platform/network/curl/ResourceHandleManager.cpp', '../third_party/WebKit/WebCore/platform/network/curl/ResourceHandleManager.h', '../third_party/WebKit/WebCore/platform/network/curl/ResourceRequest.h', '../third_party/WebKit/WebCore/platform/network/curl/ResourceResponse.h', '../third_party/WebKit/WebCore/platform/network/mac/AuthenticationChallenge.h', '../third_party/WebKit/WebCore/platform/network/mac/AuthenticationMac.h', '../third_party/WebKit/WebCore/platform/network/mac/AuthenticationMac.mm', '../third_party/WebKit/WebCore/platform/network/mac/FormDataStreamMac.h', '../third_party/WebKit/WebCore/platform/network/mac/FormDataStreamMac.mm', '../third_party/WebKit/WebCore/platform/network/mac/NetworkStateNotifierMac.cpp', '../third_party/WebKit/WebCore/platform/network/mac/ResourceError.h', '../third_party/WebKit/WebCore/platform/network/mac/ResourceErrorMac.mm', '../third_party/WebKit/WebCore/platform/network/mac/ResourceHandleMac.mm', '../third_party/WebKit/WebCore/platform/network/mac/ResourceRequest.h', '../third_party/WebKit/WebCore/platform/network/mac/ResourceRequestMac.mm', '../third_party/WebKit/WebCore/platform/network/mac/ResourceResponse.h', '../third_party/WebKit/WebCore/platform/network/mac/ResourceResponseMac.mm', '../third_party/WebKit/WebCore/platform/network/mac/WebCoreURLResponse.h', '../third_party/WebKit/WebCore/platform/network/mac/WebCoreURLResponse.mm', '../third_party/WebKit/WebCore/platform/network/qt/AuthenticationChallenge.h', '../third_party/WebKit/WebCore/platform/network/qt/QNetworkReplyHandler.cpp', '../third_party/WebKit/WebCore/platform/network/qt/QNetworkReplyHandler.h', '../third_party/WebKit/WebCore/platform/network/qt/ResourceError.h', '../third_party/WebKit/WebCore/platform/network/qt/ResourceHandleQt.cpp', '../third_party/WebKit/WebCore/platform/network/qt/ResourceRequest.h', '../third_party/WebKit/WebCore/platform/network/qt/ResourceRequestQt.cpp', '../third_party/WebKit/WebCore/platform/network/qt/ResourceResponse.h', '../third_party/WebKit/WebCore/platform/network/soup/AuthenticationChallenge.h', '../third_party/WebKit/WebCore/platform/network/soup/CookieJarSoup.cpp', '../third_party/WebKit/WebCore/platform/network/soup/CookieJarSoup.h', '../third_party/WebKit/WebCore/platform/network/soup/DNSSoup.cpp', '../third_party/WebKit/WebCore/platform/network/soup/ResourceError.h', '../third_party/WebKit/WebCore/platform/network/soup/ResourceHandleSoup.cpp', '../third_party/WebKit/WebCore/platform/network/soup/ResourceRequest.h', '../third_party/WebKit/WebCore/platform/network/soup/ResourceResponse.h', '../third_party/WebKit/WebCore/platform/network/soup/webkit-soup-auth-dialog.c', '../third_party/WebKit/WebCore/platform/network/soup/webkit-soup-auth-dialog.h', '../third_party/WebKit/WebCore/platform/network/win/CookieJarCFNetWin.cpp', '../third_party/WebKit/WebCore/platform/network/win/CookieJarWin.cpp', '../third_party/WebKit/WebCore/platform/network/win/CookieStorageWin.cpp', '../third_party/WebKit/WebCore/platform/network/win/CookieStorageWin.h', '../third_party/WebKit/WebCore/platform/network/win/NetworkStateNotifierWin.cpp', '../third_party/WebKit/WebCore/platform/network/win/ResourceHandleWin.cpp', '../third_party/WebKit/WebCore/platform/network/win/ResourceHandleWin.h', '../third_party/WebKit/WebCore/platform/network/AuthenticationChallengeBase.cpp', '../third_party/WebKit/WebCore/platform/network/AuthenticationChallengeBase.h', '../third_party/WebKit/WebCore/platform/network/Credential.cpp', '../third_party/WebKit/WebCore/platform/network/Credential.h', '../third_party/WebKit/WebCore/platform/network/DNS.h', '../third_party/WebKit/WebCore/platform/network/FormData.cpp', '../third_party/WebKit/WebCore/platform/network/FormData.h', '../third_party/WebKit/WebCore/platform/network/FormDataBuilder.cpp', '../third_party/WebKit/WebCore/platform/network/FormDataBuilder.h', '../third_party/WebKit/WebCore/platform/network/HTTPHeaderMap.cpp', '../third_party/WebKit/WebCore/platform/network/HTTPHeaderMap.h', '../third_party/WebKit/WebCore/platform/network/HTTPParsers.cpp', '../third_party/WebKit/WebCore/platform/network/HTTPParsers.h', '../third_party/WebKit/WebCore/platform/network/NetworkStateNotifier.cpp', '../third_party/WebKit/WebCore/platform/network/NetworkStateNotifier.h', '../third_party/WebKit/WebCore/platform/network/ProtectionSpace.cpp', '../third_party/WebKit/WebCore/platform/network/ProtectionSpace.h', '../third_party/WebKit/WebCore/platform/network/ResourceErrorBase.cpp', '../third_party/WebKit/WebCore/platform/network/ResourceErrorBase.h', '../third_party/WebKit/WebCore/platform/network/ResourceHandleClient.h', '../third_party/WebKit/WebCore/platform/network/ResourceHandleInternal.h', '../third_party/WebKit/WebCore/platform/network/ResourceRequestBase.cpp', '../third_party/WebKit/WebCore/platform/network/ResourceRequestBase.h', '../third_party/WebKit/WebCore/platform/network/ResourceResponseBase.cpp', '../third_party/WebKit/WebCore/platform/network/ResourceResponseBase.h', '../third_party/WebKit/WebCore/platform/posix/FileSystemPOSIX.cpp', '../third_party/WebKit/WebCore/platform/qt/ClipboardQt.cpp', '../third_party/WebKit/WebCore/platform/qt/ClipboardQt.h', '../third_party/WebKit/WebCore/platform/qt/ContextMenuItemQt.cpp', '../third_party/WebKit/WebCore/platform/qt/ContextMenuQt.cpp', '../third_party/WebKit/WebCore/platform/qt/CookieJarQt.cpp', '../third_party/WebKit/WebCore/platform/qt/CursorQt.cpp', '../third_party/WebKit/WebCore/platform/qt/DragDataQt.cpp', '../third_party/WebKit/WebCore/platform/qt/DragImageQt.cpp', '../third_party/WebKit/WebCore/platform/qt/EventLoopQt.cpp', '../third_party/WebKit/WebCore/platform/qt/FileChooserQt.cpp', '../third_party/WebKit/WebCore/platform/qt/FileSystemQt.cpp', '../third_party/WebKit/WebCore/platform/qt/KURLQt.cpp', '../third_party/WebKit/WebCore/platform/qt/KeyboardCodes.h', '../third_party/WebKit/WebCore/platform/qt/Localizations.cpp', '../third_party/WebKit/WebCore/platform/qt/LoggingQt.cpp', '../third_party/WebKit/WebCore/platform/qt/MIMETypeRegistryQt.cpp', '../third_party/WebKit/WebCore/platform/qt/MenuEventProxy.h', '../third_party/WebKit/WebCore/platform/qt/PasteboardQt.cpp', '../third_party/WebKit/WebCore/platform/qt/PlatformKeyboardEventQt.cpp', '../third_party/WebKit/WebCore/platform/qt/PlatformMouseEventQt.cpp', '../third_party/WebKit/WebCore/platform/qt/PlatformScreenQt.cpp', '../third_party/WebKit/WebCore/platform/qt/PopupMenuQt.cpp', '../third_party/WebKit/WebCore/platform/qt/QWebPopup.cpp', '../third_party/WebKit/WebCore/platform/qt/QWebPopup.h', '../third_party/WebKit/WebCore/platform/qt/RenderThemeQt.cpp', '../third_party/WebKit/WebCore/platform/qt/RenderThemeQt.h', '../third_party/WebKit/WebCore/platform/qt/ScreenQt.cpp', '../third_party/WebKit/WebCore/platform/qt/ScrollViewQt.cpp', '../third_party/WebKit/WebCore/platform/qt/ScrollbarQt.cpp', '../third_party/WebKit/WebCore/platform/qt/ScrollbarThemeQt.cpp', '../third_party/WebKit/WebCore/platform/qt/ScrollbarThemeQt.h', '../third_party/WebKit/WebCore/platform/qt/SearchPopupMenuQt.cpp', '../third_party/WebKit/WebCore/platform/qt/SharedBufferQt.cpp', '../third_party/WebKit/WebCore/platform/qt/SharedTimerQt.cpp', '../third_party/WebKit/WebCore/platform/qt/SoundQt.cpp', '../third_party/WebKit/WebCore/platform/qt/TemporaryLinkStubs.cpp', '../third_party/WebKit/WebCore/platform/qt/WheelEventQt.cpp', '../third_party/WebKit/WebCore/platform/qt/WidgetQt.cpp', '../third_party/WebKit/WebCore/platform/sql/SQLValue.cpp', '../third_party/WebKit/WebCore/platform/sql/SQLValue.h', '../third_party/WebKit/WebCore/platform/sql/SQLiteAuthorizer.cpp', '../third_party/WebKit/WebCore/platform/sql/SQLiteDatabase.cpp', '../third_party/WebKit/WebCore/platform/sql/SQLiteDatabase.h', '../third_party/WebKit/WebCore/platform/sql/SQLiteFileSystem.h', '../third_party/WebKit/WebCore/platform/sql/SQLiteFileSystem.cpp', '../third_party/WebKit/WebCore/platform/sql/SQLiteStatement.cpp', '../third_party/WebKit/WebCore/platform/sql/SQLiteStatement.h', '../third_party/WebKit/WebCore/platform/sql/SQLiteTransaction.cpp', '../third_party/WebKit/WebCore/platform/sql/SQLiteTransaction.h', '../third_party/WebKit/WebCore/platform/symbian/FloatPointSymbian.cpp', '../third_party/WebKit/WebCore/platform/symbian/FloatRectSymbian.cpp', '../third_party/WebKit/WebCore/platform/symbian/IntPointSymbian.cpp', '../third_party/WebKit/WebCore/platform/symbian/IntRectSymbian.cpp', '../third_party/WebKit/WebCore/platform/symbian/IntSizeSymbian.cpp', '../third_party/WebKit/WebCore/platform/text/cf/StringCF.cpp', '../third_party/WebKit/WebCore/platform/text/cf/StringImplCF.cpp', '../third_party/WebKit/WebCore/platform/text/chromium/TextBreakIteratorInternalICUChromium.cpp', '../third_party/WebKit/WebCore/platform/text/gtk/TextBreakIteratorInternalICUGtk.cpp', '../third_party/WebKit/WebCore/platform/text/mac/CharsetData.h', '../third_party/WebKit/WebCore/platform/text/mac/ShapeArabic.c', '../third_party/WebKit/WebCore/platform/text/mac/ShapeArabic.h', '../third_party/WebKit/WebCore/platform/text/mac/StringImplMac.mm', '../third_party/WebKit/WebCore/platform/text/mac/StringMac.mm', '../third_party/WebKit/WebCore/platform/text/mac/TextBoundaries.mm', '../third_party/WebKit/WebCore/platform/text/mac/TextBreakIteratorInternalICUMac.mm', '../third_party/WebKit/WebCore/platform/text/mac/TextCodecMac.cpp', '../third_party/WebKit/WebCore/platform/text/mac/TextCodecMac.h', '../third_party/WebKit/WebCore/platform/text/qt/StringQt.cpp', '../third_party/WebKit/WebCore/platform/text/qt/TextBoundaries.cpp', '../third_party/WebKit/WebCore/platform/text/qt/TextBreakIteratorQt.cpp', '../third_party/WebKit/WebCore/platform/text/qt/TextCodecQt.cpp', '../third_party/WebKit/WebCore/platform/text/qt/TextCodecQt.h', '../third_party/WebKit/WebCore/platform/text/symbian/StringImplSymbian.cpp', '../third_party/WebKit/WebCore/platform/text/symbian/StringSymbian.cpp', '../third_party/WebKit/WebCore/platform/text/win/TextBreakIteratorInternalICUWin.cpp', '../third_party/WebKit/WebCore/platform/text/wx/StringWx.cpp', '../third_party/WebKit/WebCore/platform/text/AtomicString.cpp', '../third_party/WebKit/WebCore/platform/text/AtomicString.h', '../third_party/WebKit/WebCore/platform/text/AtomicStringHash.h', '../third_party/WebKit/WebCore/platform/text/AtomicStringImpl.h', '../third_party/WebKit/WebCore/platform/text/Base64.cpp', '../third_party/WebKit/WebCore/platform/text/Base64.h', '../third_party/WebKit/WebCore/platform/text/BidiContext.cpp', '../third_party/WebKit/WebCore/platform/text/BidiContext.h', '../third_party/WebKit/WebCore/platform/text/BidiResolver.h', '../third_party/WebKit/WebCore/platform/text/CString.cpp', '../third_party/WebKit/WebCore/platform/text/CString.h', '../third_party/WebKit/WebCore/platform/text/CharacterNames.h', '../third_party/WebKit/WebCore/platform/text/ParserUtilities.h', '../third_party/WebKit/WebCore/platform/text/PlatformString.h', '../third_party/WebKit/WebCore/platform/text/RegularExpression.cpp', '../third_party/WebKit/WebCore/platform/text/RegularExpression.h', '../third_party/WebKit/WebCore/platform/text/SegmentedString.cpp', '../third_party/WebKit/WebCore/platform/text/SegmentedString.h', '../third_party/WebKit/WebCore/platform/text/String.cpp', '../third_party/WebKit/WebCore/platform/text/StringBuffer.h', '../third_party/WebKit/WebCore/platform/text/StringBuilder.cpp', '../third_party/WebKit/WebCore/platform/text/StringBuilder.h', '../third_party/WebKit/WebCore/platform/text/StringHash.h', '../third_party/WebKit/WebCore/platform/text/StringImpl.cpp', '../third_party/WebKit/WebCore/platform/text/StringImpl.h', '../third_party/WebKit/WebCore/platform/text/TextBoundaries.h', '../third_party/WebKit/WebCore/platform/text/TextBoundariesICU.cpp', '../third_party/WebKit/WebCore/platform/text/TextBreakIterator.h', '../third_party/WebKit/WebCore/platform/text/TextBreakIteratorICU.cpp', '../third_party/WebKit/WebCore/platform/text/TextBreakIteratorInternalICU.h', '../third_party/WebKit/WebCore/platform/text/TextCodec.cpp', '../third_party/WebKit/WebCore/platform/text/TextCodec.h', '../third_party/WebKit/WebCore/platform/text/TextCodecICU.cpp', '../third_party/WebKit/WebCore/platform/text/TextCodecICU.h', '../third_party/WebKit/WebCore/platform/text/TextCodecLatin1.cpp', '../third_party/WebKit/WebCore/platform/text/TextCodecLatin1.h', '../third_party/WebKit/WebCore/platform/text/TextCodecUTF16.cpp', '../third_party/WebKit/WebCore/platform/text/TextCodecUTF16.h', '../third_party/WebKit/WebCore/platform/text/TextCodecUserDefined.cpp', '../third_party/WebKit/WebCore/platform/text/TextCodecUserDefined.h', '../third_party/WebKit/WebCore/platform/text/TextDirection.h', '../third_party/WebKit/WebCore/platform/text/TextEncoding.cpp', '../third_party/WebKit/WebCore/platform/text/TextEncoding.h', '../third_party/WebKit/WebCore/platform/text/TextEncodingDetector.h', '../third_party/WebKit/WebCore/platform/text/TextEncodingDetectorICU.cpp', '../third_party/WebKit/WebCore/platform/text/TextEncodingRegistry.cpp', '../third_party/WebKit/WebCore/platform/text/TextEncodingRegistry.h', '../third_party/WebKit/WebCore/platform/text/TextStream.cpp', '../third_party/WebKit/WebCore/platform/text/TextStream.h', '../third_party/WebKit/WebCore/platform/text/UnicodeRange.cpp', '../third_party/WebKit/WebCore/platform/text/UnicodeRange.h', '../third_party/WebKit/WebCore/platform/win/BString.cpp', '../third_party/WebKit/WebCore/platform/win/BString.h', '../third_party/WebKit/WebCore/platform/win/COMPtr.h', '../third_party/WebKit/WebCore/platform/win/ClipboardUtilitiesWin.cpp', '../third_party/WebKit/WebCore/platform/win/ClipboardUtilitiesWin.h', '../third_party/WebKit/WebCore/platform/win/ClipboardWin.cpp', '../third_party/WebKit/WebCore/platform/win/ClipboardWin.h', '../third_party/WebKit/WebCore/platform/win/ContextMenuItemWin.cpp', '../third_party/WebKit/WebCore/platform/win/ContextMenuWin.cpp', '../third_party/WebKit/WebCore/platform/win/CursorWin.cpp', '../third_party/WebKit/WebCore/platform/win/DragDataWin.cpp', '../third_party/WebKit/WebCore/platform/win/DragImageCGWin.cpp', '../third_party/WebKit/WebCore/platform/win/DragImageCairoWin.cpp', '../third_party/WebKit/WebCore/platform/win/DragImageWin.cpp', '../third_party/WebKit/WebCore/platform/win/EditorWin.cpp', '../third_party/WebKit/WebCore/platform/win/EventLoopWin.cpp', '../third_party/WebKit/WebCore/platform/win/FileChooserWin.cpp', '../third_party/WebKit/WebCore/platform/win/FileSystemWin.cpp', '../third_party/WebKit/WebCore/platform/win/GDIObjectCounter.cpp', '../third_party/WebKit/WebCore/platform/win/GDIObjectCounter.h', '../third_party/WebKit/WebCore/platform/win/KeyEventWin.cpp', '../third_party/WebKit/WebCore/platform/win/Language.cpp', '../third_party/WebKit/WebCore/platform/win/LoggingWin.cpp', '../third_party/WebKit/WebCore/platform/win/MIMETypeRegistryWin.cpp', '../third_party/WebKit/WebCore/platform/win/PasteboardWin.cpp', '../third_party/WebKit/WebCore/platform/win/PlatformMouseEventWin.cpp', '../third_party/WebKit/WebCore/platform/win/PlatformScreenWin.cpp', '../third_party/WebKit/WebCore/platform/win/PlatformScrollBar.h', '../third_party/WebKit/WebCore/platform/win/PlatformScrollBarWin.cpp', '../third_party/WebKit/WebCore/platform/win/PopupMenuWin.cpp', '../third_party/WebKit/WebCore/platform/win/ScrollbarThemeSafari.cpp', '../third_party/WebKit/WebCore/platform/win/ScrollbarThemeSafari.h', '../third_party/WebKit/WebCore/platform/win/ScrollbarThemeWin.cpp', '../third_party/WebKit/WebCore/platform/win/ScrollbarThemeWin.h', '../third_party/WebKit/WebCore/platform/win/SearchPopupMenuWin.cpp', '../third_party/WebKit/WebCore/platform/win/SharedBufferWin.cpp', '../third_party/WebKit/WebCore/platform/win/SharedTimerWin.cpp', '../third_party/WebKit/WebCore/platform/win/SoftLinking.h', '../third_party/WebKit/WebCore/platform/win/SoundWin.cpp', '../third_party/WebKit/WebCore/platform/win/SystemTimeWin.cpp', '../third_party/WebKit/WebCore/platform/win/TemporaryLinkStubs.cpp', '../third_party/WebKit/WebCore/platform/win/WCDataObject.cpp', '../third_party/WebKit/WebCore/platform/win/WCDataObject.h', '../third_party/WebKit/WebCore/platform/win/WebCoreTextRenderer.cpp', '../third_party/WebKit/WebCore/platform/win/WebCoreTextRenderer.h', '../third_party/WebKit/WebCore/platform/win/WheelEventWin.cpp', '../third_party/WebKit/WebCore/platform/win/WidgetWin.cpp', '../third_party/WebKit/WebCore/platform/win/WindowMessageBroadcaster.cpp', '../third_party/WebKit/WebCore/platform/win/WindowMessageBroadcaster.h', '../third_party/WebKit/WebCore/platform/win/WindowMessageListener.h', '../third_party/WebKit/WebCore/platform/wx/wxcode/gtk/fontprops.cpp', '../third_party/WebKit/WebCore/platform/wx/wxcode/gtk/non-kerned-drawing.cpp', '../third_party/WebKit/WebCore/platform/wx/wxcode/mac/carbon/fontprops.cpp', '../third_party/WebKit/WebCore/platform/wx/wxcode/mac/carbon/non-kerned-drawing.cpp', '../third_party/WebKit/WebCore/platform/wx/wxcode/win/fontprops.cpp', '../third_party/WebKit/WebCore/platform/wx/wxcode/win/non-kerned-drawing.cpp', '../third_party/WebKit/WebCore/platform/wx/wxcode/fontprops.cpp', '../third_party/WebKit/WebCore/platform/wx/wxcode/fontprops.h', '../third_party/WebKit/WebCore/platform/wx/wxcode/non-kerned-drawing.h', '../third_party/WebKit/WebCore/platform/wx/ClipboardWx.cpp', '../third_party/WebKit/WebCore/platform/wx/ClipboardWx.h', '../third_party/WebKit/WebCore/platform/wx/ContextMenuItemWx.cpp', '../third_party/WebKit/WebCore/platform/wx/ContextMenuWx.cpp', '../third_party/WebKit/WebCore/platform/wx/CursorWx.cpp', '../third_party/WebKit/WebCore/platform/wx/DragDataWx.cpp', '../third_party/WebKit/WebCore/platform/wx/DragImageWx.cpp', '../third_party/WebKit/WebCore/platform/wx/EventLoopWx.cpp', '../third_party/WebKit/WebCore/platform/wx/FileSystemWx.cpp', '../third_party/WebKit/WebCore/platform/wx/KeyEventWin.cpp', '../third_party/WebKit/WebCore/platform/wx/KeyboardCodes.h', '../third_party/WebKit/WebCore/platform/wx/KeyboardEventWx.cpp', '../third_party/WebKit/WebCore/platform/wx/LocalizedStringsWx.cpp', '../third_party/WebKit/WebCore/platform/wx/LoggingWx.cpp', '../third_party/WebKit/WebCore/platform/wx/MimeTypeRegistryWx.cpp', '../third_party/WebKit/WebCore/platform/wx/MouseEventWx.cpp', '../third_party/WebKit/WebCore/platform/wx/MouseWheelEventWx.cpp', '../third_party/WebKit/WebCore/platform/wx/PasteboardWx.cpp', '../third_party/WebKit/WebCore/platform/wx/PopupMenuWx.cpp', '../third_party/WebKit/WebCore/platform/wx/RenderThemeWx.cpp', '../third_party/WebKit/WebCore/platform/wx/ScreenWx.cpp', '../third_party/WebKit/WebCore/platform/wx/ScrollViewWx.cpp', '../third_party/WebKit/WebCore/platform/wx/SharedTimerWx.cpp', '../third_party/WebKit/WebCore/platform/wx/SoundWx.cpp', '../third_party/WebKit/WebCore/platform/wx/TemporaryLinkStubs.cpp', '../third_party/WebKit/WebCore/platform/wx/WidgetWx.cpp', '../third_party/WebKit/WebCore/platform/Arena.cpp', '../third_party/WebKit/WebCore/platform/Arena.h', '../third_party/WebKit/WebCore/platform/AutodrainedPool.h', '../third_party/WebKit/WebCore/platform/ContentType.cpp', '../third_party/WebKit/WebCore/platform/ContentType.h', '../third_party/WebKit/WebCore/platform/ContextMenu.cpp', '../third_party/WebKit/WebCore/platform/ContextMenu.h', '../third_party/WebKit/WebCore/platform/ContextMenuItem.h', '../third_party/WebKit/WebCore/platform/CookieJar.h', '../third_party/WebKit/WebCore/platform/CrossThreadCopier.h', '../third_party/WebKit/WebCore/platform/CrossThreadCopier.cpp', '../third_party/WebKit/WebCore/platform/Cursor.h', '../third_party/WebKit/WebCore/platform/DeprecatedPtrList.h', '../third_party/WebKit/WebCore/platform/DeprecatedPtrListImpl.cpp', '../third_party/WebKit/WebCore/platform/DeprecatedPtrListImpl.h', '../third_party/WebKit/WebCore/platform/DragData.cpp', '../third_party/WebKit/WebCore/platform/DragData.h', '../third_party/WebKit/WebCore/platform/DragImage.cpp', '../third_party/WebKit/WebCore/platform/DragImage.h', '../third_party/WebKit/WebCore/platform/EventLoop.h', '../third_party/WebKit/WebCore/platform/FileChooser.cpp', '../third_party/WebKit/WebCore/platform/FileChooser.h', '../third_party/WebKit/WebCore/platform/FileSystem.h', '../third_party/WebKit/WebCore/platform/FloatConversion.h', '../third_party/WebKit/WebCore/platform/GeolocationService.cpp', '../third_party/WebKit/WebCore/platform/GeolocationService.h', '../third_party/WebKit/WebCore/platform/HostWindow.h', '../third_party/WebKit/WebCore/platform/KeyboardCodes.h', '../third_party/WebKit/WebCore/platform/KURL.cpp', '../third_party/WebKit/WebCore/platform/KURL.h', '../third_party/WebKit/WebCore/platform/KURLGoogle.cpp', '../third_party/WebKit/WebCore/platform/KURLGooglePrivate.h', '../third_party/WebKit/WebCore/platform/KURLHash.h', '../third_party/WebKit/WebCore/platform/Language.h', '../third_party/WebKit/WebCore/platform/Length.cpp', '../third_party/WebKit/WebCore/platform/Length.h', '../third_party/WebKit/WebCore/platform/LengthBox.h', '../third_party/WebKit/WebCore/platform/LengthSize.h', '../third_party/WebKit/WebCore/platform/LinkHash.cpp', '../third_party/WebKit/WebCore/platform/LinkHash.h', '../third_party/WebKit/WebCore/platform/LocalizedStrings.h', '../third_party/WebKit/WebCore/platform/Logging.cpp', '../third_party/WebKit/WebCore/platform/Logging.h', '../third_party/WebKit/WebCore/platform/MIMETypeRegistry.cpp', '../third_party/WebKit/WebCore/platform/MIMETypeRegistry.h', '../third_party/WebKit/WebCore/platform/NotImplemented.h', '../third_party/WebKit/WebCore/platform/Pasteboard.h', '../third_party/WebKit/WebCore/platform/PlatformKeyboardEvent.h', '../third_party/WebKit/WebCore/platform/PlatformMenuDescription.h', '../third_party/WebKit/WebCore/platform/PlatformMouseEvent.h', '../third_party/WebKit/WebCore/platform/PlatformScreen.h', '../third_party/WebKit/WebCore/platform/PlatformWheelEvent.h', '../third_party/WebKit/WebCore/platform/PopupMenu.h', '../third_party/WebKit/WebCore/platform/PopupMenuClient.h', '../third_party/WebKit/WebCore/platform/PopupMenuStyle.h', '../third_party/WebKit/WebCore/platform/PurgeableBuffer.h', '../third_party/WebKit/WebCore/platform/SSLKeyGenerator.h', '../third_party/WebKit/WebCore/platform/ScrollTypes.h', '../third_party/WebKit/WebCore/platform/ScrollView.cpp', '../third_party/WebKit/WebCore/platform/ScrollView.h', '../third_party/WebKit/WebCore/platform/Scrollbar.cpp', '../third_party/WebKit/WebCore/platform/Scrollbar.h', '../third_party/WebKit/WebCore/platform/ScrollbarClient.h', '../third_party/WebKit/WebCore/platform/ScrollbarTheme.h', '../third_party/WebKit/WebCore/platform/ScrollbarThemeComposite.cpp', '../third_party/WebKit/WebCore/platform/ScrollbarThemeComposite.h', '../third_party/WebKit/WebCore/platform/SearchPopupMenu.h', '../third_party/WebKit/WebCore/platform/SharedBuffer.cpp', '../third_party/WebKit/WebCore/platform/SharedBuffer.h', '../third_party/WebKit/WebCore/platform/SharedTimer.h', '../third_party/WebKit/WebCore/platform/Sound.h', '../third_party/WebKit/WebCore/platform/StaticConstructors.h', '../third_party/WebKit/WebCore/platform/SystemTime.h', '../third_party/WebKit/WebCore/platform/Theme.cpp', '../third_party/WebKit/WebCore/platform/Theme.h', '../third_party/WebKit/WebCore/platform/ThemeTypes.h', '../third_party/WebKit/WebCore/platform/ThreadCheck.h', '../third_party/WebKit/WebCore/platform/ThreadGlobalData.cpp', '../third_party/WebKit/WebCore/platform/ThreadGlobalData.h', '../third_party/WebKit/WebCore/platform/ThreadTimers.cpp', '../third_party/WebKit/WebCore/platform/ThreadTimers.h', '../third_party/WebKit/WebCore/platform/Timer.cpp', '../third_party/WebKit/WebCore/platform/Timer.h', '../third_party/WebKit/WebCore/platform/TreeShared.h', '../third_party/WebKit/WebCore/platform/Widget.cpp', '../third_party/WebKit/WebCore/platform/Widget.h', '../third_party/WebKit/WebCore/plugins/chromium/PluginDataChromium.cpp', '../third_party/WebKit/WebCore/plugins/gtk/PluginDataGtk.cpp', '../third_party/WebKit/WebCore/plugins/gtk/PluginPackageGtk.cpp', '../third_party/WebKit/WebCore/plugins/gtk/PluginViewGtk.cpp', '../third_party/WebKit/WebCore/plugins/gtk/gtk2xtbin.h', '../third_party/WebKit/WebCore/plugins/gtk/xembed.h', '../third_party/WebKit/WebCore/plugins/mac/PluginDataMac.mm', '../third_party/WebKit/WebCore/plugins/mac/PluginPackageMac.cpp', '../third_party/WebKit/WebCore/plugins/mac/PluginViewMac.cpp', '../third_party/WebKit/WebCore/plugins/qt/PluginDataQt.cpp', '../third_party/WebKit/WebCore/plugins/qt/PluginPackageQt.cpp', '../third_party/WebKit/WebCore/plugins/qt/PluginViewQt.cpp', '../third_party/WebKit/WebCore/plugins/win/PluginDataWin.cpp', '../third_party/WebKit/WebCore/plugins/win/PluginDatabaseWin.cpp', '../third_party/WebKit/WebCore/plugins/win/PluginMessageThrottlerWin.cpp', '../third_party/WebKit/WebCore/plugins/win/PluginMessageThrottlerWin.h', '../third_party/WebKit/WebCore/plugins/win/PluginPackageWin.cpp', '../third_party/WebKit/WebCore/plugins/win/PluginViewWin.cpp', '../third_party/WebKit/WebCore/plugins/wx/PluginDataWx.cpp', '../third_party/WebKit/WebCore/plugins/wx/PluginPackageWx.cpp', '../third_party/WebKit/WebCore/plugins/wx/PluginViewWx.cpp', '../third_party/WebKit/WebCore/plugins/MimeType.cpp', '../third_party/WebKit/WebCore/plugins/MimeType.h', '../third_party/WebKit/WebCore/plugins/MimeTypeArray.cpp', '../third_party/WebKit/WebCore/plugins/MimeTypeArray.h', '../third_party/WebKit/WebCore/plugins/Plugin.cpp', '../third_party/WebKit/WebCore/plugins/Plugin.h', '../third_party/WebKit/WebCore/plugins/PluginArray.cpp', '../third_party/WebKit/WebCore/plugins/PluginArray.h', '../third_party/WebKit/WebCore/plugins/PluginData.cpp', '../third_party/WebKit/WebCore/plugins/PluginData.h', '../third_party/WebKit/WebCore/plugins/PluginDatabase.cpp', '../third_party/WebKit/WebCore/plugins/PluginDatabase.h', '../third_party/WebKit/WebCore/plugins/PluginDebug.h', '../third_party/WebKit/WebCore/plugins/PluginInfoStore.cpp', '../third_party/WebKit/WebCore/plugins/PluginInfoStore.h', '../third_party/WebKit/WebCore/plugins/PluginMainThreadScheduler.cpp', '../third_party/WebKit/WebCore/plugins/PluginMainThreadScheduler.h', '../third_party/WebKit/WebCore/plugins/PluginPackage.cpp', '../third_party/WebKit/WebCore/plugins/PluginPackage.h', '../third_party/WebKit/WebCore/plugins/PluginQuirkSet.h', '../third_party/WebKit/WebCore/plugins/PluginStream.cpp', '../third_party/WebKit/WebCore/plugins/PluginStream.h', '../third_party/WebKit/WebCore/plugins/PluginView.cpp', '../third_party/WebKit/WebCore/plugins/PluginView.h', '../third_party/WebKit/WebCore/plugins/npapi.cpp', '../third_party/WebKit/WebCore/plugins/npfunctions.h', '../third_party/WebKit/WebCore/rendering/style/BindingURI.cpp', '../third_party/WebKit/WebCore/rendering/style/BindingURI.h', '../third_party/WebKit/WebCore/rendering/style/BorderData.h', '../third_party/WebKit/WebCore/rendering/style/BorderValue.h', '../third_party/WebKit/WebCore/rendering/style/CollapsedBorderValue.h', '../third_party/WebKit/WebCore/rendering/style/ContentData.cpp', '../third_party/WebKit/WebCore/rendering/style/ContentData.h', '../third_party/WebKit/WebCore/rendering/style/CounterContent.h', '../third_party/WebKit/WebCore/rendering/style/CounterDirectives.cpp', '../third_party/WebKit/WebCore/rendering/style/CounterDirectives.h', '../third_party/WebKit/WebCore/rendering/style/CursorData.h', '../third_party/WebKit/WebCore/rendering/style/CursorList.h', '../third_party/WebKit/WebCore/rendering/style/DataRef.h', '../third_party/WebKit/WebCore/rendering/style/FillLayer.cpp', '../third_party/WebKit/WebCore/rendering/style/FillLayer.h', '../third_party/WebKit/WebCore/rendering/style/KeyframeList.cpp', '../third_party/WebKit/WebCore/rendering/style/KeyframeList.h', '../third_party/WebKit/WebCore/rendering/style/NinePieceImage.cpp', '../third_party/WebKit/WebCore/rendering/style/NinePieceImage.h', '../third_party/WebKit/WebCore/rendering/style/OutlineValue.h', '../third_party/WebKit/WebCore/rendering/style/RenderStyle.cpp', '../third_party/WebKit/WebCore/rendering/style/RenderStyle.h', '../third_party/WebKit/WebCore/rendering/style/RenderStyleConstants.h', '../third_party/WebKit/WebCore/rendering/style/SVGRenderStyle.cpp', '../third_party/WebKit/WebCore/rendering/style/SVGRenderStyle.h', '../third_party/WebKit/WebCore/rendering/style/SVGRenderStyleDefs.cpp', '../third_party/WebKit/WebCore/rendering/style/SVGRenderStyleDefs.h', '../third_party/WebKit/WebCore/rendering/style/ShadowData.cpp', '../third_party/WebKit/WebCore/rendering/style/ShadowData.h', '../third_party/WebKit/WebCore/rendering/style/StyleBackgroundData.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleBackgroundData.h', '../third_party/WebKit/WebCore/rendering/style/StyleBoxData.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleBoxData.h', '../third_party/WebKit/WebCore/rendering/style/StyleCachedImage.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleCachedImage.h', '../third_party/WebKit/WebCore/rendering/style/StyleDashboardRegion.h', '../third_party/WebKit/WebCore/rendering/style/StyleFlexibleBoxData.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleFlexibleBoxData.h', '../third_party/WebKit/WebCore/rendering/style/StyleGeneratedImage.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleGeneratedImage.h', '../third_party/WebKit/WebCore/rendering/style/StyleImage.h', '../third_party/WebKit/WebCore/rendering/style/StyleInheritedData.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleInheritedData.h', '../third_party/WebKit/WebCore/rendering/style/StyleMarqueeData.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleMarqueeData.h', '../third_party/WebKit/WebCore/rendering/style/StyleMultiColData.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleMultiColData.h', '../third_party/WebKit/WebCore/rendering/style/StyleRareInheritedData.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleRareInheritedData.h', '../third_party/WebKit/WebCore/rendering/style/StyleRareNonInheritedData.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleRareNonInheritedData.h', '../third_party/WebKit/WebCore/rendering/style/StyleReflection.h', '../third_party/WebKit/WebCore/rendering/style/StyleSurroundData.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleSurroundData.h', '../third_party/WebKit/WebCore/rendering/style/StyleTransformData.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleTransformData.h', '../third_party/WebKit/WebCore/rendering/style/StyleVisualData.cpp', '../third_party/WebKit/WebCore/rendering/style/StyleVisualData.h', '../third_party/WebKit/WebCore/rendering/AutoTableLayout.cpp', '../third_party/WebKit/WebCore/rendering/AutoTableLayout.h', '../third_party/WebKit/WebCore/rendering/CounterNode.cpp', '../third_party/WebKit/WebCore/rendering/CounterNode.h', '../third_party/WebKit/WebCore/rendering/EllipsisBox.cpp', '../third_party/WebKit/WebCore/rendering/EllipsisBox.h', '../third_party/WebKit/WebCore/rendering/FixedTableLayout.cpp', '../third_party/WebKit/WebCore/rendering/FixedTableLayout.h', '../third_party/WebKit/WebCore/rendering/GapRects.h', '../third_party/WebKit/WebCore/rendering/HitTestRequest.h', '../third_party/WebKit/WebCore/rendering/HitTestResult.cpp', '../third_party/WebKit/WebCore/rendering/HitTestResult.h', '../third_party/WebKit/WebCore/rendering/InlineBox.cpp', '../third_party/WebKit/WebCore/rendering/InlineBox.h', '../third_party/WebKit/WebCore/rendering/InlineFlowBox.cpp', '../third_party/WebKit/WebCore/rendering/InlineFlowBox.h', '../third_party/WebKit/WebCore/rendering/InlineRunBox.h', '../third_party/WebKit/WebCore/rendering/InlineTextBox.cpp', '../third_party/WebKit/WebCore/rendering/InlineTextBox.h', '../third_party/WebKit/WebCore/rendering/LayoutState.cpp', '../third_party/WebKit/WebCore/rendering/LayoutState.h', '../third_party/WebKit/WebCore/rendering/MediaControlElements.cpp', '../third_party/WebKit/WebCore/rendering/MediaControlElements.h', '../third_party/WebKit/WebCore/rendering/PointerEventsHitRules.cpp', '../third_party/WebKit/WebCore/rendering/PointerEventsHitRules.h', '../third_party/WebKit/WebCore/rendering/RenderApplet.cpp', '../third_party/WebKit/WebCore/rendering/RenderApplet.h', '../third_party/WebKit/WebCore/rendering/RenderArena.cpp', '../third_party/WebKit/WebCore/rendering/RenderArena.h', '../third_party/WebKit/WebCore/rendering/RenderBR.cpp', '../third_party/WebKit/WebCore/rendering/RenderBR.h', '../third_party/WebKit/WebCore/rendering/RenderBlock.cpp', '../third_party/WebKit/WebCore/rendering/RenderBlock.h', '../third_party/WebKit/WebCore/rendering/RenderBox.cpp', '../third_party/WebKit/WebCore/rendering/RenderBox.h', '../third_party/WebKit/WebCore/rendering/RenderBoxModelObject.cpp', '../third_party/WebKit/WebCore/rendering/RenderBoxModelObject.h', '../third_party/WebKit/WebCore/rendering/RenderButton.cpp', '../third_party/WebKit/WebCore/rendering/RenderButton.h', '../third_party/WebKit/WebCore/rendering/RenderCounter.cpp', '../third_party/WebKit/WebCore/rendering/RenderCounter.h', '../third_party/WebKit/WebCore/rendering/RenderDataGrid.cpp', '../third_party/WebKit/WebCore/rendering/RenderDataGrid.h', '../third_party/WebKit/WebCore/rendering/RenderFieldset.cpp', '../third_party/WebKit/WebCore/rendering/RenderFieldset.h', '../third_party/WebKit/WebCore/rendering/RenderFileUploadControl.cpp', '../third_party/WebKit/WebCore/rendering/RenderFileUploadControl.h', '../third_party/WebKit/WebCore/rendering/RenderFlexibleBox.cpp', '../third_party/WebKit/WebCore/rendering/RenderFlexibleBox.h', '../third_party/WebKit/WebCore/rendering/RenderForeignObject.cpp', '../third_party/WebKit/WebCore/rendering/RenderForeignObject.h', '../third_party/WebKit/WebCore/rendering/RenderFrame.cpp', '../third_party/WebKit/WebCore/rendering/RenderFrame.h', '../third_party/WebKit/WebCore/rendering/RenderFrameSet.cpp', '../third_party/WebKit/WebCore/rendering/RenderFrameSet.h', '../third_party/WebKit/WebCore/rendering/RenderHTMLCanvas.cpp', '../third_party/WebKit/WebCore/rendering/RenderHTMLCanvas.h', '../third_party/WebKit/WebCore/rendering/RenderImage.cpp', '../third_party/WebKit/WebCore/rendering/RenderImage.h', '../third_party/WebKit/WebCore/rendering/RenderImageGeneratedContent.cpp', '../third_party/WebKit/WebCore/rendering/RenderImageGeneratedContent.h', '../third_party/WebKit/WebCore/rendering/RenderInline.cpp', '../third_party/WebKit/WebCore/rendering/RenderInline.h', '../third_party/WebKit/WebCore/rendering/RenderLayer.cpp', '../third_party/WebKit/WebCore/rendering/RenderLayer.h', '../third_party/WebKit/WebCore/rendering/RenderLayerBacking.cpp', '../third_party/WebKit/WebCore/rendering/RenderLayerBacking.h', '../third_party/WebKit/WebCore/rendering/RenderLayerCompositor.cpp', '../third_party/WebKit/WebCore/rendering/RenderLayerCompositor.h', '../third_party/WebKit/WebCore/rendering/RenderLineBoxList.cpp', '../third_party/WebKit/WebCore/rendering/RenderLineBoxList.h', '../third_party/WebKit/WebCore/rendering/RenderListBox.cpp', '../third_party/WebKit/WebCore/rendering/RenderListBox.h', '../third_party/WebKit/WebCore/rendering/RenderListItem.cpp', '../third_party/WebKit/WebCore/rendering/RenderListItem.h', '../third_party/WebKit/WebCore/rendering/RenderListMarker.cpp', '../third_party/WebKit/WebCore/rendering/RenderListMarker.h', '../third_party/WebKit/WebCore/rendering/RenderMarquee.cpp', '../third_party/WebKit/WebCore/rendering/RenderMarquee.h', '../third_party/WebKit/WebCore/rendering/RenderMedia.cpp', '../third_party/WebKit/WebCore/rendering/RenderMedia.h', '../third_party/WebKit/WebCore/rendering/RenderMenuList.cpp', '../third_party/WebKit/WebCore/rendering/RenderMenuList.h', '../third_party/WebKit/WebCore/rendering/RenderObject.cpp', '../third_party/WebKit/WebCore/rendering/RenderObject.h', '../third_party/WebKit/WebCore/rendering/RenderObjectChildList.cpp', '../third_party/WebKit/WebCore/rendering/RenderObjectChildList.h', '../third_party/WebKit/WebCore/rendering/RenderPart.cpp', '../third_party/WebKit/WebCore/rendering/RenderPart.h', '../third_party/WebKit/WebCore/rendering/RenderPartObject.cpp', '../third_party/WebKit/WebCore/rendering/RenderPartObject.h', '../third_party/WebKit/WebCore/rendering/RenderPath.cpp', '../third_party/WebKit/WebCore/rendering/RenderPath.h', '../third_party/WebKit/WebCore/rendering/RenderReplaced.cpp', '../third_party/WebKit/WebCore/rendering/RenderReplaced.h', '../third_party/WebKit/WebCore/rendering/RenderReplica.cpp', '../third_party/WebKit/WebCore/rendering/RenderReplica.h', '../third_party/WebKit/WebCore/rendering/RenderSVGBlock.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGBlock.h', '../third_party/WebKit/WebCore/rendering/RenderSVGContainer.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGContainer.h', '../third_party/WebKit/WebCore/rendering/RenderSVGGradientStop.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGGradientStop.h', '../third_party/WebKit/WebCore/rendering/RenderSVGHiddenContainer.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGHiddenContainer.h', '../third_party/WebKit/WebCore/rendering/RenderSVGImage.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGImage.h', '../third_party/WebKit/WebCore/rendering/RenderSVGInline.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGInline.h', '../third_party/WebKit/WebCore/rendering/RenderSVGInlineText.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGInlineText.h', '../third_party/WebKit/WebCore/rendering/RenderSVGModelObject.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGModelObject.h', '../third_party/WebKit/WebCore/rendering/RenderSVGRoot.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGRoot.h', '../third_party/WebKit/WebCore/rendering/RenderSVGTSpan.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGTSpan.h', '../third_party/WebKit/WebCore/rendering/RenderSVGText.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGText.h', '../third_party/WebKit/WebCore/rendering/RenderSVGTextPath.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGTextPath.h', '../third_party/WebKit/WebCore/rendering/RenderSVGTransformableContainer.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGTransformableContainer.h', '../third_party/WebKit/WebCore/rendering/RenderSVGViewportContainer.cpp', '../third_party/WebKit/WebCore/rendering/RenderSVGViewportContainer.h', '../third_party/WebKit/WebCore/rendering/RenderScrollbar.cpp', '../third_party/WebKit/WebCore/rendering/RenderScrollbar.h', '../third_party/WebKit/WebCore/rendering/RenderScrollbarPart.cpp', '../third_party/WebKit/WebCore/rendering/RenderScrollbarPart.h', '../third_party/WebKit/WebCore/rendering/RenderScrollbarTheme.cpp', '../third_party/WebKit/WebCore/rendering/RenderScrollbarTheme.h', '../third_party/WebKit/WebCore/rendering/RenderSelectionInfo.h', '../third_party/WebKit/WebCore/rendering/RenderSlider.cpp', '../third_party/WebKit/WebCore/rendering/RenderSlider.h', '../third_party/WebKit/WebCore/rendering/RenderTable.cpp', '../third_party/WebKit/WebCore/rendering/RenderTable.h', '../third_party/WebKit/WebCore/rendering/RenderTableCell.cpp', '../third_party/WebKit/WebCore/rendering/RenderTableCell.h', '../third_party/WebKit/WebCore/rendering/RenderTableCol.cpp', '../third_party/WebKit/WebCore/rendering/RenderTableCol.h', '../third_party/WebKit/WebCore/rendering/RenderTableRow.cpp', '../third_party/WebKit/WebCore/rendering/RenderTableRow.h', '../third_party/WebKit/WebCore/rendering/RenderTableSection.cpp', '../third_party/WebKit/WebCore/rendering/RenderTableSection.h', '../third_party/WebKit/WebCore/rendering/RenderText.cpp', '../third_party/WebKit/WebCore/rendering/RenderText.h', '../third_party/WebKit/WebCore/rendering/RenderTextControl.cpp', '../third_party/WebKit/WebCore/rendering/RenderTextControl.h', '../third_party/WebKit/WebCore/rendering/RenderTextControlMultiLine.cpp', '../third_party/WebKit/WebCore/rendering/RenderTextControlMultiLine.h', '../third_party/WebKit/WebCore/rendering/RenderTextControlSingleLine.cpp', '../third_party/WebKit/WebCore/rendering/RenderTextControlSingleLine.h', '../third_party/WebKit/WebCore/rendering/RenderTextFragment.cpp', '../third_party/WebKit/WebCore/rendering/RenderTextFragment.h', '../third_party/WebKit/WebCore/rendering/RenderTheme.cpp', '../third_party/WebKit/WebCore/rendering/RenderTheme.h', '../third_party/WebKit/WebCore/rendering/RenderThemeChromiumSkia.cpp', '../third_party/WebKit/WebCore/rendering/RenderThemeChromiumSkia.h', '../third_party/WebKit/WebCore/rendering/RenderThemeChromiumLinux.cpp', '../third_party/WebKit/WebCore/rendering/RenderThemeChromiumLinux.h', '../third_party/WebKit/WebCore/rendering/RenderThemeChromiumMac.h', '../third_party/WebKit/WebCore/rendering/RenderThemeChromiumMac.mm', '../third_party/WebKit/WebCore/rendering/RenderThemeChromiumWin.cpp', '../third_party/WebKit/WebCore/rendering/RenderThemeChromiumWin.h', '../third_party/WebKit/WebCore/rendering/RenderThemeMac.h', '../third_party/WebKit/WebCore/rendering/RenderThemeMac.mm', '../third_party/WebKit/WebCore/rendering/RenderThemeSafari.cpp', '../third_party/WebKit/WebCore/rendering/RenderThemeSafari.h', '../third_party/WebKit/WebCore/rendering/RenderThemeWin.cpp', '../third_party/WebKit/WebCore/rendering/RenderThemeWin.h', '../third_party/WebKit/WebCore/rendering/RenderTreeAsText.cpp', '../third_party/WebKit/WebCore/rendering/RenderTreeAsText.h', '../third_party/WebKit/WebCore/rendering/RenderVideo.cpp', '../third_party/WebKit/WebCore/rendering/RenderVideo.h', '../third_party/WebKit/WebCore/rendering/RenderView.cpp', '../third_party/WebKit/WebCore/rendering/RenderView.h', '../third_party/WebKit/WebCore/rendering/RenderWidget.cpp', '../third_party/WebKit/WebCore/rendering/RenderWidget.h', '../third_party/WebKit/WebCore/rendering/RenderWordBreak.cpp', '../third_party/WebKit/WebCore/rendering/RenderWordBreak.h', '../third_party/WebKit/WebCore/rendering/RootInlineBox.cpp', '../third_party/WebKit/WebCore/rendering/RootInlineBox.h', '../third_party/WebKit/WebCore/rendering/ScrollBehavior.cpp', '../third_party/WebKit/WebCore/rendering/ScrollBehavior.h', '../third_party/WebKit/WebCore/rendering/SVGCharacterLayoutInfo.cpp', '../third_party/WebKit/WebCore/rendering/SVGCharacterLayoutInfo.h', '../third_party/WebKit/WebCore/rendering/SVGInlineFlowBox.cpp', '../third_party/WebKit/WebCore/rendering/SVGInlineFlowBox.h', '../third_party/WebKit/WebCore/rendering/SVGInlineTextBox.cpp', '../third_party/WebKit/WebCore/rendering/SVGInlineTextBox.h', '../third_party/WebKit/WebCore/rendering/SVGRenderSupport.cpp', '../third_party/WebKit/WebCore/rendering/SVGRenderSupport.h', '../third_party/WebKit/WebCore/rendering/SVGRenderTreeAsText.cpp', '../third_party/WebKit/WebCore/rendering/SVGRenderTreeAsText.h', '../third_party/WebKit/WebCore/rendering/SVGRootInlineBox.cpp', '../third_party/WebKit/WebCore/rendering/SVGRootInlineBox.h', '../third_party/WebKit/WebCore/rendering/TableLayout.h', '../third_party/WebKit/WebCore/rendering/TextControlInnerElements.cpp', '../third_party/WebKit/WebCore/rendering/TextControlInnerElements.h', '../third_party/WebKit/WebCore/rendering/TransformState.cpp', '../third_party/WebKit/WebCore/rendering/TransformState.h', '../third_party/WebKit/WebCore/rendering/bidi.cpp', '../third_party/WebKit/WebCore/rendering/bidi.h', '../third_party/WebKit/WebCore/rendering/break_lines.cpp', '../third_party/WebKit/WebCore/rendering/break_lines.h', '../third_party/WebKit/WebCore/storage/ChangeVersionWrapper.cpp', '../third_party/WebKit/WebCore/storage/ChangeVersionWrapper.h', '../third_party/WebKit/WebCore/storage/Database.cpp', '../third_party/WebKit/WebCore/storage/Database.h', '../third_party/WebKit/WebCore/storage/DatabaseAuthorizer.cpp', '../third_party/WebKit/WebCore/storage/DatabaseAuthorizer.h', '../third_party/WebKit/WebCore/storage/DatabaseDetails.h', '../third_party/WebKit/WebCore/storage/DatabaseTask.cpp', '../third_party/WebKit/WebCore/storage/DatabaseTask.h', '../third_party/WebKit/WebCore/storage/DatabaseThread.cpp', '../third_party/WebKit/WebCore/storage/DatabaseThread.h', '../third_party/WebKit/WebCore/storage/DatabaseTracker.cpp', '../third_party/WebKit/WebCore/storage/DatabaseTracker.h', '../third_party/WebKit/WebCore/storage/DatabaseTrackerClient.h', '../third_party/WebKit/WebCore/storage/LocalStorage.cpp', '../third_party/WebKit/WebCore/storage/LocalStorage.h', '../third_party/WebKit/WebCore/storage/LocalStorageArea.cpp', '../third_party/WebKit/WebCore/storage/LocalStorageArea.h', '../third_party/WebKit/WebCore/storage/LocalStorageTask.cpp', '../third_party/WebKit/WebCore/storage/LocalStorageTask.h', '../third_party/WebKit/WebCore/storage/LocalStorageThread.cpp', '../third_party/WebKit/WebCore/storage/LocalStorageThread.h', '../third_party/WebKit/WebCore/storage/OriginQuotaManager.cpp', '../third_party/WebKit/WebCore/storage/OriginQuotaManager.h', '../third_party/WebKit/WebCore/storage/OriginUsageRecord.cpp', '../third_party/WebKit/WebCore/storage/OriginUsageRecord.h', '../third_party/WebKit/WebCore/storage/SQLError.h', '../third_party/WebKit/WebCore/storage/SQLResultSet.cpp', '../third_party/WebKit/WebCore/storage/SQLResultSet.h', '../third_party/WebKit/WebCore/storage/SQLResultSetRowList.cpp', '../third_party/WebKit/WebCore/storage/SQLResultSetRowList.h', '../third_party/WebKit/WebCore/storage/SQLStatement.cpp', '../third_party/WebKit/WebCore/storage/SQLStatement.h', '../third_party/WebKit/WebCore/storage/SQLStatementCallback.h', '../third_party/WebKit/WebCore/storage/SQLStatementErrorCallback.h', '../third_party/WebKit/WebCore/storage/SQLTransaction.cpp', '../third_party/WebKit/WebCore/storage/SQLTransaction.h', '../third_party/WebKit/WebCore/storage/SQLTransactionCallback.h', '../third_party/WebKit/WebCore/storage/SQLTransactionErrorCallback.h', '../third_party/WebKit/WebCore/storage/SessionStorage.cpp', '../third_party/WebKit/WebCore/storage/SessionStorage.h', '../third_party/WebKit/WebCore/storage/SessionStorageArea.cpp', '../third_party/WebKit/WebCore/storage/SessionStorageArea.h', '../third_party/WebKit/WebCore/storage/Storage.cpp', '../third_party/WebKit/WebCore/storage/Storage.h', '../third_party/WebKit/WebCore/storage/StorageArea.h', '../third_party/WebKit/WebCore/storage/StorageEvent.cpp', '../third_party/WebKit/WebCore/storage/StorageEvent.h', '../third_party/WebKit/WebCore/storage/StorageMap.cpp', '../third_party/WebKit/WebCore/storage/StorageMap.h', '../third_party/WebKit/WebCore/svg/animation/SMILTime.cpp', '../third_party/WebKit/WebCore/svg/animation/SMILTime.h', '../third_party/WebKit/WebCore/svg/animation/SMILTimeContainer.cpp', '../third_party/WebKit/WebCore/svg/animation/SMILTimeContainer.h', '../third_party/WebKit/WebCore/svg/animation/SVGSMILElement.cpp', '../third_party/WebKit/WebCore/svg/animation/SVGSMILElement.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGDistantLightSource.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEConvolveMatrix.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEConvolveMatrix.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEDiffuseLighting.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEDiffuseLighting.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEDisplacementMap.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEDisplacementMap.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEFlood.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEFlood.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEGaussianBlur.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEGaussianBlur.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEImage.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEImage.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEMerge.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEMerge.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEMorphology.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEMorphology.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEOffset.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFEOffset.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFESpecularLighting.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFESpecularLighting.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFETile.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFETile.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFETurbulence.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFETurbulence.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFilterEffect.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGFilterEffect.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGLightSource.cpp', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGLightSource.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGPointLightSource.h', '../third_party/WebKit/WebCore/svg/graphics/filters/SVGSpotLightSource.h', '../third_party/WebKit/WebCore/svg/graphics/SVGImage.cpp', '../third_party/WebKit/WebCore/svg/graphics/SVGImage.h', '../third_party/WebKit/WebCore/svg/graphics/SVGPaintServer.cpp', '../third_party/WebKit/WebCore/svg/graphics/SVGPaintServer.h', '../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerGradient.cpp', '../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerGradient.h', '../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerLinearGradient.cpp', '../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerLinearGradient.h', '../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerPattern.cpp', '../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerPattern.h', '../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerRadialGradient.cpp', '../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerRadialGradient.h', '../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerSolid.cpp', '../third_party/WebKit/WebCore/svg/graphics/SVGPaintServerSolid.h', '../third_party/WebKit/WebCore/svg/graphics/SVGResource.cpp', '../third_party/WebKit/WebCore/svg/graphics/SVGResource.h', '../third_party/WebKit/WebCore/svg/graphics/SVGResourceClipper.cpp', '../third_party/WebKit/WebCore/svg/graphics/SVGResourceClipper.h', '../third_party/WebKit/WebCore/svg/graphics/SVGResourceFilter.cpp', '../third_party/WebKit/WebCore/svg/graphics/SVGResourceFilter.h', '../third_party/WebKit/WebCore/svg/graphics/SVGResourceListener.h', '../third_party/WebKit/WebCore/svg/graphics/SVGResourceMarker.cpp', '../third_party/WebKit/WebCore/svg/graphics/SVGResourceMarker.h', '../third_party/WebKit/WebCore/svg/graphics/SVGResourceMasker.cpp', '../third_party/WebKit/WebCore/svg/graphics/SVGResourceMasker.h', '../third_party/WebKit/WebCore/svg/ColorDistance.cpp', '../third_party/WebKit/WebCore/svg/ColorDistance.h', '../third_party/WebKit/WebCore/svg/ElementTimeControl.h', '../third_party/WebKit/WebCore/svg/Filter.cpp', '../third_party/WebKit/WebCore/svg/Filter.h', '../third_party/WebKit/WebCore/svg/FilterBuilder.h', '../third_party/WebKit/WebCore/svg/FilterBuilder.cpp', '../third_party/WebKit/WebCore/svg/FilterEffect.cpp', '../third_party/WebKit/WebCore/svg/FilterEffect.h', '../third_party/WebKit/WebCore/svg/GradientAttributes.h', '../third_party/WebKit/WebCore/svg/LinearGradientAttributes.h', '../third_party/WebKit/WebCore/svg/PatternAttributes.h', '../third_party/WebKit/WebCore/svg/RadialGradientAttributes.h', '../third_party/WebKit/WebCore/svg/SVGAElement.cpp', '../third_party/WebKit/WebCore/svg/SVGAElement.h', '../third_party/WebKit/WebCore/svg/SVGAllInOne.cpp', '../third_party/WebKit/WebCore/svg/SVGAltGlyphElement.cpp', '../third_party/WebKit/WebCore/svg/SVGAltGlyphElement.h', '../third_party/WebKit/WebCore/svg/SVGAngle.cpp', '../third_party/WebKit/WebCore/svg/SVGAngle.h', '../third_party/WebKit/WebCore/svg/SVGAnimateColorElement.cpp', '../third_party/WebKit/WebCore/svg/SVGAnimateColorElement.h', '../third_party/WebKit/WebCore/svg/SVGAnimateElement.cpp', '../third_party/WebKit/WebCore/svg/SVGAnimateElement.h', '../third_party/WebKit/WebCore/svg/SVGAnimateMotionElement.cpp', '../third_party/WebKit/WebCore/svg/SVGAnimateMotionElement.h', '../third_party/WebKit/WebCore/svg/SVGAnimateTransformElement.cpp', '../third_party/WebKit/WebCore/svg/SVGAnimateTransformElement.h', '../third_party/WebKit/WebCore/svg/SVGAnimatedPathData.cpp', '../third_party/WebKit/WebCore/svg/SVGAnimatedPathData.h', '../third_party/WebKit/WebCore/svg/SVGAnimatedPoints.cpp', '../third_party/WebKit/WebCore/svg/SVGAnimatedPoints.h', '../third_party/WebKit/WebCore/svg/SVGAnimatedProperty.h', '../third_party/WebKit/WebCore/svg/SVGAnimatedTemplate.h', '../third_party/WebKit/WebCore/svg/SVGAnimationElement.cpp', '../third_party/WebKit/WebCore/svg/SVGAnimationElement.h', '../third_party/WebKit/WebCore/svg/SVGCircleElement.cpp', '../third_party/WebKit/WebCore/svg/SVGCircleElement.h', '../third_party/WebKit/WebCore/svg/SVGClipPathElement.cpp', '../third_party/WebKit/WebCore/svg/SVGClipPathElement.h', '../third_party/WebKit/WebCore/svg/SVGColor.cpp', '../third_party/WebKit/WebCore/svg/SVGColor.h', '../third_party/WebKit/WebCore/svg/SVGComponentTransferFunctionElement.cpp', '../third_party/WebKit/WebCore/svg/SVGComponentTransferFunctionElement.h', '../third_party/WebKit/WebCore/svg/SVGCursorElement.cpp', '../third_party/WebKit/WebCore/svg/SVGCursorElement.h', '../third_party/WebKit/WebCore/svg/SVGDefinitionSrcElement.cpp', '../third_party/WebKit/WebCore/svg/SVGDefinitionSrcElement.h', '../third_party/WebKit/WebCore/svg/SVGDefsElement.cpp', '../third_party/WebKit/WebCore/svg/SVGDefsElement.h', '../third_party/WebKit/WebCore/svg/SVGDescElement.cpp', '../third_party/WebKit/WebCore/svg/SVGDescElement.h', '../third_party/WebKit/WebCore/svg/SVGDocument.cpp', '../third_party/WebKit/WebCore/svg/SVGDocument.h', '../third_party/WebKit/WebCore/svg/SVGDocumentExtensions.cpp', '../third_party/WebKit/WebCore/svg/SVGDocumentExtensions.h', '../third_party/WebKit/WebCore/svg/SVGElement.cpp', '../third_party/WebKit/WebCore/svg/SVGElement.h', '../third_party/WebKit/WebCore/svg/SVGElementInstance.cpp', '../third_party/WebKit/WebCore/svg/SVGElementInstance.h', '../third_party/WebKit/WebCore/svg/SVGElementInstanceList.cpp', '../third_party/WebKit/WebCore/svg/SVGElementInstanceList.h', '../third_party/WebKit/WebCore/svg/SVGEllipseElement.cpp', '../third_party/WebKit/WebCore/svg/SVGEllipseElement.h', '../third_party/WebKit/WebCore/svg/SVGException.h', '../third_party/WebKit/WebCore/svg/SVGExternalResourcesRequired.cpp', '../third_party/WebKit/WebCore/svg/SVGExternalResourcesRequired.h', '../third_party/WebKit/WebCore/svg/SVGFEBlendElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEBlendElement.h', '../third_party/WebKit/WebCore/svg/SVGFEColorMatrixElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEColorMatrixElement.h', '../third_party/WebKit/WebCore/svg/SVGFEComponentTransferElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEComponentTransferElement.h', '../third_party/WebKit/WebCore/svg/SVGFECompositeElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFECompositeElement.h', '../third_party/WebKit/WebCore/svg/SVGFEDiffuseLightingElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEDiffuseLightingElement.h', '../third_party/WebKit/WebCore/svg/SVGFEDisplacementMapElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEDisplacementMapElement.h', '../third_party/WebKit/WebCore/svg/SVGFEDistantLightElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEDistantLightElement.h', '../third_party/WebKit/WebCore/svg/SVGFEFloodElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEFloodElement.h', '../third_party/WebKit/WebCore/svg/SVGFEFuncAElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEFuncAElement.h', '../third_party/WebKit/WebCore/svg/SVGFEFuncBElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEFuncBElement.h', '../third_party/WebKit/WebCore/svg/SVGFEFuncGElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEFuncGElement.h', '../third_party/WebKit/WebCore/svg/SVGFEFuncRElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEFuncRElement.h', '../third_party/WebKit/WebCore/svg/SVGFEGaussianBlurElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEGaussianBlurElement.h', '../third_party/WebKit/WebCore/svg/SVGFEImageElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEImageElement.h', '../third_party/WebKit/WebCore/svg/SVGFELightElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFELightElement.h', '../third_party/WebKit/WebCore/svg/SVGFEMergeElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEMergeElement.h', '../third_party/WebKit/WebCore/svg/SVGFEMergeNodeElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEMergeNodeElement.h', '../third_party/WebKit/WebCore/svg/SVGFEOffsetElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEOffsetElement.h', '../third_party/WebKit/WebCore/svg/SVGFEPointLightElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFEPointLightElement.h', '../third_party/WebKit/WebCore/svg/SVGFESpecularLightingElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFESpecularLightingElement.h', '../third_party/WebKit/WebCore/svg/SVGFESpotLightElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFESpotLightElement.h', '../third_party/WebKit/WebCore/svg/SVGFETileElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFETileElement.h', '../third_party/WebKit/WebCore/svg/SVGFETurbulenceElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFETurbulenceElement.h', '../third_party/WebKit/WebCore/svg/SVGFilterElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFilterElement.h', '../third_party/WebKit/WebCore/svg/SVGFilterPrimitiveStandardAttributes.cpp', '../third_party/WebKit/WebCore/svg/SVGFilterPrimitiveStandardAttributes.h', '../third_party/WebKit/WebCore/svg/SVGFitToViewBox.cpp', '../third_party/WebKit/WebCore/svg/SVGFitToViewBox.h', '../third_party/WebKit/WebCore/svg/SVGFont.cpp', '../third_party/WebKit/WebCore/svg/SVGFontData.cpp', '../third_party/WebKit/WebCore/svg/SVGFontData.h', '../third_party/WebKit/WebCore/svg/SVGFontElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFontElement.h', '../third_party/WebKit/WebCore/svg/SVGFontFaceElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFontFaceElement.h', '../third_party/WebKit/WebCore/svg/SVGFontFaceFormatElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFontFaceFormatElement.h', '../third_party/WebKit/WebCore/svg/SVGFontFaceNameElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFontFaceNameElement.h', '../third_party/WebKit/WebCore/svg/SVGFontFaceSrcElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFontFaceSrcElement.h', '../third_party/WebKit/WebCore/svg/SVGFontFaceUriElement.cpp', '../third_party/WebKit/WebCore/svg/SVGFontFaceUriElement.h', '../third_party/WebKit/WebCore/svg/SVGForeignObjectElement.cpp', '../third_party/WebKit/WebCore/svg/SVGForeignObjectElement.h', '../third_party/WebKit/WebCore/svg/SVGGElement.cpp', '../third_party/WebKit/WebCore/svg/SVGGElement.h', '../third_party/WebKit/WebCore/svg/SVGGlyphElement.cpp', '../third_party/WebKit/WebCore/svg/SVGGlyphElement.h', '../third_party/WebKit/WebCore/svg/SVGGlyphMap.h', '../third_party/WebKit/WebCore/svg/SVGGradientElement.cpp', '../third_party/WebKit/WebCore/svg/SVGGradientElement.h', '../third_party/WebKit/WebCore/svg/SVGHKernElement.cpp', '../third_party/WebKit/WebCore/svg/SVGHKernElement.h', '../third_party/WebKit/WebCore/svg/SVGImageElement.cpp', '../third_party/WebKit/WebCore/svg/SVGImageElement.h', '../third_party/WebKit/WebCore/svg/SVGImageLoader.cpp', '../third_party/WebKit/WebCore/svg/SVGImageLoader.h', '../third_party/WebKit/WebCore/svg/SVGLangSpace.cpp', '../third_party/WebKit/WebCore/svg/SVGLangSpace.h', '../third_party/WebKit/WebCore/svg/SVGLength.cpp', '../third_party/WebKit/WebCore/svg/SVGLength.h', '../third_party/WebKit/WebCore/svg/SVGLengthList.cpp', '../third_party/WebKit/WebCore/svg/SVGLengthList.h', '../third_party/WebKit/WebCore/svg/SVGLineElement.cpp', '../third_party/WebKit/WebCore/svg/SVGLineElement.h', '../third_party/WebKit/WebCore/svg/SVGLinearGradientElement.cpp', '../third_party/WebKit/WebCore/svg/SVGLinearGradientElement.h', '../third_party/WebKit/WebCore/svg/SVGList.h', '../third_party/WebKit/WebCore/svg/SVGListTraits.h', '../third_party/WebKit/WebCore/svg/SVGLocatable.cpp', '../third_party/WebKit/WebCore/svg/SVGLocatable.h', '../third_party/WebKit/WebCore/svg/SVGMPathElement.cpp', '../third_party/WebKit/WebCore/svg/SVGMPathElement.h', '../third_party/WebKit/WebCore/svg/SVGMarkerElement.cpp', '../third_party/WebKit/WebCore/svg/SVGMarkerElement.h', '../third_party/WebKit/WebCore/svg/SVGMaskElement.cpp', '../third_party/WebKit/WebCore/svg/SVGMaskElement.h', '../third_party/WebKit/WebCore/svg/SVGMetadataElement.cpp', '../third_party/WebKit/WebCore/svg/SVGMetadataElement.h', '../third_party/WebKit/WebCore/svg/SVGMissingGlyphElement.cpp', '../third_party/WebKit/WebCore/svg/SVGMissingGlyphElement.h', '../third_party/WebKit/WebCore/svg/SVGNumberList.cpp', '../third_party/WebKit/WebCore/svg/SVGNumberList.h', '../third_party/WebKit/WebCore/svg/SVGPaint.cpp', '../third_party/WebKit/WebCore/svg/SVGPaint.h', '../third_party/WebKit/WebCore/svg/SVGParserUtilities.cpp', '../third_party/WebKit/WebCore/svg/SVGParserUtilities.h', '../third_party/WebKit/WebCore/svg/SVGPathElement.cpp', '../third_party/WebKit/WebCore/svg/SVGPathElement.h', '../third_party/WebKit/WebCore/svg/SVGPathSeg.h', '../third_party/WebKit/WebCore/svg/SVGPathSegArc.cpp', '../third_party/WebKit/WebCore/svg/SVGPathSegArc.h', '../third_party/WebKit/WebCore/svg/SVGPathSegClosePath.cpp', '../third_party/WebKit/WebCore/svg/SVGPathSegClosePath.h', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoCubic.cpp', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoCubic.h', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoCubicSmooth.cpp', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoCubicSmooth.h', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoQuadratic.cpp', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoQuadratic.h', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoQuadraticSmooth.cpp', '../third_party/WebKit/WebCore/svg/SVGPathSegCurvetoQuadraticSmooth.h', '../third_party/WebKit/WebCore/svg/SVGPathSegLineto.cpp', '../third_party/WebKit/WebCore/svg/SVGPathSegLineto.h', '../third_party/WebKit/WebCore/svg/SVGPathSegLinetoHorizontal.cpp', '../third_party/WebKit/WebCore/svg/SVGPathSegLinetoHorizontal.h', '../third_party/WebKit/WebCore/svg/SVGPathSegLinetoVertical.cpp', '../third_party/WebKit/WebCore/svg/SVGPathSegLinetoVertical.h', '../third_party/WebKit/WebCore/svg/SVGPathSegList.cpp', '../third_party/WebKit/WebCore/svg/SVGPathSegList.h', '../third_party/WebKit/WebCore/svg/SVGPathSegMoveto.cpp', '../third_party/WebKit/WebCore/svg/SVGPathSegMoveto.h', '../third_party/WebKit/WebCore/svg/SVGPatternElement.cpp', '../third_party/WebKit/WebCore/svg/SVGPatternElement.h', '../third_party/WebKit/WebCore/svg/SVGPointList.cpp', '../third_party/WebKit/WebCore/svg/SVGPointList.h', '../third_party/WebKit/WebCore/svg/SVGPolyElement.cpp', '../third_party/WebKit/WebCore/svg/SVGPolyElement.h', '../third_party/WebKit/WebCore/svg/SVGPolygonElement.cpp', '../third_party/WebKit/WebCore/svg/SVGPolygonElement.h', '../third_party/WebKit/WebCore/svg/SVGPolylineElement.cpp', '../third_party/WebKit/WebCore/svg/SVGPolylineElement.h', '../third_party/WebKit/WebCore/svg/SVGPreserveAspectRatio.cpp', '../third_party/WebKit/WebCore/svg/SVGPreserveAspectRatio.h', '../third_party/WebKit/WebCore/svg/SVGRadialGradientElement.cpp', '../third_party/WebKit/WebCore/svg/SVGRadialGradientElement.h', '../third_party/WebKit/WebCore/svg/SVGRectElement.cpp', '../third_party/WebKit/WebCore/svg/SVGRectElement.h', '../third_party/WebKit/WebCore/svg/SVGRenderingIntent.h', '../third_party/WebKit/WebCore/svg/SVGSVGElement.cpp', '../third_party/WebKit/WebCore/svg/SVGSVGElement.h', '../third_party/WebKit/WebCore/svg/SVGScriptElement.cpp', '../third_party/WebKit/WebCore/svg/SVGScriptElement.h', '../third_party/WebKit/WebCore/svg/SVGSetElement.cpp', '../third_party/WebKit/WebCore/svg/SVGSetElement.h', '../third_party/WebKit/WebCore/svg/SVGStopElement.cpp', '../third_party/WebKit/WebCore/svg/SVGStopElement.h', '../third_party/WebKit/WebCore/svg/SVGStringList.cpp', '../third_party/WebKit/WebCore/svg/SVGStringList.h', '../third_party/WebKit/WebCore/svg/SVGStylable.cpp', '../third_party/WebKit/WebCore/svg/SVGStylable.h', '../third_party/WebKit/WebCore/svg/SVGStyleElement.cpp', '../third_party/WebKit/WebCore/svg/SVGStyleElement.h', '../third_party/WebKit/WebCore/svg/SVGStyledElement.cpp', '../third_party/WebKit/WebCore/svg/SVGStyledElement.h', '../third_party/WebKit/WebCore/svg/SVGStyledLocatableElement.cpp', '../third_party/WebKit/WebCore/svg/SVGStyledLocatableElement.h', '../third_party/WebKit/WebCore/svg/SVGStyledTransformableElement.cpp', '../third_party/WebKit/WebCore/svg/SVGStyledTransformableElement.h', '../third_party/WebKit/WebCore/svg/SVGSwitchElement.cpp', '../third_party/WebKit/WebCore/svg/SVGSwitchElement.h', '../third_party/WebKit/WebCore/svg/SVGSymbolElement.cpp', '../third_party/WebKit/WebCore/svg/SVGSymbolElement.h', '../third_party/WebKit/WebCore/svg/SVGTRefElement.cpp', '../third_party/WebKit/WebCore/svg/SVGTRefElement.h', '../third_party/WebKit/WebCore/svg/SVGTSpanElement.cpp', '../third_party/WebKit/WebCore/svg/SVGTSpanElement.h', '../third_party/WebKit/WebCore/svg/SVGTests.cpp', '../third_party/WebKit/WebCore/svg/SVGTests.h', '../third_party/WebKit/WebCore/svg/SVGTextContentElement.cpp', '../third_party/WebKit/WebCore/svg/SVGTextContentElement.h', '../third_party/WebKit/WebCore/svg/SVGTextElement.cpp', '../third_party/WebKit/WebCore/svg/SVGTextElement.h', '../third_party/WebKit/WebCore/svg/SVGTextPathElement.cpp', '../third_party/WebKit/WebCore/svg/SVGTextPathElement.h', '../third_party/WebKit/WebCore/svg/SVGTextPositioningElement.cpp', '../third_party/WebKit/WebCore/svg/SVGTextPositioningElement.h', '../third_party/WebKit/WebCore/svg/SVGTitleElement.cpp', '../third_party/WebKit/WebCore/svg/SVGTitleElement.h', '../third_party/WebKit/WebCore/svg/SVGTransform.cpp', '../third_party/WebKit/WebCore/svg/SVGTransform.h', '../third_party/WebKit/WebCore/svg/SVGTransformDistance.cpp', '../third_party/WebKit/WebCore/svg/SVGTransformDistance.h', '../third_party/WebKit/WebCore/svg/SVGTransformList.cpp', '../third_party/WebKit/WebCore/svg/SVGTransformList.h', '../third_party/WebKit/WebCore/svg/SVGTransformable.cpp', '../third_party/WebKit/WebCore/svg/SVGTransformable.h', '../third_party/WebKit/WebCore/svg/SVGURIReference.cpp', '../third_party/WebKit/WebCore/svg/SVGURIReference.h', '../third_party/WebKit/WebCore/svg/SVGUnitTypes.h', '../third_party/WebKit/WebCore/svg/SVGUseElement.cpp', '../third_party/WebKit/WebCore/svg/SVGUseElement.h', '../third_party/WebKit/WebCore/svg/SVGViewElement.cpp', '../third_party/WebKit/WebCore/svg/SVGViewElement.h', '../third_party/WebKit/WebCore/svg/SVGViewSpec.cpp', '../third_party/WebKit/WebCore/svg/SVGViewSpec.h', '../third_party/WebKit/WebCore/svg/SVGZoomAndPan.cpp', '../third_party/WebKit/WebCore/svg/SVGZoomAndPan.h', '../third_party/WebKit/WebCore/svg/SVGZoomEvent.cpp', '../third_party/WebKit/WebCore/svg/SVGZoomEvent.h', '../third_party/WebKit/WebCore/svg/SynchronizableTypeWrapper.h', '../third_party/WebKit/WebCore/workers/GenericWorkerTask.h', '../third_party/WebKit/WebCore/workers/Worker.cpp', '../third_party/WebKit/WebCore/workers/Worker.h', '../third_party/WebKit/WebCore/workers/WorkerContext.cpp', '../third_party/WebKit/WebCore/workers/WorkerContext.h', '../third_party/WebKit/WebCore/workers/WorkerContextProxy.h', '../third_party/WebKit/WebCore/workers/WorkerLoaderProxy.h', '../third_party/WebKit/WebCore/workers/WorkerLocation.cpp', '../third_party/WebKit/WebCore/workers/WorkerLocation.h', '../third_party/WebKit/WebCore/workers/WorkerMessagingProxy.cpp', '../third_party/WebKit/WebCore/workers/WorkerMessagingProxy.h', '../third_party/WebKit/WebCore/workers/WorkerObjectProxy.h', '../third_party/WebKit/WebCore/workers/WorkerRunLoop.cpp', '../third_party/WebKit/WebCore/workers/WorkerRunLoop.h', '../third_party/WebKit/WebCore/workers/WorkerScriptLoader.cpp', '../third_party/WebKit/WebCore/workers/WorkerScriptLoader.h', '../third_party/WebKit/WebCore/workers/WorkerScriptLoaderClient.h', '../third_party/WebKit/WebCore/workers/WorkerThread.cpp', '../third_party/WebKit/WebCore/workers/WorkerThread.h', '../third_party/WebKit/WebCore/xml/DOMParser.cpp', '../third_party/WebKit/WebCore/xml/DOMParser.h', '../third_party/WebKit/WebCore/xml/NativeXPathNSResolver.cpp', '../third_party/WebKit/WebCore/xml/NativeXPathNSResolver.h', '../third_party/WebKit/WebCore/xml/XMLHttpRequest.cpp', '../third_party/WebKit/WebCore/xml/XMLHttpRequest.h', '../third_party/WebKit/WebCore/xml/XMLHttpRequestException.h', '../third_party/WebKit/WebCore/xml/XMLHttpRequestProgressEvent.h', '../third_party/WebKit/WebCore/xml/XMLHttpRequestUpload.cpp', '../third_party/WebKit/WebCore/xml/XMLHttpRequestUpload.h', '../third_party/WebKit/WebCore/xml/XMLSerializer.cpp', '../third_party/WebKit/WebCore/xml/XMLSerializer.h', '../third_party/WebKit/WebCore/xml/XPathEvaluator.cpp', '../third_party/WebKit/WebCore/xml/XPathEvaluator.h', '../third_party/WebKit/WebCore/xml/XPathException.h', '../third_party/WebKit/WebCore/xml/XPathExpression.cpp', '../third_party/WebKit/WebCore/xml/XPathExpression.h', '../third_party/WebKit/WebCore/xml/XPathExpressionNode.cpp', '../third_party/WebKit/WebCore/xml/XPathExpressionNode.h', '../third_party/WebKit/WebCore/xml/XPathFunctions.cpp', '../third_party/WebKit/WebCore/xml/XPathFunctions.h', '../third_party/WebKit/WebCore/xml/XPathNSResolver.cpp', '../third_party/WebKit/WebCore/xml/XPathNSResolver.h', '../third_party/WebKit/WebCore/xml/XPathNamespace.cpp', '../third_party/WebKit/WebCore/xml/XPathNamespace.h', '../third_party/WebKit/WebCore/xml/XPathNodeSet.cpp', '../third_party/WebKit/WebCore/xml/XPathNodeSet.h', '../third_party/WebKit/WebCore/xml/XPathParser.cpp', '../third_party/WebKit/WebCore/xml/XPathParser.h', '../third_party/WebKit/WebCore/xml/XPathPath.cpp', '../third_party/WebKit/WebCore/xml/XPathPath.h', '../third_party/WebKit/WebCore/xml/XPathPredicate.cpp', '../third_party/WebKit/WebCore/xml/XPathPredicate.h', '../third_party/WebKit/WebCore/xml/XPathResult.cpp', '../third_party/WebKit/WebCore/xml/XPathResult.h', '../third_party/WebKit/WebCore/xml/XPathStep.cpp', '../third_party/WebKit/WebCore/xml/XPathStep.h', '../third_party/WebKit/WebCore/xml/XPathUtil.cpp', '../third_party/WebKit/WebCore/xml/XPathUtil.h', '../third_party/WebKit/WebCore/xml/XPathValue.cpp', '../third_party/WebKit/WebCore/xml/XPathValue.h', '../third_party/WebKit/WebCore/xml/XPathVariableReference.cpp', '../third_party/WebKit/WebCore/xml/XPathVariableReference.h', '../third_party/WebKit/WebCore/xml/XSLImportRule.cpp', '../third_party/WebKit/WebCore/xml/XSLImportRule.h', '../third_party/WebKit/WebCore/xml/XSLStyleSheet.cpp', '../third_party/WebKit/WebCore/xml/XSLStyleSheet.h', '../third_party/WebKit/WebCore/xml/XSLTExtensions.cpp', '../third_party/WebKit/WebCore/xml/XSLTExtensions.h', '../third_party/WebKit/WebCore/xml/XSLTProcessor.cpp', '../third_party/WebKit/WebCore/xml/XSLTProcessor.h', '../third_party/WebKit/WebCore/xml/XSLTUnicodeSort.cpp', '../third_party/WebKit/WebCore/xml/XSLTUnicodeSort.h', '../third_party/WebKit/WebKit/mac/WebCoreSupport/WebSystemInterface.m'], 'sources/': [['exclude', '/third_party/WebKit/WebCore/storage/Storage[^/]*\\.idl$'], ['exclude', '/third_party/WebKit/WebCore/svg/SVG(FE|Filter)[^/]*\\.idl$'], ['exclude', '/(android|cairo|cf|cg|curl|gtk|linux|mac|opentype|posix|qt|soup|symbian|win|wx)/'], ['exclude', '(?<!Chromium)(SVGAllInOne|Android|Cairo|CF|CG|Curl|Gtk|Linux|Mac|OpenType|POSIX|Posix|Qt|Safari|Soup|Symbian|Win|Wx)\\.(cpp|mm?)$'], ['exclude', '/third_party/WebKit/WebCore/inspector/JavaScript[^/]*\\.cpp$'], ['exclude', '/third_party/WebKit/WebCore/loader/appcache/'], ['exclude', '/third_party/WebKit/WebCore/(platform|svg)/graphics/filters/'], ['exclude', '/third_party/WebKit/WebCore/svg/Filter[^/]*\\.cpp$'], ['exclude', '/third_party/WebKit/WebCore/svg/SVG(FE|Filter)[^/]*\\.cpp$'], ['exclude', '/third_party/WebKit/WebCore/storage/(Local|Session)Storage[^/]*\\.cpp$']], 'sources!': ['../third_party/WebKit/WebCore/dom/EventListener.idl', '../third_party/WebKit/WebCore/dom/EventTarget.idl', '../third_party/WebKit/WebCore/html/VoidCallback.idl', '../third_party/WebKit/WebCore/inspector/JavaScriptCallFrame.idl', '../third_party/WebKit/WebCore/loader/appcache/DOMApplicationCache.idl', '../third_party/WebKit/WebCore/page/Geolocation.idl', '../third_party/WebKit/WebCore/page/Geoposition.idl', '../third_party/WebKit/WebCore/page/PositionCallback.idl', '../third_party/WebKit/WebCore/page/PositionError.idl', '../third_party/WebKit/WebCore/page/PositionErrorCallback.idl', '../third_party/WebKit/WebCore/page/AbstractView.idl', '../third_party/WebKit/WebCore/svg/ElementTimeControl.idl', '../third_party/WebKit/WebCore/svg/SVGAnimatedPathData.idl', '../third_party/WebKit/WebCore/svg/SVGComponentTransferFunctionElement.idl', '../third_party/WebKit/WebCore/svg/SVGExternalResourcesRequired.idl', '../third_party/WebKit/WebCore/svg/SVGFitToViewBox.idl', '../third_party/WebKit/WebCore/svg/SVGHKernElement.idl', '../third_party/WebKit/WebCore/svg/SVGLangSpace.idl', '../third_party/WebKit/WebCore/svg/SVGLocatable.idl', '../third_party/WebKit/WebCore/svg/SVGStylable.idl', '../third_party/WebKit/WebCore/svg/SVGTests.idl', '../third_party/WebKit/WebCore/svg/SVGTransformable.idl', '../third_party/WebKit/WebCore/svg/SVGViewSpec.idl', '../third_party/WebKit/WebCore/svg/SVGZoomAndPan.idl', '../third_party/WebKit/WebCore/css/CSSUnknownRule.idl', '../third_party/WebKit/WebCore/history/BackForwardList.cpp', '../third_party/WebKit/WebCore/loader/icon/IconDatabase.cpp', '../third_party/WebKit/WebCore/platform/KURL.cpp', '../third_party/WebKit/WebCore/platform/MIMETypeRegistry.cpp', '../third_party/WebKit/WebCore/platform/Theme.cpp', '../third_party/WebKit/WebCore/plugins/PluginDatabase.cpp', '../third_party/WebKit/WebCore/plugins/PluginInfoStore.cpp', '../third_party/WebKit/WebCore/plugins/PluginMainThreadScheduler.cpp', '../third_party/WebKit/WebCore/plugins/PluginPackage.cpp', '../third_party/WebKit/WebCore/plugins/PluginStream.cpp', '../third_party/WebKit/WebCore/plugins/PluginView.cpp', '../third_party/WebKit/WebCore/plugins/npapi.cpp', '../third_party/WebKit/WebCore/platform/LinkHash.cpp', '../third_party/WebKit/WebCore/dom/StaticStringList.cpp', '../third_party/WebKit/WebCore/loader/icon/IconFetcher.cpp', '../third_party/WebKit/WebCore/loader/UserStyleSheetLoader.cpp', '../third_party/WebKit/WebCore/platform/graphics/GraphicsLayer.cpp', '../third_party/WebKit/WebCore/platform/graphics/RenderLayerBacking.cpp', '../third_party/WebKit/WebCore/platform/graphics/RenderLayerCompositor.cpp'], 'direct_dependent_settings': {'include_dirs': ['<(SHARED_INTERMEDIATE_DIR)/webkit', '<(SHARED_INTERMEDIATE_DIR)/webkit/bindings', 'port/bindings/v8', '<@(webcore_include_dirs)'], 'mac_framework_dirs': ['$(SDKROOT)/System/Library/Frameworks/ApplicationServices.framework/Frameworks']}, 'export_dependent_settings': ['wtf', '../build/temp_gyp/googleurl.gyp:googleurl', '../skia/skia.gyp:skia', '../third_party/npapi/npapi.gyp:npapi'], 'link_settings': {'mac_bundle_resources': ['../third_party/WebKit/WebCore/Resources/aliasCursor.png', '../third_party/WebKit/WebCore/Resources/cellCursor.png', '../third_party/WebKit/WebCore/Resources/contextMenuCursor.png', '../third_party/WebKit/WebCore/Resources/copyCursor.png', '../third_party/WebKit/WebCore/Resources/crossHairCursor.png', '../third_party/WebKit/WebCore/Resources/eastResizeCursor.png', '../third_party/WebKit/WebCore/Resources/eastWestResizeCursor.png', '../third_party/WebKit/WebCore/Resources/helpCursor.png', '../third_party/WebKit/WebCore/Resources/linkCursor.png', '../third_party/WebKit/WebCore/Resources/missingImage.png', '../third_party/WebKit/WebCore/Resources/moveCursor.png', '../third_party/WebKit/WebCore/Resources/noDropCursor.png', '../third_party/WebKit/WebCore/Resources/noneCursor.png', '../third_party/WebKit/WebCore/Resources/northEastResizeCursor.png', '../third_party/WebKit/WebCore/Resources/northEastSouthWestResizeCursor.png', '../third_party/WebKit/WebCore/Resources/northResizeCursor.png', '../third_party/WebKit/WebCore/Resources/northSouthResizeCursor.png', '../third_party/WebKit/WebCore/Resources/northWestResizeCursor.png', '../third_party/WebKit/WebCore/Resources/northWestSouthEastResizeCursor.png', '../third_party/WebKit/WebCore/Resources/notAllowedCursor.png', '../third_party/WebKit/WebCore/Resources/progressCursor.png', '../third_party/WebKit/WebCore/Resources/southEastResizeCursor.png', '../third_party/WebKit/WebCore/Resources/southResizeCursor.png', '../third_party/WebKit/WebCore/Resources/southWestResizeCursor.png', '../third_party/WebKit/WebCore/Resources/verticalTextCursor.png', '../third_party/WebKit/WebCore/Resources/waitCursor.png', '../third_party/WebKit/WebCore/Resources/westResizeCursor.png', '../third_party/WebKit/WebCore/Resources/zoomInCursor.png', '../third_party/WebKit/WebCore/Resources/zoomOutCursor.png']}, 'hard_dependency': 1, 'mac_framework_dirs': ['$(SDKROOT)/System/Library/Frameworks/ApplicationServices.framework/Frameworks'], 'msvs_disabled_warnings': [4138, 4244, 4291, 4305, 4344, 4355, 4521, 4099], 'scons_line_length': 1, 'xcode_settings': {'GCC_PREFIX_HEADER': '../third_party/WebKit/WebCore/WebCorePrefix.h'}, 'conditions': [['javascript_engine=="v8"', {'dependencies': ['../v8/tools/gyp/v8.gyp:v8'], 'export_dependent_settings': ['../v8/tools/gyp/v8.gyp:v8']}], ['OS=="linux"', {'dependencies': ['../build/linux/system.gyp:fontconfig', '../build/linux/system.gyp:gtk'], 'sources': ['../third_party/WebKit/WebCore/platform/graphics/chromium/VDMXParser.cpp', '../third_party/WebKit/WebCore/platform/graphics/chromium/HarfbuzzSkia.cpp'], 'sources!': ['../third_party/WebKit/WebCore/platform/graphics/chromium/FontCustomPlatformData.cpp'], 'sources/': [['include', 'third_party/WebKit/WebCore/platform/chromium/KeyCodeConversionGtk\\.cpp$'], ['include', 'third_party/WebKit/WebCore/platform/graphics/chromium/FontCacheLinux\\.cpp$'], ['include', 'third_party/WebKit/WebCore/platform/graphics/chromium/FontLinux\\.cpp$'], ['include', 'third_party/WebKit/WebCore/platform/graphics/chromium/FontPlatformDataLinux\\.cpp$'], ['include', 'third_party/WebKit/WebCore/platform/graphics/chromium/GlyphPageTreeNodeLinux\\.cpp$'], ['include', 'third_party/WebKit/WebCore/platform/graphics/chromium/SimpleFontDataLinux\\.cpp$']], 'cflags': ['-Wno-multichar', '-fno-strict-aliasing']}], ['OS=="mac"', {'actions': [{'action_name': 'WebCoreSystemInterface.h', 'inputs': ['../third_party/WebKit/WebCore/platform/mac/WebCoreSystemInterface.h'], 'outputs': ['<(INTERMEDIATE_DIR)/WebCore/WebCoreSystemInterface.h'], 'action': ['cp', '<@(_inputs)', '<@(_outputs)']}], 'include_dirs': ['../third_party/WebKit/WebKitLibraries'], 'sources/': [['include', 'CF\\.cpp$'], ['exclude', '/network/cf/'], ['include', '/platform/graphics/cg/[^/]*(?<!Win)?\\.(cpp|mm?)$'], ['include', '/platform/(graphics/)?mac/[^/]*Font[^/]*\\.(cpp|mm?)$'], ['include', '/third_party/WebKit/WebCore/loader/archive/cf/LegacyWebArchive\\.cpp$'], ['include', '/third_party/WebKit/WebCore/platform/graphics/mac/ColorMac\\.mm$'], ['include', '/third_party/WebKit/WebCore/platform/graphics/mac/GlyphPageTreeNodeMac\\.cpp$'], ['include', '/third_party/WebKit/WebCore/platform/graphics/mac/GraphicsContextMac\\.mm$'], ['include', '/third_party/WebKit/WebCore/platform/mac/BlockExceptions\\.mm$'], ['include', '/third_party/WebKit/WebCore/platform/mac/LocalCurrentGraphicsContext\\.mm$'], ['include', '/third_party/WebKit/WebCore/platform/mac/PurgeableBufferMac\\.cpp$'], ['include', '/third_party/WebKit/WebCore/platform/mac/ScrollbarThemeMac\\.mm$'], ['include', '/third_party/WebKit/WebCore/platform/mac/WebCoreSystemInterface\\.mm$'], ['include', '/third_party/WebKit/WebCore/platform/mac/WebCoreTextRenderer\\.mm$'], ['include', '/third_party/WebKit/WebCore/platform/text/mac/ShapeArabic\\.c$'], ['include', '/third_party/WebKit/WebCore/platform/text/mac/String(Impl)?Mac\\.mm$'], ['include', '/third_party/WebKit/WebKit/mac/WebCoreSupport/WebSystemInterface\\.m$']], 'sources!': ['../third_party/WebKit/WebCore/platform/graphics/chromium/FontCustomPlatformData.cpp', '../third_party/WebKit/WebCore/platform/chromium/ScrollbarThemeChromium.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/FloatPointSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/FloatRectSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/GradientSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/GraphicsContextSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/ImageBufferSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/ImageSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/ImageSourceSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/IntPointSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/IntRectSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/PathSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/PatternSkia.cpp', '../third_party/WebKit/WebCore/platform/graphics/skia/TransformationMatrixSkia.cpp', '../third_party/WebKit/WebCore/rendering/RenderThemeChromiumSkia.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/ImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/bmp/BMPImageDecoder.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/bmp/BMPImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/bmp/BMPImageReader.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/bmp/BMPImageReader.h', '../third_party/WebKit/WebCore/platform/image-decoders/gif/GIFImageDecoder.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/gif/GIFImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/gif/GIFImageReader.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/gif/GIFImageReader.h', '../third_party/WebKit/WebCore/platform/image-decoders/ico/ICOImageDecoder.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/ico/ICOImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/jpeg/JPEGImageDecoder.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/jpeg/JPEGImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/png/PNGImageDecoder.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/png/PNGImageDecoder.h', '../third_party/WebKit/WebCore/platform/image-decoders/skia/ImageDecoderSkia.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/xbm/XBMImageDecoder.cpp', '../third_party/WebKit/WebCore/platform/image-decoders/xbm/XBMImageDecoder.h'], 'link_settings': {'libraries': ['../third_party/WebKit/WebKitLibraries/libWebKitSystemInterfaceLeopard.a']}, 'direct_dependent_settings': {'include_dirs': ['../third_party/WebKit/WebKitLibraries', '../third_party/WebKit/WebKit/mac/WebCoreSupport']}}], ['OS=="win"', {'dependencies': ['../build/win/system.gyp:cygwin'], 'sources/': [['exclude', 'Posix\\.cpp$'], ['include', '/opentype/'], ['include', '/TransparencyWin\\.cpp$'], ['include', '/SkiaFontWin\\.cpp$']], 'defines': ['__PRETTY_FUNCTION__=__FUNCTION__', 'DISABLE_ACTIVEX_TYPE_CONVERSION_MPLAYER2'], 'include_dirs++': ['../third_party/WebKit/WebCore/dom'], 'direct_dependent_settings': {'include_dirs+++': ['../third_party/WebKit/WebCore/dom']}}], ['OS!="linux"', {'sources/': [['exclude', '(Gtk|Linux)\\.cpp$']]}], ['OS!="mac"', {'sources/': [['exclude', 'Mac\\.(cpp|mm?)$']]}], ['OS!="win"', {'sources/': [['exclude', 'Win\\.cpp$'], ['exclude', '/(Windows|Uniscribe)[^/]*\\.cpp$']]}]]}, {'target_name': 'webkit', 'type': '<(library)', 'msvs_guid': '5ECEC9E5-8F23-47B6-93E0-C3B328B3BE65', 'dependencies': ['webcore'], 'include_dirs': ['api/public', 'api/src'], 'defines': ['WEBKIT_IMPLEMENTATION'], 'sources': ['api/public/gtk/WebInputEventFactory.h', 'api/public/x11/WebScreenInfoFactory.h', 'api/public/mac/WebInputEventFactory.h', 'api/public/mac/WebScreenInfoFactory.h', 'api/public/WebCache.h', 'api/public/WebCanvas.h', 'api/public/WebClipboard.h', 'api/public/WebColor.h', 'api/public/WebCommon.h', 'api/public/WebConsoleMessage.h', 'api/public/WebCString.h', 'api/public/WebCursorInfo.h', 'api/public/WebData.h', 'api/public/WebDataSource.h', 'api/public/WebDragData.h', 'api/public/WebFindOptions.h', 'api/public/WebForm.h', 'api/public/WebHistoryItem.h', 'api/public/WebHTTPBody.h', 'api/public/WebImage.h', 'api/public/WebInputEvent.h', 'api/public/WebKit.h', 'api/public/WebKitClient.h', 'api/public/WebMediaPlayer.h', 'api/public/WebMediaPlayerClient.h', 'api/public/WebMimeRegistry.h', 'api/public/WebNavigationType.h', 'api/public/WebNonCopyable.h', 'api/public/WebPluginListBuilder.h', 'api/public/WebPoint.h', 'api/public/WebRect.h', 'api/public/WebScreenInfo.h', 'api/public/WebScriptSource.h', 'api/public/WebSize.h', 'api/public/WebString.h', 'api/public/WebURL.h', 'api/public/WebURLError.h', 'api/public/WebURLLoader.h', 'api/public/WebURLLoaderClient.h', 'api/public/WebURLRequest.h', 'api/public/WebURLResponse.h', 'api/public/WebVector.h', 'api/public/win/WebInputEventFactory.h', 'api/public/win/WebSandboxSupport.h', 'api/public/win/WebScreenInfoFactory.h', 'api/public/win/WebScreenInfoFactory.h', 'api/src/ChromiumBridge.cpp', 'api/src/ChromiumCurrentTime.cpp', 'api/src/ChromiumThreading.cpp', 'api/src/gtk/WebFontInfo.cpp', 'api/src/gtk/WebFontInfo.h', 'api/src/gtk/WebInputEventFactory.cpp', 'api/src/x11/WebScreenInfoFactory.cpp', 'api/src/mac/WebInputEventFactory.mm', 'api/src/mac/WebScreenInfoFactory.mm', 'api/src/MediaPlayerPrivateChromium.cpp', 'api/src/ResourceHandle.cpp', 'api/src/TemporaryGlue.h', 'api/src/WebCache.cpp', 'api/src/WebCString.cpp', 'api/src/WebCursorInfo.cpp', 'api/src/WebData.cpp', 'api/src/WebDragData.cpp', 'api/src/WebForm.cpp', 'api/src/WebHistoryItem.cpp', 'api/src/WebHTTPBody.cpp', 'api/src/WebImageCG.cpp', 'api/src/WebImageSkia.cpp', 'api/src/WebInputEvent.cpp', 'api/src/WebKit.cpp', 'api/src/WebMediaPlayerClientImpl.cpp', 'api/src/WebMediaPlayerClientImpl.h', 'api/src/WebPluginListBuilderImpl.cpp', 'api/src/WebPluginListBuilderImpl.h', 'api/src/WebString.cpp', 'api/src/WebURL.cpp', 'api/src/WebURLRequest.cpp', 'api/src/WebURLRequestPrivate.h', 'api/src/WebURLResponse.cpp', 'api/src/WebURLResponsePrivate.h', 'api/src/WebURLError.cpp', 'api/src/WrappedResourceRequest.h', 'api/src/WrappedResourceResponse.h', 'api/src/win/WebInputEventFactory.cpp', 'api/src/win/WebScreenInfoFactory.cpp'], 'conditions': [['OS=="linux"', {'dependencies': ['../build/linux/system.gyp:x11', '../build/linux/system.gyp:gtk'], 'include_dirs': ['api/public/x11', 'api/public/gtk', 'api/public/linux']}, {'sources/': [['exclude', '/gtk/'], ['exclude', '/x11/']]}], ['OS=="mac"', {'include_dirs': ['api/public/mac'], 'sources/': [['exclude', 'Skia\\.cpp$']]}, {'sources/': [['exclude', '/mac/'], ['exclude', 'CG\\.cpp$']]}], ['OS=="win"', {'include_dirs': ['api/public/win']}, {'sources/': [['exclude', '/win/']]}]]}, {'target_name': 'webkit_resources', 'type': 'none', 'msvs_guid': '0B469837-3D46-484A-AFB3-C5A6C68730B9', 'variables': {'grit_path': '../tools/grit/grit.py', 'grit_out_dir': '<(SHARED_INTERMEDIATE_DIR)/webkit'}, 'actions': [{'action_name': 'webkit_resources', 'variables': {'input_path': 'glue/webkit_resources.grd'}, 'inputs': ['<(input_path)'], 'outputs': ['<(grit_out_dir)/grit/webkit_resources.h', '<(grit_out_dir)/webkit_resources.pak', '<(grit_out_dir)/webkit_resources.rc'], 'action': ['python', '<(grit_path)', '-i', '<(input_path)', 'build', '-o', '<(grit_out_dir)'], 'message': 'Generating resources from <(input_path)'}], 'direct_dependent_settings': {'include_dirs': ['<(SHARED_INTERMEDIATE_DIR)/webkit']}, 'conditions': [['OS=="win"', {'dependencies': ['../build/win/system.gyp:cygwin']}]]}, {'target_name': 'webkit_strings', 'type': 'none', 'msvs_guid': '60B43839-95E6-4526-A661-209F16335E0E', 'variables': {'grit_path': '../tools/grit/grit.py', 'grit_out_dir': '<(SHARED_INTERMEDIATE_DIR)/webkit'}, 'actions': [{'action_name': 'webkit_strings', 'variables': {'input_path': 'glue/webkit_strings.grd'}, 'inputs': ['<(input_path)'], 'outputs': ['<(grit_out_dir)/grit/webkit_strings.h', '<(grit_out_dir)/webkit_strings_da.pak', '<(grit_out_dir)/webkit_strings_da.rc', '<(grit_out_dir)/webkit_strings_en-US.pak', '<(grit_out_dir)/webkit_strings_en-US.rc', '<(grit_out_dir)/webkit_strings_he.pak', '<(grit_out_dir)/webkit_strings_he.rc', '<(grit_out_dir)/webkit_strings_zh-TW.pak', '<(grit_out_dir)/webkit_strings_zh-TW.rc'], 'action': ['python', '<(grit_path)', '-i', '<(input_path)', 'build', '-o', '<(grit_out_dir)'], 'message': 'Generating resources from <(input_path)'}], 'direct_dependent_settings': {'include_dirs': ['<(SHARED_INTERMEDIATE_DIR)/webkit']}, 'conditions': [['OS=="win"', {'dependencies': ['../build/win/system.gyp:cygwin']}]]}, {'target_name': 'glue', 'type': '<(library)', 'msvs_guid': 'C66B126D-0ECE-4CA2-B6DC-FA780AFBBF09', 'dependencies': ['../net/net.gyp:net', 'inspector_resources', 'webcore', 'webkit', 'webkit_resources', 'webkit_strings'], 'actions': [{'action_name': 'webkit_version', 'inputs': ['build/webkit_version.py', '../third_party/WebKit/WebCore/Configurations/Version.xcconfig'], 'outputs': ['<(INTERMEDIATE_DIR)/webkit_version.h'], 'action': ['python', '<@(_inputs)', '<(INTERMEDIATE_DIR)']}], 'include_dirs': ['<(INTERMEDIATE_DIR)', '<(SHARED_INTERMEDIATE_DIR)/webkit'], 'sources': ['glue/devtools/devtools_rpc.cc', 'glue/devtools/devtools_rpc.h', 'glue/devtools/devtools_rpc_js.h', 'glue/devtools/bound_object.cc', 'glue/devtools/bound_object.h', 'glue/devtools/debugger_agent.h', 'glue/devtools/debugger_agent_impl.cc', 'glue/devtools/debugger_agent_impl.h', 'glue/devtools/debugger_agent_manager.cc', 'glue/devtools/debugger_agent_manager.h', 'glue/devtools/dom_agent.h', 'glue/devtools/dom_agent_impl.cc', 'glue/devtools/dom_agent_impl.h', 'glue/devtools/tools_agent.h', 'glue/media/media_resource_loader_bridge_factory.cc', 'glue/media/media_resource_loader_bridge_factory.h', 'glue/media/simple_data_source.cc', 'glue/media/simple_data_source.h', 'glue/media/video_renderer_impl.cc', 'glue/media/video_renderer_impl.h', 'glue/plugins/mozilla_extensions.cc', 'glue/plugins/mozilla_extensions.h', 'glue/plugins/nphostapi.h', 'glue/plugins/gtk_plugin_container.h', 'glue/plugins/gtk_plugin_container.cc', 'glue/plugins/gtk_plugin_container_manager.h', 'glue/plugins/gtk_plugin_container_manager.cc', 'glue/plugins/plugin_constants_win.h', 'glue/plugins/plugin_host.cc', 'glue/plugins/plugin_host.h', 'glue/plugins/plugin_instance.cc', 'glue/plugins/plugin_instance.h', 'glue/plugins/plugin_lib.cc', 'glue/plugins/plugin_lib.h', 'glue/plugins/plugin_lib_linux.cc', 'glue/plugins/plugin_lib_mac.mm', 'glue/plugins/plugin_lib_win.cc', 'glue/plugins/plugin_list.cc', 'glue/plugins/plugin_list.h', 'glue/plugins/plugin_list_linux.cc', 'glue/plugins/plugin_list_mac.mm', 'glue/plugins/plugin_list_win.cc', 'glue/plugins/plugin_stream.cc', 'glue/plugins/plugin_stream.h', 'glue/plugins/plugin_stream_posix.cc', 'glue/plugins/plugin_stream_url.cc', 'glue/plugins/plugin_stream_url.h', 'glue/plugins/plugin_stream_win.cc', 'glue/plugins/plugin_string_stream.cc', 'glue/plugins/plugin_string_stream.h', 'glue/plugins/plugin_stubs.cc', 'glue/plugins/webplugin_delegate_impl.cc', 'glue/plugins/webplugin_delegate_impl.h', 'glue/plugins/webplugin_delegate_impl_gtk.cc', 'glue/plugins/webplugin_delegate_impl_mac.mm', 'glue/alt_404_page_resource_fetcher.cc', 'glue/alt_404_page_resource_fetcher.h', 'glue/alt_error_page_resource_fetcher.cc', 'glue/alt_error_page_resource_fetcher.h', 'glue/autocomplete_input_listener.h', 'glue/autofill_form.cc', 'glue/autofill_form.h', 'glue/back_forward_list_client_impl.cc', 'glue/back_forward_list_client_impl.h', 'glue/chrome_client_impl.cc', 'glue/chrome_client_impl.h', 'glue/chromium_bridge_impl.cc', 'glue/context_menu.h', 'glue/context_menu_client_impl.cc', 'glue/context_menu_client_impl.h', 'glue/cpp_binding_example.cc', 'glue/cpp_binding_example.h', 'glue/cpp_bound_class.cc', 'glue/cpp_bound_class.h', 'glue/cpp_variant.cc', 'glue/cpp_variant.h', 'glue/dom_operations.cc', 'glue/dom_operations.h', 'glue/dom_operations_private.h', 'glue/dom_serializer.cc', 'glue/dom_serializer.h', 'glue/dom_serializer_delegate.h', 'glue/dragclient_impl.cc', 'glue/dragclient_impl.h', 'glue/editor_client_impl.cc', 'glue/editor_client_impl.h', 'glue/entity_map.cc', 'glue/entity_map.h', 'glue/event_conversion.cc', 'glue/event_conversion.h', 'glue/feed_preview.cc', 'glue/feed_preview.h', 'glue/form_data.h', 'glue/glue_accessibility_object.cc', 'glue/glue_accessibility_object.h', 'glue/glue_serialize.cc', 'glue/glue_serialize.h', 'glue/glue_util.cc', 'glue/glue_util.h', 'glue/image_decoder.cc', 'glue/image_decoder.h', 'glue/image_resource_fetcher.cc', 'glue/image_resource_fetcher.h', 'glue/inspector_client_impl.cc', 'glue/inspector_client_impl.h', 'glue/localized_strings.cc', 'glue/multipart_response_delegate.cc', 'glue/multipart_response_delegate.h', 'glue/npruntime_util.cc', 'glue/npruntime_util.h', 'glue/password_autocomplete_listener.cc', 'glue/password_autocomplete_listener.h', 'glue/password_form.h', 'glue/password_form_dom_manager.cc', 'glue/password_form_dom_manager.h', 'glue/resource_fetcher.cc', 'glue/resource_fetcher.h', 'glue/resource_loader_bridge.cc', 'glue/resource_loader_bridge.h', 'glue/resource_type.h', 'glue/scoped_clipboard_writer_glue.h', 'glue/searchable_form_data.cc', 'glue/searchable_form_data.h', 'glue/simple_webmimeregistry_impl.cc', 'glue/simple_webmimeregistry_impl.h', 'glue/stacking_order_iterator.cc', 'glue/stacking_order_iterator.h', 'glue/temporary_glue.cc', 'glue/webaccessibility.h', 'glue/webaccessibilitymanager.h', 'glue/webaccessibilitymanager_impl.cc', 'glue/webaccessibilitymanager_impl.h', 'glue/webappcachecontext.cc', 'glue/webappcachecontext.h', 'glue/webclipboard_impl.cc', 'glue/webclipboard_impl.h', 'glue/webcursor.cc', 'glue/webcursor.h', 'glue/webcursor_gtk.cc', 'glue/webcursor_gtk_data.h', 'glue/webcursor_mac.mm', 'glue/webcursor_win.cc', 'glue/webdatasource_impl.cc', 'glue/webdatasource_impl.h', 'glue/webdevtoolsagent.h', 'glue/webdevtoolsagent_delegate.h', 'glue/webdevtoolsagent_impl.cc', 'glue/webdevtoolsagent_impl.h', 'glue/webdevtoolsclient.h', 'glue/webdevtoolsclient_delegate.h', 'glue/webdevtoolsclient_impl.cc', 'glue/webdevtoolsclient_impl.h', 'glue/webdropdata.cc', 'glue/webdropdata_win.cc', 'glue/webdropdata.h', 'glue/webframe.h', 'glue/webframe_impl.cc', 'glue/webframe_impl.h', 'glue/webframeloaderclient_impl.cc', 'glue/webframeloaderclient_impl.h', 'glue/webkit_glue.cc', 'glue/webkit_glue.h', 'glue/webkitclient_impl.cc', 'glue/webkitclient_impl.h', 'glue/webmediaplayer_impl.h', 'glue/webmediaplayer_impl.cc', 'glue/webmenurunner_mac.h', 'glue/webmenurunner_mac.mm', 'glue/webplugin.h', 'glue/webplugin_delegate.cc', 'glue/webplugin_delegate.h', 'glue/webplugin_impl.cc', 'glue/webplugin_impl.h', 'glue/webplugininfo.h', 'glue/webpreferences.h', 'glue/webtextinput.h', 'glue/webtextinput_impl.cc', 'glue/webtextinput_impl.h', 'glue/webthemeengine_impl_win.cc', 'glue/weburlloader_impl.cc', 'glue/weburlloader_impl.h', 'glue/webview.h', 'glue/webview_delegate.cc', 'glue/webview_delegate.h', 'glue/webview_impl.cc', 'glue/webview_impl.h', 'glue/webwidget.h', 'glue/webwidget_delegate.h', 'glue/webwidget_impl.cc', 'glue/webwidget_impl.h', 'glue/webworker_impl.cc', 'glue/webworker_impl.h', 'glue/webworkerclient_impl.cc', 'glue/webworkerclient_impl.h', 'glue/window_open_disposition.h'], 'hard_dependency': 1, 'export_dependent_settings': ['webcore'], 'conditions': [['OS=="linux"', {'dependencies': ['../build/linux/system.gyp:gtk'], 'export_dependent_settings': ['../build/linux/system.gyp:gtk'], 'sources!': ['glue/plugins/plugin_stubs.cc']}, {'sources/': [['exclude', '_(linux|gtk)(_data)?\\.cc$'], ['exclude', '/gtk_']]}], ['OS!="mac"', {'sources/': [['exclude', '_mac\\.(cc|mm)$']]}], ['OS!="win"', {'sources/': [['exclude', '_win\\.cc$']], 'sources!': ['glue/plugins/webplugin_delegate_impl.cc', 'glue/glue_accessibility_object.cc', 'glue/glue_accessibility_object.h', 'glue/plugins/mozilla_extensions.cc', 'glue/plugins/webplugin_delegate_impl.cc', 'glue/webaccessibility.h', 'glue/webaccessibilitymanager.h', 'glue/webaccessibilitymanager_impl.cc', 'glue/webaccessibilitymanager_impl.cc', 'glue/webaccessibilitymanager_impl.h', 'glue/webthemeengine_impl_win.cc']}, {'sources/': [['exclude', '_posix\\.cc$']], 'dependencies': ['../build/win/system.gyp:cygwin', 'activex_shim/activex_shim.gyp:activex_shim', 'default_plugin/default_plugin.gyp:default_plugin'], 'sources!': ['glue/plugins/plugin_stubs.cc']}]]}, {'target_name': 'inspector_resources', 'type': 'none', 'msvs_guid': '5330F8EE-00F5-D65C-166E-E3150171055D', 'copies': [{'destination': '<(PRODUCT_DIR)/resources/inspector', 'files': ['glue/devtools/js/base.js', 'glue/devtools/js/debugger_agent.js', 'glue/devtools/js/devtools.css', 'glue/devtools/js/devtools.html', 'glue/devtools/js/devtools.js', 'glue/devtools/js/devtools_callback.js', 'glue/devtools/js/devtools_host_stub.js', 'glue/devtools/js/dom_agent.js', 'glue/devtools/js/inject.js', 'glue/devtools/js/inspector_controller.js', 'glue/devtools/js/inspector_controller_impl.js', 'glue/devtools/js/profiler_processor.js', 'glue/devtools/js/tests.js', '../third_party/WebKit/WebCore/inspector/front-end/BottomUpProfileDataGridTree.js', '../third_party/WebKit/WebCore/inspector/front-end/Breakpoint.js', '../third_party/WebKit/WebCore/inspector/front-end/BreakpointsSidebarPane.js', '../third_party/WebKit/WebCore/inspector/front-end/CallStackSidebarPane.js', '../third_party/WebKit/WebCore/inspector/front-end/Console.js', '../third_party/WebKit/WebCore/inspector/front-end/Database.js', '../third_party/WebKit/WebCore/inspector/front-end/DatabaseQueryView.js', '../third_party/WebKit/WebCore/inspector/front-end/DatabasesPanel.js', '../third_party/WebKit/WebCore/inspector/front-end/DatabaseTableView.js', '../third_party/WebKit/WebCore/inspector/front-end/DataGrid.js', '../third_party/WebKit/WebCore/inspector/front-end/ElementsPanel.js', '../third_party/WebKit/WebCore/inspector/front-end/ElementsTreeOutline.js', '../third_party/WebKit/WebCore/inspector/front-end/FontView.js', '../third_party/WebKit/WebCore/inspector/front-end/ImageView.js', '../third_party/WebKit/WebCore/inspector/front-end/inspector.css', '../third_party/WebKit/WebCore/inspector/front-end/inspector.html', '../third_party/WebKit/WebCore/inspector/front-end/inspector.js', '../third_party/WebKit/WebCore/inspector/front-end/KeyboardShortcut.js', '../third_party/WebKit/WebCore/inspector/front-end/MetricsSidebarPane.js', '../third_party/WebKit/WebCore/inspector/front-end/Object.js', '../third_party/WebKit/WebCore/inspector/front-end/ObjectPropertiesSection.js', '../third_party/WebKit/WebCore/inspector/front-end/Panel.js', '../third_party/WebKit/WebCore/inspector/front-end/PanelEnablerView.js', '../third_party/WebKit/WebCore/inspector/front-end/Placard.js', '../third_party/WebKit/WebCore/inspector/front-end/ProfilesPanel.js', '../third_party/WebKit/WebCore/inspector/front-end/ProfileDataGridTree.js', '../third_party/WebKit/WebCore/inspector/front-end/ProfileView.js', '../third_party/WebKit/WebCore/inspector/front-end/PropertiesSection.js', '../third_party/WebKit/WebCore/inspector/front-end/PropertiesSidebarPane.js', '../third_party/WebKit/WebCore/inspector/front-end/Resource.js', '../third_party/WebKit/WebCore/inspector/front-end/ResourceCategory.js', '../third_party/WebKit/WebCore/inspector/front-end/ResourcesPanel.js', '../third_party/WebKit/WebCore/inspector/front-end/ResourceView.js', '../third_party/WebKit/WebCore/inspector/front-end/ScopeChainSidebarPane.js', '../third_party/WebKit/WebCore/inspector/front-end/Script.js', '../third_party/WebKit/WebCore/inspector/front-end/ScriptsPanel.js', '../third_party/WebKit/WebCore/inspector/front-end/ScriptView.js', '../third_party/WebKit/WebCore/inspector/front-end/SidebarPane.js', '../third_party/WebKit/WebCore/inspector/front-end/SidebarTreeElement.js', '../third_party/WebKit/WebCore/inspector/front-end/SourceFrame.js', '../third_party/WebKit/WebCore/inspector/front-end/SourceView.js', '../third_party/WebKit/WebCore/inspector/front-end/StylesSidebarPane.js', '../third_party/WebKit/WebCore/inspector/front-end/TextPrompt.js', '../third_party/WebKit/WebCore/inspector/front-end/TopDownProfileDataGridTree.js', '../third_party/WebKit/WebCore/inspector/front-end/treeoutline.js', '../third_party/WebKit/WebCore/inspector/front-end/utilities.js', '../third_party/WebKit/WebCore/inspector/front-end/View.js', '../v8/tools/codemap.js', '../v8/tools/consarray.js', '../v8/tools/csvparser.js', '../v8/tools/logreader.js', '../v8/tools/profile.js', '../v8/tools/profile_view.js', '../v8/tools/splaytree.js']}, {'destination': '<(PRODUCT_DIR)/resources/inspector/Images', 'files': ['../third_party/WebKit/WebCore/inspector/front-end/Images/back.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/checker.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/clearConsoleButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/closeButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/consoleButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/database.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/databasesIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/databaseTable.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/debuggerContinue.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/debuggerPause.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/debuggerStepInto.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/debuggerStepOut.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/debuggerStepOver.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/disclosureTriangleSmallDown.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/disclosureTriangleSmallDownBlack.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/disclosureTriangleSmallDownWhite.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/disclosureTriangleSmallRight.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/disclosureTriangleSmallRightBlack.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/disclosureTriangleSmallRightDown.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/disclosureTriangleSmallRightDownBlack.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/disclosureTriangleSmallRightDownWhite.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/disclosureTriangleSmallRightWhite.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/dockButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/elementsIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/enableButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/errorIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/errorMediumIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/excludeButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/focusButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/forward.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/glossyHeader.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/glossyHeaderPressed.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/glossyHeaderSelected.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/glossyHeaderSelectedPressed.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/goArrow.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/graphLabelCalloutLeft.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/graphLabelCalloutRight.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/largerResourcesButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/nodeSearchButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/paneBottomGrow.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/paneBottomGrowActive.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/paneGrowHandleLine.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/pauseOnExceptionButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/percentButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/profileGroupIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/profileIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/profilesIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/profileSmallIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/profilesSilhouette.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/radioDot.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/recordButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/reloadButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/resourceCSSIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/resourceDocumentIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/resourceDocumentIconSmall.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/resourceJSIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/resourcePlainIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/resourcePlainIconSmall.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/resourcesIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/resourcesSilhouette.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/resourcesSizeGraphIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/resourcesTimeGraphIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/scriptsIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/scriptsSilhouette.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/searchSmallBlue.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/searchSmallBrightBlue.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/searchSmallGray.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/searchSmallWhite.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/segment.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/segmentEnd.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/segmentHover.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/segmentHoverEnd.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/segmentSelected.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/segmentSelectedEnd.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/splitviewDimple.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/splitviewDividerBackground.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/statusbarBackground.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/statusbarBottomBackground.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/statusbarButtons.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/statusbarMenuButton.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/statusbarMenuButtonSelected.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/statusbarResizerHorizontal.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/statusbarResizerVertical.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelineHollowPillBlue.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelineHollowPillGray.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelineHollowPillGreen.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelineHollowPillOrange.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelineHollowPillPurple.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelineHollowPillRed.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelineHollowPillYellow.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelinePillBlue.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelinePillGray.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelinePillGreen.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelinePillOrange.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelinePillPurple.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelinePillRed.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/timelinePillYellow.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/tipBalloon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/tipBalloonBottom.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/tipIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/tipIconPressed.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/toolbarItemSelected.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/treeDownTriangleBlack.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/treeDownTriangleWhite.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/treeRightTriangleBlack.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/treeRightTriangleWhite.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/treeUpTriangleBlack.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/treeUpTriangleWhite.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/userInputIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/userInputPreviousIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/warningIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/warningMediumIcon.png', '../third_party/WebKit/WebCore/inspector/front-end/Images/warningsErrors.png']}]}]} |
l, h = [int(input()), int(input())]
t = [ord(c.lower()) - 97 if c.isalpha() else 26 for c in input()]
for _ in range(h):
row = input()
print("".join(row[j * l:(j + 1) * l] for j in t))
| (l, h) = [int(input()), int(input())]
t = [ord(c.lower()) - 97 if c.isalpha() else 26 for c in input()]
for _ in range(h):
row = input()
print(''.join((row[j * l:(j + 1) * l] for j in t))) |
# Worker: Microsoft
GET_ANOMALY = {
"type": "get",
"endpoint": "/getAnomaly",
"call_message": "{type} {endpoint}",
"error_message": "{type} {endpoint} {response_code}"
} | get_anomaly = {'type': 'get', 'endpoint': '/getAnomaly', 'call_message': '{type} {endpoint}', 'error_message': '{type} {endpoint} {response_code}'} |
n=int(input())
res=[]
grade=[]
for i in range(n):
name=input()
mark=float(input())
res.append([name,mark])
grade.append(mark)
grade=sorted(set(grade)) #sorted and remove the duplicates
m=grade[1]
name=[]
for val in res:
if m==val[1]:
name.append(val[0])
name.sort()
for nm in name:
print(nm) | n = int(input())
res = []
grade = []
for i in range(n):
name = input()
mark = float(input())
res.append([name, mark])
grade.append(mark)
grade = sorted(set(grade))
m = grade[1]
name = []
for val in res:
if m == val[1]:
name.append(val[0])
name.sort()
for nm in name:
print(nm) |
def adapt_routes_object(object):
lat_north = object['routes'][0]['bounds']['northeast']['lat']
long_east = object['routes'][0]['bounds']['northeast']['long']
lat_south = object['routes'][0]['bounds']['southwest']['lat']
long_west = object['routes'][0]['bounds']['southwest']['long']
| def adapt_routes_object(object):
lat_north = object['routes'][0]['bounds']['northeast']['lat']
long_east = object['routes'][0]['bounds']['northeast']['long']
lat_south = object['routes'][0]['bounds']['southwest']['lat']
long_west = object['routes'][0]['bounds']['southwest']['long'] |
def get_aggregation(**kwargs):
field_name = ''
for k, v in kwargs.items():
field_name = v.replace('.keyword', '')+'_'+k
return {
field_name : {
k: {
'field': v
}
}
}
| def get_aggregation(**kwargs):
field_name = ''
for (k, v) in kwargs.items():
field_name = v.replace('.keyword', '') + '_' + k
return {field_name: {k: {'field': v}}} |
short = {}
def printShort1(word, i):
words = word.split()
words[i] = "[" + words[i][0] + "]" + words[i][1:]
print(" ".join(words))
def printShort2(cmd, i):
print(cmd[:i] + "[" + cmd[i] + "]" + cmd[i + 1:])
for i in range(ord('a'), ord('z') + 1):
short[chr(i)] = False
n = int(input())
cmds = []
for _ in range(n):
cmds.append(input())
for cmd in cmds:
find = False
words = cmd.split()
for i in range(len(words)):
c = words[i][0].lower()
if not short[c]:
short[c] = True
printShort1(cmd, i)
find = True
break
if find: continue
for i in range(len(cmd)):
c = cmd[i].lower()
if c == ' ': continue
if not short[c]:
short[c] = True
find = True
printShort2(cmd, i)
break
if not find:
print(cmd)
| short = {}
def print_short1(word, i):
words = word.split()
words[i] = '[' + words[i][0] + ']' + words[i][1:]
print(' '.join(words))
def print_short2(cmd, i):
print(cmd[:i] + '[' + cmd[i] + ']' + cmd[i + 1:])
for i in range(ord('a'), ord('z') + 1):
short[chr(i)] = False
n = int(input())
cmds = []
for _ in range(n):
cmds.append(input())
for cmd in cmds:
find = False
words = cmd.split()
for i in range(len(words)):
c = words[i][0].lower()
if not short[c]:
short[c] = True
print_short1(cmd, i)
find = True
break
if find:
continue
for i in range(len(cmd)):
c = cmd[i].lower()
if c == ' ':
continue
if not short[c]:
short[c] = True
find = True
print_short2(cmd, i)
break
if not find:
print(cmd) |
#!/usr/bin/env python
# coding: utf-8
# # Day 4 Assignment
# In[1]:
num1 = 1042000
num2 = 702648265
for num in range(num1, num2 + 1):
order = len(str(num))
total = 0
temp = num
while temp > 0:
digit = temp % 10
total += digit ** order
temp //= 10
if num == total:
print(num)
break
# In[ ]:
| num1 = 1042000
num2 = 702648265
for num in range(num1, num2 + 1):
order = len(str(num))
total = 0
temp = num
while temp > 0:
digit = temp % 10
total += digit ** order
temp //= 10
if num == total:
print(num)
break |
#THIS IS TO PLACTICE CLASS AND METHODS
##CREATE A BANK CLASS AND METHODTS TO DEPOSIT AND WITHDRAW MONEY FROM THE
##ACCOUNT, IF THE ACCOUNT DOES NOT HAVE ENOUGH FUND, PREVENT WITHDRAWAL
class Bank_Account():
#bank account has owner and balance attributes
def __init__(self, owner, balance =0):
self.owner = owner
self.balance = balance
#to print information
def __str__(self):
return f'Account owner is: {self.owner}\n Balance : {self.balance}'
#deposit method to deposit money
def deposit(self, deposit):
self.balance += deposit
print('Deposit accepted and balance is updated!')
#withdraw method
def withdraw(self, withdraw):
if withdraw > self.balance:
print('Cannot be done, try a different amount')
else:
self.balance -= withdraw
print('Withdrawal done, balance updated ')
#creating a new account
account = Bank_Account('nono', 500)
print(account)
print('\n'*2)
#making a deposit
account.deposit(200)
#checking balance after deposit
print(f'Current Balance : {account.balance}')
print('\n'*2)
#checking withdrawal
account.withdraw(500)
print(f'Current Balance : {account.balance}')
print('\n'*2)
#checking withdrawal with not enough funds
account.withdraw(500)
print(f'Current Balance : {account.balance}')
print('\n'*2) | class Bank_Account:
def __init__(self, owner, balance=0):
self.owner = owner
self.balance = balance
def __str__(self):
return f'Account owner is: {self.owner}\n Balance : {self.balance}'
def deposit(self, deposit):
self.balance += deposit
print('Deposit accepted and balance is updated!')
def withdraw(self, withdraw):
if withdraw > self.balance:
print('Cannot be done, try a different amount')
else:
self.balance -= withdraw
print('Withdrawal done, balance updated ')
account = bank__account('nono', 500)
print(account)
print('\n' * 2)
account.deposit(200)
print(f'Current Balance : {account.balance}')
print('\n' * 2)
account.withdraw(500)
print(f'Current Balance : {account.balance}')
print('\n' * 2)
account.withdraw(500)
print(f'Current Balance : {account.balance}')
print('\n' * 2) |
class ReverseOrderIterator():
def __init__(self, n):
self.n = n
def __iter__(self):
return self
def __next__(self):
list = []
for element in range(self.n, -1, -1):
list.append(element)
return list
def next(self):
return self.__next__()
iter = ReverseOrderIterator(10)
print(iter.next()) | class Reverseorderiterator:
def __init__(self, n):
self.n = n
def __iter__(self):
return self
def __next__(self):
list = []
for element in range(self.n, -1, -1):
list.append(element)
return list
def next(self):
return self.__next__()
iter = reverse_order_iterator(10)
print(iter.next()) |
''' setting api config '''
''' base config class '''
class Config(object):
DEBUG=False
SECRET_KEY="secret"
''' testing class configurations '''
class Testing(Config):
DEBUG=True
TESTING=True
''' dev class configurations '''
class Development(Config):
DEBUG=True
''' staging configurations '''
class Staging(Config):
DEBUG=False
''' production configurations '''
class Production(Config):
DEBUG=False
TESTING=False
api_config={
'development':Development,
'testing':Testing,
'staging':Staging,
'production':Production,
} | """ setting api config """
' base config class '
class Config(object):
debug = False
secret_key = 'secret'
' testing class configurations '
class Testing(Config):
debug = True
testing = True
' dev class configurations '
class Development(Config):
debug = True
' staging configurations '
class Staging(Config):
debug = False
' production configurations '
class Production(Config):
debug = False
testing = False
api_config = {'development': Development, 'testing': Testing, 'staging': Staging, 'production': Production} |
expected_output = {
'application': 'TEMPERATURE',
'temperature_sensors': {
'CPU board': {
'id': 0,
'history': {
'11/10/2019 05:35:04': 51,
'11/10/2019 05:45:04': 51,
'11/10/2019 06:35:04': 49,
'11/10/2019 06:40:04': 49
}
},
'FANIO Board': {
'id': 1,
'history': {
'11/10/2019 05:35:04': 48,
'11/10/2019 05:45:04': 48,
'11/10/2019 06:35:04': 48,
'11/10/2019 06:40:04': 48
}
},
'Front Panel Le': {
'id': 2,
'history': {
'11/10/2019 05:35:04': 37,
'11/10/2019 05:45:04': 37,
'11/10/2019 06:35:04': 37,
'11/10/2019 06:40:04': 37
}
},
'GB_local': {
'id': 3,
'history': {
'11/10/2019 05:35:04': 56,
'11/10/2019 05:45:04': 54,
'11/10/2019 06:35:04': 54,
'11/10/2019 06:40:04': 54
}
},
'CPUcore:0': {
'id': 4,
'history': {
'11/10/2019 05:35:04': 58,
'11/10/2019 05:45:04': 58,
'11/10/2019 06:35:04': 58,
'11/10/2019 06:40:04': 58
}
},
'CPUcore:1': {
'id': 5,
'history': {
'11/10/2019 05:35:04': 58,
'11/10/2019 05:45:04': 58,
'11/10/2019 06:35:04': 58,
'11/10/2019 06:40:04': 58
}
},
'CPUcore:2': {
'id': 6,
'history': {
'11/10/2019 05:35:04': 58,
'11/10/2019 05:45:04': 58,
'11/10/2019 06:35:04': 58,
'11/10/2019 06:40:04': 58
}
},
'CPUcore:3': {
'id': 7,
'history': {
'11/10/2019 05:35:04': 58,
'11/10/2019 05:45:04': 58,
'11/10/2019 06:35:04': 58,
'11/10/2019 06:40:04': 58
}
},
'CPUcore:4': {
'id': 8,
'history': {
'11/10/2019 05:35:04': 58,
'11/10/2019 05:45:04': 58,
'11/10/2019 06:35:04': 58,
'11/10/2019 06:40:04': 58
}
},
'CPUcore:5': {
'id': 9,
'history': {
'11/10/2019 05:35:04': 58,
'11/10/2019 05:45:04': 58,
'11/10/2019 06:35:04': 58,
'11/10/2019 06:40:04': 58
}
},
'CPUcore:6': {
'id': 10,
'history': {
'11/10/2019 05:35:04': 58,
'11/10/2019 05:45:04': 58,
'11/10/2019 06:35:04': 58,
'11/10/2019 06:40:04': 58
}
},
'CPUcore:7': {
'id': 11,
'history': {
'11/10/2019 05:35:04': 58,
'11/10/2019 05:45:04': 58,
'11/10/2019 06:35:04': 58,
'11/10/2019 06:40:04': 58
}
},
'S1_I_00': {
'id': 12,
'history': {
'11/10/2019 05:35:04': 54,
'11/10/2019 05:45:04': 54,
'11/10/2019 06:35:04': 54,
'11/10/2019 06:40:04': 54
}
},
'S1_I_01': {
'id': 13,
'history': {
'11/10/2019 05:35:04': 53,
'11/10/2019 05:45:04': 53,
'11/10/2019 06:35:04': 53,
'11/10/2019 06:40:04': 53
}
},
'S1_I_02': {
'id': 14,
'history': {
'11/10/2019 05:35:04': 55,
'11/10/2019 05:45:04': 55,
'11/10/2019 06:35:04': 55,
'11/10/2019 06:40:04': 55
}
},
'S1_I_03': {
'id': 15,
'history': {
'11/10/2019 05:35:04': 58,
'11/10/2019 05:45:04': 58,
'11/10/2019 06:35:04': 58,
'11/10/2019 06:40:04': 58
}
},
'S1_I_04': {
'id': 16,
'history': {
'11/10/2019 05:35:04': 58,
'11/10/2019 05:45:04': 58,
'11/10/2019 06:35:04': 58,
'11/10/2019 06:40:04': 56
}
},
'S1_I_05': {
'id': 17,
'history': {
'11/10/2019 05:35:04': 54,
'11/10/2019 05:45:04': 54,
'11/10/2019 06:35:04': 54,
'11/10/2019 06:40:04': 54
}
},
'S1_I_06': {
'id': 18,
'history': {
'11/10/2019 05:35:04': 51,
'11/10/2019 05:45:04': 51,
'11/10/2019 06:35:04': 51,
'11/10/2019 06:40:04': 51
}
},
'S1_I_07': {
'id': 19,
'history': {
'11/10/2019 05:35:04': 46,
'11/10/2019 05:45:04': 46,
'11/10/2019 06:35:04': 46,
'11/10/2019 06:40:04': 46
}
},
'S1_I_08': {
'id': 20,
'history': {
'11/10/2019 05:35:04': 50,
'11/10/2019 05:45:04': 50,
'11/10/2019 06:35:04': 50,
'11/10/2019 06:40:04': 50
}
},
'S1_I_09': {
'id': 21,
'history': {
'11/10/2019 05:35:04': 49,
'11/10/2019 05:45:04': 49,
'11/10/2019 06:35:04': 49,
'11/10/2019 06:40:04': 49
}
},
'S1_H_10': {
'id': 22,
'history': {
'11/10/2019 05:35:04': 52,
'11/10/2019 05:45:04': 52,
'11/10/2019 06:35:04': 52,
'11/10/2019 06:40:04': 52
}
},
'S1_H_11': {
'id': 23,
'history': {
'11/10/2019 05:35:04': 52,
'11/10/2019 05:45:04': 52,
'11/10/2019 06:35:04': 52,
'11/10/2019 06:40:04': 52
}
}
}
}
| expected_output = {'application': 'TEMPERATURE', 'temperature_sensors': {'CPU board': {'id': 0, 'history': {'11/10/2019 05:35:04': 51, '11/10/2019 05:45:04': 51, '11/10/2019 06:35:04': 49, '11/10/2019 06:40:04': 49}}, 'FANIO Board': {'id': 1, 'history': {'11/10/2019 05:35:04': 48, '11/10/2019 05:45:04': 48, '11/10/2019 06:35:04': 48, '11/10/2019 06:40:04': 48}}, 'Front Panel Le': {'id': 2, 'history': {'11/10/2019 05:35:04': 37, '11/10/2019 05:45:04': 37, '11/10/2019 06:35:04': 37, '11/10/2019 06:40:04': 37}}, 'GB_local': {'id': 3, 'history': {'11/10/2019 05:35:04': 56, '11/10/2019 05:45:04': 54, '11/10/2019 06:35:04': 54, '11/10/2019 06:40:04': 54}}, 'CPUcore:0': {'id': 4, 'history': {'11/10/2019 05:35:04': 58, '11/10/2019 05:45:04': 58, '11/10/2019 06:35:04': 58, '11/10/2019 06:40:04': 58}}, 'CPUcore:1': {'id': 5, 'history': {'11/10/2019 05:35:04': 58, '11/10/2019 05:45:04': 58, '11/10/2019 06:35:04': 58, '11/10/2019 06:40:04': 58}}, 'CPUcore:2': {'id': 6, 'history': {'11/10/2019 05:35:04': 58, '11/10/2019 05:45:04': 58, '11/10/2019 06:35:04': 58, '11/10/2019 06:40:04': 58}}, 'CPUcore:3': {'id': 7, 'history': {'11/10/2019 05:35:04': 58, '11/10/2019 05:45:04': 58, '11/10/2019 06:35:04': 58, '11/10/2019 06:40:04': 58}}, 'CPUcore:4': {'id': 8, 'history': {'11/10/2019 05:35:04': 58, '11/10/2019 05:45:04': 58, '11/10/2019 06:35:04': 58, '11/10/2019 06:40:04': 58}}, 'CPUcore:5': {'id': 9, 'history': {'11/10/2019 05:35:04': 58, '11/10/2019 05:45:04': 58, '11/10/2019 06:35:04': 58, '11/10/2019 06:40:04': 58}}, 'CPUcore:6': {'id': 10, 'history': {'11/10/2019 05:35:04': 58, '11/10/2019 05:45:04': 58, '11/10/2019 06:35:04': 58, '11/10/2019 06:40:04': 58}}, 'CPUcore:7': {'id': 11, 'history': {'11/10/2019 05:35:04': 58, '11/10/2019 05:45:04': 58, '11/10/2019 06:35:04': 58, '11/10/2019 06:40:04': 58}}, 'S1_I_00': {'id': 12, 'history': {'11/10/2019 05:35:04': 54, '11/10/2019 05:45:04': 54, '11/10/2019 06:35:04': 54, '11/10/2019 06:40:04': 54}}, 'S1_I_01': {'id': 13, 'history': {'11/10/2019 05:35:04': 53, '11/10/2019 05:45:04': 53, '11/10/2019 06:35:04': 53, '11/10/2019 06:40:04': 53}}, 'S1_I_02': {'id': 14, 'history': {'11/10/2019 05:35:04': 55, '11/10/2019 05:45:04': 55, '11/10/2019 06:35:04': 55, '11/10/2019 06:40:04': 55}}, 'S1_I_03': {'id': 15, 'history': {'11/10/2019 05:35:04': 58, '11/10/2019 05:45:04': 58, '11/10/2019 06:35:04': 58, '11/10/2019 06:40:04': 58}}, 'S1_I_04': {'id': 16, 'history': {'11/10/2019 05:35:04': 58, '11/10/2019 05:45:04': 58, '11/10/2019 06:35:04': 58, '11/10/2019 06:40:04': 56}}, 'S1_I_05': {'id': 17, 'history': {'11/10/2019 05:35:04': 54, '11/10/2019 05:45:04': 54, '11/10/2019 06:35:04': 54, '11/10/2019 06:40:04': 54}}, 'S1_I_06': {'id': 18, 'history': {'11/10/2019 05:35:04': 51, '11/10/2019 05:45:04': 51, '11/10/2019 06:35:04': 51, '11/10/2019 06:40:04': 51}}, 'S1_I_07': {'id': 19, 'history': {'11/10/2019 05:35:04': 46, '11/10/2019 05:45:04': 46, '11/10/2019 06:35:04': 46, '11/10/2019 06:40:04': 46}}, 'S1_I_08': {'id': 20, 'history': {'11/10/2019 05:35:04': 50, '11/10/2019 05:45:04': 50, '11/10/2019 06:35:04': 50, '11/10/2019 06:40:04': 50}}, 'S1_I_09': {'id': 21, 'history': {'11/10/2019 05:35:04': 49, '11/10/2019 05:45:04': 49, '11/10/2019 06:35:04': 49, '11/10/2019 06:40:04': 49}}, 'S1_H_10': {'id': 22, 'history': {'11/10/2019 05:35:04': 52, '11/10/2019 05:45:04': 52, '11/10/2019 06:35:04': 52, '11/10/2019 06:40:04': 52}}, 'S1_H_11': {'id': 23, 'history': {'11/10/2019 05:35:04': 52, '11/10/2019 05:45:04': 52, '11/10/2019 06:35:04': 52, '11/10/2019 06:40:04': 52}}}} |
a = float(input())
b = float(input())
media = ((a*3.5) + (b*7.5)) / 11
print('MEDIA = {:.5f}'.format(media)) | a = float(input())
b = float(input())
media = (a * 3.5 + b * 7.5) / 11
print('MEDIA = {:.5f}'.format(media)) |
class Node():
def __init__(self, x, y, r):
self.x = x
self.y = y
self.r = r
self.next = None
self.prev = None
pass
@classmethod
def from_np(cls, index, pos):
return cls(pos[index][0], pos[index][1], pos[index][2])
def __str__(self):
return f"({self.x},{self.y},{self.r})" | class Node:
def __init__(self, x, y, r):
self.x = x
self.y = y
self.r = r
self.next = None
self.prev = None
pass
@classmethod
def from_np(cls, index, pos):
return cls(pos[index][0], pos[index][1], pos[index][2])
def __str__(self):
return f'({self.x},{self.y},{self.r})' |
def decrypt_fun(input_string,k):
st=""
for i in range(len(input_string)):
if input_string.islower():
shift=97 #ord(97)=a
else:
shift=65 #ord(65)=A
s=(((ord(input_string[i]))-(ord(k[i])))%26)+shift #here we need to subtract the ord(key) rest is same as encryption
st+=chr(s)
return st
def key(length):
t=list(input("Enter the key:"))
s=""
j=0
while(len(s)!=length):
s+=t[j]
if j==len(t)-1:
j=0
continue
j+=1
return s
input_value=" "
while(input_value!="N"):
print("=========================")
print("Enter the message you want to decrypt :")
input_string=input()
k=key(len(input_string))
decrypted_text=decrypt_fun(input_string,k)
print("Decrypted Text :",decrypted_text)
print("Do you want to decrypt again(Press N if not...and Press Y if yes..): ")
input_value=input()
| def decrypt_fun(input_string, k):
st = ''
for i in range(len(input_string)):
if input_string.islower():
shift = 97
else:
shift = 65
s = (ord(input_string[i]) - ord(k[i])) % 26 + shift
st += chr(s)
return st
def key(length):
t = list(input('Enter the key:'))
s = ''
j = 0
while len(s) != length:
s += t[j]
if j == len(t) - 1:
j = 0
continue
j += 1
return s
input_value = ' '
while input_value != 'N':
print('=========================')
print('Enter the message you want to decrypt :')
input_string = input()
k = key(len(input_string))
decrypted_text = decrypt_fun(input_string, k)
print('Decrypted Text :', decrypted_text)
print('Do you want to decrypt again(Press N if not...and Press Y if yes..): ')
input_value = input() |
N, K, M = map(int, input().split())
P = list(map(int, input().split()))
E = list(map(int, input().split()))
A = list(map(int, input().split()))
H = list(map(int, input().split()))
P.sort()
E.sort()
A.sort()
H.sort()
result = 0
for x in zip(P, E, A, H):
y = sorted(x)
result += pow(y[-1] - y[0], K, M)
result %= M
print(result)
| (n, k, m) = map(int, input().split())
p = list(map(int, input().split()))
e = list(map(int, input().split()))
a = list(map(int, input().split()))
h = list(map(int, input().split()))
P.sort()
E.sort()
A.sort()
H.sort()
result = 0
for x in zip(P, E, A, H):
y = sorted(x)
result += pow(y[-1] - y[0], K, M)
result %= M
print(result) |
#!/usr/bin/env python
#
# Licensed to the Apache Software Foundation (ASF) under one or more
# contributor license agreements. See the NOTICE file distributed with
# this work for additional information regarding copyright ownership.
# The ASF licenses this file to You 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
#
# http://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.
# List of required files for a build.
MSHR_URLS = []
MSHR_URLS.append('ftp://ftp.ncdc.noaa.gov/pub/data/homr/docs/MSHR_Enhanced_Table.txt')
MSHR_URLS.append('http://www.ncdc.noaa.gov/homr/file/mshr_enhanced.txt.zip')
# Index values of each field details.
MSHR_FIELD_INDEX_NAME = 0
MSHR_FIELD_INDEX_START = 1
MSHR_FIELD_INDEX_END = 2
MSHR_FIELD_INDEX_TYPE = 3
# Store the row details here.
MSHR_FIELDS = {}
# Details about the row.
MSHR_FIELDS['SOURCE_ID'] = ['SOURCE_ID', 1, 20, 'X(20)']
MSHR_FIELDS['SOURCE'] = ['SOURCE', 22, 31, 'X(10)']
MSHR_FIELDS['BEGIN_DATE'] = ['BEGIN_DATE', 33, 40, 'YYYYMMDD']
MSHR_FIELDS['END_DATE'] = ['END_DATE', 42, 49, 'YYYYMMDD']
MSHR_FIELDS['STATION_STATUS'] = ['STATION_STATUS', 51, 70, 'X(20)']
MSHR_FIELDS['NCDCSTN_ID'] = ['NCDCSTN_ID', 72, 91, 'X(20)']
MSHR_FIELDS['ICAO_ID'] = ['ICAO_ID', 93, 112, 'X(20)']
MSHR_FIELDS['WBAN_ID'] = ['WBAN_ID', 114, 133, 'X(20)']
MSHR_FIELDS['FAA_ID'] = ['FAA_ID', 135, 154, 'X(20)']
MSHR_FIELDS['NWSLI_ID'] = ['NWSLI_ID', 156, 175, 'X(20)']
MSHR_FIELDS['WMO_ID'] = ['WMO_ID', 177, 196, 'X(20)']
MSHR_FIELDS['COOP_ID'] = ['COOP_ID', 198, 217, 'X(20)']
MSHR_FIELDS['TRANSMITTAL_ID'] = ['TRANSMITTAL_ID', 219, 238, 'X(20)']
MSHR_FIELDS['GHCND_ID'] = ['GHCND_ID', 240, 259, 'X(20)']
MSHR_FIELDS['NAME_PRINCIPAL'] = ['NAME_PRINCIPAL', 261, 360, 'X(100)']
MSHR_FIELDS['NAME_PRINCIPAL_SHORT'] = ['NAME_PRINCIPAL_SHORT', 362, 391, 'X(30)']
MSHR_FIELDS['NAME_COOP'] = ['NAME_COOP', 393, 492, 'X(100)']
MSHR_FIELDS['NAME_COOP_SHORT'] = ['NAME_COOP_SHORT', 494, 523, 'X(30)']
MSHR_FIELDS['NAME_PUBLICATION'] = ['NAME_PUBLICATION', 525, 624, 'X(100)']
MSHR_FIELDS['NAME_ALIAS'] = ['NAME_ALIAS', 626, 725, 'X(100)']
MSHR_FIELDS['NWS_CLIM_DIV'] = ['NWS_CLIM_DIV', 727, 736, 'X(10)']
MSHR_FIELDS['NWS_CLIM_DIV_NAME'] = ['NWS_CLIM_DIV_NAME', 738, 777, 'X(40)']
MSHR_FIELDS['STATE_PROV'] = ['STATE_PROV', 779, 788, 'X(10)']
MSHR_FIELDS['COUNTY'] = ['COUNTY', 790, 839, 'X(50)']
MSHR_FIELDS['NWS_ST_CODE'] = ['NWS_ST_CODE', 841, 842, 'X(2)']
MSHR_FIELDS['FIPS_COUNTRY_CODE'] = ['FIPS_COUNTRY_CODE', 844, 845, 'X(2)']
MSHR_FIELDS['FIPS_COUNTRY_NAME'] = ['FIPS_COUNTRY_NAME', 847, 946, 'X(100)']
MSHR_FIELDS['NWS_REGION'] = ['NWS_REGION', 948, 977, 'X(30)']
MSHR_FIELDS['NWS_WFO'] = ['NWS_WFO', 979, 988, 'X(10)']
MSHR_FIELDS['ELEV_GROUND'] = ['ELEV_GROUND', 990, 1029, 'X(40)']
MSHR_FIELDS['ELEV_GROUND_UNIT'] = ['ELEV_GROUND_UNIT', 1031, 1050, 'X(20)']
MSHR_FIELDS['ELEV_BAROM'] = ['ELEV_BAROM', 1052, 1091, 'X(40)']
MSHR_FIELDS['ELEV_BAROM_UNIT'] = ['ELEV_BAROM_UNIT', 1093, 1112, 'X(20)']
MSHR_FIELDS['ELEV_AIR'] = ['ELEV_AIR', 1114, 1153, 'X(40)']
MSHR_FIELDS['ELEV_AIR_UNIT'] = ['ELEV_AIR_UNIT', 1155, 1174, 'X(20)']
MSHR_FIELDS['ELEV_ZERODAT'] = ['ELEV_ZERODAT', 1176, 1215, 'X(40)']
MSHR_FIELDS['ELEV_ZERODAT_UNIT'] = ['ELEV_ZERODAT_UNIT', 1217, 1236, 'X(20)']
MSHR_FIELDS['ELEV_UNK'] = ['ELEV_UNK', 1238, 1277, 'X(40)']
MSHR_FIELDS['ELEV_UNK_UNIT'] = ['ELEV_UNK_UNIT', 1279, 1298, 'X(20)']
MSHR_FIELDS['LAT_DEC'] = ['LAT_DEC', 1300, 1319, 'X(20)']
MSHR_FIELDS['LON_DEC'] = ['LON_DEC', 1321, 1340, 'X(20)']
MSHR_FIELDS['LAT_LON_PRECISION'] = ['LAT_LON_PRECISION', 1342, 1351, 'X(10)']
MSHR_FIELDS['RELOCATION'] = ['RELOCATION', 1353, 1414, 'X(62)']
MSHR_FIELDS['UTC_OFFSET'] = ['UTC_OFFSET', 1416, 1431, '9(16)']
MSHR_FIELDS['OBS_ENV'] = ['OBS_ENV', 1433, 1472, 'X(40) ']
MSHR_FIELDS['PLATFORM'] = ['PLATFORM', 1474, 1573, 'X(100)']
| mshr_urls = []
MSHR_URLS.append('ftp://ftp.ncdc.noaa.gov/pub/data/homr/docs/MSHR_Enhanced_Table.txt')
MSHR_URLS.append('http://www.ncdc.noaa.gov/homr/file/mshr_enhanced.txt.zip')
mshr_field_index_name = 0
mshr_field_index_start = 1
mshr_field_index_end = 2
mshr_field_index_type = 3
mshr_fields = {}
MSHR_FIELDS['SOURCE_ID'] = ['SOURCE_ID', 1, 20, 'X(20)']
MSHR_FIELDS['SOURCE'] = ['SOURCE', 22, 31, 'X(10)']
MSHR_FIELDS['BEGIN_DATE'] = ['BEGIN_DATE', 33, 40, 'YYYYMMDD']
MSHR_FIELDS['END_DATE'] = ['END_DATE', 42, 49, 'YYYYMMDD']
MSHR_FIELDS['STATION_STATUS'] = ['STATION_STATUS', 51, 70, 'X(20)']
MSHR_FIELDS['NCDCSTN_ID'] = ['NCDCSTN_ID', 72, 91, 'X(20)']
MSHR_FIELDS['ICAO_ID'] = ['ICAO_ID', 93, 112, 'X(20)']
MSHR_FIELDS['WBAN_ID'] = ['WBAN_ID', 114, 133, 'X(20)']
MSHR_FIELDS['FAA_ID'] = ['FAA_ID', 135, 154, 'X(20)']
MSHR_FIELDS['NWSLI_ID'] = ['NWSLI_ID', 156, 175, 'X(20)']
MSHR_FIELDS['WMO_ID'] = ['WMO_ID', 177, 196, 'X(20)']
MSHR_FIELDS['COOP_ID'] = ['COOP_ID', 198, 217, 'X(20)']
MSHR_FIELDS['TRANSMITTAL_ID'] = ['TRANSMITTAL_ID', 219, 238, 'X(20)']
MSHR_FIELDS['GHCND_ID'] = ['GHCND_ID', 240, 259, 'X(20)']
MSHR_FIELDS['NAME_PRINCIPAL'] = ['NAME_PRINCIPAL', 261, 360, 'X(100)']
MSHR_FIELDS['NAME_PRINCIPAL_SHORT'] = ['NAME_PRINCIPAL_SHORT', 362, 391, 'X(30)']
MSHR_FIELDS['NAME_COOP'] = ['NAME_COOP', 393, 492, 'X(100)']
MSHR_FIELDS['NAME_COOP_SHORT'] = ['NAME_COOP_SHORT', 494, 523, 'X(30)']
MSHR_FIELDS['NAME_PUBLICATION'] = ['NAME_PUBLICATION', 525, 624, 'X(100)']
MSHR_FIELDS['NAME_ALIAS'] = ['NAME_ALIAS', 626, 725, 'X(100)']
MSHR_FIELDS['NWS_CLIM_DIV'] = ['NWS_CLIM_DIV', 727, 736, 'X(10)']
MSHR_FIELDS['NWS_CLIM_DIV_NAME'] = ['NWS_CLIM_DIV_NAME', 738, 777, 'X(40)']
MSHR_FIELDS['STATE_PROV'] = ['STATE_PROV', 779, 788, 'X(10)']
MSHR_FIELDS['COUNTY'] = ['COUNTY', 790, 839, 'X(50)']
MSHR_FIELDS['NWS_ST_CODE'] = ['NWS_ST_CODE', 841, 842, 'X(2)']
MSHR_FIELDS['FIPS_COUNTRY_CODE'] = ['FIPS_COUNTRY_CODE', 844, 845, 'X(2)']
MSHR_FIELDS['FIPS_COUNTRY_NAME'] = ['FIPS_COUNTRY_NAME', 847, 946, 'X(100)']
MSHR_FIELDS['NWS_REGION'] = ['NWS_REGION', 948, 977, 'X(30)']
MSHR_FIELDS['NWS_WFO'] = ['NWS_WFO', 979, 988, 'X(10)']
MSHR_FIELDS['ELEV_GROUND'] = ['ELEV_GROUND', 990, 1029, 'X(40)']
MSHR_FIELDS['ELEV_GROUND_UNIT'] = ['ELEV_GROUND_UNIT', 1031, 1050, 'X(20)']
MSHR_FIELDS['ELEV_BAROM'] = ['ELEV_BAROM', 1052, 1091, 'X(40)']
MSHR_FIELDS['ELEV_BAROM_UNIT'] = ['ELEV_BAROM_UNIT', 1093, 1112, 'X(20)']
MSHR_FIELDS['ELEV_AIR'] = ['ELEV_AIR', 1114, 1153, 'X(40)']
MSHR_FIELDS['ELEV_AIR_UNIT'] = ['ELEV_AIR_UNIT', 1155, 1174, 'X(20)']
MSHR_FIELDS['ELEV_ZERODAT'] = ['ELEV_ZERODAT', 1176, 1215, 'X(40)']
MSHR_FIELDS['ELEV_ZERODAT_UNIT'] = ['ELEV_ZERODAT_UNIT', 1217, 1236, 'X(20)']
MSHR_FIELDS['ELEV_UNK'] = ['ELEV_UNK', 1238, 1277, 'X(40)']
MSHR_FIELDS['ELEV_UNK_UNIT'] = ['ELEV_UNK_UNIT', 1279, 1298, 'X(20)']
MSHR_FIELDS['LAT_DEC'] = ['LAT_DEC', 1300, 1319, 'X(20)']
MSHR_FIELDS['LON_DEC'] = ['LON_DEC', 1321, 1340, 'X(20)']
MSHR_FIELDS['LAT_LON_PRECISION'] = ['LAT_LON_PRECISION', 1342, 1351, 'X(10)']
MSHR_FIELDS['RELOCATION'] = ['RELOCATION', 1353, 1414, 'X(62)']
MSHR_FIELDS['UTC_OFFSET'] = ['UTC_OFFSET', 1416, 1431, '9(16)']
MSHR_FIELDS['OBS_ENV'] = ['OBS_ENV', 1433, 1472, 'X(40) ']
MSHR_FIELDS['PLATFORM'] = ['PLATFORM', 1474, 1573, 'X(100)'] |
(a, b) = map(str, input().split(" "))
a = len(a)
b = len(b)
if a<b:
g = a
else:
g = b
l = []
for i in range(1,g+1):
if a%i==0 and b%i==0:
l.append(str(i))
if (len(l) == 1) and ('1' in l):
print("yes")
else:
print("no")
| (a, b) = map(str, input().split(' '))
a = len(a)
b = len(b)
if a < b:
g = a
else:
g = b
l = []
for i in range(1, g + 1):
if a % i == 0 and b % i == 0:
l.append(str(i))
if len(l) == 1 and '1' in l:
print('yes')
else:
print('no') |
# Enumerate instead of parsing so we pick up errors if a host is added/changed
ver_lookup = {
"postgresql-96-c7": ("9.6", "centos"),
"postgresql-10-c7": ("10", "centos"),
"postgresql-11-c7": ("11", "centos"),
"postgresql-12-c7": ("12", "centos"),
"postgresql-96-u1804": ("9.6", "ubuntu"),
"postgresql-10-u1804": ("10", "ubuntu"),
"postgresql-11-u1804": ("11", "ubuntu"),
"postgresql-12-u1804": ("12", "ubuntu"),
}
def get_distribution(hostname):
return ver_lookup[hostname][1]
def get_version(hostname):
return ver_lookup[hostname][0]
| ver_lookup = {'postgresql-96-c7': ('9.6', 'centos'), 'postgresql-10-c7': ('10', 'centos'), 'postgresql-11-c7': ('11', 'centos'), 'postgresql-12-c7': ('12', 'centos'), 'postgresql-96-u1804': ('9.6', 'ubuntu'), 'postgresql-10-u1804': ('10', 'ubuntu'), 'postgresql-11-u1804': ('11', 'ubuntu'), 'postgresql-12-u1804': ('12', 'ubuntu')}
def get_distribution(hostname):
return ver_lookup[hostname][1]
def get_version(hostname):
return ver_lookup[hostname][0] |
#%%
payments = 0
interest = (1 + rpi + 0.03) ** (1 / 12)
for i in range(0, 30*12):
repayment = (monthly_income(i) - base_monthly_income(i)) * 0.09
temp = debt * interest - repayment
if temp < 0:
payments = payments + debt * interest
debt = 0
break
debt = temp
payments = payments + repayment
# %%
debt = 0
for i in range(0, 4):
debt += (9250 + 4422) * (1 + rpi + 0.03)
payments = 0
for i in range(0, 30):
repayment = (50000 - 27295) * 0.09
payments = payments + repayment | payments = 0
interest = (1 + rpi + 0.03) ** (1 / 12)
for i in range(0, 30 * 12):
repayment = (monthly_income(i) - base_monthly_income(i)) * 0.09
temp = debt * interest - repayment
if temp < 0:
payments = payments + debt * interest
debt = 0
break
debt = temp
payments = payments + repayment
debt = 0
for i in range(0, 4):
debt += (9250 + 4422) * (1 + rpi + 0.03)
payments = 0
for i in range(0, 30):
repayment = (50000 - 27295) * 0.09
payments = payments + repayment |
print("Welcome To even / odd Check: ")
num = int(input("Enter Number: "))
if num % 2 != 0:
print("This is Odd Number")
else:
print("This is an Even Number")
| print('Welcome To even / odd Check: ')
num = int(input('Enter Number: '))
if num % 2 != 0:
print('This is Odd Number')
else:
print('This is an Even Number') |
class Solution:
def maxSubArray(self, nums: [int]) -> int:
max_ending = max_current = nums[0]
for i in nums[1:]:
max_ending = max(i, max_ending + i)
max_current = max(max_current, max_ending)
return max_current
| class Solution:
def max_sub_array(self, nums: [int]) -> int:
max_ending = max_current = nums[0]
for i in nums[1:]:
max_ending = max(i, max_ending + i)
max_current = max(max_current, max_ending)
return max_current |
#
# PySNMP MIB module DATASMART-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/DATASMART-MIB
# Produced by pysmi-0.3.4 at Mon Apr 29 18:21:38 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
ObjectIdentifier, Integer, OctetString = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "Integer", "OctetString")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ConstraintsIntersection, SingleValueConstraint, ValueRangeConstraint, ValueSizeConstraint, ConstraintsUnion = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsIntersection", "SingleValueConstraint", "ValueRangeConstraint", "ValueSizeConstraint", "ConstraintsUnion")
ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup")
TimeTicks, Unsigned32, MibIdentifier, enterprises, NotificationType, Bits, ObjectIdentity, Counter64, Gauge32, NotificationType, IpAddress, Counter32, iso, Integer32, ModuleIdentity, MibScalar, MibTable, MibTableRow, MibTableColumn = mibBuilder.importSymbols("SNMPv2-SMI", "TimeTicks", "Unsigned32", "MibIdentifier", "enterprises", "NotificationType", "Bits", "ObjectIdentity", "Counter64", "Gauge32", "NotificationType", "IpAddress", "Counter32", "iso", "Integer32", "ModuleIdentity", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn")
DisplayString, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention")
class DLCI(Integer32):
subtypeSpec = Integer32.subtypeSpec + ValueRangeConstraint(1, 1023)
class Counter32(Counter32):
pass
class DisplayString(OctetString):
pass
datasmart = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2))
dsSs = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 1))
dsRp = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 2))
dsLm = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 3))
dsRm = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 4))
dsAc = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 5))
dsCc = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 6))
dsDc = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 7))
dsFc = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 8))
dsFmc = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 9))
dsMc = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 10))
dsNc = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 11))
dsSc = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 12))
dsTc = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 13))
dsFp = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 14))
dsSsAlarmSource = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ssSourceNone", 1), ("ssSourceNi", 2), ("ssSourceTi", 3), ("ssSourceDp1", 4), ("ssSourceDp2", 5), ("ssSourceSystem", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsSsAlarmSource.setStatus('mandatory')
dsSsAlarmState = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13))).clone(namedValues=NamedValues(("ssStateNone", 1), ("ssStateEcf", 2), ("ssStateLos", 3), ("ssStateAis", 4), ("ssStateOof", 5), ("ssStateBer", 6), ("ssStateYel", 7), ("ssStateRfa", 8), ("ssStateRma", 9), ("ssStateOmf", 10), ("ssStateEer", 11), ("ssStateDds", 12), ("ssStateOos", 13)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsSsAlarmState.setStatus('mandatory')
dsSsLoopback = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=NamedValues(("ssLbkNone", 1), ("ssLbkRemLlb", 2), ("ssLbkRemPlb", 3), ("ssLbkRemDp1", 4), ("ssLbkRemDp2", 5), ("ssLbkLlb", 6), ("ssLbkLoc", 7), ("ssLbkPlb", 8), ("ssLbkTlb", 9), ("ssLbkDp1", 10), ("ssLbkDp2", 11), ("ssLbkDt1", 12), ("ssLbkDt2", 13), ("ssLbkCsu", 14), ("ssLbkDsu", 15), ("ssLbkDpdt", 16)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsSsLoopback.setStatus('mandatory')
dsSsPowerStatus = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("ssBothOff", 1), ("ssAOnBOff", 2), ("ssAOffBOn", 3), ("ssBothOn", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsSsPowerStatus.setStatus('mandatory')
dsRpUsr = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1))
dsRpCar = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2))
dsRpStat = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3))
dsRpPl = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 4))
dsRpFr = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10))
dsRpUsrTmCntTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 1), )
if mibBuilder.loadTexts: dsRpUsrTmCntTable.setStatus('mandatory')
dsRpUsrTmCntEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 1, 1), ).setIndexNames((0, "DATASMART-MIB", "dsRpUsrTmCntIndex"))
if mibBuilder.loadTexts: dsRpUsrTmCntEntry.setStatus('mandatory')
dsRpUsrTmCntIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 3))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrTmCntIndex.setStatus('mandatory')
dsRpUsrTmCntSecs = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 1, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 899))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrTmCntSecs.setStatus('mandatory')
dsRpUsrTmCnt15Mins = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 1, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 96))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrTmCnt15Mins.setStatus('mandatory')
dsRpUsrTmCntDays = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 1, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrTmCntDays.setStatus('mandatory')
dsRpUsrCurTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2), )
if mibBuilder.loadTexts: dsRpUsrCurTable.setStatus('mandatory')
dsRpUsrCurEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1), ).setIndexNames((0, "DATASMART-MIB", "dsRpUsrCurIndex"))
if mibBuilder.loadTexts: dsRpUsrCurEntry.setStatus('mandatory')
dsRpUsrCurIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 3))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrCurIndex.setStatus('mandatory')
dsRpUsrCurEE = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1, 2), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrCurEE.setStatus('mandatory')
dsRpUsrCurES = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1, 3), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrCurES.setStatus('mandatory')
dsRpUsrCurBES = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1, 4), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrCurBES.setStatus('mandatory')
dsRpUsrCurSES = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1, 5), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrCurSES.setStatus('mandatory')
dsRpUsrCurUAS = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1, 6), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrCurUAS.setStatus('mandatory')
dsRpUsrCurCSS = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1, 7), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrCurCSS.setStatus('mandatory')
dsRpUsrCurDM = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1, 8), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrCurDM.setStatus('mandatory')
dsRpUsrCurStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1, 9), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 10))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrCurStatus.setStatus('mandatory')
dsRpUsrIntvlTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3), )
if mibBuilder.loadTexts: dsRpUsrIntvlTable.setStatus('mandatory')
dsRpUsrIntvlEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1), ).setIndexNames((0, "DATASMART-MIB", "dsRpUsrIntvlIndex"), (0, "DATASMART-MIB", "dsRpUsrIntvlNum"))
if mibBuilder.loadTexts: dsRpUsrIntvlEntry.setStatus('mandatory')
dsRpUsrIntvlIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrIntvlIndex.setStatus('mandatory')
dsRpUsrIntvlNum = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 96))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrIntvlNum.setStatus('mandatory')
dsRpUsrIntvlEE = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 3), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrIntvlEE.setStatus('mandatory')
dsRpUsrIntvlES = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 4), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrIntvlES.setStatus('mandatory')
dsRpUsrIntvlBES = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 5), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrIntvlBES.setStatus('mandatory')
dsRpUsrIntvlSES = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 6), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrIntvlSES.setStatus('mandatory')
dsRpUsrIntvlUAS = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 7), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrIntvlUAS.setStatus('mandatory')
dsRpUsrIntvlCSS = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 8), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrIntvlCSS.setStatus('mandatory')
dsRpUsrIntvlDM = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 9), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrIntvlDM.setStatus('mandatory')
dsRpUsrIntvlStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 10), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 10))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrIntvlStatus.setStatus('mandatory')
dsRpUsrTotalTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4), )
if mibBuilder.loadTexts: dsRpUsrTotalTable.setStatus('mandatory')
dsRpUsrTotalEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1), ).setIndexNames((0, "DATASMART-MIB", "dsRpUsrTotalIndex"))
if mibBuilder.loadTexts: dsRpUsrTotalEntry.setStatus('mandatory')
dsRpUsrTotalIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrTotalIndex.setStatus('mandatory')
dsRpUsrTotalEE = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1, 2), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrTotalEE.setStatus('mandatory')
dsRpUsrTotalES = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1, 3), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrTotalES.setStatus('mandatory')
dsRpUsrTotalBES = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1, 4), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrTotalBES.setStatus('mandatory')
dsRpUsrTotalSES = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1, 5), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrTotalSES.setStatus('mandatory')
dsRpUsrTotalUAS = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1, 6), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrTotalUAS.setStatus('mandatory')
dsRpUsrTotalCSS = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1, 7), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrTotalCSS.setStatus('mandatory')
dsRpUsrTotalDM = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1, 8), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrTotalDM.setStatus('mandatory')
dsRpUsrTotalStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1, 9), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 10))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrTotalStatus.setStatus('mandatory')
dsRpUsrDayTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5), )
if mibBuilder.loadTexts: dsRpUsrDayTable.setStatus('mandatory')
dsRpUsrDayEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1), ).setIndexNames((0, "DATASMART-MIB", "dsRpUsrDayIndex"), (0, "DATASMART-MIB", "dsRpUsrDayNum"))
if mibBuilder.loadTexts: dsRpUsrDayEntry.setStatus('mandatory')
dsRpUsrDayIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrDayIndex.setStatus('mandatory')
dsRpUsrDayNum = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 7))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrDayNum.setStatus('mandatory')
dsRpUsrDayEE = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 3), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrDayEE.setStatus('mandatory')
dsRpUsrDayES = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 4), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrDayES.setStatus('mandatory')
dsRpUsrDayBES = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 5), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrDayBES.setStatus('mandatory')
dsRpUsrDaySES = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 6), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrDaySES.setStatus('mandatory')
dsRpUsrDayUAS = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 7), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrDayUAS.setStatus('mandatory')
dsRpUsrDayCSS = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 8), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrDayCSS.setStatus('mandatory')
dsRpUsrDayDM = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 9), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrDayDM.setStatus('mandatory')
dsRpUsrDayStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 10), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 10))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpUsrDayStatus.setStatus('mandatory')
dsRpCarCntSecs = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 899))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpCarCntSecs.setStatus('mandatory')
dsRpCarCnt15Mins = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 96))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpCarCnt15Mins.setStatus('mandatory')
dsRpCarCur = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 3))
dsRpCarCurEE = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 3, 1), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpCarCurEE.setStatus('mandatory')
dsRpCarCurES = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 3, 2), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpCarCurES.setStatus('mandatory')
dsRpCarCurBES = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 3, 3), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpCarCurBES.setStatus('mandatory')
dsRpCarCurSES = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 3, 4), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpCarCurSES.setStatus('mandatory')
dsRpCarCurUAS = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 3, 5), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpCarCurUAS.setStatus('mandatory')
dsRpCarCurCSS = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 3, 6), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpCarCurCSS.setStatus('mandatory')
dsRpCarCurLOFC = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 3, 7), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpCarCurLOFC.setStatus('mandatory')
dsRpCarIntvlTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4), )
if mibBuilder.loadTexts: dsRpCarIntvlTable.setStatus('mandatory')
dsRpCarIntvlEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4, 1), ).setIndexNames((0, "DATASMART-MIB", "dsRpCarIntvlNum"))
if mibBuilder.loadTexts: dsRpCarIntvlEntry.setStatus('mandatory')
dsRpCarIntvlNum = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 96))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpCarIntvlNum.setStatus('mandatory')
dsRpCarIntvlEE = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4, 1, 2), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpCarIntvlEE.setStatus('mandatory')
dsRpCarIntvlES = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4, 1, 3), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpCarIntvlES.setStatus('mandatory')
dsRpCarIntvlBES = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4, 1, 4), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpCarIntvlBES.setStatus('mandatory')
dsRpCarIntvlSES = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4, 1, 5), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpCarIntvlSES.setStatus('mandatory')
dsRpCarIntvlUAS = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4, 1, 6), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpCarIntvlUAS.setStatus('mandatory')
dsRpCarIntvlCSS = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4, 1, 7), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpCarIntvlCSS.setStatus('mandatory')
dsRpCarIntvlLOFC = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4, 1, 8), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpCarIntvlLOFC.setStatus('mandatory')
dsRpCarTotal = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 5))
dsRpCarTotalEE = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 5, 1), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpCarTotalEE.setStatus('mandatory')
dsRpCarTotalES = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 5, 2), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpCarTotalES.setStatus('mandatory')
dsRpCarTotalBES = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 5, 3), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpCarTotalBES.setStatus('mandatory')
dsRpCarTotalSES = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 5, 4), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpCarTotalSES.setStatus('mandatory')
dsRpCarTotalUAS = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 5, 5), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpCarTotalUAS.setStatus('mandatory')
dsRpCarTotalCSS = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 5, 6), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpCarTotalCSS.setStatus('mandatory')
dsRpCarTotalLOFC = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 5, 7), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpCarTotalLOFC.setStatus('mandatory')
dsRpStTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1), )
if mibBuilder.loadTexts: dsRpStTable.setStatus('mandatory')
dsRpStEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1), ).setIndexNames((0, "DATASMART-MIB", "dsRpStIndex"))
if mibBuilder.loadTexts: dsRpStEntry.setStatus('mandatory')
dsRpStIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 3))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpStIndex.setStatus('mandatory')
dsRpStEsfErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpStEsfErrors.setStatus('mandatory')
dsRpStCrcErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpStCrcErrors.setStatus('mandatory')
dsRpStOofErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpStOofErrors.setStatus('mandatory')
dsRpStFrameBitErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpStFrameBitErrors.setStatus('mandatory')
dsRpStBPVs = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpStBPVs.setStatus('mandatory')
dsRpStControlledSlips = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpStControlledSlips.setStatus('mandatory')
dsRpStYellowEvents = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpStYellowEvents.setStatus('mandatory')
dsRpStAISEvents = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 9), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpStAISEvents.setStatus('mandatory')
dsRpStLOFEvents = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 10), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpStLOFEvents.setStatus('mandatory')
dsRpStLOSEvents = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 11), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpStLOSEvents.setStatus('mandatory')
dsRpStFarEndBlkErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 12), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpStFarEndBlkErrors.setStatus('mandatory')
dsRpStRemFrameAlmEvts = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 13), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpStRemFrameAlmEvts.setStatus('mandatory')
dsRpStRemMFrameAlmEvts = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 14), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpStRemMFrameAlmEvts.setStatus('mandatory')
dsRpStLOTS16MFrameEvts = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 15), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpStLOTS16MFrameEvts.setStatus('mandatory')
dsRpStZeroCounters = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("rpStZeroCountersIdle", 1), ("rpStZeroCountersStart", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsRpStZeroCounters.setStatus('mandatory')
dsPlBreak = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 4, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("rpPlLineFeed", 1), ("rpPlMorePrompt", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsPlBreak.setStatus('mandatory')
dsPlLen = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 4, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 70))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsPlLen.setStatus('mandatory')
dsRpAhrTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 5), )
if mibBuilder.loadTexts: dsRpAhrTable.setStatus('mandatory')
dsRpAhrEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 5, 1), ).setIndexNames((0, "DATASMART-MIB", "dsRpAhrIndex"))
if mibBuilder.loadTexts: dsRpAhrEntry.setStatus('mandatory')
dsRpAhrIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 5, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 20))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpAhrIndex.setStatus('mandatory')
dsRpAhrStr = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 5, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpAhrStr.setStatus('mandatory')
dsRpShrTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 6), )
if mibBuilder.loadTexts: dsRpShrTable.setStatus('mandatory')
dsRpShrEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 6, 1), ).setIndexNames((0, "DATASMART-MIB", "dsRpShrIndex"))
if mibBuilder.loadTexts: dsRpShrEntry.setStatus('mandatory')
dsRpShrIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 6, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpShrIndex.setStatus('mandatory')
dsRpShrDateTime = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 6, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpShrDateTime.setStatus('mandatory')
dsRpShrEventType = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 6, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("rpShrTelnetPassword", 1), ("rpShrSrcIpAddressScreen", 2), ("rpShrReadCommString", 3), ("rpShrWriteCommString", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpShrEventType.setStatus('mandatory')
dsRpShrComments = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 6, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpShrComments.setStatus('mandatory')
dsRpBes = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(2, 63999))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsRpBes.setStatus('mandatory')
dsRpSes = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(3, 64000))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsRpSes.setStatus('mandatory')
dsRpDm = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 64000))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsRpDm.setStatus('mandatory')
dsRpFrTmCntTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 1), )
if mibBuilder.loadTexts: dsRpFrTmCntTable.setStatus('mandatory')
dsRpFrTmCntEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 1, 1), ).setIndexNames((0, "DATASMART-MIB", "dsRpFrTmCntDir"))
if mibBuilder.loadTexts: dsRpFrTmCntEntry.setStatus('mandatory')
dsRpFrTmCntDir = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrTmCntDir.setStatus('mandatory')
dsRpFrTmCntSecs = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 1, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7200))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrTmCntSecs.setStatus('mandatory')
dsRpFrTmCnt2Hrs = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 1, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 12))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrTmCnt2Hrs.setStatus('mandatory')
dsRpFrTmCntDays = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 1, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrTmCntDays.setStatus('mandatory')
dsRpFrPre15MTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2), )
if mibBuilder.loadTexts: dsRpFrPre15MTable.setStatus('mandatory')
dsRpFrPre15MEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1), ).setIndexNames((0, "DATASMART-MIB", "dsRpFrPre15MDir"), (0, "DATASMART-MIB", "dsRpFrPre15MVcIndex"))
if mibBuilder.loadTexts: dsRpFrPre15MEntry.setStatus('mandatory')
dsRpFrPre15MDir = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrPre15MDir.setStatus('mandatory')
dsRpFrPre15MVcIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrPre15MVcIndex.setStatus('mandatory')
dsRpFrPre15MVc = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8388607))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrPre15MVc.setStatus('mandatory')
dsRpFrPre15MFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrPre15MFrames.setStatus('mandatory')
dsRpFrPre15MOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrPre15MOctets.setStatus('mandatory')
dsRpFrPre15MKbps = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 6), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrPre15MKbps.setStatus('mandatory')
dsRpFrPre15MFpMax = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrPre15MFpMax.setStatus('mandatory')
dsRpFrPre15MFpAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 8), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrPre15MFpAvg.setStatus('mandatory')
dsRpFrPre15MFpLost = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 9), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrPre15MFpLost.setStatus('mandatory')
dsRpFrPre15MFpSent = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 10), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrPre15MFpSent.setStatus('mandatory')
dsRpFrPre15MStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 11), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 7))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrPre15MStatus.setStatus('mandatory')
dsRpFrCur15MTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3), )
if mibBuilder.loadTexts: dsRpFrCur15MTable.setStatus('mandatory')
dsRpFrCur15MEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1), ).setIndexNames((0, "DATASMART-MIB", "dsRpFrCur15MDir"), (0, "DATASMART-MIB", "dsRpFrCur15MVcIndex"))
if mibBuilder.loadTexts: dsRpFrCur15MEntry.setStatus('mandatory')
dsRpFrCur15MDir = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrCur15MDir.setStatus('mandatory')
dsRpFrCur15MVcIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrCur15MVcIndex.setStatus('mandatory')
dsRpFrCur15MVc = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8388607))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrCur15MVc.setStatus('mandatory')
dsRpFrCur15MFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrCur15MFrames.setStatus('mandatory')
dsRpFrCur15MOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrCur15MOctets.setStatus('mandatory')
dsRpFrCur15MKbps = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 6), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrCur15MKbps.setStatus('mandatory')
dsRpFrCur15MFpMax = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrCur15MFpMax.setStatus('mandatory')
dsRpFrCur15MFpAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 8), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrCur15MFpAvg.setStatus('mandatory')
dsRpFrCur15MFpLost = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 9), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrCur15MFpLost.setStatus('mandatory')
dsRpFrCur15MFpSent = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 10), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrCur15MFpSent.setStatus('mandatory')
dsRpFrCur15MFpRmtIp = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 11), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrCur15MFpRmtIp.setStatus('mandatory')
dsRpFrCur15MFpRmtVc = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 12), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 8388607))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrCur15MFpRmtVc.setStatus('mandatory')
dsRpFrCur15MStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 13), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 7))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrCur15MStatus.setStatus('mandatory')
dsRpFrCur2HTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4), )
if mibBuilder.loadTexts: dsRpFrCur2HTable.setStatus('mandatory')
dsRpFrCur2HEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1), ).setIndexNames((0, "DATASMART-MIB", "dsRpFrCur2HDir"), (0, "DATASMART-MIB", "dsRpFrCur2HVcIndex"))
if mibBuilder.loadTexts: dsRpFrCur2HEntry.setStatus('mandatory')
dsRpFrCur2HDir = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrCur2HDir.setStatus('mandatory')
dsRpFrCur2HVcIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrCur2HVcIndex.setStatus('mandatory')
dsRpFrCur2HVc = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8388607))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrCur2HVc.setStatus('mandatory')
dsRpFrCur2HFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrCur2HFrames.setStatus('mandatory')
dsRpFrCur2HOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrCur2HOctets.setStatus('mandatory')
dsRpFrCur2HKbps = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 6), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrCur2HKbps.setStatus('mandatory')
dsRpFrCur2HFpMax = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrCur2HFpMax.setStatus('mandatory')
dsRpFrCur2HFpAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 8), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrCur2HFpAvg.setStatus('mandatory')
dsRpFrCur2HFpLost = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 9), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrCur2HFpLost.setStatus('mandatory')
dsRpFrCur2HFpSent = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 10), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrCur2HFpSent.setStatus('mandatory')
dsRpFrCur2HStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 11), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 7))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrCur2HStatus.setStatus('mandatory')
dsRpFrIntvl2HTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5), )
if mibBuilder.loadTexts: dsRpFrIntvl2HTable.setStatus('mandatory')
dsRpFrIntvl2HEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1), ).setIndexNames((0, "DATASMART-MIB", "dsRpFrIntvl2HDir"), (0, "DATASMART-MIB", "dsRpFrIntvl2HVcIndex"), (0, "DATASMART-MIB", "dsRpFrIntvl2HNum"))
if mibBuilder.loadTexts: dsRpFrIntvl2HEntry.setStatus('mandatory')
dsRpFrIntvl2HDir = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrIntvl2HDir.setStatus('mandatory')
dsRpFrIntvl2HVcIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrIntvl2HVcIndex.setStatus('mandatory')
dsRpFrIntvl2HNum = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 12))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrIntvl2HNum.setStatus('mandatory')
dsRpFrIntvl2HVc = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8388607))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrIntvl2HVc.setStatus('mandatory')
dsRpFrIntvl2HFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrIntvl2HFrames.setStatus('mandatory')
dsRpFrIntvl2HOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrIntvl2HOctets.setStatus('mandatory')
dsRpFrIntvl2HKbps = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 7), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrIntvl2HKbps.setStatus('mandatory')
dsRpFrIntvl2HFpMax = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrIntvl2HFpMax.setStatus('mandatory')
dsRpFrIntvl2HFpAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 9), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrIntvl2HFpAvg.setStatus('mandatory')
dsRpFrIntvl2HFpLost = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 10), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrIntvl2HFpLost.setStatus('mandatory')
dsRpFrIntvl2HFpSent = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 11), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrIntvl2HFpSent.setStatus('mandatory')
dsRpFrIntvl2HStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 12), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 7))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrIntvl2HStatus.setStatus('mandatory')
dsRpFrTotalTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6), )
if mibBuilder.loadTexts: dsRpFrTotalTable.setStatus('mandatory')
dsRpFrTotalEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1), ).setIndexNames((0, "DATASMART-MIB", "dsRpFrTotalDir"), (0, "DATASMART-MIB", "dsRpFrTotalVcIndex"))
if mibBuilder.loadTexts: dsRpFrTotalEntry.setStatus('mandatory')
dsRpFrTotalDir = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrTotalDir.setStatus('mandatory')
dsRpFrTotalVcIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrTotalVcIndex.setStatus('mandatory')
dsRpFrTotalVc = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8388607))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrTotalVc.setStatus('mandatory')
dsRpFrTotalFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrTotalFrames.setStatus('mandatory')
dsRpFrTotalOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrTotalOctets.setStatus('mandatory')
dsRpFrTotalKbps = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 6), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrTotalKbps.setStatus('mandatory')
dsRpFrTotalFpMax = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrTotalFpMax.setStatus('mandatory')
dsRpFrTotalFpAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 8), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrTotalFpAvg.setStatus('mandatory')
dsRpFrTotalFpLost = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 9), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrTotalFpLost.setStatus('mandatory')
dsRpFrTotalFpSent = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 10), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrTotalFpSent.setStatus('mandatory')
dsRpFrTotalStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 11), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 7))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrTotalStatus.setStatus('mandatory')
dsRpFrDayTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7), )
if mibBuilder.loadTexts: dsRpFrDayTable.setStatus('mandatory')
dsRpFrDayEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1), ).setIndexNames((0, "DATASMART-MIB", "dsRpFrDayDir"), (0, "DATASMART-MIB", "dsRpFrDayVcIndex"), (0, "DATASMART-MIB", "dsRpFrDayNum"))
if mibBuilder.loadTexts: dsRpFrDayEntry.setStatus('mandatory')
dsRpFrDayDir = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrDayDir.setStatus('mandatory')
dsRpFrDayVcIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrDayVcIndex.setStatus('mandatory')
dsRpFrDayNum = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 12))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrDayNum.setStatus('mandatory')
dsRpFrDayVc = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8388607))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrDayVc.setStatus('mandatory')
dsRpFrDayFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrDayFrames.setStatus('mandatory')
dsRpFrDayOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrDayOctets.setStatus('mandatory')
dsRpFrDayKbps = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 7), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrDayKbps.setStatus('mandatory')
dsRpFrDayFpMax = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrDayFpMax.setStatus('mandatory')
dsRpFrDayFpAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 9), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrDayFpAvg.setStatus('mandatory')
dsRpFrDayFpLost = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 10), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrDayFpLost.setStatus('mandatory')
dsRpFrDayFpSent = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 11), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrDayFpSent.setStatus('mandatory')
dsRpFrDayStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 12), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 7))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrDayStatus.setStatus('mandatory')
dsRpFrUrTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 8), )
if mibBuilder.loadTexts: dsRpFrUrTable.setStatus('mandatory')
dsRpFrUrEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 8, 1), ).setIndexNames((0, "DATASMART-MIB", "dsRpFrUrDir"), (0, "DATASMART-MIB", "dsRpFrUrVcIndex"))
if mibBuilder.loadTexts: dsRpFrUrEntry.setStatus('mandatory')
dsRpFrUrDir = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 8, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrUrDir.setStatus('mandatory')
dsRpFrUrVcIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 8, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrUrVcIndex.setStatus('mandatory')
dsRpFrUrVc = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 8, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8388607))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrUrVc.setStatus('mandatory')
dsRpFrUrCIRExceeded = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 8, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrUrCIRExceeded.setStatus('mandatory')
dsRpFrUrCIRExceededOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 8, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrUrCIRExceededOctets.setStatus('mandatory')
dsRpFrUrEIRExceeded = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 8, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrUrEIRExceeded.setStatus('mandatory')
dsRpFrUrEIRExceededOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 8, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpFrUrEIRExceededOctets.setStatus('mandatory')
dsRpDdsDuration = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 11), TimeTicks()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpDdsDuration.setStatus('mandatory')
dsRpDdsTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 12), )
if mibBuilder.loadTexts: dsRpDdsTable.setStatus('mandatory')
dsRpDdsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 12, 1), ).setIndexNames((0, "DATASMART-MIB", "dsRpDdsIfIndex"))
if mibBuilder.loadTexts: dsRpDdsEntry.setStatus('mandatory')
dsRpDdsIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 12, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpDdsIfIndex.setStatus('mandatory')
dsRpDdsAvailableSecs = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 12, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpDdsAvailableSecs.setStatus('mandatory')
dsRpDdsTotalSecs = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 12, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpDdsTotalSecs.setStatus('mandatory')
dsRpDdsBPVs = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 12, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRpDdsBPVs.setStatus('mandatory')
dsLmLoopback = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 3, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("lmLbkNone", 1), ("lmLbkLine", 2), ("lmLbkPayload", 3), ("lmLbkLocal", 4), ("lmLbkTiTest", 5), ("lmLbkDp1", 6), ("lmLbkDp2", 7), ("lmLbkDt1", 8), ("lmLbkDt2", 9), ("lmLbkCsu", 10), ("lmLbkDsu", 11), ("lmLbkDpdt", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsLmLoopback.setStatus('mandatory')
dsLmSelfTestState = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 3, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("lmSelfTestIdle", 1), ("lmSelfTestStart", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsLmSelfTestState.setStatus('mandatory')
dsLmSelfTestResults = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 3, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsLmSelfTestResults.setStatus('mandatory')
dsRmLbkCode = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("rmRNone", 1), ("rmRst1", 2), ("rmRLine", 3), ("rmRPayload", 4), ("rmRDp1", 5), ("rmRDp2", 6)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsRmLbkCode.setStatus('mandatory')
dsRmTestCode = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11))).clone(namedValues=NamedValues(("rmTestNone", 1), ("rmTestQrs", 2), ("rmTest324", 3), ("rmTestOnes", 4), ("rmTestZeros", 5), ("rmTest511Dp1", 6), ("rmTest511Dp2", 7), ("rmTest2047Dp1", 8), ("rmTest2047Dp2", 9), ("rmTest2toThe23", 10), ("rmTest2toThe15", 11)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsRmTestCode.setStatus('mandatory')
dsRmBertState = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("rmBertIdle", 1), ("rmBertOtherStart", 2), ("rmBertSearching", 3), ("rmBertFound", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRmBertState.setStatus('mandatory')
dsRmBertCode = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11))).clone(namedValues=NamedValues(("rmBertNone", 1), ("rmBertQrs", 2), ("rmBert324", 3), ("rmBertOnes", 4), ("rmBertZeros", 5), ("rmBert511Dp1", 6), ("rmBert511Dp2", 7), ("rmBert2047Dp1", 8), ("rmBert2047Dp2", 9), ("rmTest2toThe23", 10), ("rmTest2toThe15", 11)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsRmBertCode.setStatus('mandatory')
dsRmBertTestSecs = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRmBertTestSecs.setStatus('mandatory')
dsRmBertBitErrors = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRmBertBitErrors.setStatus('mandatory')
dsRmBertErrdSecs = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRmBertErrdSecs.setStatus('mandatory')
dsRmBertTotalErrors = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRmBertTotalErrors.setStatus('mandatory')
dsRmBertReSync = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRmBertReSync.setStatus('mandatory')
dsRmFping = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10))
dsRmFpingAction = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("rmFpingStart", 1), ("rmFpingStop", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsRmFpingAction.setStatus('mandatory')
dsRmFpingState = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("rmFpingIdle", 1), ("rmFpingOtherStart", 2), ("rmFpingRunning", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRmFpingState.setStatus('mandatory')
dsRmFpingVc = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 8388607))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsRmFpingVc.setStatus('mandatory')
dsRmFpingFreq = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(5, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsRmFpingFreq.setStatus('mandatory')
dsRmFpingLen = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1400))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsRmFpingLen.setStatus('mandatory')
dsRmFpingCur = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRmFpingCur.setStatus('mandatory')
dsRmFpingMin = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRmFpingMin.setStatus('mandatory')
dsRmFpingMax = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRmFpingMax.setStatus('mandatory')
dsRmFpingAvg = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRmFpingAvg.setStatus('mandatory')
dsRmFpingLost = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRmFpingLost.setStatus('mandatory')
dsRmFpingTotal = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRmFpingTotal.setStatus('mandatory')
dsRmFpingRmtVc = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 12), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 8))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRmFpingRmtVc.setStatus('mandatory')
dsRmFpingRmtIp = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 13), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsRmFpingRmtIp.setStatus('mandatory')
dsRmInsertBitError = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("insertBitError", 1), ("noInsertBitError", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsRmInsertBitError.setStatus('mandatory')
dsAcAlmMsg = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 5, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("acAlmMsgEnable", 1), ("acAlmMsgDisable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsAcAlmMsg.setStatus('mandatory')
dsAcYelAlm = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 5, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("acYelAlmEnable", 1), ("acYelAlmDisable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsAcYelAlm.setStatus('mandatory')
dsAcDeact = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 5, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 15))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsAcDeact.setStatus('mandatory')
dsAcEst = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 5, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 900))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsAcEst.setStatus('mandatory')
dsAcUst = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 5, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 900))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsAcUst.setStatus('mandatory')
dsAcSt = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 5, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("acSt15", 1), ("acSt60", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsAcSt.setStatus('mandatory')
dsAcBerAlm = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 5, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("acBerAlmEnable", 1), ("acBerAlmDisable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsAcBerAlm.setStatus('mandatory')
dsAcRfaAlm = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 5, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("acRfaAlmEnable", 1), ("acRfaAlmDisable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsAcRfaAlm.setStatus('mandatory')
dsAcAisAlm = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 5, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("acAisAlmEnable", 1), ("acAisAlmDisable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsAcAisAlm.setStatus('mandatory')
dsAcOnPowerTransition = NotificationType((1, 3, 6, 1, 4, 1, 181, 2, 2) + (0,5005)).setObjects(("DATASMART-MIB", "dsSsPowerStatus"))
dsAcOffPowerTransition = NotificationType((1, 3, 6, 1, 4, 1, 181, 2, 2) + (0,5006)).setObjects(("DATASMART-MIB", "dsSsPowerStatus"))
dsCcEcho = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 6, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ccEchoEnable", 1), ("ccEchoDisable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsCcEcho.setStatus('mandatory')
dsCcControlPort = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 6, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ccDce", 1), ("ccDte", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsCcControlPort.setStatus('mandatory')
dsCcBaud = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 6, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("cc2400", 1), ("cc9600", 2), ("cc19200", 3), ("cc38400", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsCcBaud.setStatus('mandatory')
dsCcParity = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 6, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("ccNone", 1), ("ccEven", 2), ("ccOdd", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsCcParity.setStatus('mandatory')
dsCcDataBits = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 6, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("cc7Bit", 1), ("cc8Bit", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsCcDataBits.setStatus('mandatory')
dsCcStopBits = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 6, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("cc1Bit", 1), ("cc2Bit", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsCcStopBits.setStatus('mandatory')
dsCcDceIn = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 6, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("ccBothOff", 1), ("ccRtsOnDtrOff", 2), ("ccRtsOffDtrOn", 3), ("ccBothOn", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsCcDceIn.setStatus('mandatory')
dsCcDteIn = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 6, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("ccBothOff", 1), ("ccCtsOnDcdOff", 2), ("ccCtsOffDcdOn", 3), ("ccBothOn", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsCcDteIn.setStatus('mandatory')
dsDcTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1), )
if mibBuilder.loadTexts: dsDcTable.setStatus('mandatory')
dsDcEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1, 1), ).setIndexNames((0, "DATASMART-MIB", "dsDcIndex"))
if mibBuilder.loadTexts: dsDcEntry.setStatus('mandatory')
dsDcIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsDcIndex.setStatus('mandatory')
dsDcDataInvert = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("dcDataInvertEnable", 1), ("dcDataInvertDisable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsDcDataInvert.setStatus('mandatory')
dsDcInterface = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("dcV35Interface", 1), ("dcEia530Interface", 2), ("dcV35DSInterface", 3)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsDcInterface.setStatus('mandatory')
dsDcClockSource = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("dcInternalClock", 1), ("dcExternalClock", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsDcClockSource.setStatus('mandatory')
dsDcXmtClkInvert = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("dcXClkInvertEnable", 1), ("dcXClkInvertDisable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsDcXmtClkInvert.setStatus('mandatory')
dsDcRcvClkInvert = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("dcRClkInvertEnable", 1), ("dcRClkInvertDisable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsDcRcvClkInvert.setStatus('mandatory')
dsDcIdleChar = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("dc7eIdleChar", 1), ("dc7fIdleChar", 2), ("dcffIdleChar", 3)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsDcIdleChar.setStatus('mandatory')
dsDcLOSInput = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("dcLosNone", 1), ("dcLosRTS", 2), ("dcLosDTR", 3), ("dcLosBoth", 4)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsDcLOSInput.setStatus('mandatory')
dsFcLoadXcute = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 8, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("fcLoadXcuteIdle", 1), ("fcLoadXcuteStartA", 2), ("fcLoadXcuteStartB", 3)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsFcLoadXcute.setStatus('mandatory')
dsFcTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 8, 2), )
if mibBuilder.loadTexts: dsFcTable.setStatus('mandatory')
dsFcEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 8, 2, 1), ).setIndexNames((0, "DATASMART-MIB", "dsFcTableIndex"), (0, "DATASMART-MIB", "dsFcChanIndex"))
if mibBuilder.loadTexts: dsFcEntry.setStatus('mandatory')
dsFcTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 8, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 3))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsFcTableIndex.setStatus('mandatory')
dsFcChanIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 8, 2, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 31))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsFcChanIndex.setStatus('mandatory')
dsFcChanMap = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 8, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=NamedValues(("fcChanIdle", 1), ("fcChanTiData", 2), ("fcChanTiVoice", 3), ("fcChan56Dp1", 4), ("fcChan64Dp1", 5), ("fcChan56Dp2", 6), ("fcChan64Dp2", 7), ("fcChanDLNK", 8), ("fcChanDPDL", 9), ("fcChanUnav", 10)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsFcChanMap.setStatus('mandatory')
dsFcMap16 = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 8, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("fcMap16Used", 1), ("fcMap16Unused", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsFcMap16.setStatus('mandatory')
dsFmcFrameType = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("fmcFrNlpid", 1), ("fmcFrEther", 2), ("fmcAtmNlpid", 3), ("fmcAtmLlcSnap", 4), ("fmcAtmVcMux", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsFmcFrameType.setStatus('mandatory')
dsFmcAddrOctets = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("fmcTwoOctets", 1), ("fmcFourOctets", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsFmcAddrOctets.setStatus('mandatory')
dsFmcFcsBits = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("fmc16Bits", 1), ("fmc32Bits", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsFmcFcsBits.setStatus('mandatory')
dsFmcUpperBW = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(5, 95))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsFmcUpperBW.setStatus('mandatory')
dsFmcFpingOper = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("fmcFpoEnable", 1), ("fmcFpoDisable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsFmcFpingOper.setStatus('mandatory')
dsFmcFpingGen = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 64))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsFmcFpingGen.setStatus('mandatory')
dsFmcFpingThres = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(20, 2000))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsFmcFpingThres.setStatus('mandatory')
dsFmcFpingRst = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 8388607))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsFmcFpingRst.setStatus('mandatory')
dsFmcAddVc = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 8388607))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsFmcAddVc.setStatus('mandatory')
dsFmcDelVc = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 8388607))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsFmcDelVc.setStatus('mandatory')
dsFmcSetNiRcvUpperBwThresh = NotificationType((1, 3, 6, 1, 4, 1, 181, 2, 2) + (0,9001)).setObjects(("DATASMART-MIB", "dsRpFrCur15MVc"))
dsFmcClrNiRcvUpperBwThresh = NotificationType((1, 3, 6, 1, 4, 1, 181, 2, 2) + (0,9002)).setObjects(("DATASMART-MIB", "dsRpFrCur15MVc"))
dsFmcSetNiXmtUpperBwThresh = NotificationType((1, 3, 6, 1, 4, 1, 181, 2, 2) + (0,9003)).setObjects(("DATASMART-MIB", "dsRpFrCur15MVc"))
dsFmcClrNiXmtUpperBwThresh = NotificationType((1, 3, 6, 1, 4, 1, 181, 2, 2) + (0,9004)).setObjects(("DATASMART-MIB", "dsRpFrCur15MVc"))
dsFmcFpingLinkDown = NotificationType((1, 3, 6, 1, 4, 1, 181, 2, 2) + (0,9005)).setObjects(("DATASMART-MIB", "dsRpFrCur15MVc"))
dsFmcFpingLinkUp = NotificationType((1, 3, 6, 1, 4, 1, 181, 2, 2) + (0,9006)).setObjects(("DATASMART-MIB", "dsRpFrCur15MVc"))
dsMcNetif = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11))).clone(namedValues=NamedValues(("mcNetNone", 1), ("mcNetEthernet", 2), ("mcNetPppSlip", 3), ("mcNetSlip", 4), ("mcNetDatalink", 5), ("mcNetES", 6), ("mcNetED", 7), ("mcNetESD", 8), ("mcNetPSD", 9), ("mcNetSD", 10), ("mcNetInband", 11)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsMcNetif.setStatus('mandatory')
dsMcT1DLPath = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49))).clone(namedValues=NamedValues(("mcDLPathFdl", 1), ("mcDLPathTS1-64", 2), ("mcDLPathTS2-64", 3), ("mcDLPathTS3-64", 4), ("mcDLPathTS4-64", 5), ("mcDLPathTS5-64", 6), ("mcDLPathTS6-64", 7), ("mcDLPathTS7-64", 8), ("mcDLPathTS8-64", 9), ("mcDLPathTS9-64", 10), ("mcDLPathTS10-64", 11), ("mcDLPathTS11-64", 12), ("mcDLPathTS12-64", 13), ("mcDLPathTS13-64", 14), ("mcDLPathTS14-64", 15), ("mcDLPathTS15-64", 16), ("mcDLPathTS16-64", 17), ("mcDLPathTS17-64", 18), ("mcDLPathTS18-64", 19), ("mcDLPathTS19-64", 20), ("mcDLPathTS20-64", 21), ("mcDLPathTS21-64", 22), ("mcDLPathTS22-64", 23), ("mcDLPathTS23-64", 24), ("mcDLPathTS24-64", 25), ("mcDLPathTS1-56", 26), ("mcDLPathTS2-56", 27), ("mcDLPathTS3-56", 28), ("mcDLPathTS4-56", 29), ("mcDLPathTS5-56", 30), ("mcDLPathTS6-56", 31), ("mcDLPathTS7-56", 32), ("mcDLPathTS8-56", 33), ("mcDLPathTS9-56", 34), ("mcDLPathTS10-56", 35), ("mcDLPathTS11-56", 36), ("mcDLPathTS12-56", 37), ("mcDLPathTS13-56", 38), ("mcDLPathTS14-56", 39), ("mcDLPathTS15-56", 40), ("mcDLPathTS16-56", 41), ("mcDLPathTS17-56", 42), ("mcDLPathTS18-56", 43), ("mcDLPathTS19-56", 44), ("mcDLPathTS20-56", 45), ("mcDLPathTS21-56", 46), ("mcDLPathTS22-56", 47), ("mcDLPathTS23-56", 48), ("mcDLPathTS24-56", 49)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsMcT1DLPath.setStatus('mandatory')
dsMcDefRoute = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 3), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsMcDefRoute.setStatus('mandatory')
dsMcCIpAddr = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 4), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsMcCIpAddr.setStatus('mandatory')
dsMcDIpAddr = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 5), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsMcDIpAddr.setStatus('mandatory')
dsMcCDIpMask = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 6), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsMcCDIpMask.setStatus('mandatory')
dsMcEIpAddr = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 7), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsMcEIpAddr.setStatus('mandatory')
dsMcEIpMask = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 8), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsMcEIpMask.setStatus('mandatory')
dsMcIIpAddr = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 9), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsMcIIpAddr.setStatus('mandatory')
dsMcIIpMask = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 10), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsMcIIpMask.setStatus('mandatory')
dsAmc = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11))
dsAmcAgent = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("amcEnabled", 1), ("amcDisabled", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsAmcAgent.setStatus('mandatory')
dsAmcSourceScreen = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("mcIpScreen", 1), ("mcNoScreen", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsAmcSourceScreen.setStatus('mandatory')
dsAmcTrapTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 3), )
if mibBuilder.loadTexts: dsAmcTrapTable.setStatus('mandatory')
dsAmcTrapEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 3, 1), ).setIndexNames((0, "DATASMART-MIB", "dsAmcTrapType"))
if mibBuilder.loadTexts: dsAmcTrapEntry.setStatus('mandatory')
dsAmcTrapType = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 3, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("mcStartTraps", 1), ("mcLinkTraps", 2), ("mcAuthenTraps", 3), ("mcEnterpriseTraps", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsAmcTrapType.setStatus('mandatory')
dsAmcTrapStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 3, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("amcEnabled", 1), ("amcDisabled", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsAmcTrapStatus.setStatus('mandatory')
dsAmcScrnTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 4), )
if mibBuilder.loadTexts: dsAmcScrnTable.setStatus('mandatory')
dsAmcScrnEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 4, 1), ).setIndexNames((0, "DATASMART-MIB", "dsAmcScrnIndex"))
if mibBuilder.loadTexts: dsAmcScrnEntry.setStatus('mandatory')
dsAmcScrnIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 4, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 10))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsAmcScrnIndex.setStatus('mandatory')
dsAmcScrnIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 4, 1, 2), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsAmcScrnIpAddr.setStatus('mandatory')
dsAmcScrnIpMask = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 4, 1, 3), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsAmcScrnIpMask.setStatus('mandatory')
dsAmcTrapDestTable = MibTable((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 5), )
if mibBuilder.loadTexts: dsAmcTrapDestTable.setStatus('mandatory')
dsAmcTrapDestEntry = MibTableRow((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 5, 1), ).setIndexNames((0, "DATASMART-MIB", "dsAmcTrapDestIndex"))
if mibBuilder.loadTexts: dsAmcTrapDestEntry.setStatus('mandatory')
dsAmcTrapDestIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 5, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 10))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsAmcTrapDestIndex.setStatus('mandatory')
dsAmcTrapDestIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 5, 1, 2), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsAmcTrapDestIpAddr.setStatus('mandatory')
dsAmcTrapDestVc = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 5, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 8388607))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsAmcTrapDestVc.setStatus('mandatory')
dsAmcTrapDestPort = MibTableColumn((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 5, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("amcNIPort", 1), ("amcDPPort", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsAmcTrapDestPort.setStatus('mandatory')
dsMcIVc = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 12), DLCI()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsMcIVc.setStatus('mandatory')
dsMcIPort = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("amcNiPort", 1), ("amcDPPort", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsMcIPort.setStatus('mandatory')
dsNcFraming = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("ncSF", 1), ("ncESF", 2), ("ncEricsson", 3)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsNcFraming.setStatus('mandatory')
dsNcCoding = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ncAmi", 1), ("ncB8zs", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsNcCoding.setStatus('mandatory')
dsNcT1403 = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ncT1403Enable", 1), ("ncT1403Disable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsNcT1403.setStatus('mandatory')
dsNcYellow = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ncYelEnable", 1), ("ncYelDisable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsNcYellow.setStatus('mandatory')
dsNcAddr54 = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("ncAddrCsu", 1), ("ncAddrDsu", 2), ("ncAddrBoth", 3)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsNcAddr54.setStatus('mandatory')
dsNc54016 = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("nc54016Enable", 1), ("nc54016Disable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsNc54016.setStatus('mandatory')
dsNcLbo = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("ncLbo0", 1), ("ncLbo1", 2), ("ncLbo2", 3)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsNcLbo.setStatus('mandatory')
dsNcMF16 = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ncMF16Enable", 1), ("ncMF16Disable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsNcMF16.setStatus('mandatory')
dsNcCRC = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ncCrcEnable", 1), ("ncCrcDisable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsNcCRC.setStatus('mandatory')
dsNcFasAlign = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ncFasWord", 1), ("ncNonFasWord", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsNcFasAlign.setStatus('mandatory')
dsNcE1DLPath = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37))).clone(namedValues=NamedValues(("ncSaNone", 1), ("ncSaBit4", 2), ("ncSaBit5", 3), ("ncSaBit6", 4), ("ncSaBit7", 5), ("ncSaBit8", 6), ("ncTS1", 7), ("ncTS2", 8), ("ncTS3", 9), ("ncTS4", 10), ("ncTS5", 11), ("ncTS6", 12), ("ncTS7", 13), ("ncTS8", 14), ("ncTS9", 15), ("ncTS10", 16), ("ncTS11", 17), ("ncTS12", 18), ("ncTS13", 19), ("ncTS14", 20), ("ncTS15", 21), ("ncTS16", 22), ("ncTS17", 23), ("ncTS18", 24), ("ncTS19", 25), ("ncTS20", 26), ("ncTS21", 27), ("ncTS22", 28), ("ncTS23", 29), ("ncTS24", 30), ("ncTS25", 31), ("ncTS26", 32), ("ncTS27", 33), ("ncTS28", 34), ("ncTS29", 35), ("ncTS30", 36), ("ncTS31", 37)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsNcE1DLPath.setStatus('mandatory')
dsNcKA = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ncFramedKeepAlive", 1), ("ncUnFramedKeepAlive", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsNcKA.setStatus('mandatory')
dsNcGenRfa = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ncGenRfaEnable", 1), ("ncGenRfaDisable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsNcGenRfa.setStatus('mandatory')
dsNcPassTiRfa = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ncPassTiRfaEnable", 1), ("ncPassTiRfaDisable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsNcPassTiRfa.setStatus('mandatory')
dsNcIdle = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 15), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsNcIdle.setStatus('mandatory')
dsNcDdsType = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("scDds56K", 1), ("scDds64K", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsNcDdsType.setStatus('mandatory')
dsScMonth = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 12))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsScMonth.setStatus('mandatory')
dsScDay = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 31))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsScDay.setStatus('mandatory')
dsScYear = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 99))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsScYear.setStatus('mandatory')
dsScHour = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 23))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsScHour.setStatus('mandatory')
dsScMinutes = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 59))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsScMinutes.setStatus('mandatory')
dsScName = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 15))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsScName.setStatus('mandatory')
dsScSlotAddr = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 15))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsScSlotAddr.setStatus('mandatory')
dsScShelfAddr = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 15))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsScShelfAddr.setStatus('mandatory')
dsScGroupAddr = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsScGroupAddr.setStatus('mandatory')
dsScFrontPanel = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("scFpEnable", 1), ("scFpDisable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsScFrontPanel.setStatus('mandatory')
dsScDSCompatible = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("scDSEnable", 1), ("scDSDisable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsScDSCompatible.setStatus('mandatory')
dsScClockSource = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("scTerminalTiming", 1), ("scThroughTiming", 2), ("scInternalTiming", 3), ("scLoopTiming", 4), ("scDP1Timing", 5), ("scDP2Timing", 6)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsScClockSource.setStatus('mandatory')
dsScAutologout = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 60))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsScAutologout.setStatus('mandatory')
dsScZeroPerData = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("scZallIdle", 1), ("scZallStart", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsScZeroPerData.setStatus('mandatory')
dsScWyv = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 15), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsScWyv.setStatus('mandatory')
dsScAutoCfg = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("scAcEnable", 1), ("scAcDisable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsScAutoCfg.setStatus('mandatory')
dsScTftpSwdl = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 17), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsScTftpSwdl.setStatus('mandatory')
dsScBoot = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("scBootIdle", 1), ("scBootActive", 2), ("scBootInactive", 3)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsScBoot.setStatus('mandatory')
dsScOperMode = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("scTransparentMode", 1), ("scMonitorMode", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsScOperMode.setStatus('mandatory')
dsScYearExtention = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 20), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1992, 2091))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsScYearExtention.setStatus('mandatory')
dsScMonthExtention = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 21), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 12))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsScMonthExtention.setStatus('mandatory')
dsScDayExtention = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 22), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 31))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsScDayExtention.setStatus('mandatory')
dsScHourExtention = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 23), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 24))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsScHourExtention.setStatus('mandatory')
dsScMinExtention = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 24), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 59))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsScMinExtention.setStatus('mandatory')
dsScSecExtention = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 25), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 59))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsScSecExtention.setStatus('mandatory')
dsScPinK = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 26), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("pinKEnabled", 1), ("pinKDisabled", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsScPinK.setStatus('mandatory')
dsTcFraming = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("tcSF", 1), ("tcESF", 2), ("tcEricsson", 3)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsTcFraming.setStatus('mandatory')
dsTcCoding = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("tcAmi", 1), ("tcB8zs", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsTcCoding.setStatus('mandatory')
dsTcIdle = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsTcIdle.setStatus('mandatory')
dsTcEqual = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("tcTe0", 1), ("tcTe1", 2), ("tcTe2", 3), ("tcTe3", 4), ("tcTe4", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsTcEqual.setStatus('mandatory')
dsTcMF16 = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("tcMF16Enable", 1), ("tcMF16Disable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsTcMF16.setStatus('mandatory')
dsTcCRC = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("tcCrcEnable", 1), ("tcCrcDisable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsTcCRC.setStatus('mandatory')
dsTcFasAlign = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("tcFasWord", 1), ("tcNonFasWord", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsTcFasAlign.setStatus('mandatory')
dsTcAis = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("tcAisEnable", 1), ("tcAisDisable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsTcAis.setStatus('mandatory')
dsTcGenRfa = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("tcGenRfaEnable", 1), ("tcGenRfaDisable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsTcGenRfa.setStatus('mandatory')
dsTcPassTiRfa = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("tcPassTiRfaEnable", 1), ("tcPassTiRfaDisable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dsTcPassTiRfa.setStatus('mandatory')
dsFpFr56 = MibIdentifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 14, 1))
dsFpFr56PwrLed = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 14, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("fpLedIndeterminate", 1), ("fpLedOff", 2), ("fpLedOnGreen", 3), ("fpLedBlinkGreen", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsFpFr56PwrLed.setStatus('mandatory')
dsFpFr56DnldFailLed = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 14, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("fpLedIndeterminate", 1), ("fpLedOff", 2), ("fpLedOnRed", 3), ("fpLedBlinkRed", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsFpFr56DnldFailLed.setStatus('mandatory')
dsFpFr56NiAlarmLed = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 14, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("fpLedIndeterminate", 1), ("fpLedOff", 2), ("fpLedOnRed", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsFpFr56NiAlarmLed.setStatus('mandatory')
dsFpFr56NiDataLed = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 14, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("fpLedIndeterminate", 1), ("fpLedOff", 2), ("fpLedOnGreen", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsFpFr56NiDataLed.setStatus('mandatory')
dsFpFr56TestLed = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 14, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("fpLedIndeterminate", 1), ("fpLedOff", 2), ("fpLedOnYellow", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsFpFr56TestLed.setStatus('mandatory')
dsFpFr56DpCtsTxLed = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 14, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("fpLedIndeterminate", 1), ("fpLedOff", 2), ("fpLedOnYellow", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsFpFr56DpCtsTxLed.setStatus('mandatory')
dsFpFr56DpRtsRxLed = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 14, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("fpLedIndeterminate", 1), ("fpLedOff", 2), ("fpLedOnYellow", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsFpFr56DpRtsRxLed.setStatus('mandatory')
dsFpFr56FrLinkLed = MibScalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 14, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("fpLedIndeterminate", 1), ("fpLedOff", 2), ("fpLedOnGreen", 3), ("fpLedBlinkGreen", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dsFpFr56FrLinkLed.setStatus('mandatory')
mibBuilder.exportSymbols("DATASMART-MIB", dsRpUsrDayES=dsRpUsrDayES, dsDcInterface=dsDcInterface, dsScBoot=dsScBoot, dsRpFrUrVc=dsRpFrUrVc, dsScWyv=dsScWyv, dsFp=dsFp, dsRpDdsTotalSecs=dsRpDdsTotalSecs, dsFmcFpingLinkDown=dsFmcFpingLinkDown, dsScYear=dsScYear, dsFcTableIndex=dsFcTableIndex, dsRpUsrTotalEntry=dsRpUsrTotalEntry, dsScPinK=dsScPinK, dsLmLoopback=dsLmLoopback, DLCI=DLCI, dsRpUsrCurCSS=dsRpUsrCurCSS, dsAcOnPowerTransition=dsAcOnPowerTransition, dsMcIIpMask=dsMcIIpMask, dsRmBertCode=dsRmBertCode, dsRpFrTotalTable=dsRpFrTotalTable, dsAmcScrnTable=dsAmcScrnTable, dsRpFrCur2HEntry=dsRpFrCur2HEntry, dsRpUsrDayStatus=dsRpUsrDayStatus, dsRpFrPre15MVc=dsRpFrPre15MVc, dsRmFpingRmtVc=dsRmFpingRmtVc, dsRpDdsTable=dsRpDdsTable, dsRpFrIntvl2HFpMax=dsRpFrIntvl2HFpMax, dsAcDeact=dsAcDeact, dsRpFrPre15MFpAvg=dsRpFrPre15MFpAvg, dsRpFrPre15MFpMax=dsRpFrPre15MFpMax, dsFmcAddVc=dsFmcAddVc, dsNcGenRfa=dsNcGenRfa, dsNcDdsType=dsNcDdsType, dsRpUsrCurIndex=dsRpUsrCurIndex, dsRpUsrIntvlCSS=dsRpUsrIntvlCSS, dsRpDdsEntry=dsRpDdsEntry, dsRpFrPre15MFrames=dsRpFrPre15MFrames, dsRpUsrTotalSES=dsRpUsrTotalSES, dsCcEcho=dsCcEcho, dsRpFrUrCIRExceeded=dsRpFrUrCIRExceeded, dsRpAhrStr=dsRpAhrStr, dsFmc=dsFmc, dsRpFrCur15MOctets=dsRpFrCur15MOctets, dsTcIdle=dsTcIdle, dsRpFrCur15MFpRmtVc=dsRpFrCur15MFpRmtVc, dsDcDataInvert=dsDcDataInvert, dsLmSelfTestResults=dsLmSelfTestResults, dsFmcDelVc=dsFmcDelVc, dsTcCRC=dsTcCRC, dsRpUsrCurSES=dsRpUsrCurSES, dsRpFrDayFpMax=dsRpFrDayFpMax, dsMcIPort=dsMcIPort, dsRpFrIntvl2HDir=dsRpFrIntvl2HDir, dsRpFrDayVcIndex=dsRpFrDayVcIndex, dsFpFr56NiDataLed=dsFpFr56NiDataLed, datasmart=datasmart, dsRpUsrDayBES=dsRpUsrDayBES, dsRpUsrCurStatus=dsRpUsrCurStatus, dsRpDdsAvailableSecs=dsRpDdsAvailableSecs, dsRpFrIntvl2HOctets=dsRpFrIntvl2HOctets, dsRpFrCur2HOctets=dsRpFrCur2HOctets, dsRpFrUrDir=dsRpFrUrDir, dsRpUsrDayDM=dsRpUsrDayDM, dsAmcTrapDestIndex=dsAmcTrapDestIndex, dsRpCarTotal=dsRpCarTotal, dsRpFrDayFrames=dsRpFrDayFrames, dsRpUsrTotalIndex=dsRpUsrTotalIndex, dsSs=dsSs, dsRmBertErrdSecs=dsRmBertErrdSecs, dsRpCarIntvlTable=dsRpCarIntvlTable, dsRpUsrCurUAS=dsRpUsrCurUAS, dsScMinExtention=dsScMinExtention, dsRpUsrIntvlIndex=dsRpUsrIntvlIndex, dsRpFrTotalVcIndex=dsRpFrTotalVcIndex, dsDcLOSInput=dsDcLOSInput, dsTcFraming=dsTcFraming, dsRpCarIntvlEntry=dsRpCarIntvlEntry, dsRmFping=dsRmFping, dsCcBaud=dsCcBaud, dsAmcAgent=dsAmcAgent, dsRpCarCurCSS=dsRpCarCurCSS, dsFmcFpingThres=dsFmcFpingThres, dsRpDdsDuration=dsRpDdsDuration, dsRpFrTmCntDays=dsRpFrTmCntDays, dsRpCarTotalCSS=dsRpCarTotalCSS, dsRpUsrTmCntTable=dsRpUsrTmCntTable, dsRpUsrIntvlUAS=dsRpUsrIntvlUAS, dsRpStOofErrors=dsRpStOofErrors, dsRpFrCur15MFpRmtIp=dsRpFrCur15MFpRmtIp, dsRpFrDayNum=dsRpFrDayNum, dsCc=dsCc, dsRp=dsRp, dsFcTable=dsFcTable, dsRpUsrCurEE=dsRpUsrCurEE, dsRpShrEventType=dsRpShrEventType, dsRpFrIntvl2HKbps=dsRpFrIntvl2HKbps, dsRpFrCur15MVcIndex=dsRpFrCur15MVcIndex, dsRpUsrTmCntSecs=dsRpUsrTmCntSecs, dsRpStLOFEvents=dsRpStLOFEvents, dsScMonth=dsScMonth, dsRpStBPVs=dsRpStBPVs, dsRmBertState=dsRmBertState, dsTcCoding=dsTcCoding, dsRpFrCur2HStatus=dsRpFrCur2HStatus, dsRpUsrIntvlEE=dsRpUsrIntvlEE, dsRpUsrTmCnt15Mins=dsRpUsrTmCnt15Mins, dsAmcTrapStatus=dsAmcTrapStatus, dsScSecExtention=dsScSecExtention, dsDc=dsDc, dsRpUsrIntvlEntry=dsRpUsrIntvlEntry, dsRpFrIntvl2HStatus=dsRpFrIntvl2HStatus, dsRpFrCur15MEntry=dsRpFrCur15MEntry, dsRpFrPre15MEntry=dsRpFrPre15MEntry, dsRmBertReSync=dsRmBertReSync, dsRpStFrameBitErrors=dsRpStFrameBitErrors, dsNc54016=dsNc54016, dsRpStCrcErrors=dsRpStCrcErrors, dsDcRcvClkInvert=dsDcRcvClkInvert, dsRmFpingCur=dsRmFpingCur, dsRpStTable=dsRpStTable, dsRpFrIntvl2HTable=dsRpFrIntvl2HTable, dsRpFrUrEntry=dsRpFrUrEntry, dsRpCarCurSES=dsRpCarCurSES, dsRpFrTmCntSecs=dsRpFrTmCntSecs, dsDcEntry=dsDcEntry, dsScSlotAddr=dsScSlotAddr, dsScZeroPerData=dsScZeroPerData, dsRpFrCur2HFpLost=dsRpFrCur2HFpLost, dsFpFr56=dsFpFr56, dsScYearExtention=dsScYearExtention, dsMcCIpAddr=dsMcCIpAddr, dsNcT1403=dsNcT1403, dsAmcTrapDestIpAddr=dsAmcTrapDestIpAddr, dsTcMF16=dsTcMF16, dsRmBertBitErrors=dsRmBertBitErrors, dsRpFrCur15MFrames=dsRpFrCur15MFrames, dsRmFpingState=dsRmFpingState, dsRpStFarEndBlkErrors=dsRpStFarEndBlkErrors, dsRpCarTotalUAS=dsRpCarTotalUAS, dsRpFrCur2HVc=dsRpFrCur2HVc, dsRpFrDayFpSent=dsRpFrDayFpSent, dsRmFpingRmtIp=dsRmFpingRmtIp, dsScHour=dsScHour, dsRpFrTotalVc=dsRpFrTotalVc, dsRpStat=dsRpStat, dsRpFrDayOctets=dsRpFrDayOctets, dsRpStEsfErrors=dsRpStEsfErrors, dsRpFrUrEIRExceededOctets=dsRpFrUrEIRExceededOctets, dsAmcTrapDestEntry=dsAmcTrapDestEntry, dsRpFrTotalEntry=dsRpFrTotalEntry, dsTcPassTiRfa=dsTcPassTiRfa, dsRpFrDayDir=dsRpFrDayDir, dsRpFrCur2HVcIndex=dsRpFrCur2HVcIndex, dsRpDdsBPVs=dsRpDdsBPVs, dsRpFrCur15MKbps=dsRpFrCur15MKbps, dsRpCarIntvlCSS=dsRpCarIntvlCSS, dsPlLen=dsPlLen, dsNcKA=dsNcKA, dsFpFr56PwrLed=dsFpFr56PwrLed, dsRpUsrTotalTable=dsRpUsrTotalTable, dsRpUsrDayCSS=dsRpUsrDayCSS, dsNcE1DLPath=dsNcE1DLPath, dsRpUsrTmCntIndex=dsRpUsrTmCntIndex, dsRpFrPre15MStatus=dsRpFrPre15MStatus, dsAcRfaAlm=dsAcRfaAlm, dsRpFrTotalFpMax=dsRpFrTotalFpMax, dsAmcTrapTable=dsAmcTrapTable, dsRpAhrTable=dsRpAhrTable, dsMcDefRoute=dsMcDefRoute, dsRpStZeroCounters=dsRpStZeroCounters, dsRpFrIntvl2HEntry=dsRpFrIntvl2HEntry, dsScGroupAddr=dsScGroupAddr, dsRpCarIntvlBES=dsRpCarIntvlBES, dsRmFpingAction=dsRmFpingAction, dsNcLbo=dsNcLbo, dsScHourExtention=dsScHourExtention, dsRpUsrDaySES=dsRpUsrDaySES, dsDcIndex=dsDcIndex, dsRpFrDayKbps=dsRpFrDayKbps, dsAmcScrnIpMask=dsAmcScrnIpMask, dsTc=dsTc, dsRpFrTmCnt2Hrs=dsRpFrTmCnt2Hrs, dsRpFrDayVc=dsRpFrDayVc, dsRpUsrIntvlBES=dsRpUsrIntvlBES, dsRpUsrTotalUAS=dsRpUsrTotalUAS, dsRpFrCur15MStatus=dsRpFrCur15MStatus, dsRpFrTmCntDir=dsRpFrTmCntDir, dsDcXmtClkInvert=dsDcXmtClkInvert, dsFmcFpingGen=dsFmcFpingGen, dsFmcFpingRst=dsFmcFpingRst, dsRpFrIntvl2HNum=dsRpFrIntvl2HNum, dsSc=dsSc, dsRpFrTotalFpSent=dsRpFrTotalFpSent, dsRmFpingMax=dsRmFpingMax, dsRmFpingAvg=dsRmFpingAvg, dsRpFrPre15MTable=dsRpFrPre15MTable, dsAcEst=dsAcEst, dsRpFrUrEIRExceeded=dsRpFrUrEIRExceeded, dsRpFrIntvl2HFrames=dsRpFrIntvl2HFrames, dsRpCarTotalEE=dsRpCarTotalEE, dsMcT1DLPath=dsMcT1DLPath, dsRpStLOSEvents=dsRpStLOSEvents, dsRpCarTotalBES=dsRpCarTotalBES, dsScDSCompatible=dsScDSCompatible, dsRpCarIntvlEE=dsRpCarIntvlEE, dsRpCarCnt15Mins=dsRpCarCnt15Mins, dsRpFrUrVcIndex=dsRpFrUrVcIndex, dsLmSelfTestState=dsLmSelfTestState, dsRpUsrDayTable=dsRpUsrDayTable, dsRpShrComments=dsRpShrComments, dsRpFrDayFpLost=dsRpFrDayFpLost, dsAcOffPowerTransition=dsAcOffPowerTransition, dsRpAhrIndex=dsRpAhrIndex, dsMcIIpAddr=dsMcIIpAddr, dsCcDteIn=dsCcDteIn, dsNcPassTiRfa=dsNcPassTiRfa, dsFcChanMap=dsFcChanMap, dsFpFr56FrLinkLed=dsFpFr56FrLinkLed, dsRpUsrDayUAS=dsRpUsrDayUAS, dsRmFpingMin=dsRmFpingMin, dsRpCarIntvlSES=dsRpCarIntvlSES, dsRpCarCurLOFC=dsRpCarCurLOFC, dsScMinutes=dsScMinutes, dsRpFrTmCntTable=dsRpFrTmCntTable, dsRpFrTotalDir=dsRpFrTotalDir, dsLm=dsLm, dsMcCDIpMask=dsMcCDIpMask, dsNcCRC=dsNcCRC, dsRpDdsIfIndex=dsRpDdsIfIndex, dsRpFrCur2HFpSent=dsRpFrCur2HFpSent, dsRpFrPre15MKbps=dsRpFrPre15MKbps, dsRpFrPre15MFpLost=dsRpFrPre15MFpLost, dsScAutoCfg=dsScAutoCfg, dsRpFrTotalOctets=dsRpFrTotalOctets, dsAcUst=dsAcUst, dsRmFpingTotal=dsRmFpingTotal, dsRpUsrIntvlStatus=dsRpUsrIntvlStatus, dsAcYelAlm=dsAcYelAlm, dsMc=dsMc, dsRpUsrCurBES=dsRpUsrCurBES, dsRpCarCur=dsRpCarCur, dsRmLbkCode=dsRmLbkCode, dsRpFrPre15MFpSent=dsRpFrPre15MFpSent, dsFcEntry=dsFcEntry, dsRpCarCurEE=dsRpCarCurEE, dsRpFrCur15MFpLost=dsRpFrCur15MFpLost, dsRpCarCurBES=dsRpCarCurBES, dsRpDm=dsRpDm, dsRpStLOTS16MFrameEvts=dsRpStLOTS16MFrameEvts, dsRpFrDayEntry=dsRpFrDayEntry, dsRpFrCur2HTable=dsRpFrCur2HTable, dsRpUsrDayNum=dsRpUsrDayNum, dsRpStRemFrameAlmEvts=dsRpStRemFrameAlmEvts, dsRpUsrCurTable=dsRpUsrCurTable, dsRpStIndex=dsRpStIndex)
mibBuilder.exportSymbols("DATASMART-MIB", dsRpFrPre15MOctets=dsRpFrPre15MOctets, dsRpUsrCurES=dsRpUsrCurES, dsCcControlPort=dsCcControlPort, dsAmc=dsAmc, dsCcStopBits=dsCcStopBits, dsFmcFpingOper=dsFmcFpingOper, dsRm=dsRm, dsRmFpingLen=dsRmFpingLen, dsMcIVc=dsMcIVc, dsCcDataBits=dsCcDataBits, dsScFrontPanel=dsScFrontPanel, dsRpFrCur2HDir=dsRpFrCur2HDir, dsRpUsrTotalES=dsRpUsrTotalES, dsRpUsrTotalCSS=dsRpUsrTotalCSS, dsRpFrCur15MFpSent=dsRpFrCur15MFpSent, dsRmFpingVc=dsRmFpingVc, dsRpFrCur2HFrames=dsRpFrCur2HFrames, dsRpShrTable=dsRpShrTable, dsRpFrTmCntEntry=dsRpFrTmCntEntry, dsNcMF16=dsNcMF16, dsAmcTrapDestPort=dsAmcTrapDestPort, dsRmFpingLost=dsRmFpingLost, dsFmcSetNiXmtUpperBwThresh=dsFmcSetNiXmtUpperBwThresh, dsFpFr56DnldFailLed=dsFpFr56DnldFailLed, dsRpCarTotalLOFC=dsRpCarTotalLOFC, dsDcTable=dsDcTable, dsAcAlmMsg=dsAcAlmMsg, dsRpFrDayTable=dsRpFrDayTable, dsFmcUpperBW=dsFmcUpperBW, dsRpCarCurUAS=dsRpCarCurUAS, dsMcEIpAddr=dsMcEIpAddr, dsDcClockSource=dsDcClockSource, dsRpUsrIntvlES=dsRpUsrIntvlES, dsPlBreak=dsPlBreak, dsRpFrCur2HFpAvg=dsRpFrCur2HFpAvg, dsRmBertTestSecs=dsRmBertTestSecs, dsRpStYellowEvents=dsRpStYellowEvents, dsRpUsrTotalBES=dsRpUsrTotalBES, dsNcFasAlign=dsNcFasAlign, dsRpFrIntvl2HFpSent=dsRpFrIntvl2HFpSent, dsScDay=dsScDay, dsRpUsrIntvlNum=dsRpUsrIntvlNum, dsFpFr56TestLed=dsFpFr56TestLed, dsFmcSetNiRcvUpperBwThresh=dsFmcSetNiRcvUpperBwThresh, dsTcGenRfa=dsTcGenRfa, dsRpSes=dsRpSes, dsCcParity=dsCcParity, dsRpFrPre15MDir=dsRpFrPre15MDir, dsRpCarCntSecs=dsRpCarCntSecs, dsRpStAISEvents=dsRpStAISEvents, dsFcLoadXcute=dsFcLoadXcute, dsAc=dsAc, dsDcIdleChar=dsDcIdleChar, dsFmcFrameType=dsFmcFrameType, dsRpUsrTotalDM=dsRpUsrTotalDM, dsAmcTrapDestTable=dsAmcTrapDestTable, dsAcSt=dsAcSt, dsSsAlarmSource=dsSsAlarmSource, dsRpStEntry=dsRpStEntry, dsNc=dsNc, dsRpFrIntvl2HVcIndex=dsRpFrIntvl2HVcIndex, dsRpFrTotalFrames=dsRpFrTotalFrames, dsFmcFcsBits=dsFmcFcsBits, dsRpFrDayFpAvg=dsRpFrDayFpAvg, dsNcCoding=dsNcCoding, dsRpUsrTotalStatus=dsRpUsrTotalStatus, dsRpUsrDayIndex=dsRpUsrDayIndex, dsRpUsrIntvlTable=dsRpUsrIntvlTable, dsFmcAddrOctets=dsFmcAddrOctets, dsAmcScrnIndex=dsAmcScrnIndex, dsSsPowerStatus=dsSsPowerStatus, dsRpFrDayStatus=dsRpFrDayStatus, dsRpAhrEntry=dsRpAhrEntry, dsFpFr56DpRtsRxLed=dsFpFr56DpRtsRxLed, dsAmcTrapEntry=dsAmcTrapEntry, dsRpCar=dsRpCar, dsRpUsrTotalEE=dsRpUsrTotalEE, dsRpFrCur15MDir=dsRpFrCur15MDir, dsRpFrTotalFpLost=dsRpFrTotalFpLost, dsFmcFpingLinkUp=dsFmcFpingLinkUp, dsAmcTrapDestVc=dsAmcTrapDestVc, dsRpStRemMFrameAlmEvts=dsRpStRemMFrameAlmEvts, dsRpShrIndex=dsRpShrIndex, dsMcDIpAddr=dsMcDIpAddr, dsRpUsrIntvlDM=dsRpUsrIntvlDM, dsFpFr56DpCtsTxLed=dsFpFr56DpCtsTxLed, dsAmcScrnEntry=dsAmcScrnEntry, dsFcMap16=dsFcMap16, dsFpFr56NiAlarmLed=dsFpFr56NiAlarmLed, dsRpCarIntvlUAS=dsRpCarIntvlUAS, dsScName=dsScName, dsRpFrIntvl2HFpLost=dsRpFrIntvl2HFpLost, dsRpCarIntvlLOFC=dsRpCarIntvlLOFC, dsFmcClrNiXmtUpperBwThresh=dsFmcClrNiXmtUpperBwThresh, dsRpStControlledSlips=dsRpStControlledSlips, dsScMonthExtention=dsScMonthExtention, dsScOperMode=dsScOperMode, dsAmcSourceScreen=dsAmcSourceScreen, dsTcAis=dsTcAis, dsAcBerAlm=dsAcBerAlm, dsRpUsr=dsRpUsr, dsRpCarCurES=dsRpCarCurES, dsFmcClrNiRcvUpperBwThresh=dsFmcClrNiRcvUpperBwThresh, dsRpFrPre15MVcIndex=dsRpFrPre15MVcIndex, dsRmInsertBitError=dsRmInsertBitError, dsSsAlarmState=dsSsAlarmState, dsRpUsrDayEE=dsRpUsrDayEE, dsRpFrCur15MVc=dsRpFrCur15MVc, dsRpFrTotalStatus=dsRpFrTotalStatus, dsRpUsrCurEntry=dsRpUsrCurEntry, dsNcYellow=dsNcYellow, dsRpCarTotalSES=dsRpCarTotalSES, dsAcAisAlm=dsAcAisAlm, dsNcFraming=dsNcFraming, dsRpFrUrCIRExceededOctets=dsRpFrUrCIRExceededOctets, dsSsLoopback=dsSsLoopback, dsRpUsrIntvlSES=dsRpUsrIntvlSES, dsRpCarTotalES=dsRpCarTotalES, dsTcFasAlign=dsTcFasAlign, dsRpFr=dsRpFr, dsRpUsrDayEntry=dsRpUsrDayEntry, dsScDayExtention=dsScDayExtention, dsTcEqual=dsTcEqual, dsAmcScrnIpAddr=dsAmcScrnIpAddr, dsRpBes=dsRpBes, dsRpFrTotalFpAvg=dsRpFrTotalFpAvg, dsAmcTrapType=dsAmcTrapType, dsRpUsrCurDM=dsRpUsrCurDM, dsRpShrEntry=dsRpShrEntry, dsNcAddr54=dsNcAddr54, dsFc=dsFc, dsRpFrUrTable=dsRpFrUrTable, dsRpCarIntvlNum=dsRpCarIntvlNum, dsRpPl=dsRpPl, dsRmTestCode=dsRmTestCode, dsRmFpingFreq=dsRmFpingFreq, dsScTftpSwdl=dsScTftpSwdl, dsRpFrCur15MFpMax=dsRpFrCur15MFpMax, dsRpUsrTmCntEntry=dsRpUsrTmCntEntry, dsScShelfAddr=dsScShelfAddr, dsRpFrCur15MFpAvg=dsRpFrCur15MFpAvg, dsScAutologout=dsScAutologout, DisplayString=DisplayString, dsCcDceIn=dsCcDceIn, dsRmBertTotalErrors=dsRmBertTotalErrors, dsFcChanIndex=dsFcChanIndex, dsRpFrCur2HKbps=dsRpFrCur2HKbps, dsRpShrDateTime=dsRpShrDateTime, dsRpCarIntvlES=dsRpCarIntvlES, Counter32=Counter32, dsMcNetif=dsMcNetif, dsRpUsrTmCntDays=dsRpUsrTmCntDays, dsRpFrTotalKbps=dsRpFrTotalKbps, dsRpFrIntvl2HFpAvg=dsRpFrIntvl2HFpAvg, dsRpFrCur15MTable=dsRpFrCur15MTable, dsScClockSource=dsScClockSource, dsRpFrCur2HFpMax=dsRpFrCur2HFpMax, dsNcIdle=dsNcIdle, dsRpFrIntvl2HVc=dsRpFrIntvl2HVc, dsMcEIpMask=dsMcEIpMask)
| (object_identifier, integer, octet_string) = mibBuilder.importSymbols('ASN1', 'ObjectIdentifier', 'Integer', 'OctetString')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(constraints_intersection, single_value_constraint, value_range_constraint, value_size_constraint, constraints_union) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsIntersection', 'SingleValueConstraint', 'ValueRangeConstraint', 'ValueSizeConstraint', 'ConstraintsUnion')
(module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup')
(time_ticks, unsigned32, mib_identifier, enterprises, notification_type, bits, object_identity, counter64, gauge32, notification_type, ip_address, counter32, iso, integer32, module_identity, mib_scalar, mib_table, mib_table_row, mib_table_column) = mibBuilder.importSymbols('SNMPv2-SMI', 'TimeTicks', 'Unsigned32', 'MibIdentifier', 'enterprises', 'NotificationType', 'Bits', 'ObjectIdentity', 'Counter64', 'Gauge32', 'NotificationType', 'IpAddress', 'Counter32', 'iso', 'Integer32', 'ModuleIdentity', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn')
(display_string, textual_convention) = mibBuilder.importSymbols('SNMPv2-TC', 'DisplayString', 'TextualConvention')
class Dlci(Integer32):
subtype_spec = Integer32.subtypeSpec + value_range_constraint(1, 1023)
class Counter32(Counter32):
pass
class Displaystring(OctetString):
pass
datasmart = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2))
ds_ss = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 1))
ds_rp = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 2))
ds_lm = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 3))
ds_rm = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 4))
ds_ac = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 5))
ds_cc = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 6))
ds_dc = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 7))
ds_fc = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 8))
ds_fmc = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 9))
ds_mc = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 10))
ds_nc = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 11))
ds_sc = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 12))
ds_tc = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 13))
ds_fp = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 14))
ds_ss_alarm_source = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('ssSourceNone', 1), ('ssSourceNi', 2), ('ssSourceTi', 3), ('ssSourceDp1', 4), ('ssSourceDp2', 5), ('ssSourceSystem', 6)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsSsAlarmSource.setStatus('mandatory')
ds_ss_alarm_state = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13))).clone(namedValues=named_values(('ssStateNone', 1), ('ssStateEcf', 2), ('ssStateLos', 3), ('ssStateAis', 4), ('ssStateOof', 5), ('ssStateBer', 6), ('ssStateYel', 7), ('ssStateRfa', 8), ('ssStateRma', 9), ('ssStateOmf', 10), ('ssStateEer', 11), ('ssStateDds', 12), ('ssStateOos', 13)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsSsAlarmState.setStatus('mandatory')
ds_ss_loopback = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=named_values(('ssLbkNone', 1), ('ssLbkRemLlb', 2), ('ssLbkRemPlb', 3), ('ssLbkRemDp1', 4), ('ssLbkRemDp2', 5), ('ssLbkLlb', 6), ('ssLbkLoc', 7), ('ssLbkPlb', 8), ('ssLbkTlb', 9), ('ssLbkDp1', 10), ('ssLbkDp2', 11), ('ssLbkDt1', 12), ('ssLbkDt2', 13), ('ssLbkCsu', 14), ('ssLbkDsu', 15), ('ssLbkDpdt', 16)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsSsLoopback.setStatus('mandatory')
ds_ss_power_status = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('ssBothOff', 1), ('ssAOnBOff', 2), ('ssAOffBOn', 3), ('ssBothOn', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsSsPowerStatus.setStatus('mandatory')
ds_rp_usr = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1))
ds_rp_car = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2))
ds_rp_stat = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3))
ds_rp_pl = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 4))
ds_rp_fr = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10))
ds_rp_usr_tm_cnt_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 1))
if mibBuilder.loadTexts:
dsRpUsrTmCntTable.setStatus('mandatory')
ds_rp_usr_tm_cnt_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 1, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsRpUsrTmCntIndex'))
if mibBuilder.loadTexts:
dsRpUsrTmCntEntry.setStatus('mandatory')
ds_rp_usr_tm_cnt_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 3))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrTmCntIndex.setStatus('mandatory')
ds_rp_usr_tm_cnt_secs = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 1, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 899))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrTmCntSecs.setStatus('mandatory')
ds_rp_usr_tm_cnt15_mins = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 1, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 96))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrTmCnt15Mins.setStatus('mandatory')
ds_rp_usr_tm_cnt_days = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 1, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 7))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrTmCntDays.setStatus('mandatory')
ds_rp_usr_cur_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2))
if mibBuilder.loadTexts:
dsRpUsrCurTable.setStatus('mandatory')
ds_rp_usr_cur_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsRpUsrCurIndex'))
if mibBuilder.loadTexts:
dsRpUsrCurEntry.setStatus('mandatory')
ds_rp_usr_cur_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 3))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrCurIndex.setStatus('mandatory')
ds_rp_usr_cur_ee = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1, 2), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrCurEE.setStatus('mandatory')
ds_rp_usr_cur_es = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1, 3), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrCurES.setStatus('mandatory')
ds_rp_usr_cur_bes = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1, 4), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrCurBES.setStatus('mandatory')
ds_rp_usr_cur_ses = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1, 5), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrCurSES.setStatus('mandatory')
ds_rp_usr_cur_uas = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1, 6), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrCurUAS.setStatus('mandatory')
ds_rp_usr_cur_css = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1, 7), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrCurCSS.setStatus('mandatory')
ds_rp_usr_cur_dm = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1, 8), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrCurDM.setStatus('mandatory')
ds_rp_usr_cur_status = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 2, 1, 9), display_string().subtype(subtypeSpec=value_size_constraint(0, 10))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrCurStatus.setStatus('mandatory')
ds_rp_usr_intvl_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3))
if mibBuilder.loadTexts:
dsRpUsrIntvlTable.setStatus('mandatory')
ds_rp_usr_intvl_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsRpUsrIntvlIndex'), (0, 'DATASMART-MIB', 'dsRpUsrIntvlNum'))
if mibBuilder.loadTexts:
dsRpUsrIntvlEntry.setStatus('mandatory')
ds_rp_usr_intvl_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrIntvlIndex.setStatus('mandatory')
ds_rp_usr_intvl_num = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 96))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrIntvlNum.setStatus('mandatory')
ds_rp_usr_intvl_ee = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 3), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrIntvlEE.setStatus('mandatory')
ds_rp_usr_intvl_es = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 4), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrIntvlES.setStatus('mandatory')
ds_rp_usr_intvl_bes = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 5), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrIntvlBES.setStatus('mandatory')
ds_rp_usr_intvl_ses = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 6), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrIntvlSES.setStatus('mandatory')
ds_rp_usr_intvl_uas = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 7), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrIntvlUAS.setStatus('mandatory')
ds_rp_usr_intvl_css = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 8), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrIntvlCSS.setStatus('mandatory')
ds_rp_usr_intvl_dm = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 9), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrIntvlDM.setStatus('mandatory')
ds_rp_usr_intvl_status = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 3, 1, 10), display_string().subtype(subtypeSpec=value_size_constraint(0, 10))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrIntvlStatus.setStatus('mandatory')
ds_rp_usr_total_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4))
if mibBuilder.loadTexts:
dsRpUsrTotalTable.setStatus('mandatory')
ds_rp_usr_total_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsRpUsrTotalIndex'))
if mibBuilder.loadTexts:
dsRpUsrTotalEntry.setStatus('mandatory')
ds_rp_usr_total_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrTotalIndex.setStatus('mandatory')
ds_rp_usr_total_ee = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1, 2), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrTotalEE.setStatus('mandatory')
ds_rp_usr_total_es = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1, 3), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrTotalES.setStatus('mandatory')
ds_rp_usr_total_bes = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1, 4), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrTotalBES.setStatus('mandatory')
ds_rp_usr_total_ses = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1, 5), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrTotalSES.setStatus('mandatory')
ds_rp_usr_total_uas = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1, 6), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrTotalUAS.setStatus('mandatory')
ds_rp_usr_total_css = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1, 7), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrTotalCSS.setStatus('mandatory')
ds_rp_usr_total_dm = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1, 8), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrTotalDM.setStatus('mandatory')
ds_rp_usr_total_status = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 4, 1, 9), display_string().subtype(subtypeSpec=value_size_constraint(0, 10))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrTotalStatus.setStatus('mandatory')
ds_rp_usr_day_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5))
if mibBuilder.loadTexts:
dsRpUsrDayTable.setStatus('mandatory')
ds_rp_usr_day_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsRpUsrDayIndex'), (0, 'DATASMART-MIB', 'dsRpUsrDayNum'))
if mibBuilder.loadTexts:
dsRpUsrDayEntry.setStatus('mandatory')
ds_rp_usr_day_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrDayIndex.setStatus('mandatory')
ds_rp_usr_day_num = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 7))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrDayNum.setStatus('mandatory')
ds_rp_usr_day_ee = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 3), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrDayEE.setStatus('mandatory')
ds_rp_usr_day_es = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 4), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrDayES.setStatus('mandatory')
ds_rp_usr_day_bes = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 5), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrDayBES.setStatus('mandatory')
ds_rp_usr_day_ses = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 6), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrDaySES.setStatus('mandatory')
ds_rp_usr_day_uas = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 7), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrDayUAS.setStatus('mandatory')
ds_rp_usr_day_css = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 8), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrDayCSS.setStatus('mandatory')
ds_rp_usr_day_dm = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 9), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrDayDM.setStatus('mandatory')
ds_rp_usr_day_status = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 1, 5, 1, 10), display_string().subtype(subtypeSpec=value_size_constraint(0, 10))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpUsrDayStatus.setStatus('mandatory')
ds_rp_car_cnt_secs = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 899))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpCarCntSecs.setStatus('mandatory')
ds_rp_car_cnt15_mins = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 96))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpCarCnt15Mins.setStatus('mandatory')
ds_rp_car_cur = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 3))
ds_rp_car_cur_ee = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 3, 1), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpCarCurEE.setStatus('mandatory')
ds_rp_car_cur_es = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 3, 2), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpCarCurES.setStatus('mandatory')
ds_rp_car_cur_bes = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 3, 3), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpCarCurBES.setStatus('mandatory')
ds_rp_car_cur_ses = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 3, 4), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpCarCurSES.setStatus('mandatory')
ds_rp_car_cur_uas = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 3, 5), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpCarCurUAS.setStatus('mandatory')
ds_rp_car_cur_css = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 3, 6), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpCarCurCSS.setStatus('mandatory')
ds_rp_car_cur_lofc = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 3, 7), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpCarCurLOFC.setStatus('mandatory')
ds_rp_car_intvl_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4))
if mibBuilder.loadTexts:
dsRpCarIntvlTable.setStatus('mandatory')
ds_rp_car_intvl_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsRpCarIntvlNum'))
if mibBuilder.loadTexts:
dsRpCarIntvlEntry.setStatus('mandatory')
ds_rp_car_intvl_num = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 96))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpCarIntvlNum.setStatus('mandatory')
ds_rp_car_intvl_ee = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4, 1, 2), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpCarIntvlEE.setStatus('mandatory')
ds_rp_car_intvl_es = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4, 1, 3), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpCarIntvlES.setStatus('mandatory')
ds_rp_car_intvl_bes = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4, 1, 4), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpCarIntvlBES.setStatus('mandatory')
ds_rp_car_intvl_ses = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4, 1, 5), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpCarIntvlSES.setStatus('mandatory')
ds_rp_car_intvl_uas = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4, 1, 6), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpCarIntvlUAS.setStatus('mandatory')
ds_rp_car_intvl_css = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4, 1, 7), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpCarIntvlCSS.setStatus('mandatory')
ds_rp_car_intvl_lofc = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 4, 1, 8), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpCarIntvlLOFC.setStatus('mandatory')
ds_rp_car_total = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 5))
ds_rp_car_total_ee = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 5, 1), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpCarTotalEE.setStatus('mandatory')
ds_rp_car_total_es = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 5, 2), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpCarTotalES.setStatus('mandatory')
ds_rp_car_total_bes = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 5, 3), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpCarTotalBES.setStatus('mandatory')
ds_rp_car_total_ses = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 5, 4), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpCarTotalSES.setStatus('mandatory')
ds_rp_car_total_uas = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 5, 5), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpCarTotalUAS.setStatus('mandatory')
ds_rp_car_total_css = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 5, 6), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpCarTotalCSS.setStatus('mandatory')
ds_rp_car_total_lofc = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 2, 5, 7), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpCarTotalLOFC.setStatus('mandatory')
ds_rp_st_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1))
if mibBuilder.loadTexts:
dsRpStTable.setStatus('mandatory')
ds_rp_st_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsRpStIndex'))
if mibBuilder.loadTexts:
dsRpStEntry.setStatus('mandatory')
ds_rp_st_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 3))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpStIndex.setStatus('mandatory')
ds_rp_st_esf_errors = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpStEsfErrors.setStatus('mandatory')
ds_rp_st_crc_errors = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 3), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpStCrcErrors.setStatus('mandatory')
ds_rp_st_oof_errors = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 4), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpStOofErrors.setStatus('mandatory')
ds_rp_st_frame_bit_errors = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpStFrameBitErrors.setStatus('mandatory')
ds_rp_st_bp_vs = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 6), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpStBPVs.setStatus('mandatory')
ds_rp_st_controlled_slips = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 7), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpStControlledSlips.setStatus('mandatory')
ds_rp_st_yellow_events = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 8), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpStYellowEvents.setStatus('mandatory')
ds_rp_st_ais_events = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 9), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpStAISEvents.setStatus('mandatory')
ds_rp_st_lof_events = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 10), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpStLOFEvents.setStatus('mandatory')
ds_rp_st_los_events = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 11), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpStLOSEvents.setStatus('mandatory')
ds_rp_st_far_end_blk_errors = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 12), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpStFarEndBlkErrors.setStatus('mandatory')
ds_rp_st_rem_frame_alm_evts = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 13), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpStRemFrameAlmEvts.setStatus('mandatory')
ds_rp_st_rem_m_frame_alm_evts = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 14), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpStRemMFrameAlmEvts.setStatus('mandatory')
ds_rp_st_lots16_m_frame_evts = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 15), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpStLOTS16MFrameEvts.setStatus('mandatory')
ds_rp_st_zero_counters = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 3, 1, 1, 16), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('rpStZeroCountersIdle', 1), ('rpStZeroCountersStart', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsRpStZeroCounters.setStatus('mandatory')
ds_pl_break = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 4, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('rpPlLineFeed', 1), ('rpPlMorePrompt', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsPlBreak.setStatus('mandatory')
ds_pl_len = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 4, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 70))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsPlLen.setStatus('mandatory')
ds_rp_ahr_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 5))
if mibBuilder.loadTexts:
dsRpAhrTable.setStatus('mandatory')
ds_rp_ahr_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 5, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsRpAhrIndex'))
if mibBuilder.loadTexts:
dsRpAhrEntry.setStatus('mandatory')
ds_rp_ahr_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 5, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 20))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpAhrIndex.setStatus('mandatory')
ds_rp_ahr_str = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 5, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpAhrStr.setStatus('mandatory')
ds_rp_shr_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 6))
if mibBuilder.loadTexts:
dsRpShrTable.setStatus('mandatory')
ds_rp_shr_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 6, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsRpShrIndex'))
if mibBuilder.loadTexts:
dsRpShrEntry.setStatus('mandatory')
ds_rp_shr_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 6, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpShrIndex.setStatus('mandatory')
ds_rp_shr_date_time = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 6, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpShrDateTime.setStatus('mandatory')
ds_rp_shr_event_type = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 6, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('rpShrTelnetPassword', 1), ('rpShrSrcIpAddressScreen', 2), ('rpShrReadCommString', 3), ('rpShrWriteCommString', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpShrEventType.setStatus('mandatory')
ds_rp_shr_comments = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 6, 1, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpShrComments.setStatus('mandatory')
ds_rp_bes = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 7), integer32().subtype(subtypeSpec=value_range_constraint(2, 63999))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsRpBes.setStatus('mandatory')
ds_rp_ses = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 8), integer32().subtype(subtypeSpec=value_range_constraint(3, 64000))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsRpSes.setStatus('mandatory')
ds_rp_dm = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 9), integer32().subtype(subtypeSpec=value_range_constraint(1, 64000))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsRpDm.setStatus('mandatory')
ds_rp_fr_tm_cnt_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 1))
if mibBuilder.loadTexts:
dsRpFrTmCntTable.setStatus('mandatory')
ds_rp_fr_tm_cnt_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 1, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsRpFrTmCntDir'))
if mibBuilder.loadTexts:
dsRpFrTmCntEntry.setStatus('mandatory')
ds_rp_fr_tm_cnt_dir = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 2))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrTmCntDir.setStatus('mandatory')
ds_rp_fr_tm_cnt_secs = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 1, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 7200))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrTmCntSecs.setStatus('mandatory')
ds_rp_fr_tm_cnt2_hrs = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 1, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 12))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrTmCnt2Hrs.setStatus('mandatory')
ds_rp_fr_tm_cnt_days = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 1, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 7))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrTmCntDays.setStatus('mandatory')
ds_rp_fr_pre15_m_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2))
if mibBuilder.loadTexts:
dsRpFrPre15MTable.setStatus('mandatory')
ds_rp_fr_pre15_m_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsRpFrPre15MDir'), (0, 'DATASMART-MIB', 'dsRpFrPre15MVcIndex'))
if mibBuilder.loadTexts:
dsRpFrPre15MEntry.setStatus('mandatory')
ds_rp_fr_pre15_m_dir = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 2))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrPre15MDir.setStatus('mandatory')
ds_rp_fr_pre15_m_vc_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 65))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrPre15MVcIndex.setStatus('mandatory')
ds_rp_fr_pre15_m_vc = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 8388607))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrPre15MVc.setStatus('mandatory')
ds_rp_fr_pre15_m_frames = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 4), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrPre15MFrames.setStatus('mandatory')
ds_rp_fr_pre15_m_octets = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrPre15MOctets.setStatus('mandatory')
ds_rp_fr_pre15_m_kbps = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 6), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrPre15MKbps.setStatus('mandatory')
ds_rp_fr_pre15_m_fp_max = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 7), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrPre15MFpMax.setStatus('mandatory')
ds_rp_fr_pre15_m_fp_avg = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 8), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrPre15MFpAvg.setStatus('mandatory')
ds_rp_fr_pre15_m_fp_lost = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 9), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrPre15MFpLost.setStatus('mandatory')
ds_rp_fr_pre15_m_fp_sent = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 10), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrPre15MFpSent.setStatus('mandatory')
ds_rp_fr_pre15_m_status = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 2, 1, 11), display_string().subtype(subtypeSpec=value_size_constraint(0, 7))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrPre15MStatus.setStatus('mandatory')
ds_rp_fr_cur15_m_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3))
if mibBuilder.loadTexts:
dsRpFrCur15MTable.setStatus('mandatory')
ds_rp_fr_cur15_m_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsRpFrCur15MDir'), (0, 'DATASMART-MIB', 'dsRpFrCur15MVcIndex'))
if mibBuilder.loadTexts:
dsRpFrCur15MEntry.setStatus('mandatory')
ds_rp_fr_cur15_m_dir = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 2))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrCur15MDir.setStatus('mandatory')
ds_rp_fr_cur15_m_vc_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 65))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrCur15MVcIndex.setStatus('mandatory')
ds_rp_fr_cur15_m_vc = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 8388607))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrCur15MVc.setStatus('mandatory')
ds_rp_fr_cur15_m_frames = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 4), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrCur15MFrames.setStatus('mandatory')
ds_rp_fr_cur15_m_octets = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrCur15MOctets.setStatus('mandatory')
ds_rp_fr_cur15_m_kbps = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 6), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrCur15MKbps.setStatus('mandatory')
ds_rp_fr_cur15_m_fp_max = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 7), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrCur15MFpMax.setStatus('mandatory')
ds_rp_fr_cur15_m_fp_avg = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 8), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrCur15MFpAvg.setStatus('mandatory')
ds_rp_fr_cur15_m_fp_lost = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 9), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrCur15MFpLost.setStatus('mandatory')
ds_rp_fr_cur15_m_fp_sent = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 10), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrCur15MFpSent.setStatus('mandatory')
ds_rp_fr_cur15_m_fp_rmt_ip = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 11), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrCur15MFpRmtIp.setStatus('mandatory')
ds_rp_fr_cur15_m_fp_rmt_vc = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 12), integer32().subtype(subtypeSpec=value_range_constraint(0, 8388607))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrCur15MFpRmtVc.setStatus('mandatory')
ds_rp_fr_cur15_m_status = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 3, 1, 13), display_string().subtype(subtypeSpec=value_size_constraint(0, 7))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrCur15MStatus.setStatus('mandatory')
ds_rp_fr_cur2_h_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4))
if mibBuilder.loadTexts:
dsRpFrCur2HTable.setStatus('mandatory')
ds_rp_fr_cur2_h_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsRpFrCur2HDir'), (0, 'DATASMART-MIB', 'dsRpFrCur2HVcIndex'))
if mibBuilder.loadTexts:
dsRpFrCur2HEntry.setStatus('mandatory')
ds_rp_fr_cur2_h_dir = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 2))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrCur2HDir.setStatus('mandatory')
ds_rp_fr_cur2_h_vc_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 65))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrCur2HVcIndex.setStatus('mandatory')
ds_rp_fr_cur2_h_vc = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 8388607))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrCur2HVc.setStatus('mandatory')
ds_rp_fr_cur2_h_frames = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 4), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrCur2HFrames.setStatus('mandatory')
ds_rp_fr_cur2_h_octets = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrCur2HOctets.setStatus('mandatory')
ds_rp_fr_cur2_h_kbps = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 6), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrCur2HKbps.setStatus('mandatory')
ds_rp_fr_cur2_h_fp_max = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 7), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrCur2HFpMax.setStatus('mandatory')
ds_rp_fr_cur2_h_fp_avg = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 8), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrCur2HFpAvg.setStatus('mandatory')
ds_rp_fr_cur2_h_fp_lost = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 9), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrCur2HFpLost.setStatus('mandatory')
ds_rp_fr_cur2_h_fp_sent = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 10), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrCur2HFpSent.setStatus('mandatory')
ds_rp_fr_cur2_h_status = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 4, 1, 11), display_string().subtype(subtypeSpec=value_size_constraint(0, 7))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrCur2HStatus.setStatus('mandatory')
ds_rp_fr_intvl2_h_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5))
if mibBuilder.loadTexts:
dsRpFrIntvl2HTable.setStatus('mandatory')
ds_rp_fr_intvl2_h_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsRpFrIntvl2HDir'), (0, 'DATASMART-MIB', 'dsRpFrIntvl2HVcIndex'), (0, 'DATASMART-MIB', 'dsRpFrIntvl2HNum'))
if mibBuilder.loadTexts:
dsRpFrIntvl2HEntry.setStatus('mandatory')
ds_rp_fr_intvl2_h_dir = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 2))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrIntvl2HDir.setStatus('mandatory')
ds_rp_fr_intvl2_h_vc_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 65))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrIntvl2HVcIndex.setStatus('mandatory')
ds_rp_fr_intvl2_h_num = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 12))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrIntvl2HNum.setStatus('mandatory')
ds_rp_fr_intvl2_h_vc = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(1, 8388607))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrIntvl2HVc.setStatus('mandatory')
ds_rp_fr_intvl2_h_frames = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrIntvl2HFrames.setStatus('mandatory')
ds_rp_fr_intvl2_h_octets = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 6), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrIntvl2HOctets.setStatus('mandatory')
ds_rp_fr_intvl2_h_kbps = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 7), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrIntvl2HKbps.setStatus('mandatory')
ds_rp_fr_intvl2_h_fp_max = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 8), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrIntvl2HFpMax.setStatus('mandatory')
ds_rp_fr_intvl2_h_fp_avg = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 9), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrIntvl2HFpAvg.setStatus('mandatory')
ds_rp_fr_intvl2_h_fp_lost = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 10), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrIntvl2HFpLost.setStatus('mandatory')
ds_rp_fr_intvl2_h_fp_sent = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 11), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrIntvl2HFpSent.setStatus('mandatory')
ds_rp_fr_intvl2_h_status = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 5, 1, 12), display_string().subtype(subtypeSpec=value_size_constraint(0, 7))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrIntvl2HStatus.setStatus('mandatory')
ds_rp_fr_total_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6))
if mibBuilder.loadTexts:
dsRpFrTotalTable.setStatus('mandatory')
ds_rp_fr_total_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsRpFrTotalDir'), (0, 'DATASMART-MIB', 'dsRpFrTotalVcIndex'))
if mibBuilder.loadTexts:
dsRpFrTotalEntry.setStatus('mandatory')
ds_rp_fr_total_dir = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 2))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrTotalDir.setStatus('mandatory')
ds_rp_fr_total_vc_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 65))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrTotalVcIndex.setStatus('mandatory')
ds_rp_fr_total_vc = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 8388607))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrTotalVc.setStatus('mandatory')
ds_rp_fr_total_frames = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 4), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrTotalFrames.setStatus('mandatory')
ds_rp_fr_total_octets = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrTotalOctets.setStatus('mandatory')
ds_rp_fr_total_kbps = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 6), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrTotalKbps.setStatus('mandatory')
ds_rp_fr_total_fp_max = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 7), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrTotalFpMax.setStatus('mandatory')
ds_rp_fr_total_fp_avg = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 8), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrTotalFpAvg.setStatus('mandatory')
ds_rp_fr_total_fp_lost = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 9), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrTotalFpLost.setStatus('mandatory')
ds_rp_fr_total_fp_sent = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 10), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrTotalFpSent.setStatus('mandatory')
ds_rp_fr_total_status = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 6, 1, 11), display_string().subtype(subtypeSpec=value_size_constraint(0, 7))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrTotalStatus.setStatus('mandatory')
ds_rp_fr_day_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7))
if mibBuilder.loadTexts:
dsRpFrDayTable.setStatus('mandatory')
ds_rp_fr_day_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsRpFrDayDir'), (0, 'DATASMART-MIB', 'dsRpFrDayVcIndex'), (0, 'DATASMART-MIB', 'dsRpFrDayNum'))
if mibBuilder.loadTexts:
dsRpFrDayEntry.setStatus('mandatory')
ds_rp_fr_day_dir = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 2))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrDayDir.setStatus('mandatory')
ds_rp_fr_day_vc_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 65))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrDayVcIndex.setStatus('mandatory')
ds_rp_fr_day_num = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 12))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrDayNum.setStatus('mandatory')
ds_rp_fr_day_vc = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(1, 8388607))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrDayVc.setStatus('mandatory')
ds_rp_fr_day_frames = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrDayFrames.setStatus('mandatory')
ds_rp_fr_day_octets = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 6), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrDayOctets.setStatus('mandatory')
ds_rp_fr_day_kbps = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 7), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrDayKbps.setStatus('mandatory')
ds_rp_fr_day_fp_max = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 8), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrDayFpMax.setStatus('mandatory')
ds_rp_fr_day_fp_avg = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 9), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrDayFpAvg.setStatus('mandatory')
ds_rp_fr_day_fp_lost = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 10), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrDayFpLost.setStatus('mandatory')
ds_rp_fr_day_fp_sent = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 11), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrDayFpSent.setStatus('mandatory')
ds_rp_fr_day_status = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 7, 1, 12), display_string().subtype(subtypeSpec=value_size_constraint(0, 7))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrDayStatus.setStatus('mandatory')
ds_rp_fr_ur_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 8))
if mibBuilder.loadTexts:
dsRpFrUrTable.setStatus('mandatory')
ds_rp_fr_ur_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 8, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsRpFrUrDir'), (0, 'DATASMART-MIB', 'dsRpFrUrVcIndex'))
if mibBuilder.loadTexts:
dsRpFrUrEntry.setStatus('mandatory')
ds_rp_fr_ur_dir = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 8, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 2))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrUrDir.setStatus('mandatory')
ds_rp_fr_ur_vc_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 8, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 65))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrUrVcIndex.setStatus('mandatory')
ds_rp_fr_ur_vc = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 8, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 8388607))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrUrVc.setStatus('mandatory')
ds_rp_fr_ur_cir_exceeded = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 8, 1, 4), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrUrCIRExceeded.setStatus('mandatory')
ds_rp_fr_ur_cir_exceeded_octets = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 8, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrUrCIRExceededOctets.setStatus('mandatory')
ds_rp_fr_ur_eir_exceeded = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 8, 1, 6), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrUrEIRExceeded.setStatus('mandatory')
ds_rp_fr_ur_eir_exceeded_octets = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 10, 8, 1, 7), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpFrUrEIRExceededOctets.setStatus('mandatory')
ds_rp_dds_duration = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 11), time_ticks()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpDdsDuration.setStatus('mandatory')
ds_rp_dds_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 12))
if mibBuilder.loadTexts:
dsRpDdsTable.setStatus('mandatory')
ds_rp_dds_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 12, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsRpDdsIfIndex'))
if mibBuilder.loadTexts:
dsRpDdsEntry.setStatus('mandatory')
ds_rp_dds_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 12, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpDdsIfIndex.setStatus('mandatory')
ds_rp_dds_available_secs = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 12, 1, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpDdsAvailableSecs.setStatus('mandatory')
ds_rp_dds_total_secs = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 12, 1, 3), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpDdsTotalSecs.setStatus('mandatory')
ds_rp_dds_bp_vs = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 2, 12, 1, 4), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRpDdsBPVs.setStatus('mandatory')
ds_lm_loopback = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 3, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=named_values(('lmLbkNone', 1), ('lmLbkLine', 2), ('lmLbkPayload', 3), ('lmLbkLocal', 4), ('lmLbkTiTest', 5), ('lmLbkDp1', 6), ('lmLbkDp2', 7), ('lmLbkDt1', 8), ('lmLbkDt2', 9), ('lmLbkCsu', 10), ('lmLbkDsu', 11), ('lmLbkDpdt', 12)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsLmLoopback.setStatus('mandatory')
ds_lm_self_test_state = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 3, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('lmSelfTestIdle', 1), ('lmSelfTestStart', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsLmSelfTestState.setStatus('mandatory')
ds_lm_self_test_results = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 3, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsLmSelfTestResults.setStatus('mandatory')
ds_rm_lbk_code = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('rmRNone', 1), ('rmRst1', 2), ('rmRLine', 3), ('rmRPayload', 4), ('rmRDp1', 5), ('rmRDp2', 6)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsRmLbkCode.setStatus('mandatory')
ds_rm_test_code = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11))).clone(namedValues=named_values(('rmTestNone', 1), ('rmTestQrs', 2), ('rmTest324', 3), ('rmTestOnes', 4), ('rmTestZeros', 5), ('rmTest511Dp1', 6), ('rmTest511Dp2', 7), ('rmTest2047Dp1', 8), ('rmTest2047Dp2', 9), ('rmTest2toThe23', 10), ('rmTest2toThe15', 11)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsRmTestCode.setStatus('mandatory')
ds_rm_bert_state = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('rmBertIdle', 1), ('rmBertOtherStart', 2), ('rmBertSearching', 3), ('rmBertFound', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRmBertState.setStatus('mandatory')
ds_rm_bert_code = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11))).clone(namedValues=named_values(('rmBertNone', 1), ('rmBertQrs', 2), ('rmBert324', 3), ('rmBertOnes', 4), ('rmBertZeros', 5), ('rmBert511Dp1', 6), ('rmBert511Dp2', 7), ('rmBert2047Dp1', 8), ('rmBert2047Dp2', 9), ('rmTest2toThe23', 10), ('rmTest2toThe15', 11)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsRmBertCode.setStatus('mandatory')
ds_rm_bert_test_secs = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 5), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRmBertTestSecs.setStatus('mandatory')
ds_rm_bert_bit_errors = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRmBertBitErrors.setStatus('mandatory')
ds_rm_bert_errd_secs = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 7), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRmBertErrdSecs.setStatus('mandatory')
ds_rm_bert_total_errors = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 8), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRmBertTotalErrors.setStatus('mandatory')
ds_rm_bert_re_sync = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 9), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRmBertReSync.setStatus('mandatory')
ds_rm_fping = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10))
ds_rm_fping_action = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('rmFpingStart', 1), ('rmFpingStop', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsRmFpingAction.setStatus('mandatory')
ds_rm_fping_state = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('rmFpingIdle', 1), ('rmFpingOtherStart', 2), ('rmFpingRunning', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRmFpingState.setStatus('mandatory')
ds_rm_fping_vc = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 8388607))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsRmFpingVc.setStatus('mandatory')
ds_rm_fping_freq = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 4), integer32().subtype(subtypeSpec=value_range_constraint(5, 255))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsRmFpingFreq.setStatus('mandatory')
ds_rm_fping_len = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 5), integer32().subtype(subtypeSpec=value_range_constraint(0, 1400))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsRmFpingLen.setStatus('mandatory')
ds_rm_fping_cur = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 2000))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRmFpingCur.setStatus('mandatory')
ds_rm_fping_min = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 7), integer32().subtype(subtypeSpec=value_range_constraint(0, 2000))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRmFpingMin.setStatus('mandatory')
ds_rm_fping_max = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 8), integer32().subtype(subtypeSpec=value_range_constraint(0, 2000))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRmFpingMax.setStatus('mandatory')
ds_rm_fping_avg = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 9), integer32().subtype(subtypeSpec=value_range_constraint(0, 2000))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRmFpingAvg.setStatus('mandatory')
ds_rm_fping_lost = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRmFpingLost.setStatus('mandatory')
ds_rm_fping_total = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 11), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRmFpingTotal.setStatus('mandatory')
ds_rm_fping_rmt_vc = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 12), display_string().subtype(subtypeSpec=value_size_constraint(0, 8))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRmFpingRmtVc.setStatus('mandatory')
ds_rm_fping_rmt_ip = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 10, 13), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsRmFpingRmtIp.setStatus('mandatory')
ds_rm_insert_bit_error = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 4, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('insertBitError', 1), ('noInsertBitError', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsRmInsertBitError.setStatus('mandatory')
ds_ac_alm_msg = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 5, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('acAlmMsgEnable', 1), ('acAlmMsgDisable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsAcAlmMsg.setStatus('mandatory')
ds_ac_yel_alm = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 5, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('acYelAlmEnable', 1), ('acYelAlmDisable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsAcYelAlm.setStatus('mandatory')
ds_ac_deact = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 5, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 15))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsAcDeact.setStatus('mandatory')
ds_ac_est = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 5, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 900))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsAcEst.setStatus('mandatory')
ds_ac_ust = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 5, 5), integer32().subtype(subtypeSpec=value_range_constraint(0, 900))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsAcUst.setStatus('mandatory')
ds_ac_st = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 5, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('acSt15', 1), ('acSt60', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsAcSt.setStatus('mandatory')
ds_ac_ber_alm = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 5, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('acBerAlmEnable', 1), ('acBerAlmDisable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsAcBerAlm.setStatus('mandatory')
ds_ac_rfa_alm = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 5, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('acRfaAlmEnable', 1), ('acRfaAlmDisable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsAcRfaAlm.setStatus('mandatory')
ds_ac_ais_alm = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 5, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('acAisAlmEnable', 1), ('acAisAlmDisable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsAcAisAlm.setStatus('mandatory')
ds_ac_on_power_transition = notification_type((1, 3, 6, 1, 4, 1, 181, 2, 2) + (0, 5005)).setObjects(('DATASMART-MIB', 'dsSsPowerStatus'))
ds_ac_off_power_transition = notification_type((1, 3, 6, 1, 4, 1, 181, 2, 2) + (0, 5006)).setObjects(('DATASMART-MIB', 'dsSsPowerStatus'))
ds_cc_echo = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 6, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ccEchoEnable', 1), ('ccEchoDisable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsCcEcho.setStatus('mandatory')
ds_cc_control_port = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 6, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ccDce', 1), ('ccDte', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsCcControlPort.setStatus('mandatory')
ds_cc_baud = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 6, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('cc2400', 1), ('cc9600', 2), ('cc19200', 3), ('cc38400', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsCcBaud.setStatus('mandatory')
ds_cc_parity = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 6, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('ccNone', 1), ('ccEven', 2), ('ccOdd', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsCcParity.setStatus('mandatory')
ds_cc_data_bits = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 6, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('cc7Bit', 1), ('cc8Bit', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsCcDataBits.setStatus('mandatory')
ds_cc_stop_bits = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 6, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('cc1Bit', 1), ('cc2Bit', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsCcStopBits.setStatus('mandatory')
ds_cc_dce_in = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 6, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('ccBothOff', 1), ('ccRtsOnDtrOff', 2), ('ccRtsOffDtrOn', 3), ('ccBothOn', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsCcDceIn.setStatus('mandatory')
ds_cc_dte_in = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 6, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('ccBothOff', 1), ('ccCtsOnDcdOff', 2), ('ccCtsOffDcdOn', 3), ('ccBothOn', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsCcDteIn.setStatus('mandatory')
ds_dc_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1))
if mibBuilder.loadTexts:
dsDcTable.setStatus('mandatory')
ds_dc_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsDcIndex'))
if mibBuilder.loadTexts:
dsDcEntry.setStatus('mandatory')
ds_dc_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 2))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsDcIndex.setStatus('mandatory')
ds_dc_data_invert = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('dcDataInvertEnable', 1), ('dcDataInvertDisable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsDcDataInvert.setStatus('mandatory')
ds_dc_interface = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('dcV35Interface', 1), ('dcEia530Interface', 2), ('dcV35DSInterface', 3)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsDcInterface.setStatus('mandatory')
ds_dc_clock_source = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('dcInternalClock', 1), ('dcExternalClock', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsDcClockSource.setStatus('mandatory')
ds_dc_xmt_clk_invert = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('dcXClkInvertEnable', 1), ('dcXClkInvertDisable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsDcXmtClkInvert.setStatus('mandatory')
ds_dc_rcv_clk_invert = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('dcRClkInvertEnable', 1), ('dcRClkInvertDisable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsDcRcvClkInvert.setStatus('mandatory')
ds_dc_idle_char = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('dc7eIdleChar', 1), ('dc7fIdleChar', 2), ('dcffIdleChar', 3)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsDcIdleChar.setStatus('mandatory')
ds_dc_los_input = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 7, 1, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('dcLosNone', 1), ('dcLosRTS', 2), ('dcLosDTR', 3), ('dcLosBoth', 4)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsDcLOSInput.setStatus('mandatory')
ds_fc_load_xcute = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 8, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('fcLoadXcuteIdle', 1), ('fcLoadXcuteStartA', 2), ('fcLoadXcuteStartB', 3)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsFcLoadXcute.setStatus('mandatory')
ds_fc_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 8, 2))
if mibBuilder.loadTexts:
dsFcTable.setStatus('mandatory')
ds_fc_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 8, 2, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsFcTableIndex'), (0, 'DATASMART-MIB', 'dsFcChanIndex'))
if mibBuilder.loadTexts:
dsFcEntry.setStatus('mandatory')
ds_fc_table_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 8, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 3))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsFcTableIndex.setStatus('mandatory')
ds_fc_chan_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 8, 2, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 31))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsFcChanIndex.setStatus('mandatory')
ds_fc_chan_map = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 8, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=named_values(('fcChanIdle', 1), ('fcChanTiData', 2), ('fcChanTiVoice', 3), ('fcChan56Dp1', 4), ('fcChan64Dp1', 5), ('fcChan56Dp2', 6), ('fcChan64Dp2', 7), ('fcChanDLNK', 8), ('fcChanDPDL', 9), ('fcChanUnav', 10)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsFcChanMap.setStatus('mandatory')
ds_fc_map16 = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 8, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('fcMap16Used', 1), ('fcMap16Unused', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsFcMap16.setStatus('mandatory')
ds_fmc_frame_type = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('fmcFrNlpid', 1), ('fmcFrEther', 2), ('fmcAtmNlpid', 3), ('fmcAtmLlcSnap', 4), ('fmcAtmVcMux', 5)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsFmcFrameType.setStatus('mandatory')
ds_fmc_addr_octets = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('fmcTwoOctets', 1), ('fmcFourOctets', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsFmcAddrOctets.setStatus('mandatory')
ds_fmc_fcs_bits = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('fmc16Bits', 1), ('fmc32Bits', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsFmcFcsBits.setStatus('mandatory')
ds_fmc_upper_bw = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 4), integer32().subtype(subtypeSpec=value_range_constraint(5, 95))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsFmcUpperBW.setStatus('mandatory')
ds_fmc_fping_oper = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('fmcFpoEnable', 1), ('fmcFpoDisable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsFmcFpingOper.setStatus('mandatory')
ds_fmc_fping_gen = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 64))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsFmcFpingGen.setStatus('mandatory')
ds_fmc_fping_thres = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 7), integer32().subtype(subtypeSpec=value_range_constraint(20, 2000))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsFmcFpingThres.setStatus('mandatory')
ds_fmc_fping_rst = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 8), integer32().subtype(subtypeSpec=value_range_constraint(0, 8388607))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsFmcFpingRst.setStatus('mandatory')
ds_fmc_add_vc = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 9), integer32().subtype(subtypeSpec=value_range_constraint(0, 8388607))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsFmcAddVc.setStatus('mandatory')
ds_fmc_del_vc = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 9, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 8388607))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsFmcDelVc.setStatus('mandatory')
ds_fmc_set_ni_rcv_upper_bw_thresh = notification_type((1, 3, 6, 1, 4, 1, 181, 2, 2) + (0, 9001)).setObjects(('DATASMART-MIB', 'dsRpFrCur15MVc'))
ds_fmc_clr_ni_rcv_upper_bw_thresh = notification_type((1, 3, 6, 1, 4, 1, 181, 2, 2) + (0, 9002)).setObjects(('DATASMART-MIB', 'dsRpFrCur15MVc'))
ds_fmc_set_ni_xmt_upper_bw_thresh = notification_type((1, 3, 6, 1, 4, 1, 181, 2, 2) + (0, 9003)).setObjects(('DATASMART-MIB', 'dsRpFrCur15MVc'))
ds_fmc_clr_ni_xmt_upper_bw_thresh = notification_type((1, 3, 6, 1, 4, 1, 181, 2, 2) + (0, 9004)).setObjects(('DATASMART-MIB', 'dsRpFrCur15MVc'))
ds_fmc_fping_link_down = notification_type((1, 3, 6, 1, 4, 1, 181, 2, 2) + (0, 9005)).setObjects(('DATASMART-MIB', 'dsRpFrCur15MVc'))
ds_fmc_fping_link_up = notification_type((1, 3, 6, 1, 4, 1, 181, 2, 2) + (0, 9006)).setObjects(('DATASMART-MIB', 'dsRpFrCur15MVc'))
ds_mc_netif = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11))).clone(namedValues=named_values(('mcNetNone', 1), ('mcNetEthernet', 2), ('mcNetPppSlip', 3), ('mcNetSlip', 4), ('mcNetDatalink', 5), ('mcNetES', 6), ('mcNetED', 7), ('mcNetESD', 8), ('mcNetPSD', 9), ('mcNetSD', 10), ('mcNetInband', 11)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsMcNetif.setStatus('mandatory')
ds_mc_t1_dl_path = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49))).clone(namedValues=named_values(('mcDLPathFdl', 1), ('mcDLPathTS1-64', 2), ('mcDLPathTS2-64', 3), ('mcDLPathTS3-64', 4), ('mcDLPathTS4-64', 5), ('mcDLPathTS5-64', 6), ('mcDLPathTS6-64', 7), ('mcDLPathTS7-64', 8), ('mcDLPathTS8-64', 9), ('mcDLPathTS9-64', 10), ('mcDLPathTS10-64', 11), ('mcDLPathTS11-64', 12), ('mcDLPathTS12-64', 13), ('mcDLPathTS13-64', 14), ('mcDLPathTS14-64', 15), ('mcDLPathTS15-64', 16), ('mcDLPathTS16-64', 17), ('mcDLPathTS17-64', 18), ('mcDLPathTS18-64', 19), ('mcDLPathTS19-64', 20), ('mcDLPathTS20-64', 21), ('mcDLPathTS21-64', 22), ('mcDLPathTS22-64', 23), ('mcDLPathTS23-64', 24), ('mcDLPathTS24-64', 25), ('mcDLPathTS1-56', 26), ('mcDLPathTS2-56', 27), ('mcDLPathTS3-56', 28), ('mcDLPathTS4-56', 29), ('mcDLPathTS5-56', 30), ('mcDLPathTS6-56', 31), ('mcDLPathTS7-56', 32), ('mcDLPathTS8-56', 33), ('mcDLPathTS9-56', 34), ('mcDLPathTS10-56', 35), ('mcDLPathTS11-56', 36), ('mcDLPathTS12-56', 37), ('mcDLPathTS13-56', 38), ('mcDLPathTS14-56', 39), ('mcDLPathTS15-56', 40), ('mcDLPathTS16-56', 41), ('mcDLPathTS17-56', 42), ('mcDLPathTS18-56', 43), ('mcDLPathTS19-56', 44), ('mcDLPathTS20-56', 45), ('mcDLPathTS21-56', 46), ('mcDLPathTS22-56', 47), ('mcDLPathTS23-56', 48), ('mcDLPathTS24-56', 49)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsMcT1DLPath.setStatus('mandatory')
ds_mc_def_route = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 3), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsMcDefRoute.setStatus('mandatory')
ds_mc_c_ip_addr = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 4), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsMcCIpAddr.setStatus('mandatory')
ds_mc_d_ip_addr = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 5), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsMcDIpAddr.setStatus('mandatory')
ds_mc_cd_ip_mask = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 6), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsMcCDIpMask.setStatus('mandatory')
ds_mc_e_ip_addr = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 7), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsMcEIpAddr.setStatus('mandatory')
ds_mc_e_ip_mask = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 8), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsMcEIpMask.setStatus('mandatory')
ds_mc_i_ip_addr = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 9), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsMcIIpAddr.setStatus('mandatory')
ds_mc_i_ip_mask = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 10), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsMcIIpMask.setStatus('mandatory')
ds_amc = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11))
ds_amc_agent = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('amcEnabled', 1), ('amcDisabled', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsAmcAgent.setStatus('mandatory')
ds_amc_source_screen = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('mcIpScreen', 1), ('mcNoScreen', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsAmcSourceScreen.setStatus('mandatory')
ds_amc_trap_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 3))
if mibBuilder.loadTexts:
dsAmcTrapTable.setStatus('mandatory')
ds_amc_trap_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 3, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsAmcTrapType'))
if mibBuilder.loadTexts:
dsAmcTrapEntry.setStatus('mandatory')
ds_amc_trap_type = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 3, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('mcStartTraps', 1), ('mcLinkTraps', 2), ('mcAuthenTraps', 3), ('mcEnterpriseTraps', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsAmcTrapType.setStatus('mandatory')
ds_amc_trap_status = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 3, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('amcEnabled', 1), ('amcDisabled', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsAmcTrapStatus.setStatus('mandatory')
ds_amc_scrn_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 4))
if mibBuilder.loadTexts:
dsAmcScrnTable.setStatus('mandatory')
ds_amc_scrn_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 4, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsAmcScrnIndex'))
if mibBuilder.loadTexts:
dsAmcScrnEntry.setStatus('mandatory')
ds_amc_scrn_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 4, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 10))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsAmcScrnIndex.setStatus('mandatory')
ds_amc_scrn_ip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 4, 1, 2), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsAmcScrnIpAddr.setStatus('mandatory')
ds_amc_scrn_ip_mask = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 4, 1, 3), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsAmcScrnIpMask.setStatus('mandatory')
ds_amc_trap_dest_table = mib_table((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 5))
if mibBuilder.loadTexts:
dsAmcTrapDestTable.setStatus('mandatory')
ds_amc_trap_dest_entry = mib_table_row((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 5, 1)).setIndexNames((0, 'DATASMART-MIB', 'dsAmcTrapDestIndex'))
if mibBuilder.loadTexts:
dsAmcTrapDestEntry.setStatus('mandatory')
ds_amc_trap_dest_index = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 5, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 10))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsAmcTrapDestIndex.setStatus('mandatory')
ds_amc_trap_dest_ip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 5, 1, 2), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsAmcTrapDestIpAddr.setStatus('mandatory')
ds_amc_trap_dest_vc = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 5, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 8388607))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsAmcTrapDestVc.setStatus('mandatory')
ds_amc_trap_dest_port = mib_table_column((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 11, 5, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('amcNIPort', 1), ('amcDPPort', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsAmcTrapDestPort.setStatus('mandatory')
ds_mc_i_vc = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 12), dlci()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsMcIVc.setStatus('mandatory')
ds_mc_i_port = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 10, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('amcNiPort', 1), ('amcDPPort', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsMcIPort.setStatus('mandatory')
ds_nc_framing = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('ncSF', 1), ('ncESF', 2), ('ncEricsson', 3)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsNcFraming.setStatus('mandatory')
ds_nc_coding = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ncAmi', 1), ('ncB8zs', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsNcCoding.setStatus('mandatory')
ds_nc_t1403 = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ncT1403Enable', 1), ('ncT1403Disable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsNcT1403.setStatus('mandatory')
ds_nc_yellow = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ncYelEnable', 1), ('ncYelDisable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsNcYellow.setStatus('mandatory')
ds_nc_addr54 = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('ncAddrCsu', 1), ('ncAddrDsu', 2), ('ncAddrBoth', 3)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsNcAddr54.setStatus('mandatory')
ds_nc54016 = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('nc54016Enable', 1), ('nc54016Disable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsNc54016.setStatus('mandatory')
ds_nc_lbo = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('ncLbo0', 1), ('ncLbo1', 2), ('ncLbo2', 3)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsNcLbo.setStatus('mandatory')
ds_nc_mf16 = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ncMF16Enable', 1), ('ncMF16Disable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsNcMF16.setStatus('mandatory')
ds_nc_crc = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ncCrcEnable', 1), ('ncCrcDisable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsNcCRC.setStatus('mandatory')
ds_nc_fas_align = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ncFasWord', 1), ('ncNonFasWord', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsNcFasAlign.setStatus('mandatory')
ds_nc_e1_dl_path = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37))).clone(namedValues=named_values(('ncSaNone', 1), ('ncSaBit4', 2), ('ncSaBit5', 3), ('ncSaBit6', 4), ('ncSaBit7', 5), ('ncSaBit8', 6), ('ncTS1', 7), ('ncTS2', 8), ('ncTS3', 9), ('ncTS4', 10), ('ncTS5', 11), ('ncTS6', 12), ('ncTS7', 13), ('ncTS8', 14), ('ncTS9', 15), ('ncTS10', 16), ('ncTS11', 17), ('ncTS12', 18), ('ncTS13', 19), ('ncTS14', 20), ('ncTS15', 21), ('ncTS16', 22), ('ncTS17', 23), ('ncTS18', 24), ('ncTS19', 25), ('ncTS20', 26), ('ncTS21', 27), ('ncTS22', 28), ('ncTS23', 29), ('ncTS24', 30), ('ncTS25', 31), ('ncTS26', 32), ('ncTS27', 33), ('ncTS28', 34), ('ncTS29', 35), ('ncTS30', 36), ('ncTS31', 37)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsNcE1DLPath.setStatus('mandatory')
ds_nc_ka = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ncFramedKeepAlive', 1), ('ncUnFramedKeepAlive', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsNcKA.setStatus('mandatory')
ds_nc_gen_rfa = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ncGenRfaEnable', 1), ('ncGenRfaDisable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsNcGenRfa.setStatus('mandatory')
ds_nc_pass_ti_rfa = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 14), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ncPassTiRfaEnable', 1), ('ncPassTiRfaDisable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsNcPassTiRfa.setStatus('mandatory')
ds_nc_idle = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 15), integer32().subtype(subtypeSpec=value_range_constraint(0, 255))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsNcIdle.setStatus('mandatory')
ds_nc_dds_type = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 11, 16), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('scDds56K', 1), ('scDds64K', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsNcDdsType.setStatus('mandatory')
ds_sc_month = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 12))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsScMonth.setStatus('mandatory')
ds_sc_day = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 31))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsScDay.setStatus('mandatory')
ds_sc_year = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 99))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsScYear.setStatus('mandatory')
ds_sc_hour = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 23))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsScHour.setStatus('mandatory')
ds_sc_minutes = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 5), integer32().subtype(subtypeSpec=value_range_constraint(0, 59))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsScMinutes.setStatus('mandatory')
ds_sc_name = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 6), display_string().subtype(subtypeSpec=value_size_constraint(0, 15))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsScName.setStatus('mandatory')
ds_sc_slot_addr = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 7), integer32().subtype(subtypeSpec=value_range_constraint(0, 15))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsScSlotAddr.setStatus('mandatory')
ds_sc_shelf_addr = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 8), integer32().subtype(subtypeSpec=value_range_constraint(0, 15))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsScShelfAddr.setStatus('mandatory')
ds_sc_group_addr = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 9), integer32().subtype(subtypeSpec=value_range_constraint(0, 255))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsScGroupAddr.setStatus('mandatory')
ds_sc_front_panel = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('scFpEnable', 1), ('scFpDisable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsScFrontPanel.setStatus('mandatory')
ds_sc_ds_compatible = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('scDSEnable', 1), ('scDSDisable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsScDSCompatible.setStatus('mandatory')
ds_sc_clock_source = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('scTerminalTiming', 1), ('scThroughTiming', 2), ('scInternalTiming', 3), ('scLoopTiming', 4), ('scDP1Timing', 5), ('scDP2Timing', 6)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsScClockSource.setStatus('mandatory')
ds_sc_autologout = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 13), integer32().subtype(subtypeSpec=value_range_constraint(0, 60))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsScAutologout.setStatus('mandatory')
ds_sc_zero_per_data = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 14), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('scZallIdle', 1), ('scZallStart', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsScZeroPerData.setStatus('mandatory')
ds_sc_wyv = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 15), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsScWyv.setStatus('mandatory')
ds_sc_auto_cfg = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 16), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('scAcEnable', 1), ('scAcDisable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsScAutoCfg.setStatus('mandatory')
ds_sc_tftp_swdl = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 17), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsScTftpSwdl.setStatus('mandatory')
ds_sc_boot = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 18), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('scBootIdle', 1), ('scBootActive', 2), ('scBootInactive', 3)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsScBoot.setStatus('mandatory')
ds_sc_oper_mode = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 19), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('scTransparentMode', 1), ('scMonitorMode', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsScOperMode.setStatus('mandatory')
ds_sc_year_extention = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 20), integer32().subtype(subtypeSpec=value_range_constraint(1992, 2091))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsScYearExtention.setStatus('mandatory')
ds_sc_month_extention = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 21), integer32().subtype(subtypeSpec=value_range_constraint(1, 12))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsScMonthExtention.setStatus('mandatory')
ds_sc_day_extention = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 22), integer32().subtype(subtypeSpec=value_range_constraint(1, 31))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsScDayExtention.setStatus('mandatory')
ds_sc_hour_extention = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 23), integer32().subtype(subtypeSpec=value_range_constraint(0, 24))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsScHourExtention.setStatus('mandatory')
ds_sc_min_extention = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 24), integer32().subtype(subtypeSpec=value_range_constraint(0, 59))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsScMinExtention.setStatus('mandatory')
ds_sc_sec_extention = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 25), integer32().subtype(subtypeSpec=value_range_constraint(0, 59))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsScSecExtention.setStatus('mandatory')
ds_sc_pin_k = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 12, 26), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('pinKEnabled', 1), ('pinKDisabled', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsScPinK.setStatus('mandatory')
ds_tc_framing = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('tcSF', 1), ('tcESF', 2), ('tcEricsson', 3)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsTcFraming.setStatus('mandatory')
ds_tc_coding = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('tcAmi', 1), ('tcB8zs', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsTcCoding.setStatus('mandatory')
ds_tc_idle = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 255))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsTcIdle.setStatus('mandatory')
ds_tc_equal = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('tcTe0', 1), ('tcTe1', 2), ('tcTe2', 3), ('tcTe3', 4), ('tcTe4', 5)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsTcEqual.setStatus('mandatory')
ds_tc_mf16 = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('tcMF16Enable', 1), ('tcMF16Disable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsTcMF16.setStatus('mandatory')
ds_tc_crc = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('tcCrcEnable', 1), ('tcCrcDisable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsTcCRC.setStatus('mandatory')
ds_tc_fas_align = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('tcFasWord', 1), ('tcNonFasWord', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsTcFasAlign.setStatus('mandatory')
ds_tc_ais = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('tcAisEnable', 1), ('tcAisDisable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsTcAis.setStatus('mandatory')
ds_tc_gen_rfa = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('tcGenRfaEnable', 1), ('tcGenRfaDisable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsTcGenRfa.setStatus('mandatory')
ds_tc_pass_ti_rfa = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 13, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('tcPassTiRfaEnable', 1), ('tcPassTiRfaDisable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dsTcPassTiRfa.setStatus('mandatory')
ds_fp_fr56 = mib_identifier((1, 3, 6, 1, 4, 1, 181, 2, 2, 14, 1))
ds_fp_fr56_pwr_led = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 14, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('fpLedIndeterminate', 1), ('fpLedOff', 2), ('fpLedOnGreen', 3), ('fpLedBlinkGreen', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsFpFr56PwrLed.setStatus('mandatory')
ds_fp_fr56_dnld_fail_led = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 14, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('fpLedIndeterminate', 1), ('fpLedOff', 2), ('fpLedOnRed', 3), ('fpLedBlinkRed', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsFpFr56DnldFailLed.setStatus('mandatory')
ds_fp_fr56_ni_alarm_led = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 14, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('fpLedIndeterminate', 1), ('fpLedOff', 2), ('fpLedOnRed', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsFpFr56NiAlarmLed.setStatus('mandatory')
ds_fp_fr56_ni_data_led = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 14, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('fpLedIndeterminate', 1), ('fpLedOff', 2), ('fpLedOnGreen', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsFpFr56NiDataLed.setStatus('mandatory')
ds_fp_fr56_test_led = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 14, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('fpLedIndeterminate', 1), ('fpLedOff', 2), ('fpLedOnYellow', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsFpFr56TestLed.setStatus('mandatory')
ds_fp_fr56_dp_cts_tx_led = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 14, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('fpLedIndeterminate', 1), ('fpLedOff', 2), ('fpLedOnYellow', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsFpFr56DpCtsTxLed.setStatus('mandatory')
ds_fp_fr56_dp_rts_rx_led = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 14, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('fpLedIndeterminate', 1), ('fpLedOff', 2), ('fpLedOnYellow', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsFpFr56DpRtsRxLed.setStatus('mandatory')
ds_fp_fr56_fr_link_led = mib_scalar((1, 3, 6, 1, 4, 1, 181, 2, 2, 14, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('fpLedIndeterminate', 1), ('fpLedOff', 2), ('fpLedOnGreen', 3), ('fpLedBlinkGreen', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dsFpFr56FrLinkLed.setStatus('mandatory')
mibBuilder.exportSymbols('DATASMART-MIB', dsRpUsrDayES=dsRpUsrDayES, dsDcInterface=dsDcInterface, dsScBoot=dsScBoot, dsRpFrUrVc=dsRpFrUrVc, dsScWyv=dsScWyv, dsFp=dsFp, dsRpDdsTotalSecs=dsRpDdsTotalSecs, dsFmcFpingLinkDown=dsFmcFpingLinkDown, dsScYear=dsScYear, dsFcTableIndex=dsFcTableIndex, dsRpUsrTotalEntry=dsRpUsrTotalEntry, dsScPinK=dsScPinK, dsLmLoopback=dsLmLoopback, DLCI=DLCI, dsRpUsrCurCSS=dsRpUsrCurCSS, dsAcOnPowerTransition=dsAcOnPowerTransition, dsMcIIpMask=dsMcIIpMask, dsRmBertCode=dsRmBertCode, dsRpFrTotalTable=dsRpFrTotalTable, dsAmcScrnTable=dsAmcScrnTable, dsRpFrCur2HEntry=dsRpFrCur2HEntry, dsRpUsrDayStatus=dsRpUsrDayStatus, dsRpFrPre15MVc=dsRpFrPre15MVc, dsRmFpingRmtVc=dsRmFpingRmtVc, dsRpDdsTable=dsRpDdsTable, dsRpFrIntvl2HFpMax=dsRpFrIntvl2HFpMax, dsAcDeact=dsAcDeact, dsRpFrPre15MFpAvg=dsRpFrPre15MFpAvg, dsRpFrPre15MFpMax=dsRpFrPre15MFpMax, dsFmcAddVc=dsFmcAddVc, dsNcGenRfa=dsNcGenRfa, dsNcDdsType=dsNcDdsType, dsRpUsrCurIndex=dsRpUsrCurIndex, dsRpUsrIntvlCSS=dsRpUsrIntvlCSS, dsRpDdsEntry=dsRpDdsEntry, dsRpFrPre15MFrames=dsRpFrPre15MFrames, dsRpUsrTotalSES=dsRpUsrTotalSES, dsCcEcho=dsCcEcho, dsRpFrUrCIRExceeded=dsRpFrUrCIRExceeded, dsRpAhrStr=dsRpAhrStr, dsFmc=dsFmc, dsRpFrCur15MOctets=dsRpFrCur15MOctets, dsTcIdle=dsTcIdle, dsRpFrCur15MFpRmtVc=dsRpFrCur15MFpRmtVc, dsDcDataInvert=dsDcDataInvert, dsLmSelfTestResults=dsLmSelfTestResults, dsFmcDelVc=dsFmcDelVc, dsTcCRC=dsTcCRC, dsRpUsrCurSES=dsRpUsrCurSES, dsRpFrDayFpMax=dsRpFrDayFpMax, dsMcIPort=dsMcIPort, dsRpFrIntvl2HDir=dsRpFrIntvl2HDir, dsRpFrDayVcIndex=dsRpFrDayVcIndex, dsFpFr56NiDataLed=dsFpFr56NiDataLed, datasmart=datasmart, dsRpUsrDayBES=dsRpUsrDayBES, dsRpUsrCurStatus=dsRpUsrCurStatus, dsRpDdsAvailableSecs=dsRpDdsAvailableSecs, dsRpFrIntvl2HOctets=dsRpFrIntvl2HOctets, dsRpFrCur2HOctets=dsRpFrCur2HOctets, dsRpFrUrDir=dsRpFrUrDir, dsRpUsrDayDM=dsRpUsrDayDM, dsAmcTrapDestIndex=dsAmcTrapDestIndex, dsRpCarTotal=dsRpCarTotal, dsRpFrDayFrames=dsRpFrDayFrames, dsRpUsrTotalIndex=dsRpUsrTotalIndex, dsSs=dsSs, dsRmBertErrdSecs=dsRmBertErrdSecs, dsRpCarIntvlTable=dsRpCarIntvlTable, dsRpUsrCurUAS=dsRpUsrCurUAS, dsScMinExtention=dsScMinExtention, dsRpUsrIntvlIndex=dsRpUsrIntvlIndex, dsRpFrTotalVcIndex=dsRpFrTotalVcIndex, dsDcLOSInput=dsDcLOSInput, dsTcFraming=dsTcFraming, dsRpCarIntvlEntry=dsRpCarIntvlEntry, dsRmFping=dsRmFping, dsCcBaud=dsCcBaud, dsAmcAgent=dsAmcAgent, dsRpCarCurCSS=dsRpCarCurCSS, dsFmcFpingThres=dsFmcFpingThres, dsRpDdsDuration=dsRpDdsDuration, dsRpFrTmCntDays=dsRpFrTmCntDays, dsRpCarTotalCSS=dsRpCarTotalCSS, dsRpUsrTmCntTable=dsRpUsrTmCntTable, dsRpUsrIntvlUAS=dsRpUsrIntvlUAS, dsRpStOofErrors=dsRpStOofErrors, dsRpFrCur15MFpRmtIp=dsRpFrCur15MFpRmtIp, dsRpFrDayNum=dsRpFrDayNum, dsCc=dsCc, dsRp=dsRp, dsFcTable=dsFcTable, dsRpUsrCurEE=dsRpUsrCurEE, dsRpShrEventType=dsRpShrEventType, dsRpFrIntvl2HKbps=dsRpFrIntvl2HKbps, dsRpFrCur15MVcIndex=dsRpFrCur15MVcIndex, dsRpUsrTmCntSecs=dsRpUsrTmCntSecs, dsRpStLOFEvents=dsRpStLOFEvents, dsScMonth=dsScMonth, dsRpStBPVs=dsRpStBPVs, dsRmBertState=dsRmBertState, dsTcCoding=dsTcCoding, dsRpFrCur2HStatus=dsRpFrCur2HStatus, dsRpUsrIntvlEE=dsRpUsrIntvlEE, dsRpUsrTmCnt15Mins=dsRpUsrTmCnt15Mins, dsAmcTrapStatus=dsAmcTrapStatus, dsScSecExtention=dsScSecExtention, dsDc=dsDc, dsRpUsrIntvlEntry=dsRpUsrIntvlEntry, dsRpFrIntvl2HStatus=dsRpFrIntvl2HStatus, dsRpFrCur15MEntry=dsRpFrCur15MEntry, dsRpFrPre15MEntry=dsRpFrPre15MEntry, dsRmBertReSync=dsRmBertReSync, dsRpStFrameBitErrors=dsRpStFrameBitErrors, dsNc54016=dsNc54016, dsRpStCrcErrors=dsRpStCrcErrors, dsDcRcvClkInvert=dsDcRcvClkInvert, dsRmFpingCur=dsRmFpingCur, dsRpStTable=dsRpStTable, dsRpFrIntvl2HTable=dsRpFrIntvl2HTable, dsRpFrUrEntry=dsRpFrUrEntry, dsRpCarCurSES=dsRpCarCurSES, dsRpFrTmCntSecs=dsRpFrTmCntSecs, dsDcEntry=dsDcEntry, dsScSlotAddr=dsScSlotAddr, dsScZeroPerData=dsScZeroPerData, dsRpFrCur2HFpLost=dsRpFrCur2HFpLost, dsFpFr56=dsFpFr56, dsScYearExtention=dsScYearExtention, dsMcCIpAddr=dsMcCIpAddr, dsNcT1403=dsNcT1403, dsAmcTrapDestIpAddr=dsAmcTrapDestIpAddr, dsTcMF16=dsTcMF16, dsRmBertBitErrors=dsRmBertBitErrors, dsRpFrCur15MFrames=dsRpFrCur15MFrames, dsRmFpingState=dsRmFpingState, dsRpStFarEndBlkErrors=dsRpStFarEndBlkErrors, dsRpCarTotalUAS=dsRpCarTotalUAS, dsRpFrCur2HVc=dsRpFrCur2HVc, dsRpFrDayFpSent=dsRpFrDayFpSent, dsRmFpingRmtIp=dsRmFpingRmtIp, dsScHour=dsScHour, dsRpFrTotalVc=dsRpFrTotalVc, dsRpStat=dsRpStat, dsRpFrDayOctets=dsRpFrDayOctets, dsRpStEsfErrors=dsRpStEsfErrors, dsRpFrUrEIRExceededOctets=dsRpFrUrEIRExceededOctets, dsAmcTrapDestEntry=dsAmcTrapDestEntry, dsRpFrTotalEntry=dsRpFrTotalEntry, dsTcPassTiRfa=dsTcPassTiRfa, dsRpFrDayDir=dsRpFrDayDir, dsRpFrCur2HVcIndex=dsRpFrCur2HVcIndex, dsRpDdsBPVs=dsRpDdsBPVs, dsRpFrCur15MKbps=dsRpFrCur15MKbps, dsRpCarIntvlCSS=dsRpCarIntvlCSS, dsPlLen=dsPlLen, dsNcKA=dsNcKA, dsFpFr56PwrLed=dsFpFr56PwrLed, dsRpUsrTotalTable=dsRpUsrTotalTable, dsRpUsrDayCSS=dsRpUsrDayCSS, dsNcE1DLPath=dsNcE1DLPath, dsRpUsrTmCntIndex=dsRpUsrTmCntIndex, dsRpFrPre15MStatus=dsRpFrPre15MStatus, dsAcRfaAlm=dsAcRfaAlm, dsRpFrTotalFpMax=dsRpFrTotalFpMax, dsAmcTrapTable=dsAmcTrapTable, dsRpAhrTable=dsRpAhrTable, dsMcDefRoute=dsMcDefRoute, dsRpStZeroCounters=dsRpStZeroCounters, dsRpFrIntvl2HEntry=dsRpFrIntvl2HEntry, dsScGroupAddr=dsScGroupAddr, dsRpCarIntvlBES=dsRpCarIntvlBES, dsRmFpingAction=dsRmFpingAction, dsNcLbo=dsNcLbo, dsScHourExtention=dsScHourExtention, dsRpUsrDaySES=dsRpUsrDaySES, dsDcIndex=dsDcIndex, dsRpFrDayKbps=dsRpFrDayKbps, dsAmcScrnIpMask=dsAmcScrnIpMask, dsTc=dsTc, dsRpFrTmCnt2Hrs=dsRpFrTmCnt2Hrs, dsRpFrDayVc=dsRpFrDayVc, dsRpUsrIntvlBES=dsRpUsrIntvlBES, dsRpUsrTotalUAS=dsRpUsrTotalUAS, dsRpFrCur15MStatus=dsRpFrCur15MStatus, dsRpFrTmCntDir=dsRpFrTmCntDir, dsDcXmtClkInvert=dsDcXmtClkInvert, dsFmcFpingGen=dsFmcFpingGen, dsFmcFpingRst=dsFmcFpingRst, dsRpFrIntvl2HNum=dsRpFrIntvl2HNum, dsSc=dsSc, dsRpFrTotalFpSent=dsRpFrTotalFpSent, dsRmFpingMax=dsRmFpingMax, dsRmFpingAvg=dsRmFpingAvg, dsRpFrPre15MTable=dsRpFrPre15MTable, dsAcEst=dsAcEst, dsRpFrUrEIRExceeded=dsRpFrUrEIRExceeded, dsRpFrIntvl2HFrames=dsRpFrIntvl2HFrames, dsRpCarTotalEE=dsRpCarTotalEE, dsMcT1DLPath=dsMcT1DLPath, dsRpStLOSEvents=dsRpStLOSEvents, dsRpCarTotalBES=dsRpCarTotalBES, dsScDSCompatible=dsScDSCompatible, dsRpCarIntvlEE=dsRpCarIntvlEE, dsRpCarCnt15Mins=dsRpCarCnt15Mins, dsRpFrUrVcIndex=dsRpFrUrVcIndex, dsLmSelfTestState=dsLmSelfTestState, dsRpUsrDayTable=dsRpUsrDayTable, dsRpShrComments=dsRpShrComments, dsRpFrDayFpLost=dsRpFrDayFpLost, dsAcOffPowerTransition=dsAcOffPowerTransition, dsRpAhrIndex=dsRpAhrIndex, dsMcIIpAddr=dsMcIIpAddr, dsCcDteIn=dsCcDteIn, dsNcPassTiRfa=dsNcPassTiRfa, dsFcChanMap=dsFcChanMap, dsFpFr56FrLinkLed=dsFpFr56FrLinkLed, dsRpUsrDayUAS=dsRpUsrDayUAS, dsRmFpingMin=dsRmFpingMin, dsRpCarIntvlSES=dsRpCarIntvlSES, dsRpCarCurLOFC=dsRpCarCurLOFC, dsScMinutes=dsScMinutes, dsRpFrTmCntTable=dsRpFrTmCntTable, dsRpFrTotalDir=dsRpFrTotalDir, dsLm=dsLm, dsMcCDIpMask=dsMcCDIpMask, dsNcCRC=dsNcCRC, dsRpDdsIfIndex=dsRpDdsIfIndex, dsRpFrCur2HFpSent=dsRpFrCur2HFpSent, dsRpFrPre15MKbps=dsRpFrPre15MKbps, dsRpFrPre15MFpLost=dsRpFrPre15MFpLost, dsScAutoCfg=dsScAutoCfg, dsRpFrTotalOctets=dsRpFrTotalOctets, dsAcUst=dsAcUst, dsRmFpingTotal=dsRmFpingTotal, dsRpUsrIntvlStatus=dsRpUsrIntvlStatus, dsAcYelAlm=dsAcYelAlm, dsMc=dsMc, dsRpUsrCurBES=dsRpUsrCurBES, dsRpCarCur=dsRpCarCur, dsRmLbkCode=dsRmLbkCode, dsRpFrPre15MFpSent=dsRpFrPre15MFpSent, dsFcEntry=dsFcEntry, dsRpCarCurEE=dsRpCarCurEE, dsRpFrCur15MFpLost=dsRpFrCur15MFpLost, dsRpCarCurBES=dsRpCarCurBES, dsRpDm=dsRpDm, dsRpStLOTS16MFrameEvts=dsRpStLOTS16MFrameEvts, dsRpFrDayEntry=dsRpFrDayEntry, dsRpFrCur2HTable=dsRpFrCur2HTable, dsRpUsrDayNum=dsRpUsrDayNum, dsRpStRemFrameAlmEvts=dsRpStRemFrameAlmEvts, dsRpUsrCurTable=dsRpUsrCurTable, dsRpStIndex=dsRpStIndex)
mibBuilder.exportSymbols('DATASMART-MIB', dsRpFrPre15MOctets=dsRpFrPre15MOctets, dsRpUsrCurES=dsRpUsrCurES, dsCcControlPort=dsCcControlPort, dsAmc=dsAmc, dsCcStopBits=dsCcStopBits, dsFmcFpingOper=dsFmcFpingOper, dsRm=dsRm, dsRmFpingLen=dsRmFpingLen, dsMcIVc=dsMcIVc, dsCcDataBits=dsCcDataBits, dsScFrontPanel=dsScFrontPanel, dsRpFrCur2HDir=dsRpFrCur2HDir, dsRpUsrTotalES=dsRpUsrTotalES, dsRpUsrTotalCSS=dsRpUsrTotalCSS, dsRpFrCur15MFpSent=dsRpFrCur15MFpSent, dsRmFpingVc=dsRmFpingVc, dsRpFrCur2HFrames=dsRpFrCur2HFrames, dsRpShrTable=dsRpShrTable, dsRpFrTmCntEntry=dsRpFrTmCntEntry, dsNcMF16=dsNcMF16, dsAmcTrapDestPort=dsAmcTrapDestPort, dsRmFpingLost=dsRmFpingLost, dsFmcSetNiXmtUpperBwThresh=dsFmcSetNiXmtUpperBwThresh, dsFpFr56DnldFailLed=dsFpFr56DnldFailLed, dsRpCarTotalLOFC=dsRpCarTotalLOFC, dsDcTable=dsDcTable, dsAcAlmMsg=dsAcAlmMsg, dsRpFrDayTable=dsRpFrDayTable, dsFmcUpperBW=dsFmcUpperBW, dsRpCarCurUAS=dsRpCarCurUAS, dsMcEIpAddr=dsMcEIpAddr, dsDcClockSource=dsDcClockSource, dsRpUsrIntvlES=dsRpUsrIntvlES, dsPlBreak=dsPlBreak, dsRpFrCur2HFpAvg=dsRpFrCur2HFpAvg, dsRmBertTestSecs=dsRmBertTestSecs, dsRpStYellowEvents=dsRpStYellowEvents, dsRpUsrTotalBES=dsRpUsrTotalBES, dsNcFasAlign=dsNcFasAlign, dsRpFrIntvl2HFpSent=dsRpFrIntvl2HFpSent, dsScDay=dsScDay, dsRpUsrIntvlNum=dsRpUsrIntvlNum, dsFpFr56TestLed=dsFpFr56TestLed, dsFmcSetNiRcvUpperBwThresh=dsFmcSetNiRcvUpperBwThresh, dsTcGenRfa=dsTcGenRfa, dsRpSes=dsRpSes, dsCcParity=dsCcParity, dsRpFrPre15MDir=dsRpFrPre15MDir, dsRpCarCntSecs=dsRpCarCntSecs, dsRpStAISEvents=dsRpStAISEvents, dsFcLoadXcute=dsFcLoadXcute, dsAc=dsAc, dsDcIdleChar=dsDcIdleChar, dsFmcFrameType=dsFmcFrameType, dsRpUsrTotalDM=dsRpUsrTotalDM, dsAmcTrapDestTable=dsAmcTrapDestTable, dsAcSt=dsAcSt, dsSsAlarmSource=dsSsAlarmSource, dsRpStEntry=dsRpStEntry, dsNc=dsNc, dsRpFrIntvl2HVcIndex=dsRpFrIntvl2HVcIndex, dsRpFrTotalFrames=dsRpFrTotalFrames, dsFmcFcsBits=dsFmcFcsBits, dsRpFrDayFpAvg=dsRpFrDayFpAvg, dsNcCoding=dsNcCoding, dsRpUsrTotalStatus=dsRpUsrTotalStatus, dsRpUsrDayIndex=dsRpUsrDayIndex, dsRpUsrIntvlTable=dsRpUsrIntvlTable, dsFmcAddrOctets=dsFmcAddrOctets, dsAmcScrnIndex=dsAmcScrnIndex, dsSsPowerStatus=dsSsPowerStatus, dsRpFrDayStatus=dsRpFrDayStatus, dsRpAhrEntry=dsRpAhrEntry, dsFpFr56DpRtsRxLed=dsFpFr56DpRtsRxLed, dsAmcTrapEntry=dsAmcTrapEntry, dsRpCar=dsRpCar, dsRpUsrTotalEE=dsRpUsrTotalEE, dsRpFrCur15MDir=dsRpFrCur15MDir, dsRpFrTotalFpLost=dsRpFrTotalFpLost, dsFmcFpingLinkUp=dsFmcFpingLinkUp, dsAmcTrapDestVc=dsAmcTrapDestVc, dsRpStRemMFrameAlmEvts=dsRpStRemMFrameAlmEvts, dsRpShrIndex=dsRpShrIndex, dsMcDIpAddr=dsMcDIpAddr, dsRpUsrIntvlDM=dsRpUsrIntvlDM, dsFpFr56DpCtsTxLed=dsFpFr56DpCtsTxLed, dsAmcScrnEntry=dsAmcScrnEntry, dsFcMap16=dsFcMap16, dsFpFr56NiAlarmLed=dsFpFr56NiAlarmLed, dsRpCarIntvlUAS=dsRpCarIntvlUAS, dsScName=dsScName, dsRpFrIntvl2HFpLost=dsRpFrIntvl2HFpLost, dsRpCarIntvlLOFC=dsRpCarIntvlLOFC, dsFmcClrNiXmtUpperBwThresh=dsFmcClrNiXmtUpperBwThresh, dsRpStControlledSlips=dsRpStControlledSlips, dsScMonthExtention=dsScMonthExtention, dsScOperMode=dsScOperMode, dsAmcSourceScreen=dsAmcSourceScreen, dsTcAis=dsTcAis, dsAcBerAlm=dsAcBerAlm, dsRpUsr=dsRpUsr, dsRpCarCurES=dsRpCarCurES, dsFmcClrNiRcvUpperBwThresh=dsFmcClrNiRcvUpperBwThresh, dsRpFrPre15MVcIndex=dsRpFrPre15MVcIndex, dsRmInsertBitError=dsRmInsertBitError, dsSsAlarmState=dsSsAlarmState, dsRpUsrDayEE=dsRpUsrDayEE, dsRpFrCur15MVc=dsRpFrCur15MVc, dsRpFrTotalStatus=dsRpFrTotalStatus, dsRpUsrCurEntry=dsRpUsrCurEntry, dsNcYellow=dsNcYellow, dsRpCarTotalSES=dsRpCarTotalSES, dsAcAisAlm=dsAcAisAlm, dsNcFraming=dsNcFraming, dsRpFrUrCIRExceededOctets=dsRpFrUrCIRExceededOctets, dsSsLoopback=dsSsLoopback, dsRpUsrIntvlSES=dsRpUsrIntvlSES, dsRpCarTotalES=dsRpCarTotalES, dsTcFasAlign=dsTcFasAlign, dsRpFr=dsRpFr, dsRpUsrDayEntry=dsRpUsrDayEntry, dsScDayExtention=dsScDayExtention, dsTcEqual=dsTcEqual, dsAmcScrnIpAddr=dsAmcScrnIpAddr, dsRpBes=dsRpBes, dsRpFrTotalFpAvg=dsRpFrTotalFpAvg, dsAmcTrapType=dsAmcTrapType, dsRpUsrCurDM=dsRpUsrCurDM, dsRpShrEntry=dsRpShrEntry, dsNcAddr54=dsNcAddr54, dsFc=dsFc, dsRpFrUrTable=dsRpFrUrTable, dsRpCarIntvlNum=dsRpCarIntvlNum, dsRpPl=dsRpPl, dsRmTestCode=dsRmTestCode, dsRmFpingFreq=dsRmFpingFreq, dsScTftpSwdl=dsScTftpSwdl, dsRpFrCur15MFpMax=dsRpFrCur15MFpMax, dsRpUsrTmCntEntry=dsRpUsrTmCntEntry, dsScShelfAddr=dsScShelfAddr, dsRpFrCur15MFpAvg=dsRpFrCur15MFpAvg, dsScAutologout=dsScAutologout, DisplayString=DisplayString, dsCcDceIn=dsCcDceIn, dsRmBertTotalErrors=dsRmBertTotalErrors, dsFcChanIndex=dsFcChanIndex, dsRpFrCur2HKbps=dsRpFrCur2HKbps, dsRpShrDateTime=dsRpShrDateTime, dsRpCarIntvlES=dsRpCarIntvlES, Counter32=Counter32, dsMcNetif=dsMcNetif, dsRpUsrTmCntDays=dsRpUsrTmCntDays, dsRpFrTotalKbps=dsRpFrTotalKbps, dsRpFrIntvl2HFpAvg=dsRpFrIntvl2HFpAvg, dsRpFrCur15MTable=dsRpFrCur15MTable, dsScClockSource=dsScClockSource, dsRpFrCur2HFpMax=dsRpFrCur2HFpMax, dsNcIdle=dsNcIdle, dsRpFrIntvl2HVc=dsRpFrIntvl2HVc, dsMcEIpMask=dsMcEIpMask) |
# List of base-map providers
class Providers:
MAPBOX = "mapbox"
GOOGLE_MAPS = "google_maps"
| class Providers:
mapbox = 'mapbox'
google_maps = 'google_maps' |
class Person:
def __init__(self, name):
self.name = name
def greet(self):
print(f"Hello, I'm {self.name}")
class Child(Person):
def __init__(self, name, school):
super().__init__(name)
self.school = school
def learn(self):
print(f"I'm learning a lot at {self.school}")
c1 = Child("john", "iCSC20")
c1.greet()
c1.learn()
| class Person:
def __init__(self, name):
self.name = name
def greet(self):
print(f"Hello, I'm {self.name}")
class Child(Person):
def __init__(self, name, school):
super().__init__(name)
self.school = school
def learn(self):
print(f"I'm learning a lot at {self.school}")
c1 = child('john', 'iCSC20')
c1.greet()
c1.learn() |
__author__ = 'Yifei'
HEADER_OFFSET = 0
INDEX_OFFSET = 4
LENGTH_OFFSET = 5
CHECKSUM_OFFSET = 6
PACKET_CONSTANT_OFFSET = 7
OPERAND_OFFSET = 7
PAYLOAD_OFFSET = 8
MAX_PAYLOAD_LENGTH = 255
MIN_PACKET_LENGTH = 4 + 1 + 1 + 1
PROTOSBN1_HEADER_BYTES = [0x53, 0x42, 0x4e, 0x31]
| __author__ = 'Yifei'
header_offset = 0
index_offset = 4
length_offset = 5
checksum_offset = 6
packet_constant_offset = 7
operand_offset = 7
payload_offset = 8
max_payload_length = 255
min_packet_length = 4 + 1 + 1 + 1
protosbn1_header_bytes = [83, 66, 78, 49] |
#code=input("Enter customer code:")
while True:
print("")
code=input("Enter customer code:")
bill_float = 0
bill = float(bill_float)
if code == "r":
begin_int=input("Enter beginning meter reading:")
begin = float(begin_int)
end_int=input("Enter ending meter reading:")
end = float(end_int)
Used = .1*(end-begin)
Used_rounded = round(Used,2)
bill = 5.00+ .0005*Used
bill_rounded = round(bill,2)
print("")
print("Customer code: ",code)
print("Beginning meter reading: ",begin_int)
print("Ending meter reading: ",end_int)
print("Gallons of water used: ",Used_rounded)
print("Amount billed: $",bill_rounded)
elif code == "c":
begin_int=input("Enter beginning meter reading:")
begin = float(begin_int)
end_int=input("Enter ending meter reading:")
end = float(end_int)
if end<begin:
Used = .1*((1000000000-begin)+end)
else:
Used = .1*(end-begin)
if Used <= 4000000.00:
bill = 1000.00
elif Used >4000000.00:
bill = 1000.00+.00025*Used
else:
print("broken")
Used_rounded = round(Used,2)
bill_rounded = round(bill,2)
print("")
print("Customer code: ",code)
print("Beginning meter reading: ",begin_int)
print("Ending meter reading: ",end_int)
print("Gallons of water used: ",Used_rounded)
print("Amount billed: $",bill_rounded)
elif code == "i":
begin_int=input("Enter beginning meter reading:")
begin = float(begin_int)
end_int=input("Enter ending meter reading:")
end = float(end_int)
if end<begin:
Used = .1*((1000000000-begin)+end)
else:
Used = .1*(end-begin)
if Used <= 4000000.00:
bill = 1000.00
elif 4000000< Used <= 10000000.00:
bill = 2000.00
elif Used > 10000000.00:
bill = 2000.00+.00025*Used
else:
print("broken")
Used_rounded = round(Used,2)
bill_rounded = round(bill,2)
print("")
print("Customer code: ",code)
print("Beginning meter reading: ",begin_int)
print("Ending meter reading: ",end_int)
print("Gallons of water used: ",Used_rounded)
print("Amount billed: $",bill_rounded)
elif code == "zz":
print("Terminating")
break
else:
print("Please input a correct code character(i,r,c) Or(zz) to terminate")
| while True:
print('')
code = input('Enter customer code:')
bill_float = 0
bill = float(bill_float)
if code == 'r':
begin_int = input('Enter beginning meter reading:')
begin = float(begin_int)
end_int = input('Enter ending meter reading:')
end = float(end_int)
used = 0.1 * (end - begin)
used_rounded = round(Used, 2)
bill = 5.0 + 0.0005 * Used
bill_rounded = round(bill, 2)
print('')
print('Customer code: ', code)
print('Beginning meter reading: ', begin_int)
print('Ending meter reading: ', end_int)
print('Gallons of water used: ', Used_rounded)
print('Amount billed: $', bill_rounded)
elif code == 'c':
begin_int = input('Enter beginning meter reading:')
begin = float(begin_int)
end_int = input('Enter ending meter reading:')
end = float(end_int)
if end < begin:
used = 0.1 * (1000000000 - begin + end)
else:
used = 0.1 * (end - begin)
if Used <= 4000000.0:
bill = 1000.0
elif Used > 4000000.0:
bill = 1000.0 + 0.00025 * Used
else:
print('broken')
used_rounded = round(Used, 2)
bill_rounded = round(bill, 2)
print('')
print('Customer code: ', code)
print('Beginning meter reading: ', begin_int)
print('Ending meter reading: ', end_int)
print('Gallons of water used: ', Used_rounded)
print('Amount billed: $', bill_rounded)
elif code == 'i':
begin_int = input('Enter beginning meter reading:')
begin = float(begin_int)
end_int = input('Enter ending meter reading:')
end = float(end_int)
if end < begin:
used = 0.1 * (1000000000 - begin + end)
else:
used = 0.1 * (end - begin)
if Used <= 4000000.0:
bill = 1000.0
elif 4000000 < Used <= 10000000.0:
bill = 2000.0
elif Used > 10000000.0:
bill = 2000.0 + 0.00025 * Used
else:
print('broken')
used_rounded = round(Used, 2)
bill_rounded = round(bill, 2)
print('')
print('Customer code: ', code)
print('Beginning meter reading: ', begin_int)
print('Ending meter reading: ', end_int)
print('Gallons of water used: ', Used_rounded)
print('Amount billed: $', bill_rounded)
elif code == 'zz':
print('Terminating')
break
else:
print('Please input a correct code character(i,r,c) Or(zz) to terminate') |
class ExperimentorException(Exception):
pass
class ModelDefinitionException(ExperimentorException):
pass
class ExperimentDefinitionException(ExperimentorException):
pass
class DuplicatedParameter(ExperimentorException):
pass | class Experimentorexception(Exception):
pass
class Modeldefinitionexception(ExperimentorException):
pass
class Experimentdefinitionexception(ExperimentorException):
pass
class Duplicatedparameter(ExperimentorException):
pass |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.