max_stars_repo_path stringlengths 3 269 | max_stars_repo_name stringlengths 4 119 | max_stars_count int64 0 191k | id stringlengths 1 7 | content stringlengths 6 1.05M | score float64 0.23 5.13 | int_score int64 0 5 |
|---|---|---|---|---|---|---|
api_utils.py | zhongerqiandan/OpenDialog | 98 | 12764651 | from header import *
from models import *
def parse_msg(request):
data = request.data.decode()
xml = ET.fromstring(data)
toUser = xml.find('ToUserName').text
fromUser = xml.find('FromUserName').text
msgType = xml.find('MsgType').text
content = xml.find('Content').text
return toUser, fromUser, msgType, content
def flask_load_agent(model, gpu, logger):
'''init the agent'''
args = {
'model': model,
'multi_gpu': gpu
}
logger.info(f'[!] begin to init the {args["model"]} agent on GPU {args["multi_gpu"]}')
if args['model'] == 'bertretrieval':
agent = BERTRetrievalAgent(args['multi_gpu'], run_mode='test', kb=False)
agent.load_model(f'ckpt/zh50w/bertretrieval/best.pt')
elif args['model'] == 'bertmc':
# [model_type]: bertmc -> mc; bertmcf -> mcf
agent = BERTMCAgent(args['multi_gpu'], kb=False, model_type='mc')
agent.load_model(f'ckpt/zh50w/bertmc/best.pt')
elif args['model'] in ['bertirbi', 'bertirbicomp']:
model = 'no-compare' if args['model'] == 'bertirbi' else 'compare'
agent = BERTBiEncoderAgent(args['multi_gpu'], None, run_mode='test', model=model)
agent.load_model(f'ckpt/zh50w/{args["model"]}/best.pt')
elif args['model'] == 'bertretrieval_multiview':
agent = BERTMULTIVIEWAgent(args['multi_gpu'], kb=False)
agent.load_model(f'ckpt/zh50w/bertretrieval_multiview/best.pt')
elif args['model'] == 'gpt2':
# available run_mode: test, rerank, rerank_ir
agent = GPT2Agent(1000, args['multi_gpu'], run_mode='rerank_ir')
agent.load_model(f'ckpt/train_generative/gpt2/best.pt')
elif args['model'] == 'lccc':
agent = LCCCAgent(args['multi_gpu'], run_mode='test') # run_mode: test/rerank
elif args['model'] == 'when2talk':
agent = When2TalkAgent(1000, args['multi_gpu'], run_mode='test')
agent.load_model(f'ckpt/when2talk/when2talk/best.pt')
elif args['model'] == 'test':
agent = TestAgent()
elif args['model'] == 'multiview':
agent = MultiViewTestAgent()
else:
raise Exception(f'[!] obtain the unknown model name {args["model"]}')
print(f'[!] init {args["model"]} agent on GPU {args["multi_gpu"]} over ...')
return agent
def chat(agent, content, args=None, logger=None):
if args['chat_mode'] == 0:
return normal_chat_single_turn(agent, content, args=args)
elif args['chat_mode'] == 1:
return normal_chat_multi_turn(agent, content, args=args)
elif args['chat_mode'] == 2:
return kg_driven_chat_multi_turn(agent, content, args=args)
else:
print(f'[!] Unknow chat mode {args["chat_mode"]}')
return None
def normal_chat_single_turn(agent, content, topic=None, args=None):
data = {
'topic': topic,
'msgs': [{'msg': content}]
}
args['content'] = content
return agent.get_res(data)
def normal_chat_multi_turn(agent, content, topic=None, args=None):
query = {"$or": [{"fromUser": args["fromUser"]}, {"toUser": args["fromUser"]}]}
previous_utterances = [i['utterance'] for i in args['table'].find(query)][-args['multi_turn_size']:]
content_list = [{'msg': i} for i in previous_utterances]
data = {
'topic': topic,
'msgs': content_list,
}
args['content'] = ' [SEP] '.join(previous_utterances)
return agent.get_res(data)
def kg_driven_chat_multi_turn(agent, content, topic=None, args=None):
query = {"$or": [{"fromUser": args["fromUser"]}, {"toUser": args["fromUser"]}]}
previous_utterances = [(i['fromUser'], i['utterance']) for i in args['table'].find(query)][-args['multi_turn_size']:]
content_list = [{'msg': i[1], 'fromUser': i[0]} for i in previous_utterances]
data = {
'topic': topic,
'msgs': content_list,
'path': args['session'].get('kg_path'),
'current_node': args['session'].get('node'),
}
args['content'] = ' [SEP] '.join(previous_utterances)
return agent.get_res(data) | 2.375 | 2 |
Open CV/Scanning-Document-Adaptive-Thresholding-OpenCV/Adaptiveopencv.py | Storiesbyharshit/Data-Science-Portfolio | 16 | 12764652 | <filename>Open CV/Scanning-Document-Adaptive-Thresholding-OpenCV/Adaptiveopencv.py
import cv2
import numpy as np
image = cv2.imread('images/Origin_of_Species.jpg', 0)
cv2.imshow('Original', image)
cv2.waitKey(0)
ret,thresh1 = cv2.threshold(image, 127, 255, cv2.THRESH_BINARY)
cv2.imshow('Threshold Binary', thresh1)
cv2.waitKey(0)
image = cv2.GaussianBlur(image, (3, 3), 0)
thresh = cv2.adaptiveThreshold(image, 255, cv2.ADAPTIVE_THRESH_MEAN_C,
cv2.THRESH_BINARY, 3, 5)
cv2.imshow("Adaptive Mean Thresholding", thresh)
cv2.waitKey(0)
_, th2 = cv2.threshold(image, 0, 255, cv2.THRESH_BINARY + cv2.THRESH_OTSU)
cv2.imshow("Otsu's Thresholding", th2)
cv2.waitKey(0)
# Otsu's thresholding after Gaussian filtering
blur = cv2.GaussianBlur(image, (5,5), 0)
_, th3 = cv2.threshold(blur, 0, 255, cv2.THRESH_BINARY + cv2.THRESH_OTSU)
cv2.imshow("Guassian Otsu's Thresholding", th3)
cv2.waitKey(0)
cv2.destroyAllWindows() | 3.328125 | 3 |
papers/CS-F-LTR/src/gcl_semi.py | mindspore-ai/contrib | 2 | 12764653 | """[summary]
"""
import os
import numpy as np
import tensorflow as tf
from src.utils import evaluation
from src.draw import draw
class GCLSemi:
"""[summary]
"""
def __init__(self, train_relevance_labels, train_features,
test_relevance_labels, test_features, test_query_ids, train_features_u):
"""[summary]
Args:
train_relevance_labels ([type]): [description]
train_features ([type]): [description]
test_relevance_labels ([type]): [description]
test_features ([type]): [description]
test_query_ids ([type]): [description]
train_features_u ([type]): [description]
"""
self.y_labeled2 = train_relevance_labels
self.x_labeled = train_features
self.x_unlabeled = train_features_u
self.y_unlabeled = np.zeros([self.x_unlabeled.shape[0], 1])
self.test_labels = test_relevance_labels
self.test_features = test_features
self.test_ids = test_query_ids
self.n_feature = 0
self.n_samples = 0
x = self.x_labeled
y = self.y_labeled2.reshape(-1, 1)
x_y = np.concatenate((x, y), axis=1)
np.random.seed(1)
np.random.shuffle(x_y)
self.x_labeled = x_y[:, :-1]
self.y_labeled2 = x_y[:, -1].reshape(-1,)
# ------ PARAM -----#
self.n_point = 40
self.seed = 37
self.is_change = False
self.learning_rate = 0.009
self.batch_a = 190 # 200 is for GLOBAL+ 500 is for number of party 4
self.batch_b = 200
self.lamb = 0.5
self.beta = 0.
self.r = 0.2
self.a = 0.0
self.af = 0.001
self.t1 = 0
self.t2 = 200
self.n_iter = 300
# end of param ##
# def fit(self, from_fed, to_fed, DATA_PATH, FEATURE_NUM=16):
def fit(self, from_fed, to_fed, _, feature_num=16):
"""[summary]
Args:
from_fed ([type]): [description]
to_fed ([type]): [description]
DATA_PATH ([type]): [description]
FEATURE_NUM (int, optional): [description]. Defaults to 16.
"""
fed_num = to_fed - from_fed
# initial
ws1 = np.load(os.path.join("/data/ltrdata", "w1%d.npy" % from_fed))
ws2 = np.load(os.path.join("/data/ltrdata", "w2%d.npy" % from_fed))
bs1 = np.load(os.path.join("/data/ltrdata", "b1%d.npy" % from_fed))
bs2 = np.load(os.path.join("/data/ltrdata", "b2%d.npy" % from_fed))
for i in range(from_fed + 1, to_fed):
ws1 += np.load(os.path.join("/data/ltrdata", "w1%d.npy" % i))
ws2 += np.load(os.path.join("/data/ltrdata", "w2%d.npy" % i))
bs1 += np.load(os.path.join("/data/ltrdata", "b1%d.npy" % i))
bs2 += np.load(os.path.join("/data/ltrdata", "b2%d.npy" % i))
ws1 /= fed_num
ws2 /= fed_num
bs1 /= fed_num
bs2 /= fed_num
ws = np.load(os.path.join("/data/ltrdata", "semi_ws%d.npy" % from_fed))
bs = np.load(os.path.join("/data/ltrdata", "semi_bs%d.npy" % from_fed))
for i in range(from_fed + 1, to_fed):
ws += np.load(os.path.join("/data/ltrdata", "semi_ws%d.npy" % i))
bs += np.load(os.path.join("/data/ltrdata", "semi_bs%d.npy" % i))
ws /= fed_num
bs /= fed_num
ws *= 0.1
bs *= 0.1
ws += 0.1 * np.random.randn(ws.shape[0], ws.shape[1])
bs += 0.1 * np.random.randn(bs.shape[0])
x = tf.placeholder(dtype='float', shape=[None, feature_num], name='x')
y = tf.placeholder(dtype='float', shape=[None], name='y')
w = tf.Variable(tf.constant(ws), name='w')
b = tf.Variable(tf.constant(bs), name='b')
pred = tf.transpose(tf.add(tf.matmul(x, w), b))
x_u = tf.placeholder(
dtype='float', shape=[
None, feature_num], name='xu')
pred_u = tf.add(tf.matmul(x_u, w), b)
pred_us = tf.nn.softmax(tf.add(tf.matmul(tf.add(tf.matmul(x_u, ws1), bs1), ws2), bs2))
alpha = tf.placeholder("float",)
pred_pl = tf.placeholder(dtype='float', shape=[None, 1], name='predspl')
cost = tf.add(self.lamb * tf.reduce_mean(tf.square(w)),
tf.add(tf.reduce_mean(tf.square(pred - y) / 2),
alpha * tf.reduce_mean(tf.square(pred_pl - pred_u)) / 2))
opt = tf.train.AdamOptimizer(self.learning_rate).minimize(cost)
init = tf.global_variables_initializer()
with tf.Session() as sess:
sess.run(init)
self.y_unlabeled = sess.run(pred_us, feed_dict={x_u: self.x_unlabeled})
y_l2 = []
for each in self.y_unlabeled:
if each[0] > each[1] and each[0] > each[2]:
y_l2.append(0)
elif each[1] > each[0] and each[1] > each[2]:
y_l2.append(1)
else:
y_l2.append(2)
self.y_unlabeled = np.array(y_l2)
auc_iters = []
map_iters = []
ndcg10_iters = []
ndcg_iters = []
err_iters = []
for it in range(self.n_iter):
if it > self.t1: a = min((it - self.t1) / (self.t2 - self.t1) * self.af, self.af)
self.beta /= (1 + 0.5 * it)
loss_one_fed = []
x = self.x_labeled
y = self.y_labeled2.reshape(-1, 1)
left = it * self.batch_a
right = left + self.batch_a
if left >= right or right > len(x):
left = 0
right = left + self.batch_a
batch_x = x[left: right]
batch_y = y[left: right].reshape(-1,)
x_unlabeled = self.x_unlabeled
y_unlabeled = self.y_unlabeled
left = it * self.batch_b
right = left + self.batch_b
if left >= right or right > len(x_unlabeled):
left = 0
right = left + self.batch_b
batch_x_unlabeled = x_unlabeled[left: right]
batch_y_unlabeled = y_unlabeled[left: right].reshape(-1, 1)
if it % (self.n_iter // self.n_point) == 0:
pred_for_testo = sess.run(pred, feed_dict={x: self.test_features})[0]
print(min(pred_for_testo), max(pred_for_testo), np.mean(pred_for_testo))
avg_err, avg_ndcg, avg_full_ndcg, avg_map, avg_auc = \
evaluation(pred_for_testo, self.test_labels, self.test_ids, self.test_features)
err_iters.append(avg_err)
auc_iters.append(avg_auc)
map_iters.append(avg_map)
ndcg10_iters.append(avg_ndcg)
ndcg_iters.append(avg_full_ndcg)
_, loss = sess.run([opt, cost],
feed_dict={x: batch_x, y: batch_y, x_u: batch_x_unlabeled,
pred_pl: batch_y_unlabeled, alpha: a})
loss_one_fed.append(loss)
draw([i for i in range(len(ndcg10_iters))], [ndcg10_iters])
print("%f, %f, %f, %f;" % (err_iters[-1], ndcg10_iters[-1], ndcg_iters[-1], map_iters[-1]))
print("nfed_sol4=", ndcg10_iters, ";")
| 2.421875 | 2 |
mopidy_plex/settings.py | risiko79/mopidy_plex | 1 | 12764654 | <filename>mopidy_plex/settings.py
settings = {}
settings['version'] = "0.1"
settings['port'] = 36000
settings['product'] = "MOPIDY-PLEX"
settings['debug_registration'] = False
settings['debug_httpd'] = False
settings['host'] = ""
settings['token'] = None
| 1.234375 | 1 |
doggunk.py | David-OC/dancingdog | 0 | 12764655 | # -*- coding: utf-8 -*-
import curses
dogdance1=[[
' ▄','▄','▄', #3
'▄▄▄▄','▄','▄', #6
'▄'],[' ',' ', #9
' ', '▄','▄'],#12
[' ',' ' , '▄',#15
' ','▄',' ',#18
'▄▄', '▄▄ '],[ ' ',#21
' ','▄',' ',#24
' ','▄',' ',#27
'▄', ' ','▄▄▄▄▄▄',#30
'▄'],[' ',' ',#33
'▄▄▄▄',' ',' ',#36
'▀'],[' ',' ',#39
' '],[' ',' ', #42
'▄', '▀'],[' ',#45
' ',' ','▄▄ ▄▄▄▄ ▄▄ ', #48
' '],[' ', ' ',#51
' ','▄','▀▀',#54
'▄','▀',' ▀',#57
'▄', '▀',' ',#60
' ', ' ','▄',#63
'▀'],[' ','▀ ▀']]#66
dog1pallete=[
[1,3,1, #3
3,1,3,#6
1],[1,3,#9
2,3,1], #12
[4,2,3, #15
2,3,2, #18
3,1],[4, #21
2,2,2, #24
4,3,2, #27
2,2,3, #30
1],[4,2, #33
3,2,4, #36
1],[4,2, #39
4],[4,2, #42
2,1],[1, #45
4,2,2, #48
4],[1,4, #51
2,2,1, #54
2,1,1, #57
2,1,1, #60
4,2,2, #63
1],[1,1]] #6
dogdance2=[[
' ▄','▄','▄', #3
'▄▄▄▄','▄','▄',#6
'▄'],[' ',' ',#9
' ','▄','▄'],[ #12
' ',' ',' ', #15
'▄',' ','▄',#18
' ','▄▄','▄▄', #21
' ','▄','▄', #24
'▄'],[' ',' ', #27
'▄',' ',' ▄', #30
' ▄ ',' ','▄▄▄', #33
' ',' ',' '],[' ', #36
' ','▄▄▄▄',' ', #39
' ',' '],[' ',' ',#42
' '],[' ',' ▄', #45
'▀'],[' ',' ', #48
' ▄▄ ▄▄▄▄ ▄▄ ',' '],[' ', #51
'▀','▄','▀', #54
' ',' ',' ▄', #57
'▀ ',' ',' ▄', #60
'▀▀','▄','▀ '],[ #63
' ▀ ▀ ']]#64
dog2pallete=[[1,3,1, #3
3,1,3, #6
1],[1,3, #9
2,3,1],[ #12
4,2,2, #15
3,2,3, #18
2,3,1, #21
1,1,3, #24
1],[4,2, #27
2,2,3, #30
2,2,3, #33
2,3,1],[3, #36
2,3,2, #39
3,1],[3,2, #42
3],[3,2, #45
1],[1,3, #48
2,3],[1, #51
1,2,1, #54
1,3,2, #57
1,3,2, #60
1,2,1],[ #63
1]] #64
def draw_dog1(scr,posx,posy):
i = 0
width = posx
for code,num in zip(dogdance1,dog1pallete):
for st,pair in zip(code,num):
scr.addstr(posy,width,st,curses.color_pair(pair))
width=width+(len(st.decode('utf-8')))
posy=posy+1
width=posx
def draw_dog2(scr,posx,posy):
i = 0
width = posx
for code,num in zip(dogdance2,dog2pallete):
for st,pair in zip(code,num):
scr.addstr(posy,width,st,curses.color_pair(pair))
width=width+(len(st.decode('utf-8')))
posy=posy+1
width=posx
#def main():
# i = 1
# for code,num in zip(dogdance2,dog2pallete):
# for st,pair in zip(code,num):
# #print st
# print len(st.decode('utf-8'))
# #i = i + 1
# #print "-------------------"
# #print len(code),len(num)
#
#if __name__ == "__main__":
# main()
| 2.484375 | 2 |
manager/views/calculatecommissions.py | odrolliv13/Hex-Photos | 0 | 12764656 | <gh_stars>0
from django import forms
from django.conf import settings
from django.http import HttpResponse, HttpResponseRedirect, Http404
from django.db.models import Q
from manager import models as pmod
import decimal, datetime
from . import templater
# This view calculates the commissions and later displays the total commissions
def process_request(request):
if request.user.is_staff == False:
return HttpResponseRedirect('/manager/login/')
thirty = datetime.date.today() - datetime.timedelta(days=30)
#commissions are calculated thirty days after the sale
transactions = pmod.Transaction.objects.filter(date__lt=thirty, commissionNeeded=True)
for t in transactions:
commission = pmod.Commission()
commission.transaction = t
commission.seller = t.seller
commission.amount = t.seller.commissionRate * t.subtotal
commission.paid = False
commission.save()
t.commissionNeeded = False
t.save()
commissions = pmod.Commission.objects.all()
aggregated = {}
for c in commissions:
if c.seller in aggregated:
aggregated[c.seller] += c.amount
else:
aggregated[c.seller] = c.amount
tvars = {
'aggregated': aggregated,
}
return templater.render_to_response(request, 'calculatecommissions.html', tvars) | 2.09375 | 2 |
pyppeteer/models/_protocol.py | bionic-program/pyppeteer2 | 0 | 12764657 | import sys
from typing import TYPE_CHECKING, Any, Dict, List, Union
if sys.version_info < (3, 8):
from typing_extensions import Literal, TypedDict
else:
from typing import Literal, TypedDict
"""
Automatically generated by ./utils/generate_protocol_types.py
Attention! This file should *not* be modified directly! Instead, use the script to update it.
Last regeneration: 2020-04-07 18:44:29.689341
"""
class AXNode(TypedDict, total=False):
"""
A node in the accessibility tree.
Attributes:
nodeId: Unique identifier for this node.
ignored: Whether this node is ignored for accessibility
ignoredReasons: Collection of reasons why this node is hidden.
role: This `Node`'s role, whether explicit or implicit.
name: The accessible name for this `Node`.
description: The accessible description for this `Node`.
value: The value for this `Node`.
properties: All other properties
childIds: IDs for each of this node's child nodes.
backendDOMNodeId: The backend ID for the associated DOM node, if any.
"""
nodeId: str
ignored: bool
ignoredReasons: List['AXProperty']
role: 'AXValue'
name: 'AXValue'
description: 'AXValue'
value: 'AXValue'
properties: List['AXProperty']
childIds: List[str]
backendDOMNodeId: int
class AXProperty(TypedDict):
"""
Attributes:
name: The name of this property.
value: The value of this property.
"""
name: Literal[
'busy',
'disabled',
'editable',
'focusable',
'focused',
'hidden',
'hiddenRoot',
'invalid',
'keyshortcuts',
'settable',
'roledescription',
'live',
'atomic',
'relevant',
'root',
'autocomplete',
'hasPopup',
'level',
'multiselectable',
'orientation',
'multiline',
'readonly',
'required',
'valuemin',
'valuemax',
'valuetext',
'checked',
'expanded',
'modal',
'pressed',
'selected',
'activedescendant',
'controls',
'describedby',
'details',
'errormessage',
'flowto',
'labelledby',
'owns',
]
value: 'AXValue'
class AXRelatedNode(TypedDict, total=False):
"""
Attributes:
backendDOMNodeId: The BackendNodeId of the related DOM node.
idref: The IDRef value provided, if any.
text: The text alternative of this node in the current context.
"""
backendDOMNodeId: int
idref: str
text: str
class AXValue(TypedDict, total=False):
"""
A single computed AX property.
Attributes:
type: The type of this value.
value: The computed value of this property.
relatedNodes: One or more related nodes, if applicable.
sources: The sources which contributed to the computation of this property.
"""
type: Literal[
'boolean',
'tristate',
'booleanOrUndefined',
'idref',
'idrefList',
'integer',
'node',
'nodeList',
'number',
'string',
'computedString',
'token',
'tokenList',
'domRelation',
'role',
'internalRole',
'valueUndefined',
]
value: Any
relatedNodes: List['AXRelatedNode']
# actual: AXValueSource
sources: Dict[str, Union[Dict[str, Any], str, bool, int, float, List]]
class AXValueSource(TypedDict, total=False):
"""
A single source for a computed AX property.
Attributes:
type: What type of source this is.
value: The value of this property source.
attribute: The name of the relevant attribute, if any.
attributeValue: The value of the relevant attribute, if any.
superseded: Whether this source is superseded by a higher priority source.
nativeSource: The native markup source for this value, e.g. a <label> element.
nativeSourceValue: The value, such as a node or node list, of the native source.
invalid: Whether the value for this property is invalid.
invalidReason: Reason for the value being invalid, if it is.
"""
type: Literal['attribute', 'implicit', 'style', 'contents', 'placeholder', 'relatedElement']
# actual: AXValue
value: Dict[str, Union[Dict[str, Any], str, bool, int, float, List]]
attribute: str
# actual: AXValue
attributeValue: Dict[str, Union[Dict[str, Any], str, bool, int, float, List]]
superseded: bool
nativeSource: Literal['figcaption', 'label', 'labelfor', 'labelwrapped', 'legend', 'tablecaption', 'title', 'other']
# actual: AXValue
nativeSourceValue: Dict[str, Union[Dict[str, Any], str, bool, int, float, List]]
invalid: bool
invalidReason: str
class Animation(TypedDict, total=False):
"""
Animation instance.
Attributes:
id: `Animation`'s id.
name: `Animation`'s name.
pausedState: `Animation`'s internal paused state.
playState: `Animation`'s play state.
playbackRate: `Animation`'s playback rate.
startTime: `Animation`'s start time.
currentTime: `Animation`'s current time.
type: Animation type of `Animation`.
source: `Animation`'s source animation node.
cssId: A unique ID for `Animation` representing the sources that triggered this CSS
animation/transition.
"""
id: str
name: str
pausedState: bool
playState: str
playbackRate: float
startTime: float
currentTime: float
type: Literal['CSSTransition', 'CSSAnimation', 'WebAnimation']
source: 'AnimationEffect'
cssId: str
class AnimationEffect(TypedDict, total=False):
"""
AnimationEffect instance
Attributes:
delay: `AnimationEffect`'s delay.
endDelay: `AnimationEffect`'s end delay.
iterationStart: `AnimationEffect`'s iteration start.
iterations: `AnimationEffect`'s iterations.
duration: `AnimationEffect`'s iteration duration.
direction: `AnimationEffect`'s playback direction.
fill: `AnimationEffect`'s fill mode.
backendNodeId: `AnimationEffect`'s target node.
keyframesRule: `AnimationEffect`'s keyframes.
easing: `AnimationEffect`'s timing function.
"""
delay: float
endDelay: float
iterationStart: float
iterations: float
duration: float
direction: str
fill: str
backendNodeId: int
keyframesRule: 'KeyframesRule'
easing: str
class AppManifestError(TypedDict):
"""
Error while paring app manifest.
Attributes:
message: Error message.
critical: If criticial, this is a non-recoverable parse error.
line: Error line.
column: Error column.
"""
message: str
critical: int
line: int
column: int
class ApplicationCache(TypedDict):
"""
Detailed application cache information.
Attributes:
manifestURL: Manifest URL.
size: Application cache size.
creationTime: Application cache creation time.
updateTime: Application cache update time.
resources: Application cache resources.
"""
manifestURL: str
size: float
creationTime: float
updateTime: float
resources: List['ApplicationCacheResource']
class ApplicationCacheResource(TypedDict):
"""
Detailed application cache resource information.
Attributes:
url: Resource url.
size: Resource size.
type: Resource type.
"""
url: str
size: int
type: str
class AudioListener(TypedDict):
"""
Protocol object for AudioListner
"""
listenerId: str
contextId: str
class AudioNode(TypedDict):
"""
Protocol object for AudioNode
"""
nodeId: str
contextId: str
nodeType: str
numberOfInputs: float
numberOfOutputs: float
channelCount: float
channelCountMode: Literal['clamped-max', 'explicit', 'max']
channelInterpretation: Literal['discrete', 'speakers']
class AudioParam(TypedDict):
"""
Protocol object for AudioParam
"""
paramId: str
nodeId: str
contextId: str
paramType: str
rate: Literal['a-rate', 'k-rate']
defaultValue: float
minValue: float
maxValue: float
class AuthChallenge(TypedDict, total=False):
"""
Authorization challenge for HTTP status code 401 or 407.
Attributes:
source: Source of the authentication challenge.
origin: Origin of the challenger.
scheme: The authentication scheme used, such as basic or digest
realm: The realm of the challenge. May be empty.
"""
source: Literal['Server', 'Proxy']
origin: str
scheme: str
realm: str
class AuthChallengeResponse(TypedDict, total=False):
"""
Response to an AuthChallenge.
Attributes:
response: The decision on what to do in response to the authorization challenge. Default means
deferring to the default behavior of the net stack, which will likely either the Cancel
authentication or display a popup dialog box.
username: The username to provide, possibly empty. Should only be set if response is
ProvideCredentials.
password: The password to provide, possibly empty. Should only be set if response is
ProvideCredentials.
"""
response: Literal['Default', 'CancelAuth', 'ProvideCredentials']
username: str
password: str
class BackendNode(TypedDict):
"""
Backend node with a friendly name.
Attributes:
nodeType: `Node`'s nodeType.
nodeName: `Node`'s nodeName.
"""
nodeType: int
nodeName: str
backendNodeId: int
class BackgroundServiceEvent(TypedDict):
"""
Attributes:
timestamp: Timestamp of the event (in seconds).
origin: The origin this event belongs to.
serviceWorkerRegistrationId: The Service Worker ID that initiated the event.
service: The Background Service this event belongs to.
eventName: A description of the event.
instanceId: An identifier that groups related events together.
eventMetadata: A list of event-specific information.
"""
timestamp: float
origin: str
serviceWorkerRegistrationId: str
service: Literal[
'backgroundFetch',
'backgroundSync',
'pushMessaging',
'notifications',
'paymentHandler',
'periodicBackgroundSync',
]
eventName: str
instanceId: str
eventMetadata: List['EventMetadata']
class BaseAudioContext(TypedDict, total=False):
"""
Protocol object for BaseAudioContext
Attributes:
callbackBufferSize: Platform-dependent callback buffer size.
maxOutputChannelCount: Number of output channels supported by audio hardware in use.
sampleRate: Context sample rate.
"""
contextId: str
contextType: Literal['realtime', 'offline']
contextState: Literal['suspended', 'running', 'closed']
realtimeData: 'ContextRealtimeData'
callbackBufferSize: float
maxOutputChannelCount: float
sampleRate: float
class BlockedCookieWithReason(TypedDict):
"""
A cookie with was not sent with a request with the corresponding reason.
Attributes:
blockedReasons: The reason(s) the cookie was blocked.
cookie: The cookie object representing the cookie which was not sent.
"""
blockedReasons: List[
Literal[
'SecureOnly',
'NotOnPath',
'DomainMismatch',
'SameSiteStrict',
'SameSiteLax',
'SameSiteUnspecifiedTreatedAsLax',
'SameSiteNoneInsecure',
'UserPreferences',
'UnknownError',
]
]
cookie: 'Cookie'
class BlockedSetCookieWithReason(TypedDict, total=False):
"""
A cookie which was not stored from a response with the corresponding reason.
Attributes:
blockedReasons: The reason(s) this cookie was blocked.
cookieLine: The string representing this individual cookie as it would appear in the header.
This is not the entire "cookie" or "set-cookie" header which could have multiple cookies.
cookie: The cookie object which represents the cookie which was not stored. It is optional because
sometimes complete cookie information is not available, such as in the case of parsing
errors.
"""
blockedReasons: List[
Literal[
'SecureOnly',
'SameSiteStrict',
'SameSiteLax',
'SameSiteUnspecifiedTreatedAsLax',
'SameSiteNoneInsecure',
'UserPreferences',
'SyntaxError',
'SchemeNotSupported',
'OverwriteSecure',
'InvalidDomain',
'InvalidPrefix',
'UnknownError',
]
]
cookieLine: str
cookie: 'Cookie'
class Bounds(TypedDict, total=False):
"""
Browser window bounds information
Attributes:
left: The offset from the left edge of the screen to the window in pixels.
top: The offset from the top edge of the screen to the window in pixels.
width: The window width in pixels.
height: The window height in pixels.
windowState: The window state. Default to normal.
"""
left: int
top: int
width: int
height: int
windowState: Literal['normal', 'minimized', 'maximized', 'fullscreen']
class BoxModel(TypedDict, total=False):
"""
Box model.
Attributes:
content: Content box
padding: Padding box
border: Border box
margin: Margin box
width: Node width
height: Node height
shapeOutside: Shape outside coordinates
"""
content: List[float]
padding: List[float]
border: List[float]
margin: List[float]
width: int
height: int
shapeOutside: 'ShapeOutsideInfo'
class BreakLocation(TypedDict, total=False):
"""
Attributes:
scriptId: Script identifier as reported in the `Debugger.scriptParsed`.
lineNumber: Line number in the script (0-based).
columnNumber: Column number in the script (0-based).
"""
scriptId: str
lineNumber: int
columnNumber: int
type: Literal['debuggerStatement', 'call', 'return']
class Bucket(TypedDict):
"""
Chrome histogram bucket.
Attributes:
low: Minimum value (inclusive).
high: Maximum value (exclusive).
count: Number of samples.
"""
low: int
high: int
count: int
class CSSComputedStyleProperty(TypedDict):
"""
Attributes:
name: Computed style property name.
value: Computed style property value.
"""
name: str
value: str
class CSSKeyframeRule(TypedDict, total=False):
"""
CSS keyframe rule representation.
Attributes:
styleSheetId: The css style sheet identifier (absent for user agent stylesheet and user-specified
stylesheet rules) this rule came from.
origin: Parent stylesheet's origin.
keyText: Associated key text.
style: Associated style declaration.
"""
styleSheetId: str
origin: Literal['injected', 'user-agent', 'inspector', 'regular']
keyText: 'Value'
style: 'CSSStyle'
class CSSKeyframesRule(TypedDict):
"""
CSS keyframes rule representation.
Attributes:
animationName: Animation name.
keyframes: List of keyframes.
"""
animationName: 'Value'
keyframes: List['CSSKeyframeRule']
class CSSMedia(TypedDict, total=False):
"""
CSS media rule descriptor.
Attributes:
text: Media query text.
source: Source of the media query: "mediaRule" if specified by a @media rule, "importRule" if
specified by an @import rule, "linkedSheet" if specified by a "media" attribute in a linked
stylesheet's LINK tag, "inlineSheet" if specified by a "media" attribute in an inline
stylesheet's STYLE tag.
sourceURL: URL of the document containing the media query description.
range: The associated rule (@media or @import) header range in the enclosing stylesheet (if
available).
styleSheetId: Identifier of the stylesheet containing this object (if exists).
mediaList: Array of media queries.
"""
text: str
source: Literal['mediaRule', 'importRule', 'linkedSheet', 'inlineSheet']
sourceURL: str
range: 'SourceRange'
styleSheetId: str
mediaList: List['MediaQuery']
class CSSProperty(TypedDict, total=False):
"""
CSS property declaration data.
Attributes:
name: The property name.
value: The property value.
important: Whether the property has "!important" annotation (implies `false` if absent).
implicit: Whether the property is implicit (implies `false` if absent).
text: The full property text as specified in the style.
parsedOk: Whether the property is understood by the browser (implies `true` if absent).
disabled: Whether the property is disabled by the user (present for source-based properties only).
range: The entire property range in the enclosing style declaration (if available).
"""
name: str
value: str
important: bool
implicit: bool
text: str
parsedOk: bool
disabled: bool
range: 'SourceRange'
class CSSRule(TypedDict, total=False):
"""
CSS rule representation.
Attributes:
styleSheetId: The css style sheet identifier (absent for user agent stylesheet and user-specified
stylesheet rules) this rule came from.
selectorList: Rule selector data.
origin: Parent stylesheet's origin.
style: Associated style declaration.
media: Media list array (for rules involving media queries). The array enumerates media queries
starting with the innermost one, going outwards.
"""
styleSheetId: str
selectorList: 'SelectorList'
origin: Literal['injected', 'user-agent', 'inspector', 'regular']
style: 'CSSStyle'
media: List['CSSMedia']
class CSSStyle(TypedDict, total=False):
"""
CSS style representation.
Attributes:
styleSheetId: The css style sheet identifier (absent for user agent stylesheet and user-specified
stylesheet rules) this rule came from.
cssProperties: CSS properties in the style.
shorthandEntries: Computed values for all shorthands found in the style.
cssText: Style declaration text (if available).
range: Style declaration range in the enclosing stylesheet (if available).
"""
styleSheetId: str
cssProperties: List['CSSProperty']
shorthandEntries: List['ShorthandEntry']
cssText: str
range: 'SourceRange'
class CSSStyleSheetHeader(TypedDict, total=False):
"""
CSS stylesheet metainformation.
Attributes:
styleSheetId: The stylesheet identifier.
frameId: Owner frame identifier.
sourceURL: Stylesheet resource URL.
sourceMapURL: URL of source map associated with the stylesheet (if any).
origin: Stylesheet origin.
title: Stylesheet title.
ownerNode: The backend id for the owner node of the stylesheet.
disabled: Denotes whether the stylesheet is disabled.
hasSourceURL: Whether the sourceURL field value comes from the sourceURL comment.
isInline: Whether this stylesheet is created for STYLE tag by parser. This flag is not set for
document.written STYLE tags.
startLine: Line offset of the stylesheet within the resource (zero based).
startColumn: Column offset of the stylesheet within the resource (zero based).
length: Size of the content (in characters).
endLine: Line offset of the end of the stylesheet within the resource (zero based).
endColumn: Column offset of the end of the stylesheet within the resource (zero based).
"""
styleSheetId: str
frameId: str
sourceURL: str
sourceMapURL: str
origin: Literal['injected', 'user-agent', 'inspector', 'regular']
title: str
ownerNode: int
disabled: bool
hasSourceURL: bool
isInline: bool
startLine: float
startColumn: float
length: float
endLine: float
endColumn: float
class Cache(TypedDict):
"""
Cache identifier.
Attributes:
cacheId: An opaque unique id of the cache.
securityOrigin: Security origin of the cache.
cacheName: The name of the cache.
"""
cacheId: str
securityOrigin: str
cacheName: str
class CachedResource(TypedDict, total=False):
"""
Information about the cached resource.
Attributes:
url: Resource URL. This is the url of the original network request.
type: Type of this resource.
response: Cached response data.
bodySize: Cached response body size.
"""
url: str
type: Literal[
'Document',
'Stylesheet',
'Image',
'Media',
'Font',
'Script',
'TextTrack',
'XHR',
'Fetch',
'EventSource',
'WebSocket',
'Manifest',
'SignedExchange',
'Ping',
'CSPViolationReport',
'Other',
]
response: 'Response'
bodySize: float
class CachedResponse(TypedDict):
"""
Cached response
Attributes:
body: Entry content, base64-encoded.
"""
body: bytes
class CallArgument(TypedDict, total=False):
"""
Represents function call argument. Either remote object id `objectId`, primitive `value`,
unserializable primitive value or neither of (for undefined) them should be specified.
Attributes:
value: Primitive value or serializable javascript object.
unserializableValue: Primitive value which can not be JSON-stringified.
objectId: Remote object handle.
"""
value: Any
unserializableValue: str
objectId: str
class CallFrame(TypedDict):
"""
Stack entry for runtime errors and assertions.
Attributes:
functionName: JavaScript function name.
scriptId: JavaScript script id.
url: JavaScript script name or url.
lineNumber: JavaScript script line number (0-based).
columnNumber: JavaScript script column number (0-based).
"""
functionName: str
scriptId: str
url: str
lineNumber: int
columnNumber: int
class CertificateSecurityState(TypedDict, total=False):
"""
Details about the security state of the page certificate.
Attributes:
protocol: Protocol name (e.g. "TLS 1.2" or "QUIC").
keyExchange: Key Exchange used by the connection, or the empty string if not applicable.
keyExchangeGroup: (EC)DH group used by the connection, if applicable.
cipher: Cipher name.
mac: TLS MAC. Note that AEAD ciphers do not have separate MACs.
certificate: Page certificate.
subjectName: Certificate subject name.
issuer: Name of the issuing CA.
validFrom: Certificate valid from date.
validTo: Certificate valid to (expiration) date
certificateNetworkError: The highest priority network error code, if the certificate has an error.
certificateHasWeakSignature: True if the certificate uses a weak signature aglorithm.
certificateHasSha1Signature: True if the certificate has a SHA1 signature in the chain.
modernSSL: True if modern SSL
obsoleteSslProtocol: True if the connection is using an obsolete SSL protocol.
obsoleteSslKeyExchange: True if the connection is using an obsolete SSL key exchange.
obsoleteSslCipher: True if the connection is using an obsolete SSL cipher.
obsoleteSslSignature: True if the connection is using an obsolete SSL signature.
"""
protocol: str
keyExchange: str
keyExchangeGroup: str
cipher: str
mac: str
certificate: List[str]
subjectName: str
issuer: str
validFrom: float
validTo: float
certificateNetworkError: str
certificateHasWeakSignature: bool
certificateHasSha1Signature: bool
modernSSL: bool
obsoleteSslProtocol: bool
obsoleteSslKeyExchange: bool
obsoleteSslCipher: bool
obsoleteSslSignature: bool
class ComputedStyle(TypedDict):
"""
A subset of the full ComputedStyle as defined by the request whitelist.
Attributes:
properties: Name/value pairs of computed style properties.
"""
properties: List['NameValue']
class ConsoleMessage(TypedDict, total=False):
"""
Console message.
Attributes:
source: Message source.
level: Message severity.
text: Message text.
url: URL of the message origin.
line: Line number in the resource that generated this message (1-based).
column: Column number in the resource that generated this message (1-based).
"""
source: Literal[
'xml',
'javascript',
'network',
'console-api',
'storage',
'appcache',
'rendering',
'security',
'other',
'deprecation',
'worker',
]
level: Literal['log', 'warning', 'error', 'debug', 'info']
text: str
url: str
line: int
column: int
class ContextRealtimeData(TypedDict):
"""
Fields in AudioContext that change in real-time.
Attributes:
currentTime: The current context time in second in BaseAudioContext.
renderCapacity: The time spent on rendering graph divided by render qunatum duration,
and multiplied by 100. 100 means the audio renderer reached the full
capacity and glitch may occur.
callbackIntervalMean: A running mean of callback interval.
callbackIntervalVariance: A running variance of callback interval.
"""
currentTime: float
renderCapacity: float
callbackIntervalMean: float
callbackIntervalVariance: float
class Cookie(TypedDict, total=False):
"""
Cookie object
Attributes:
name: Cookie name.
value: Cookie value.
domain: Cookie domain.
path: Cookie path.
expires: Cookie expiration date as the number of seconds since the UNIX epoch.
size: Cookie size.
httpOnly: True if cookie is http-only.
secure: True if cookie is secure.
session: True in case of session cookie.
sameSite: Cookie SameSite type.
"""
name: str
value: str
domain: str
path: str
expires: float
size: int
httpOnly: bool
secure: bool
session: bool
sameSite: Literal['Strict', 'Lax', 'None']
class CookieParam(TypedDict, total=False):
"""
Cookie parameter object
Attributes:
name: Cookie name.
value: Cookie value.
url: The request-URI to associate with the setting of the cookie. This value can affect the
default domain and path values of the created cookie.
domain: Cookie domain.
path: Cookie path.
secure: True if cookie is secure.
httpOnly: True if cookie is http-only.
sameSite: Cookie SameSite type.
expires: Cookie expiration date, session cookie if not set
"""
name: str
value: str
url: str
domain: str
path: str
secure: bool
httpOnly: bool
sameSite: Literal['Strict', 'Lax', 'None']
expires: float
class CounterInfo(TypedDict):
"""
Collected counter information.
Attributes:
name: Counter name.
value: Counter value.
"""
name: str
value: int
class CoverageRange(TypedDict):
"""
Coverage data for a source range.
Attributes:
startOffset: JavaScript script source offset for the range start.
endOffset: JavaScript script source offset for the range end.
count: Collected execution count of the source range.
"""
startOffset: int
endOffset: int
count: int
class Credential(TypedDict, total=False):
"""
Attributes:
rpId: Relying Party ID the credential is scoped to. Must be set when adding a
credential.
privateKey: The ECDSA P-256 private key in PKCS#8 format.
userHandle: An opaque byte sequence with a maximum size of 64 bytes mapping the
credential to a specific user.
signCount: Signature counter. This is incremented by one for each successful
assertion.
See https://w3c.github.io/webauthn/#signature-counter
"""
credentialId: bytes
isResidentCredential: bool
rpId: str
privateKey: bytes
userHandle: bytes
signCount: int
class CustomPreview(TypedDict, total=False):
"""
Attributes:
header: The JSON-stringified result of formatter.header(object, config) call.
It contains json ML array that represents RemoteObject.
bodyGetterId: If formatter returns true as a result of formatter.hasBody call then bodyGetterId will
contain RemoteObjectId for the function that returns result of formatter.body(object, config) call.
The result value is json ML array.
"""
header: str
bodyGetterId: str
class DOMNode(TypedDict, total=False):
"""
A Node in the DOM tree.
Attributes:
nodeType: `Node`'s nodeType.
nodeName: `Node`'s nodeName.
nodeValue: `Node`'s nodeValue.
textValue: Only set for textarea elements, contains the text value.
inputValue: Only set for input elements, contains the input's associated text value.
inputChecked: Only set for radio and checkbox input elements, indicates if the element has been checked
optionSelected: Only set for option elements, indicates if the element has been selected
backendNodeId: `Node`'s id, corresponds to DOM.Node.backendNodeId.
childNodeIndexes: The indexes of the node's child nodes in the `domNodes` array returned by `getSnapshot`, if
any.
attributes: Attributes of an `Element` node.
pseudoElementIndexes: Indexes of pseudo elements associated with this node in the `domNodes` array returned by
`getSnapshot`, if any.
layoutNodeIndex: The index of the node's related layout tree node in the `layoutTreeNodes` array returned by
`getSnapshot`, if any.
documentURL: Document URL that `Document` or `FrameOwner` node points to.
baseURL: Base URL that `Document` or `FrameOwner` node uses for URL completion.
contentLanguage: Only set for documents, contains the document's content language.
documentEncoding: Only set for documents, contains the document's character set encoding.
publicId: `DocumentType` node's publicId.
systemId: `DocumentType` node's systemId.
frameId: Frame ID for frame owner elements and also for the document node.
contentDocumentIndex: The index of a frame owner element's content document in the `domNodes` array returned by
`getSnapshot`, if any.
pseudoType: Type of a pseudo element node.
shadowRootType: Shadow root type.
isClickable: Whether this DOM node responds to mouse clicks. This includes nodes that have had click
event listeners attached via JavaScript as well as anchor tags that naturally navigate when
clicked.
eventListeners: Details of the node's event listeners, if any.
currentSourceURL: The selected url for nodes with a srcset attribute.
originURL: The url of the script (if any) that generates this node.
scrollOffsetX: Scroll offsets, set when this node is a Document.
"""
nodeType: int
nodeName: str
nodeValue: str
textValue: str
inputValue: str
inputChecked: bool
optionSelected: bool
backendNodeId: int
childNodeIndexes: List[int]
attributes: List['NameValue']
pseudoElementIndexes: List[int]
layoutNodeIndex: int
documentURL: str
baseURL: str
contentLanguage: str
documentEncoding: str
publicId: str
systemId: str
frameId: str
contentDocumentIndex: int
pseudoType: Literal[
'first-line',
'first-letter',
'before',
'after',
'backdrop',
'selection',
'first-line-inherited',
'scrollbar',
'scrollbar-thumb',
'scrollbar-button',
'scrollbar-track',
'scrollbar-track-piece',
'scrollbar-corner',
'resizer',
'input-list-button',
]
shadowRootType: Literal['user-agent', 'open', 'closed']
isClickable: bool
eventListeners: List['EventListener']
currentSourceURL: str
originURL: str
scrollOffsetX: float
scrollOffsetY: float
class DataEntry(TypedDict):
"""
Data entry.
Attributes:
key: Key object.
primaryKey: Primary key object.
value: Value object.
"""
key: 'RemoteObject'
primaryKey: 'RemoteObject'
value: 'RemoteObject'
class Database(TypedDict):
"""
Database object.
Attributes:
id: Database ID.
domain: Database domain.
name: Database name.
version: Database version.
"""
id: str
domain: str
name: str
version: str
class DatabaseWithObjectStores(TypedDict):
"""
Database with an array of object stores.
Attributes:
name: Database name.
version: Database version (type is not 'integer', as the standard
requires the version number to be 'unsigned long long')
objectStores: Object stores in this database.
"""
name: str
version: float
objectStores: List['ObjectStore']
class DocumentSnapshot(TypedDict, total=False):
"""
Document snapshot.
Attributes:
documentURL: Document URL that `Document` or `FrameOwner` node points to.
title: Document title.
baseURL: Base URL that `Document` or `FrameOwner` node uses for URL completion.
contentLanguage: Contains the document's content language.
encodingName: Contains the document's character set encoding.
publicId: `DocumentType` node's publicId.
systemId: `DocumentType` node's systemId.
frameId: Frame ID for frame owner elements and also for the document node.
nodes: A table with dom nodes.
layout: The nodes in the layout tree.
textBoxes: The post-layout inline text nodes.
scrollOffsetX: Horizontal scroll offset.
scrollOffsetY: Vertical scroll offset.
contentWidth: Document content width.
contentHeight: Document content height.
"""
documentURL: int
title: int
baseURL: int
contentLanguage: int
encodingName: int
publicId: int
systemId: int
frameId: int
nodes: 'NodeTreeSnapshot'
layout: 'LayoutTreeSnapshot'
textBoxes: 'TextBoxSnapshot'
scrollOffsetX: float
scrollOffsetY: float
contentWidth: float
contentHeight: float
class Domain(TypedDict):
"""
Description of the protocol domain.
Attributes:
name: Domain name.
version: Domain version.
"""
name: str
version: str
class EntryPreview(TypedDict, total=False):
"""
Attributes:
key: Preview of the key. Specified for map-like collection entries.
value: Preview of the value.
"""
# actual: ObjectPreview
key: Dict[str, Union[Dict[str, Any], str, bool, int, float, List]]
# actual: ObjectPreview
value: Dict[str, Union[Dict[str, Any], str, bool, int, float, List]]
class Error(TypedDict):
"""
Database error.
Attributes:
message: Error message.
code: Error code.
"""
message: str
code: int
class EventListener(TypedDict, total=False):
"""
Object event listener.
Attributes:
type: `EventListener`'s type.
useCapture: `EventListener`'s useCapture.
passive: `EventListener`'s passive flag.
once: `EventListener`'s once flag.
scriptId: Script id of the handler code.
lineNumber: Line number in the script (0-based).
columnNumber: Column number in the script (0-based).
handler: Event handler function value.
originalHandler: Event original handler function value.
backendNodeId: Node the listener is added to (if any).
"""
type: str
useCapture: bool
passive: bool
once: bool
scriptId: str
lineNumber: int
columnNumber: int
handler: 'RemoteObject'
originalHandler: 'RemoteObject'
backendNodeId: int
class EventMetadata(TypedDict):
"""
A key-value pair for additional event information to pass along.
"""
key: str
value: str
class ExceptionDetails(TypedDict, total=False):
"""
Detailed information about exception (or error) that was thrown during script compilation or
execution.
Attributes:
exceptionId: Exception id.
text: Exception text, which should be used together with exception object when available.
lineNumber: Line number of the exception location (0-based).
columnNumber: Column number of the exception location (0-based).
scriptId: Script ID of the exception location.
url: URL of the exception location, to be used when the script was not reported.
stackTrace: JavaScript stack trace if available.
exception: Exception object if available.
executionContextId: Identifier of the context where exception happened.
"""
exceptionId: int
text: str
lineNumber: int
columnNumber: int
scriptId: str
url: str
stackTrace: 'StackTrace'
exception: 'RemoteObject'
executionContextId: int
class ExecutionContextDescription(TypedDict, total=False):
"""
Description of an isolated world.
Attributes:
id: Unique id of the execution context. It can be used to specify in which execution context
script evaluation should be performed.
origin: Execution context origin.
name: Human readable name describing given context.
auxData: Embedder-specific auxiliary data.
"""
id: int
origin: str
name: str
auxData: Dict[str, str]
class FontFace(TypedDict):
"""
Properties of a web font: https://www.w3.org/TR/2008/REC-CSS2-20080411/fonts.html#font-descriptions
Attributes:
fontFamily: The font-family.
fontStyle: The font-style.
fontVariant: The font-variant.
fontWeight: The font-weight.
fontStretch: The font-stretch.
unicodeRange: The unicode-range.
src: The src.
platformFontFamily: The resolved platform font family
"""
fontFamily: str
fontStyle: str
fontVariant: str
fontWeight: str
fontStretch: str
unicodeRange: str
src: str
platformFontFamily: str
class FontFamilies(TypedDict, total=False):
"""
Generic font families collection.
Attributes:
standard: The standard font-family.
fixed: The fixed font-family.
serif: The serif font-family.
sansSerif: The sansSerif font-family.
cursive: The cursive font-family.
fantasy: The fantasy font-family.
pictograph: The pictograph font-family.
"""
standard: str
fixed: str
serif: str
sansSerif: str
cursive: str
fantasy: str
pictograph: str
class FontSizes(TypedDict, total=False):
"""
Default font sizes.
Attributes:
standard: Default standard font size.
fixed: Default fixed font size.
"""
standard: int
fixed: int
class Frame(TypedDict, total=False):
"""
Information about the Frame on the page.
Attributes:
id: Frame unique identifier.
parentId: Parent frame identifier.
loaderId: Identifier of the loader associated with this frame.
name: Frame's name as specified in the tag.
url: Frame document's URL without fragment.
urlFragment: Frame document's URL fragment including the '#'.
securityOrigin: Frame document's security origin.
mimeType: Frame document's mimeType as determined by the browser.
unreachableUrl: If the frame failed to load, this contains the URL that could not be loaded. Note that unlike url above, this URL may contain a fragment.
"""
id: str
parentId: str
loaderId: str
name: str
url: str
urlFragment: str
securityOrigin: str
mimeType: str
unreachableUrl: str
class FrameResource(TypedDict, total=False):
"""
Information about the Resource on the page.
Attributes:
url: Resource URL.
type: Type of this resource.
mimeType: Resource mimeType as determined by the browser.
lastModified: last-modified timestamp as reported by server.
contentSize: Resource content size.
failed: True if the resource failed to load.
canceled: True if the resource was canceled during loading.
"""
url: str
type: Literal[
'Document',
'Stylesheet',
'Image',
'Media',
'Font',
'Script',
'TextTrack',
'XHR',
'Fetch',
'EventSource',
'WebSocket',
'Manifest',
'SignedExchange',
'Ping',
'CSPViolationReport',
'Other',
]
mimeType: str
lastModified: float
contentSize: float
failed: bool
canceled: bool
class FrameResourceTree(TypedDict, total=False):
"""
Information about the Frame hierarchy along with their cached resources.
Attributes:
frame: Frame information for this tree item.
childFrames: Child frames.
resources: Information about frame resources.
"""
frame: 'Frame'
# actual: FrameResourceTree
childFrames: Dict[str, Union[Dict[str, Any], str, bool, int, float, List]]
resources: List['FrameResource']
class FrameTree(TypedDict, total=False):
"""
Information about the Frame hierarchy.
Attributes:
frame: Frame information for this tree item.
childFrames: Child frames.
"""
frame: 'Frame'
# actual: FrameTree
childFrames: Dict[str, Union[Dict[str, Any], str, bool, int, float, List]]
class FrameWithManifest(TypedDict):
"""
Frame identifier - manifest URL pair.
Attributes:
frameId: Frame identifier.
manifestURL: Manifest URL.
status: Application cache status.
"""
frameId: str
manifestURL: str
status: int
class FunctionCoverage(TypedDict):
"""
Coverage data for a JavaScript function.
Attributes:
functionName: JavaScript function name.
ranges: Source ranges inside the function with coverage data.
isBlockCoverage: Whether coverage data for this function has block granularity.
"""
functionName: str
ranges: List['CoverageRange']
isBlockCoverage: bool
class GPUDevice(TypedDict, total=False):
"""
Describes a single graphics processor (GPU).
Attributes:
vendorId: PCI ID of the GPU vendor, if available; 0 otherwise.
deviceId: PCI ID of the GPU device, if available; 0 otherwise.
subSysId: Sub sys ID of the GPU, only available on Windows.
revision: Revision of the GPU, only available on Windows.
vendorString: String description of the GPU vendor, if the PCI ID is not available.
deviceString: String description of the GPU device, if the PCI ID is not available.
driverVendor: String description of the GPU driver vendor.
driverVersion: String description of the GPU driver version.
"""
vendorId: float
deviceId: float
subSysId: float
revision: float
vendorString: str
deviceString: str
driverVendor: str
driverVersion: str
class GPUInfo(TypedDict, total=False):
"""
Provides information about the GPU(s) on the system.
Attributes:
devices: The graphics devices on the system. Element 0 is the primary GPU.
auxAttributes: An optional dictionary of additional GPU related attributes.
featureStatus: An optional dictionary of graphics features and their status.
driverBugWorkarounds: An optional array of GPU driver bug workarounds.
videoDecoding: Supported accelerated video decoding capabilities.
videoEncoding: Supported accelerated video encoding capabilities.
imageDecoding: Supported accelerated image decoding capabilities.
"""
devices: List['GPUDevice']
auxAttributes: Dict[str, str]
featureStatus: Dict[str, str]
driverBugWorkarounds: List[str]
videoDecoding: List['VideoDecodeAcceleratorCapability']
videoEncoding: List['VideoEncodeAcceleratorCapability']
imageDecoding: List['ImageDecodeAcceleratorCapability']
class Header(TypedDict):
name: str
value: str
class HeaderEntry(TypedDict):
"""
Response HTTP header entry
"""
name: str
value: str
class HighlightConfig(TypedDict, total=False):
"""
Configuration data for the highlighting of page elements.
Attributes:
showInfo: Whether the node info tooltip should be shown (default: false).
showStyles: Whether the node styles in the tooltip (default: false).
showRulers: Whether the rulers should be shown (default: false).
showExtensionLines: Whether the extension lines from node to the rulers should be shown (default: false).
contentColor: The content box highlight fill color (default: transparent).
paddingColor: The padding highlight fill color (default: transparent).
borderColor: The border highlight fill color (default: transparent).
marginColor: The margin highlight fill color (default: transparent).
eventTargetColor: The event target element highlight fill color (default: transparent).
shapeColor: The shape outside fill color (default: transparent).
shapeMarginColor: The shape margin fill color (default: transparent).
cssGridColor: The grid layout color (default: transparent).
"""
showInfo: bool
showStyles: bool
showRulers: bool
showExtensionLines: bool
contentColor: 'RGBA'
paddingColor: 'RGBA'
borderColor: 'RGBA'
marginColor: 'RGBA'
eventTargetColor: 'RGBA'
shapeColor: 'RGBA'
shapeMarginColor: 'RGBA'
cssGridColor: 'RGBA'
class Histogram(TypedDict):
"""
Chrome histogram.
Attributes:
name: Name.
sum: Sum of sample values.
count: Total number of samples.
buckets: Buckets.
"""
name: str
sum: int
count: int
buckets: List['Bucket']
class ImageDecodeAcceleratorCapability(TypedDict):
"""
Describes a supported image decoding profile with its associated minimum and
maximum resolutions and subsampling.
Attributes:
imageType: Image coded, e.g. Jpeg.
maxDimensions: Maximum supported dimensions of the image in pixels.
minDimensions: Minimum supported dimensions of the image in pixels.
subsamplings: Optional array of supported subsampling formats, e.g. 4:2:0, if known.
"""
imageType: Literal['jpeg', 'webp', 'unknown']
maxDimensions: 'Size'
minDimensions: 'Size'
subsamplings: List[Literal['yuv420', 'yuv422', 'yuv444']]
class InheritedStyleEntry(TypedDict, total=False):
"""
Inherited CSS rule collection from ancestor node.
Attributes:
inlineStyle: The ancestor node's inline style, if any, in the style inheritance chain.
matchedCSSRules: Matches of CSS rules matching the ancestor node in the style inheritance chain.
"""
inlineStyle: 'CSSStyle'
matchedCSSRules: List['RuleMatch']
class Initiator(TypedDict, total=False):
"""
Information about the request initiator.
Attributes:
type: Type of this initiator.
stack: Initiator JavaScript stack trace, set for Script only.
url: Initiator URL, set for Parser type or for Script type (when script is importing module) or for SignedExchange type.
lineNumber: Initiator line number, set for Parser type or for Script type (when script is importing
module) (0-based).
"""
type: Literal['parser', 'script', 'preload', 'SignedExchange', 'other']
stack: 'StackTrace'
url: str
lineNumber: float
class InlineTextBox(TypedDict):
"""
Details of post layout rendered text positions. The exact layout should not be regarded as
stable and may change between versions.
Attributes:
boundingBox: The bounding box in document coordinates. Note that scroll offset of the document is ignored.
startCharacterIndex: The starting index in characters, for this post layout textbox substring. Characters that
would be represented as a surrogate pair in UTF-16 have length 2.
numCharacters: The number of characters in this post layout textbox substring. Characters that would be
represented as a surrogate pair in UTF-16 have length 2.
"""
boundingBox: 'Rect'
startCharacterIndex: int
numCharacters: int
class InsecureContentStatus(TypedDict):
"""
Information about insecure content on the page.
Attributes:
ranMixedContent: Always false.
displayedMixedContent: Always false.
containedMixedForm: Always false.
ranContentWithCertErrors: Always false.
displayedContentWithCertErrors: Always false.
ranInsecureContentStyle: Always set to unknown.
displayedInsecureContentStyle: Always set to unknown.
"""
ranMixedContent: bool
displayedMixedContent: bool
containedMixedForm: bool
ranContentWithCertErrors: bool
displayedContentWithCertErrors: bool
ranInsecureContentStyle: Literal['unknown', 'neutral', 'insecure', 'secure', 'info', 'insecure-broken']
displayedInsecureContentStyle: Literal['unknown', 'neutral', 'insecure', 'secure', 'info', 'insecure-broken']
class InternalPropertyDescriptor(TypedDict, total=False):
"""
Object internal property descriptor. This property isn't normally visible in JavaScript code.
Attributes:
name: Conventional property name.
value: The value associated with the property.
"""
name: str
value: 'RemoteObject'
class Key(TypedDict, total=False):
"""
Key.
Attributes:
type: Key type.
number: Number value.
string: String value.
date: Date value.
array: Array value.
"""
type: Literal['number', 'string', 'date', 'array']
number: float
string: str
date: float
# actual: Key
array: Dict[str, Union[Dict[str, Any], str, bool, int, float, List]]
class KeyPath(TypedDict, total=False):
"""
Key path.
Attributes:
type: Key path type.
string: String value.
array: Array value.
"""
type: Literal['null', 'string', 'array']
string: str
array: List[str]
class KeyRange(TypedDict, total=False):
"""
Key range.
Attributes:
lower: Lower bound.
upper: Upper bound.
lowerOpen: If true lower bound is open.
upperOpen: If true upper bound is open.
"""
lower: 'Key'
upper: 'Key'
lowerOpen: bool
upperOpen: bool
class KeyframeStyle(TypedDict):
"""
Keyframe Style
Attributes:
offset: Keyframe's time offset.
easing: `AnimationEffect`'s timing function.
"""
offset: str
easing: str
class KeyframesRule(TypedDict, total=False):
"""
Keyframes Rule
Attributes:
name: CSS keyframed animation's name.
keyframes: List of animation keyframes.
"""
name: str
keyframes: List['KeyframeStyle']
class Layer(TypedDict, total=False):
"""
Information about a compositing layer.
Attributes:
layerId: The unique id for this layer.
parentLayerId: The id of parent (not present for root).
backendNodeId: The backend id for the node associated with this layer.
offsetX: Offset from parent layer, X coordinate.
offsetY: Offset from parent layer, Y coordinate.
width: Layer width.
height: Layer height.
transform: Transformation matrix for layer, default is identity matrix
anchorX: Transform anchor point X, absent if no transform specified
anchorY: Transform anchor point Y, absent if no transform specified
anchorZ: Transform anchor point Z, absent if no transform specified
paintCount: Indicates how many time this layer has painted.
drawsContent: Indicates whether this layer hosts any content, rather than being used for
transform/scrolling purposes only.
invisible: Set if layer is not visible.
scrollRects: Rectangles scrolling on main thread only.
stickyPositionConstraint: Sticky position constraint information
"""
layerId: str
parentLayerId: str
backendNodeId: int
offsetX: float
offsetY: float
width: float
height: float
transform: List[float]
anchorX: float
anchorY: float
anchorZ: float
paintCount: int
drawsContent: bool
invisible: bool
scrollRects: List['ScrollRect']
stickyPositionConstraint: 'StickyPositionConstraint'
class LayoutTreeNode(TypedDict, total=False):
"""
Details of an element in the DOM tree with a LayoutObject.
Attributes:
domNodeIndex: The index of the related DOM node in the `domNodes` array returned by `getSnapshot`.
boundingBox: The bounding box in document coordinates. Note that scroll offset of the document is ignored.
layoutText: Contents of the LayoutText, if any.
inlineTextNodes: The post-layout inline text nodes, if any.
styleIndex: Index into the `computedStyles` array returned by `getSnapshot`.
paintOrder: Global paint order index, which is determined by the stacking order of the nodes. Nodes
that are painted together will have the same index. Only provided if includePaintOrder in
getSnapshot was true.
isStackingContext: Set to true to indicate the element begins a new stacking context.
"""
domNodeIndex: int
boundingBox: 'Rect'
layoutText: str
inlineTextNodes: List['InlineTextBox']
styleIndex: int
paintOrder: int
isStackingContext: bool
class LayoutTreeSnapshot(TypedDict, total=False):
"""
Table of details of an element in the DOM tree with a LayoutObject.
Attributes:
nodeIndex: Index of the corresponding node in the `NodeTreeSnapshot` array returned by `captureSnapshot`.
styles: Array of indexes specifying computed style strings, filtered according to the `computedStyles` parameter passed to `captureSnapshot`.
bounds: The absolute position bounding box.
text: Contents of the LayoutText, if any.
stackingContexts: Stacking context information.
paintOrders: Global paint order index, which is determined by the stacking order of the nodes. Nodes
that are painted together will have the same index. Only provided if includePaintOrder in
captureSnapshot was true.
offsetRects: The offset rect of nodes. Only available when includeDOMRects is set to true
scrollRects: The scroll rect of nodes. Only available when includeDOMRects is set to true
clientRects: The client rect of nodes. Only available when includeDOMRects is set to true
"""
nodeIndex: List[int]
styles: List[List[int]]
bounds: List[List[float]]
text: List[int]
stackingContexts: 'RareBooleanData'
paintOrders: List[int]
offsetRects: List[List[float]]
scrollRects: List[List[float]]
clientRects: List[List[float]]
class LayoutViewport(TypedDict):
"""
Layout viewport position and dimensions.
Attributes:
pageX: Horizontal offset relative to the document (CSS pixels).
pageY: Vertical offset relative to the document (CSS pixels).
clientWidth: Width (CSS pixels), excludes scrollbar if present.
clientHeight: Height (CSS pixels), excludes scrollbar if present.
"""
pageX: int
pageY: int
clientWidth: int
clientHeight: int
class Location(TypedDict, total=False):
"""
Location in the source code.
Attributes:
scriptId: Script identifier as reported in the `Debugger.scriptParsed`.
lineNumber: Line number in the script (0-based).
columnNumber: Column number in the script (0-based).
"""
scriptId: str
lineNumber: int
columnNumber: int
class LogEntry(TypedDict, total=False):
"""
Log entry.
Attributes:
source: Log entry source.
level: Log entry severity.
text: Logged text.
timestamp: Timestamp when this entry was added.
url: URL of the resource if known.
lineNumber: Line number in the resource.
stackTrace: JavaScript stack trace.
networkRequestId: Identifier of the network request associated with this entry.
workerId: Identifier of the worker associated with this entry.
args: Call arguments.
"""
source: Literal[
'xml',
'javascript',
'network',
'storage',
'appcache',
'rendering',
'security',
'deprecation',
'worker',
'violation',
'intervention',
'recommendation',
'other',
]
level: Literal['verbose', 'info', 'warning', 'error']
text: str
timestamp: float
url: str
lineNumber: int
stackTrace: 'StackTrace'
networkRequestId: str
workerId: str
args: List['RemoteObject']
class MediaFeature(TypedDict):
name: str
value: str
class MediaQuery(TypedDict):
"""
Media query descriptor.
Attributes:
expressions: Array of media query expressions.
active: Whether the media query condition is satisfied.
"""
expressions: List['MediaQueryExpression']
active: bool
class MediaQueryExpression(TypedDict, total=False):
"""
Media query expression descriptor.
Attributes:
value: Media query expression value.
unit: Media query expression units.
feature: Media query expression feature.
valueRange: The associated range of the value text in the enclosing stylesheet (if available).
computedLength: Computed length of media query expression (if applicable).
"""
value: float
unit: str
feature: str
valueRange: 'SourceRange'
computedLength: float
class Metric(TypedDict):
"""
Run-time execution metric.
Attributes:
name: Metric name.
value: Metric value.
"""
name: str
value: float
class Module(TypedDict):
"""
Executable module information
Attributes:
name: Name of the module.
uuid: UUID of the module.
baseAddress: Base address where the module is loaded into memory. Encoded as a decimal
or hexadecimal (0x prefixed) string.
size: Size of the module in bytes.
"""
name: str
uuid: str
baseAddress: str
size: float
class NameValue(TypedDict):
"""
A name/value pair.
Attributes:
name: Attribute/property name.
value: Attribute/property value.
"""
name: str
value: str
class NavigationEntry(TypedDict):
"""
Navigation history entry.
Attributes:
id: Unique id of the navigation history entry.
url: URL of the navigation history entry.
userTypedURL: URL that the user typed in the url bar.
title: Title of the navigation history entry.
transitionType: Transition type.
"""
id: int
url: str
userTypedURL: str
title: str
transitionType: Literal[
'link',
'typed',
'address_bar',
'auto_bookmark',
'auto_subframe',
'manual_subframe',
'generated',
'auto_toplevel',
'form_submit',
'reload',
'keyword',
'keyword_generated',
'other',
]
class Node(TypedDict, total=False):
"""
DOM interaction is implemented in terms of mirror objects that represent the actual DOM nodes.
DOMNode is a base node mirror type.
Attributes:
nodeId: Node identifier that is passed into the rest of the DOM messages as the `nodeId`. Backend
will only push node with given `id` once. It is aware of all requested nodes and will only
fire DOM events for nodes known to the client.
parentId: The id of the parent node if any.
backendNodeId: The BackendNodeId for this node.
nodeType: `Node`'s nodeType.
nodeName: `Node`'s nodeName.
localName: `Node`'s localName.
nodeValue: `Node`'s nodeValue.
childNodeCount: Child count for `Container` nodes.
children: Child nodes of this node when requested with children.
attributes: Attributes of the `Element` node in the form of flat array `[name1, value1, name2, value2]`.
documentURL: Document URL that `Document` or `FrameOwner` node points to.
baseURL: Base URL that `Document` or `FrameOwner` node uses for URL completion.
publicId: `DocumentType`'s publicId.
systemId: `DocumentType`'s systemId.
internalSubset: `DocumentType`'s internalSubset.
xmlVersion: `Document`'s XML version in case of XML documents.
name: `Attr`'s name.
value: `Attr`'s value.
pseudoType: Pseudo element type for this node.
shadowRootType: Shadow root type.
frameId: Frame ID for frame owner elements.
contentDocument: Content document for frame owner elements.
shadowRoots: Shadow root list for given element host.
templateContent: Content document fragment for template elements.
pseudoElements: Pseudo elements associated with this node.
importedDocument: Import document for the HTMLImport links.
distributedNodes: Distributed nodes for given insertion point.
isSVG: Whether the node is SVG.
"""
nodeId: int
parentId: int
backendNodeId: int
nodeType: int
nodeName: str
localName: str
nodeValue: str
childNodeCount: int
# actual: Node
children: Dict[str, Union[Dict[str, Any], str, bool, int, float, List]]
attributes: List[str]
documentURL: str
baseURL: str
publicId: str
systemId: str
internalSubset: str
xmlVersion: str
name: str
value: str
pseudoType: Literal[
'first-line',
'first-letter',
'before',
'after',
'backdrop',
'selection',
'first-line-inherited',
'scrollbar',
'scrollbar-thumb',
'scrollbar-button',
'scrollbar-track',
'scrollbar-track-piece',
'scrollbar-corner',
'resizer',
'input-list-button',
]
shadowRootType: Literal['user-agent', 'open', 'closed']
frameId: str
# actual: Node
contentDocument: Dict[str, Union[Dict[str, Any], str, bool, int, float, List]]
# actual: Node
shadowRoots: Dict[str, Union[Dict[str, Any], str, bool, int, float, List]]
# actual: Node
templateContent: Dict[str, Union[Dict[str, Any], str, bool, int, float, List]]
# actual: Node
pseudoElements: Dict[str, Union[Dict[str, Any], str, bool, int, float, List]]
# actual: Node
importedDocument: Dict[str, Union[Dict[str, Any], str, bool, int, float, List]]
distributedNodes: List['BackendNode']
isSVG: bool
class NodeTreeSnapshot(TypedDict, total=False):
"""
Table containing nodes.
Attributes:
parentIndex: Parent node index.
nodeType: `Node`'s nodeType.
nodeName: `Node`'s nodeName.
nodeValue: `Node`'s nodeValue.
backendNodeId: `Node`'s id, corresponds to DOM.Node.backendNodeId.
attributes: Attributes of an `Element` node. Flatten name, value pairs.
textValue: Only set for textarea elements, contains the text value.
inputValue: Only set for input elements, contains the input's associated text value.
inputChecked: Only set for radio and checkbox input elements, indicates if the element has been checked
optionSelected: Only set for option elements, indicates if the element has been selected
contentDocumentIndex: The index of the document in the list of the snapshot documents.
pseudoType: Type of a pseudo element node.
isClickable: Whether this DOM node responds to mouse clicks. This includes nodes that have had click
event listeners attached via JavaScript as well as anchor tags that naturally navigate when
clicked.
currentSourceURL: The selected url for nodes with a srcset attribute.
originURL: The url of the script (if any) that generates this node.
"""
parentIndex: List[int]
nodeType: List[int]
nodeName: List[int]
nodeValue: List[int]
backendNodeId: List[int]
attributes: List[List[int]]
textValue: 'RareStringData'
inputValue: 'RareStringData'
inputChecked: 'RareBooleanData'
optionSelected: 'RareBooleanData'
contentDocumentIndex: 'RareIntegerData'
pseudoType: 'RareStringData'
isClickable: 'RareBooleanData'
currentSourceURL: 'RareStringData'
originURL: 'RareStringData'
class ObjectPreview(TypedDict, total=False):
"""
Object containing abbreviated remote object value.
Attributes:
type: Object type.
subtype: Object subtype hint. Specified for `object` type values only.
description: String representation of the object.
overflow: True iff some of the properties or entries of the original object did not fit.
properties: List of the properties.
entries: List of the entries. Specified for `map` and `set` subtype values only.
"""
type: Literal['object', 'function', 'undefined', 'string', 'number', 'boolean', 'symbol', 'bigint']
subtype: Literal[
'array', 'null', 'node', 'regexp', 'date', 'map', 'set', 'weakmap', 'weakset', 'iterator', 'generator', 'error'
]
description: str
overflow: bool
# actual: PropertyPreview
properties: Dict[str, Union[Dict[str, Any], str, bool, int, float, List]]
# actual: EntryPreview
entries: Dict[str, Union[Dict[str, Any], str, bool, int, float, List]]
class ObjectStore(TypedDict):
"""
Object store.
Attributes:
name: Object store name.
keyPath: Object store key path.
autoIncrement: If true, object store has auto increment flag set.
indexes: Indexes in this object store.
"""
name: str
keyPath: 'KeyPath'
autoIncrement: bool
indexes: List['ObjectStoreIndex']
class ObjectStoreIndex(TypedDict):
"""
Object store index.
Attributes:
name: Index name.
keyPath: Index key path.
unique: If true, index is unique.
multiEntry: If true, index allows multiple entries for a key.
"""
name: str
keyPath: 'KeyPath'
unique: bool
multiEntry: bool
class PermissionDescriptor(TypedDict, total=False):
"""
Definition of PermissionDescriptor defined in the Permissions API:
https://w3c.github.io/permissions/#dictdef-permissiondescriptor.
Attributes:
name: Name of permission.
See https://cs.chromium.org/chromium/src/third_party/blink/renderer/modules/permissions/permission_descriptor.idl for valid permission names.
sysex: For "midi" permission, may also specify sysex control.
userVisibleOnly: For "push" permission, may specify userVisibleOnly.
Note that userVisibleOnly = true is the only currently supported type.
type: For "wake-lock" permission, must specify type as either "screen" or "system".
"""
name: str
sysex: bool
userVisibleOnly: bool
type: str
class PictureTile(TypedDict):
"""
Serialized fragment of layer picture along with its offset within the layer.
Attributes:
x: Offset from owning layer left boundary
y: Offset from owning layer top boundary
picture: Base64-encoded snapshot data.
"""
x: float
y: float
picture: bytes
class PlatformFontUsage(TypedDict):
"""
Information about amount of glyphs that were rendered with given font.
Attributes:
familyName: Font's family name reported by platform.
isCustomFont: Indicates if the font was downloaded or resolved locally.
glyphCount: Amount of glyphs that were rendered with this font.
"""
familyName: str
isCustomFont: bool
glyphCount: float
class PlayerEvent(TypedDict):
"""
Attributes:
timestamp: Events are timestamped relative to the start of the player creation
not relative to the start of playback.
"""
type: Literal['playbackEvent', 'systemEvent', 'messageEvent']
timestamp: float
name: str
value: str
class PlayerProperty(TypedDict, total=False):
"""
Player Property type
"""
name: str
value: str
class PositionTickInfo(TypedDict):
"""
Specifies a number of samples attributed to a certain source position.
Attributes:
line: Source line number (1-based).
ticks: Number of samples attributed to the source line.
"""
line: int
ticks: int
class PrivatePropertyDescriptor(TypedDict):
"""
Object private field descriptor.
Attributes:
name: Private property name.
value: The value associated with the private property.
"""
name: str
value: 'RemoteObject'
class ProcessInfo(TypedDict):
"""
Represents process info.
Attributes:
type: Specifies process type.
id: Specifies process id.
cpuTime: Specifies cumulative CPU usage in seconds across all threads of the
process since the process start.
"""
type: str
id: int
cpuTime: float
class Profile(TypedDict, total=False):
"""
Profile.
Attributes:
nodes: The list of profile nodes. First item is the root node.
startTime: Profiling start timestamp in microseconds.
endTime: Profiling end timestamp in microseconds.
samples: Ids of samples top nodes.
timeDeltas: Time intervals between adjacent samples in microseconds. The first delta is relative to the
profile startTime.
"""
nodes: List['ProfileNode']
startTime: float
endTime: float
samples: List[int]
timeDeltas: List[int]
class ProfileNode(TypedDict, total=False):
"""
Profile node. Holds callsite information, execution statistics and child nodes.
Attributes:
id: Unique id of the node.
callFrame: Function location.
hitCount: Number of samples where this node was on top of the call stack.
children: Child node ids.
deoptReason: The reason of being not optimized. The function may be deoptimized or marked as don't
optimize.
positionTicks: An array of source position ticks.
"""
id: int
callFrame: 'CallFrame'
hitCount: int
children: List[int]
deoptReason: str
positionTicks: List['PositionTickInfo']
class PropertyDescriptor(TypedDict, total=False):
"""
Object property descriptor.
Attributes:
name: Property name or symbol description.
value: The value associated with the property.
writable: True if the value associated with the property may be changed (data descriptors only).
get: A function which serves as a getter for the property, or `undefined` if there is no getter
(accessor descriptors only).
set: A function which serves as a setter for the property, or `undefined` if there is no setter
(accessor descriptors only).
configurable: True if the type of this property descriptor may be changed and if the property may be
deleted from the corresponding object.
enumerable: True if this property shows up during enumeration of the properties on the corresponding
object.
wasThrown: True if the result was thrown during the evaluation.
isOwn: True if the property is owned for the object.
symbol: Property symbol object, if the property is of the `symbol` type.
"""
name: str
value: 'RemoteObject'
writable: bool
get: 'RemoteObject'
set: 'RemoteObject'
configurable: bool
enumerable: bool
wasThrown: bool
isOwn: bool
symbol: 'RemoteObject'
class PropertyPreview(TypedDict, total=False):
"""
Attributes:
name: Property name.
type: Object type. Accessor means that the property itself is an accessor property.
value: User-friendly property value string.
valuePreview: Nested value preview.
subtype: Object subtype hint. Specified for `object` type values only.
"""
name: str
type: Literal['object', 'function', 'undefined', 'string', 'number', 'boolean', 'symbol', 'accessor', 'bigint']
value: str
# actual: ObjectPreview
valuePreview: Dict[str, Union[Dict[str, Any], str, bool, int, float, List]]
subtype: Literal[
'array', 'null', 'node', 'regexp', 'date', 'map', 'set', 'weakmap', 'weakset', 'iterator', 'generator', 'error'
]
class PseudoElementMatches(TypedDict):
"""
CSS rule collection for a single pseudo style.
Attributes:
pseudoType: Pseudo element type.
matches: Matches of CSS rules applicable to the pseudo style.
"""
pseudoType: Literal[
'first-line',
'first-letter',
'before',
'after',
'backdrop',
'selection',
'first-line-inherited',
'scrollbar',
'scrollbar-thumb',
'scrollbar-button',
'scrollbar-track',
'scrollbar-track-piece',
'scrollbar-corner',
'resizer',
'input-list-button',
]
matches: List['RuleMatch']
class RGBA(TypedDict, total=False):
"""
A structure holding an RGBA color.
Attributes:
r: The red component, in the [0-255] range.
g: The green component, in the [0-255] range.
b: The blue component, in the [0-255] range.
a: The alpha component, in the [0-1] range (default: 1).
"""
r: int
g: int
b: int
a: float
class RareBooleanData(TypedDict):
index: List[int]
class RareIntegerData(TypedDict):
index: List[int]
value: List[int]
class RareStringData(TypedDict):
"""
Data that is only present on rare nodes.
"""
index: List[int]
value: List[int]
class Rect(TypedDict):
"""
Rectangle.
Attributes:
x: X coordinate
y: Y coordinate
width: Rectangle width
height: Rectangle height
"""
x: float
y: float
width: float
height: float
class RemoteLocation(TypedDict):
host: str
port: int
class RemoteObject(TypedDict, total=False):
"""
Mirror object referencing original JavaScript object.
Attributes:
type: Object type.
subtype: Object subtype hint. Specified for `object` type values only.
className: Object class (constructor) name. Specified for `object` type values only.
value: Remote object value in case of primitive values or JSON values (if it was requested).
unserializableValue: Primitive value which can not be JSON-stringified does not have `value`, but gets this
property.
description: String representation of the object.
objectId: Unique object identifier (for non-primitive values).
preview: Preview containing abbreviated property values. Specified for `object` type values only.
"""
type: Literal['object', 'function', 'undefined', 'string', 'number', 'boolean', 'symbol', 'bigint']
subtype: Literal[
'array',
'null',
'node',
'regexp',
'date',
'map',
'set',
'weakmap',
'weakset',
'iterator',
'generator',
'error',
'proxy',
'promise',
'typedarray',
'arraybuffer',
'dataview',
]
className: str
value: Any
unserializableValue: str
description: str
objectId: str
preview: 'ObjectPreview'
customPreview: 'CustomPreview'
class Request(TypedDict, total=False):
"""
HTTP request data.
Attributes:
url: Request URL (without fragment).
urlFragment: Fragment of the requested URL starting with hash, if present.
method: HTTP request method.
headers: HTTP request headers.
postData: HTTP POST request data.
hasPostData: True when the request has POST data. Note that postData might still be omitted when this flag is true when the data is too long.
mixedContentType: The mixed content type of the request.
initialPriority: Priority of the resource request at the time request is sent.
referrerPolicy: The referrer policy of the request, as defined in https://www.w3.org/TR/referrer-policy/
isLinkPreload: Whether is loaded via link preload.
"""
url: str
urlFragment: str
method: str
headers: Dict[str, str]
postData: str
hasPostData: bool
mixedContentType: Literal['blockable', 'optionally-blockable', 'none']
initialPriority: Literal['VeryLow', 'Low', 'Medium', 'High', 'VeryHigh']
referrerPolicy: Literal[
'unsafe-url',
'no-referrer-when-downgrade',
'no-referrer',
'origin',
'origin-when-cross-origin',
'same-origin',
'strict-origin',
'strict-origin-when-cross-origin',
]
isLinkPreload: bool
class RequestPattern(TypedDict, total=False):
"""
Attributes:
urlPattern: Wildcards ('*' -> zero or more, '?' -> exactly one) are allowed. Escape character is
backslash. Omitting is equivalent to "*".
resourceType: If set, only requests for matching resource types will be intercepted.
requestStage: Stage at wich to begin intercepting requests. Default is Request.
"""
urlPattern: str
resourceType: Literal[
'Document',
'Stylesheet',
'Image',
'Media',
'Font',
'Script',
'TextTrack',
'XHR',
'Fetch',
'EventSource',
'WebSocket',
'Manifest',
'SignedExchange',
'Ping',
'CSPViolationReport',
'Other',
]
requestStage: Literal['Request', 'Response']
class ResourceTiming(TypedDict):
"""
Timing information for the request.
Attributes:
requestTime: Timing's requestTime is a baseline in seconds, while the other numbers are ticks in
milliseconds relatively to this requestTime.
proxyStart: Started resolving proxy.
proxyEnd: Finished resolving proxy.
dnsStart: Started DNS address resolve.
dnsEnd: Finished DNS address resolve.
connectStart: Started connecting to the remote host.
connectEnd: Connected to the remote host.
sslStart: Started SSL handshake.
sslEnd: Finished SSL handshake.
workerStart: Started running ServiceWorker.
workerReady: Finished Starting ServiceWorker.
sendStart: Started sending request.
sendEnd: Finished sending request.
pushStart: Time the server started pushing request.
pushEnd: Time the server finished pushing request.
receiveHeadersEnd: Finished receiving response headers.
"""
requestTime: float
proxyStart: float
proxyEnd: float
dnsStart: float
dnsEnd: float
connectStart: float
connectEnd: float
sslStart: float
sslEnd: float
workerStart: float
workerReady: float
sendStart: float
sendEnd: float
pushStart: float
pushEnd: float
receiveHeadersEnd: float
class Response(TypedDict, total=False):
"""
HTTP response data.
Attributes:
url: Response URL. This URL can be different from CachedResource.url in case of redirect.
status: HTTP response status code.
statusText: HTTP response status text.
headers: HTTP response headers.
headersText: HTTP response headers text.
mimeType: Resource mimeType as determined by the browser.
requestHeaders: Refined HTTP request headers that were actually transmitted over the network.
requestHeadersText: HTTP request headers text.
connectionReused: Specifies whether physical connection was actually reused for this request.
connectionId: Physical connection id that was actually used for this request.
remoteIPAddress: Remote IP address.
remotePort: Remote port.
fromDiskCache: Specifies that the request was served from the disk cache.
fromServiceWorker: Specifies that the request was served from the ServiceWorker.
fromPrefetchCache: Specifies that the request was served from the prefetch cache.
encodedDataLength: Total number of bytes received for this request so far.
timing: Timing information for the given request.
protocol: Protocol used to fetch this request.
securityState: Security state of the request resource.
securityDetails: Security details for the request.
"""
url: str
status: int
statusText: str
headers: Dict[str, str]
headersText: str
mimeType: str
requestHeaders: Dict[str, str]
requestHeadersText: str
connectionReused: bool
connectionId: float
remoteIPAddress: str
remotePort: int
fromDiskCache: bool
fromServiceWorker: bool
fromPrefetchCache: bool
encodedDataLength: float
timing: 'ResourceTiming'
protocol: str
securityState: Literal['unknown', 'neutral', 'insecure', 'secure', 'info', 'insecure-broken']
securityDetails: 'SecurityDetails'
class RuleMatch(TypedDict):
"""
Match data for a CSS rule.
Attributes:
rule: CSS rule in the match.
matchingSelectors: Matching selector indices in the rule's selectorList selectors (0-based).
"""
rule: 'CSSRule'
matchingSelectors: List[int]
class RuleUsage(TypedDict):
"""
CSS coverage information.
Attributes:
styleSheetId: The css style sheet identifier (absent for user agent stylesheet and user-specified
stylesheet rules) this rule came from.
startOffset: Offset of the start of the rule (including selector) from the beginning of the stylesheet.
endOffset: Offset of the end of the rule body from the beginning of the stylesheet.
used: Indicates whether the rule was actually used by some element in the page.
"""
styleSheetId: str
startOffset: float
endOffset: float
used: bool
class SafetyTipInfo(TypedDict, total=False):
"""
Attributes:
safetyTipStatus: Describes whether the page triggers any safety tips or reputation warnings. Default is unknown.
safeUrl: The URL the safety tip suggested ("Did you mean?"). Only filled in for lookalike matches.
"""
safetyTipStatus: Literal['badReputation', 'lookalike']
safeUrl: str
class SamplingHeapProfile(TypedDict):
"""
Sampling profile.
"""
head: 'SamplingHeapProfileNode'
samples: List['SamplingHeapProfileSample']
class SamplingHeapProfileNode(TypedDict):
"""
Sampling Heap Profile node. Holds callsite information, allocation statistics and child nodes.
Attributes:
callFrame: Function location.
selfSize: Allocations size in bytes for the node excluding children.
id: Node id. Ids are unique across all profiles collected between startSampling and stopSampling.
children: Child nodes.
"""
callFrame: 'CallFrame'
selfSize: float
id: int
# actual: SamplingHeapProfileNode
children: Dict[str, Union[Dict[str, Any], str, bool, int, float, List]]
class SamplingHeapProfileSample(TypedDict):
"""
A single sample from a sampling profile.
Attributes:
size: Allocation size in bytes attributed to the sample.
nodeId: Id of the corresponding profile tree node.
ordinal: Time-ordered sample ordinal number. It is unique across all profiles retrieved
between startSampling and stopSampling.
"""
size: float
nodeId: int
ordinal: float
class SamplingProfile(TypedDict):
"""
Array of heap profile samples.
"""
samples: List['SamplingProfileNode']
modules: List['Module']
class SamplingProfileNode(TypedDict):
"""
Heap profile sample.
Attributes:
size: Size of the sampled allocation.
total: Total bytes attributed to this sample.
stack: Execution stack at the point of allocation.
"""
size: float
total: float
stack: List[str]
class Scope(TypedDict, total=False):
"""
Scope description.
Attributes:
type: Scope type.
object: Object representing the scope. For `global` and `with` scopes it represents the actual
object; for the rest of the scopes, it is artificial transient object enumerating scope
variables as its properties.
startLocation: Location in the source code where scope starts
endLocation: Location in the source code where scope ends
"""
type: Literal['global', 'local', 'with', 'closure', 'catch', 'block', 'script', 'eval', 'module']
object: 'RemoteObject'
name: str
startLocation: 'Location'
endLocation: 'Location'
class ScreenOrientation(TypedDict):
"""
Screen orientation.
Attributes:
type: Orientation type.
angle: Orientation angle.
"""
type: Literal['portraitPrimary', 'portraitSecondary', 'landscapePrimary', 'landscapeSecondary']
angle: int
class ScreencastFrameMetadata(TypedDict, total=False):
"""
Screencast frame metadata.
Attributes:
offsetTop: Top offset in DIP.
pageScaleFactor: Page scale factor.
deviceWidth: Device screen width in DIP.
deviceHeight: Device screen height in DIP.
scrollOffsetX: Position of horizontal scroll in CSS pixels.
scrollOffsetY: Position of vertical scroll in CSS pixels.
timestamp: Frame swap timestamp.
"""
offsetTop: float
pageScaleFactor: float
deviceWidth: float
deviceHeight: float
scrollOffsetX: float
scrollOffsetY: float
timestamp: float
class ScreenshotParams(TypedDict, total=False):
"""
Encoding options for a screenshot.
Attributes:
format: Image compression format (defaults to png).
quality: Compression quality from range [0..100] (jpeg only).
"""
format: Literal['jpeg', 'png']
quality: int
class ScriptCoverage(TypedDict):
"""
Coverage data for a JavaScript script.
Attributes:
scriptId: JavaScript script id.
url: JavaScript script name or url.
functions: Functions contained in the script that has coverage data.
"""
scriptId: str
url: str
functions: List['FunctionCoverage']
class ScriptPosition(TypedDict):
"""
Location in the source code.
"""
lineNumber: int
columnNumber: int
class ScriptTypeProfile(TypedDict):
"""
Type profile data collected during runtime for a JavaScript script.
Attributes:
scriptId: JavaScript script id.
url: JavaScript script name or url.
entries: Type profile entries for parameters and return values of the functions in the script.
"""
scriptId: str
url: str
entries: List['TypeProfileEntry']
class ScrollRect(TypedDict):
"""
Rectangle where scrolling happens on the main thread.
Attributes:
rect: Rectangle itself.
type: Reason for rectangle to force scrolling on the main thread
"""
rect: 'Rect'
type: Literal['RepaintsOnScroll', 'TouchEventHandler', 'WheelEventHandler']
class SearchMatch(TypedDict):
"""
Search match for resource.
Attributes:
lineNumber: Line number in resource content.
lineContent: Line with match content.
"""
lineNumber: float
lineContent: str
class SecurityDetails(TypedDict, total=False):
"""
Security details about a request.
Attributes:
protocol: Protocol name (e.g. "TLS 1.2" or "QUIC").
keyExchange: Key Exchange used by the connection, or the empty string if not applicable.
keyExchangeGroup: (EC)DH group used by the connection, if applicable.
cipher: Cipher name.
mac: TLS MAC. Note that AEAD ciphers do not have separate MACs.
certificateId: Certificate ID value.
subjectName: Certificate subject name.
sanList: Subject Alternative Name (SAN) DNS names and IP addresses.
issuer: Name of the issuing CA.
validFrom: Certificate valid from date.
validTo: Certificate valid to (expiration) date
signedCertificateTimestampList: List of signed certificate timestamps (SCTs).
certificateTransparencyCompliance: Whether the request complied with Certificate Transparency policy
"""
protocol: str
keyExchange: str
keyExchangeGroup: str
cipher: str
mac: str
certificateId: int
subjectName: str
sanList: List[str]
issuer: str
validFrom: float
validTo: float
signedCertificateTimestampList: List['SignedCertificateTimestamp']
certificateTransparencyCompliance: Literal['unknown', 'not-compliant', 'compliant']
class SecurityStateExplanation(TypedDict, total=False):
"""
An explanation of an factor contributing to the security state.
Attributes:
securityState: Security state representing the severity of the factor being explained.
title: Title describing the type of factor.
summary: Short phrase describing the type of factor.
description: Full text explanation of the factor.
mixedContentType: The type of mixed content described by the explanation.
certificate: Page certificate.
recommendations: Recommendations to fix any issues.
"""
securityState: Literal['unknown', 'neutral', 'insecure', 'secure', 'info', 'insecure-broken']
title: str
summary: str
description: str
mixedContentType: Literal['blockable', 'optionally-blockable', 'none']
certificate: List[str]
recommendations: List[str]
class SelectorList(TypedDict):
"""
Selector list data.
Attributes:
selectors: Selectors in the list.
text: Rule selector text.
"""
selectors: List['Value']
text: str
class ServiceWorkerErrorMessage(TypedDict):
"""
ServiceWorker error message.
"""
errorMessage: str
registrationId: str
versionId: str
sourceURL: str
lineNumber: int
columnNumber: int
class ServiceWorkerRegistration(TypedDict):
"""
ServiceWorker registration.
"""
registrationId: str
scopeURL: str
isDeleted: bool
class ServiceWorkerVersion(TypedDict, total=False):
"""
ServiceWorker version.
Attributes:
scriptLastModified: The Last-Modified header value of the main script.
scriptResponseTime: The time at which the response headers of the main script were received from the server.
For cached script it is the last time the cache entry was validated.
"""
versionId: str
registrationId: str
scriptURL: str
runningStatus: Literal['stopped', 'starting', 'running', 'stopping']
status: Literal['new', 'installing', 'installed', 'activating', 'activated', 'redundant']
scriptLastModified: float
scriptResponseTime: float
controlledClients: List[str]
targetId: str
class ShapeOutsideInfo(TypedDict):
"""
CSS Shape Outside details.
Attributes:
bounds: Shape bounds
shape: Shape coordinate details
marginShape: Margin shape bounds
"""
bounds: List[float]
shape: List[Any]
marginShape: List[Any]
class ShorthandEntry(TypedDict, total=False):
"""
Attributes:
name: Shorthand name.
value: Shorthand value.
important: Whether the property has "!important" annotation (implies `false` if absent).
"""
name: str
value: str
important: bool
class SignedCertificateTimestamp(TypedDict):
"""
Details of a signed certificate timestamp (SCT).
Attributes:
status: Validation status.
origin: Origin.
logDescription: Log name / description.
logId: Log ID.
timestamp: Issuance date.
hashAlgorithm: Hash algorithm.
signatureAlgorithm: Signature algorithm.
signatureData: Signature data.
"""
status: str
origin: str
logDescription: str
logId: str
timestamp: float
hashAlgorithm: str
signatureAlgorithm: str
signatureData: str
class SignedExchangeError(TypedDict, total=False):
"""
Information about a signed exchange response.
Attributes:
message: Error message.
signatureIndex: The index of the signature which caused the error.
errorField: The field which caused the error.
"""
message: str
signatureIndex: int
errorField: Literal[
'signatureSig',
'signatureIntegrity',
'signatureCertUrl',
'signatureCertSha256',
'signatureValidityUrl',
'signatureTimestamps',
]
class SignedExchangeHeader(TypedDict):
"""
Information about a signed exchange header.
https://wicg.github.io/webpackage/draft-yasskin-httpbis-origin-signed-exchanges-impl.html#cbor-representation
Attributes:
requestUrl: Signed exchange request URL.
responseCode: Signed exchange response code.
responseHeaders: Signed exchange response headers.
signatures: Signed exchange response signature.
headerIntegrity: Signed exchange header integrity hash in the form of "sha256-<base64-hash-value>".
"""
requestUrl: str
responseCode: int
responseHeaders: Dict[str, str]
signatures: List['SignedExchangeSignature']
headerIntegrity: str
class SignedExchangeInfo(TypedDict, total=False):
"""
Information about a signed exchange response.
Attributes:
outerResponse: The outer response of signed HTTP exchange which was received from network.
header: Information about the signed exchange header.
securityDetails: Security details for the signed exchange header.
errors: Errors occurred while handling the signed exchagne.
"""
outerResponse: 'Response'
header: 'SignedExchangeHeader'
securityDetails: 'SecurityDetails'
errors: List['SignedExchangeError']
class SignedExchangeSignature(TypedDict, total=False):
"""
Information about a signed exchange signature.
https://wicg.github.io/webpackage/draft-yasskin-httpbis-origin-signed-exchanges-impl.html#rfc.section.3.1
Attributes:
label: Signed exchange signature label.
signature: The hex string of signed exchange signature.
integrity: Signed exchange signature integrity.
certUrl: Signed exchange signature cert Url.
certSha256: The hex string of signed exchange signature cert sha256.
validityUrl: Signed exchange signature validity Url.
date: Signed exchange signature date.
expires: Signed exchange signature expires.
certificates: The encoded certificates.
"""
label: str
signature: str
integrity: str
certUrl: str
certSha256: str
validityUrl: str
date: int
expires: int
certificates: List[str]
class Sink(TypedDict, total=False):
"""
Attributes:
session: Text describing the current session. Present only if there is an active
session on the sink.
"""
name: str
id: str
session: str
class Size(TypedDict):
"""
Describes the width and height dimensions of an entity.
Attributes:
width: Width in pixels.
height: Height in pixels.
"""
width: int
height: int
class SourceRange(TypedDict):
"""
Text range within a resource. All numbers are zero-based.
Attributes:
startLine: Start line of range.
startColumn: Start column of range (inclusive).
endLine: End line of range
endColumn: End column of range (exclusive).
"""
startLine: int
startColumn: int
endLine: int
endColumn: int
class StackTrace(TypedDict, total=False):
"""
Call frames for assertions or error messages.
Attributes:
description: String label of this stack trace. For async traces this may be a name of the function that
initiated the async call.
callFrames: JavaScript function name.
parent: Asynchronous JavaScript stack trace that preceded this stack, if available.
parentId: Asynchronous JavaScript stack trace that preceded this stack, if available.
"""
description: str
callFrames: List['CallFrame']
# actual: StackTrace
parent: Dict[str, Union[Dict[str, Any], str, bool, int, float, List]]
parentId: 'StackTraceId'
class StackTraceId(TypedDict, total=False):
"""
If `debuggerId` is set stack trace comes from another debugger and can be resolved there. This
allows to track cross-debugger calls. See `Runtime.StackTrace` and `Debugger.paused` for usages.
"""
id: str
debuggerId: str
class StickyPositionConstraint(TypedDict, total=False):
"""
Sticky position constraints.
Attributes:
stickyBoxRect: Layout rectangle of the sticky element before being shifted
containingBlockRect: Layout rectangle of the containing block of the sticky element
nearestLayerShiftingStickyBox: The nearest sticky layer that shifts the sticky box
nearestLayerShiftingContainingBlock: The nearest sticky layer that shifts the containing block
"""
stickyBoxRect: 'Rect'
containingBlockRect: 'Rect'
nearestLayerShiftingStickyBox: str
nearestLayerShiftingContainingBlock: str
class StorageId(TypedDict):
"""
DOM Storage identifier.
Attributes:
securityOrigin: Security origin for the storage.
isLocalStorage: Whether the storage is local storage (not session storage).
"""
securityOrigin: str
isLocalStorage: bool
class StyleDeclarationEdit(TypedDict):
"""
A descriptor of operation to mutate style declaration text.
Attributes:
styleSheetId: The css style sheet identifier.
range: The range of the style text in the enclosing stylesheet.
text: New style text.
"""
styleSheetId: str
range: 'SourceRange'
text: str
class TargetInfo(TypedDict, total=False):
"""
Attributes:
attached: Whether the target has an attached client.
openerId: Opener target Id
"""
targetId: str
type: str
title: str
url: str
attached: bool
openerId: str
browserContextId: str
class TextBoxSnapshot(TypedDict):
"""
Table of details of the post layout rendered text positions. The exact layout should not be regarded as
stable and may change between versions.
Attributes:
layoutIndex: Index of the layout tree node that owns this box collection.
bounds: The absolute position bounding box.
start: The starting index in characters, for this post layout textbox substring. Characters that
would be represented as a surrogate pair in UTF-16 have length 2.
length: The number of characters in this post layout textbox substring. Characters that would be
represented as a surrogate pair in UTF-16 have length 2.
"""
layoutIndex: List[int]
bounds: List[List[float]]
start: List[int]
length: List[int]
class TouchPoint(TypedDict, total=False):
"""
Attributes:
x: X coordinate of the event relative to the main frame's viewport in CSS pixels.
y: Y coordinate of the event relative to the main frame's viewport in CSS pixels. 0 refers to
the top of the viewport and Y increases as it proceeds towards the bottom of the viewport.
radiusX: X radius of the touch area (default: 1.0).
radiusY: Y radius of the touch area (default: 1.0).
rotationAngle: Rotation angle (default: 0.0).
force: Force (default: 1.0).
id: Identifier used to track touch sources between events, must be unique within an event.
"""
x: float
y: float
radiusX: float
radiusY: float
rotationAngle: float
force: float
id: float
class TraceConfig(TypedDict, total=False):
"""
Attributes:
recordMode: Controls how the trace buffer stores data.
enableSampling: Turns on JavaScript stack sampling.
enableSystrace: Turns on system tracing.
enableArgumentFilter: Turns on argument filter.
includedCategories: Included category filters.
excludedCategories: Excluded category filters.
syntheticDelays: Configuration to synthesize the delays in tracing.
memoryDumpConfig: Configuration for memory dump triggers. Used only when "memory-infra" category is enabled.
"""
recordMode: Literal['recordUntilFull', 'recordContinuously', 'recordAsMuchAsPossible', 'echoToConsole']
enableSampling: bool
enableSystrace: bool
enableArgumentFilter: bool
includedCategories: List[str]
excludedCategories: List[str]
syntheticDelays: List[str]
memoryDumpConfig: Dict[str, str]
class TypeObject(TypedDict):
"""
Describes a type collected during runtime.
Attributes:
name: Name of a type collected with type profiling.
"""
name: str
class TypeProfileEntry(TypedDict):
"""
Source offset and types for a parameter or return value.
Attributes:
offset: Source offset of the parameter or end of function for return values.
types: The types for this parameter or return value.
"""
offset: int
types: List['TypeObject']
class UsageForType(TypedDict):
"""
Usage for a storage type.
Attributes:
storageType: Name of storage type.
usage: Storage usage (bytes).
"""
storageType: Literal[
'appcache',
'cookies',
'file_systems',
'indexeddb',
'local_storage',
'shader_cache',
'websql',
'service_workers',
'cache_storage',
'all',
'other',
]
usage: float
class Value(TypedDict, total=False):
"""
Data for a simple selector (these are delimited by commas in a selector list).
Attributes:
text: Value text.
range: Value range in the underlying resource (if available).
"""
text: str
range: 'SourceRange'
class VideoDecodeAcceleratorCapability(TypedDict):
"""
Describes a supported video decoding profile with its associated minimum and
maximum resolutions.
Attributes:
profile: Video codec profile that is supported, e.g. VP9 Profile 2.
maxResolution: Maximum video dimensions in pixels supported for this |profile|.
minResolution: Minimum video dimensions in pixels supported for this |profile|.
"""
profile: str
maxResolution: 'Size'
minResolution: 'Size'
class VideoEncodeAcceleratorCapability(TypedDict):
"""
Describes a supported video encoding profile with its associated maximum
resolution and maximum framerate.
Attributes:
profile: Video codec profile that is supported, e.g H264 Main.
maxResolution: Maximum video dimensions in pixels supported for this |profile|.
maxFramerateNumerator: Maximum encoding framerate in frames per second supported for this
|profile|, as fraction's numerator and denominator, e.g. 24/1 fps,
24000/1001 fps, etc.
"""
profile: str
maxResolution: 'Size'
maxFramerateNumerator: int
maxFramerateDenominator: int
class Viewport(TypedDict):
"""
Viewport for capturing screenshot.
Attributes:
x: X offset in device independent pixels (dip).
y: Y offset in device independent pixels (dip).
width: Rectangle width in device independent pixels (dip).
height: Rectangle height in device independent pixels (dip).
scale: Page scale factor.
"""
x: float
y: float
width: float
height: float
scale: float
class ViolationSetting(TypedDict):
"""
Violation configuration setting.
Attributes:
name: Violation type.
threshold: Time threshold to trigger upon.
"""
name: Literal[
'longTask', 'longLayout', 'blockedEvent', 'blockedParser', 'discouragedAPIUse', 'handler', 'recurringHandler'
]
threshold: float
class VirtualAuthenticatorOptions(TypedDict, total=False):
"""
Attributes:
hasResidentKey: Defaults to false.
hasUserVerification: Defaults to false.
automaticPresenceSimulation: If set to true, tests of user presence will succeed immediately.
Otherwise, they will not be resolved. Defaults to true.
isUserVerified: Sets whether User Verification succeeds or fails for an authenticator.
Defaults to false.
"""
protocol: Literal['u2f', 'ctap2']
transport: Literal['usb', 'nfc', 'ble', 'cable', 'internal']
hasResidentKey: bool
hasUserVerification: bool
automaticPresenceSimulation: bool
isUserVerified: bool
class VisibleSecurityState(TypedDict, total=False):
"""
Security state information about the page.
Attributes:
securityState: The security level of the page.
certificateSecurityState: Security state details about the page certificate.
safetyTipInfo: The type of Safety Tip triggered on the page. Note that this field will be set even if the Safety Tip UI was not actually shown.
securityStateIssueIds: Array of security state issues ids.
"""
securityState: Literal['unknown', 'neutral', 'insecure', 'secure', 'info', 'insecure-broken']
certificateSecurityState: 'CertificateSecurityState'
safetyTipInfo: 'SafetyTipInfo'
securityStateIssueIds: List[str]
class VisualViewport(TypedDict, total=False):
"""
Visual viewport position, dimensions, and scale.
Attributes:
offsetX: Horizontal offset relative to the layout viewport (CSS pixels).
offsetY: Vertical offset relative to the layout viewport (CSS pixels).
pageX: Horizontal offset relative to the document (CSS pixels).
pageY: Vertical offset relative to the document (CSS pixels).
clientWidth: Width (CSS pixels), excludes scrollbar if present.
clientHeight: Height (CSS pixels), excludes scrollbar if present.
scale: Scale relative to the ideal viewport (size at width=device-width).
zoom: Page zoom factor (CSS to device independent pixels ratio).
"""
offsetX: float
offsetY: float
pageX: float
pageY: float
clientWidth: float
clientHeight: float
scale: float
zoom: float
class WebSocketFrame(TypedDict):
"""
WebSocket message data. This represents an entire WebSocket message, not just a fragmented frame as the name suggests.
Attributes:
opcode: WebSocket message opcode.
mask: WebSocket message mask.
payloadData: WebSocket message payload data.
If the opcode is 1, this is a text message and payloadData is a UTF-8 string.
If the opcode isn't 1, then payloadData is a base64 encoded string representing binary data.
"""
opcode: float
mask: bool
payloadData: str
class WebSocketRequest(TypedDict):
"""
WebSocket request data.
Attributes:
headers: HTTP request headers.
"""
headers: Dict[str, str]
class WebSocketResponse(TypedDict, total=False):
"""
WebSocket response data.
Attributes:
status: HTTP response status code.
statusText: HTTP response status text.
headers: HTTP response headers.
headersText: HTTP response headers text.
requestHeaders: HTTP request headers.
requestHeadersText: HTTP request headers text.
"""
status: int
statusText: str
headers: Dict[str, str]
headersText: str
requestHeaders: Dict[str, str]
requestHeadersText: str
class acceptedPayload(TypedDict):
"""
Informs that port was successfully bound and got a specified connection id.
Attributes:
port: Port number that was successfully bound.
connectionId: Connection id to be used.
"""
port: int
connectionId: str
class addDatabasePayload(TypedDict):
database: 'Database'
class addHeapSnapshotChunkPayload(TypedDict):
chunk: str
class addRuleReturnValues(TypedDict):
"""
Inserts a new rule with the given `ruleText` in a stylesheet with given `styleSheetId`, at the
position specified by `location`.
Attributes:
rule: The newly created rule.
"""
rule: 'CSSRule'
class addScriptToEvaluateOnLoadReturnValues(TypedDict):
"""
Deprecated, please use addScriptToEvaluateOnNewDocument instead.
Attributes:
identifier: Identifier of the added script.
"""
identifier: str
class addScriptToEvaluateOnNewDocumentReturnValues(TypedDict):
"""
Evaluates given script in every frame upon creation (before loading frame's scripts).
Attributes:
identifier: Identifier of the added script.
"""
identifier: str
class addVirtualAuthenticatorReturnValues(TypedDict):
"""
Creates and adds a virtual authenticator.
"""
authenticatorId: str
class animationCanceledPayload(TypedDict):
"""
Event for when an animation has been cancelled.
Attributes:
id: Id of the animation that was cancelled.
"""
id: str
class animationCreatedPayload(TypedDict):
"""
Event for each animation that has been created.
Attributes:
id: Id of the animation that was created.
"""
id: str
class animationStartedPayload(TypedDict):
"""
Event for animation that has been started.
Attributes:
animation: Animation that was started.
"""
animation: 'Animation'
class applicationCacheStatusUpdatedPayload(TypedDict):
"""
Attributes:
frameId: Identifier of the frame containing document whose application cache updated status.
manifestURL: Manifest URL.
status: Updated application cache status.
"""
frameId: str
manifestURL: str
status: int
class attachToBrowserTargetReturnValues(TypedDict):
"""
Attaches to the browser target, only uses flat sessionId mode.
Attributes:
sessionId: Id assigned to the session.
"""
sessionId: str
class attachToTargetReturnValues(TypedDict):
"""
Attaches to the target with given id.
Attributes:
sessionId: Id assigned to the session.
"""
sessionId: str
class attachedToTargetPayload(TypedDict):
"""
Issued when attached to target because of auto-attach or `attachToTarget` command.
Attributes:
sessionId: Identifier assigned to the session used to send/receive messages.
"""
sessionId: str
targetInfo: 'TargetInfo'
waitingForDebugger: bool
class attributeModifiedPayload(TypedDict):
"""
Fired when `Element`'s attribute is modified.
Attributes:
nodeId: Id of the node that has changed.
name: Attribute name.
value: Attribute value.
"""
nodeId: int
name: str
value: str
class attributeRemovedPayload(TypedDict):
"""
Fired when `Element`'s attribute is removed.
Attributes:
nodeId: Id of the node that has changed.
name: A ttribute name.
"""
nodeId: int
name: str
class audioListenerCreatedPayload(TypedDict):
"""
Notifies that the construction of an AudioListener has finished.
"""
listener: 'AudioListener'
class audioListenerWillBeDestroyedPayload(TypedDict):
"""
Notifies that a new AudioListener has been created.
"""
contextId: str
listenerId: str
class audioNodeCreatedPayload(TypedDict):
"""
Notifies that a new AudioNode has been created.
"""
node: 'AudioNode'
class audioNodeWillBeDestroyedPayload(TypedDict):
"""
Notifies that an existing AudioNode has been destroyed.
"""
contextId: str
nodeId: str
class audioParamCreatedPayload(TypedDict):
"""
Notifies that a new AudioParam has been created.
"""
param: 'AudioParam'
class audioParamWillBeDestroyedPayload(TypedDict):
"""
Notifies that an existing AudioParam has been destroyed.
"""
contextId: str
nodeId: str
paramId: str
class authRequiredPayload(TypedDict):
"""
Issued when the domain is enabled with handleAuthRequests set to true.
The request is paused until client responds with continueWithAuth.
Attributes:
requestId: Each request the page makes will have a unique id.
request: The details of the request.
frameId: The id of the frame that initiated the request.
resourceType: How the requested resource will be used.
authChallenge: Details of the Authorization Challenge encountered.
If this is set, client should respond with continueRequest that
contains AuthChallengeResponse.
"""
requestId: str
request: 'Request'
frameId: str
resourceType: Literal[
'Document',
'Stylesheet',
'Image',
'Media',
'Font',
'Script',
'TextTrack',
'XHR',
'Fetch',
'EventSource',
'WebSocket',
'Manifest',
'SignedExchange',
'Ping',
'CSPViolationReport',
'Other',
]
authChallenge: 'AuthChallenge'
class awaitPromiseReturnValues(TypedDict, total=False):
"""
Add handler to promise with given promise object id.
Attributes:
result: Promise result. Will contain rejected value if promise was rejected.
exceptionDetails: Exception details if stack strace is available.
"""
result: 'RemoteObject'
exceptionDetails: 'ExceptionDetails'
class backgroundServiceEventReceivedPayload(TypedDict):
"""
Called with all existing backgroundServiceEvents when enabled, and all new
events afterwards if enabled and recording.
"""
backgroundServiceEvent: 'BackgroundServiceEvent'
class beginFrameReturnValues(TypedDict, total=False):
"""
Sends a BeginFrame to the target and returns when the frame was completed. Optionally captures a
screenshot from the resulting frame. Requires that the target was created with enabled
BeginFrameControl. Designed for use with --run-all-compositor-stages-before-draw, see also
https://goo.gl/3zHXhB for more background.
Attributes:
hasDamage: Whether the BeginFrame resulted in damage and, thus, a new frame was committed to the
display. Reported for diagnostic uses, may be removed in the future.
screenshotData: Base64-encoded image data of the screenshot, if one was requested and successfully taken.
"""
hasDamage: bool
screenshotData: bytes
class bindingCalledPayload(TypedDict):
"""
Notification is issued every time when binding is called.
Attributes:
executionContextId: Identifier of the context where the call was made.
"""
name: str
payload: str
executionContextId: int
class breakpointResolvedPayload(TypedDict):
"""
Fired when breakpoint is resolved to an actual script and location.
Attributes:
breakpointId: Breakpoint unique identifier.
location: Actual breakpoint location.
"""
breakpointId: str
location: 'Location'
class bufferUsagePayload(TypedDict, total=False):
"""
Attributes:
percentFull: A number in range [0..1] that indicates the used size of event buffer as a fraction of its
total size.
eventCount: An approximate number of events in the trace log.
value: A number in range [0..1] that indicates the used size of event buffer as a fraction of its
total size.
"""
percentFull: float
eventCount: float
value: float
class cacheStorageContentUpdatedPayload(TypedDict):
"""
A cache's contents have been modified.
Attributes:
origin: Origin to update.
cacheName: Name of cache in origin.
"""
origin: str
cacheName: str
class cacheStorageListUpdatedPayload(TypedDict):
"""
A cache has been added/deleted.
Attributes:
origin: Origin to update.
"""
origin: str
class callFunctionOnReturnValues(TypedDict, total=False):
"""
Calls function with given declaration on the given object. Object group of the result is
inherited from the target object.
Attributes:
result: Call result.
exceptionDetails: Exception details.
"""
result: 'RemoteObject'
exceptionDetails: 'ExceptionDetails'
class canClearBrowserCacheReturnValues(TypedDict):
"""
Tells whether clearing browser cache is supported.
Attributes:
result: True if browser cache can be cleared.
"""
result: bool
class canClearBrowserCookiesReturnValues(TypedDict):
"""
Tells whether clearing browser cookies is supported.
Attributes:
result: True if browser cookies can be cleared.
"""
result: bool
class canEmulateNetworkConditionsReturnValues(TypedDict):
"""
Tells whether emulation of network conditions is supported.
Attributes:
result: True if emulation of network conditions is supported.
"""
result: bool
class canEmulateReturnValues(TypedDict):
"""
Tells whether emulation is supported.
Attributes:
result: True if emulation is supported.
"""
result: bool
class captureScreenshotReturnValues(TypedDict):
"""
Capture page screenshot.
Attributes:
data: Base64-encoded image data.
"""
data: bytes
class captureSnapshotReturnValues(TypedDict):
"""
Returns a snapshot of the page as a string. For MHTML format, the serialization includes
iframes, shadow DOM, external resources, and element-inline styles.
Attributes:
data: Serialized page data.
"""
data: str
class certificateErrorPayload(TypedDict):
"""
There is a certificate error. If overriding certificate errors is enabled, then it should be
handled with the `handleCertificateError` command. Note: this event does not fire if the
certificate error has been allowed internally. Only one client per target should override
certificate errors at the same time.
Attributes:
eventId: The ID of the event.
errorType: The type of the error.
requestURL: The url that was requested.
"""
eventId: int
errorType: str
requestURL: str
class characterDataModifiedPayload(TypedDict):
"""
Mirrors `DOMCharacterDataModified` event.
Attributes:
nodeId: Id of the node that has changed.
characterData: New text value.
"""
nodeId: int
characterData: str
class childNodeCountUpdatedPayload(TypedDict):
"""
Fired when `Container`'s child node count has changed.
Attributes:
nodeId: Id of the node that has changed.
childNodeCount: New node count.
"""
nodeId: int
childNodeCount: int
class childNodeInsertedPayload(TypedDict):
"""
Mirrors `DOMNodeInserted` event.
Attributes:
parentNodeId: Id of the node that has changed.
previousNodeId: If of the previous siblint.
node: Inserted node data.
"""
parentNodeId: int
previousNodeId: int
node: 'Node'
class childNodeRemovedPayload(TypedDict):
"""
Mirrors `DOMNodeRemoved` event.
Attributes:
parentNodeId: Parent id.
nodeId: Id of the node that has been removed.
"""
parentNodeId: int
nodeId: int
class closeTargetReturnValues(TypedDict):
"""
Closes the target. If the target is a page that gets closed too.
"""
success: bool
class collectClassNamesFromSubtreeReturnValues(TypedDict):
"""
Collects class names for the node with given id and all of it's child nodes.
Attributes:
classNames: Class name list.
"""
classNames: List[str]
class collectClassNamesReturnValues(TypedDict):
"""
Returns all class names from specified stylesheet.
Attributes:
classNames: Class name list.
"""
classNames: List[str]
class compilationCacheProducedPayload(TypedDict):
"""
Issued for every compilation cache generated. Is only available
if Page.setGenerateCompilationCache is enabled.
Attributes:
data: Base64-encoded data
"""
url: str
data: bytes
class compileScriptReturnValues(TypedDict, total=False):
"""
Compiles expression.
Attributes:
scriptId: Id of the script.
exceptionDetails: Exception details.
"""
scriptId: str
exceptionDetails: 'ExceptionDetails'
class compositingReasonsReturnValues(TypedDict):
"""
Provides the reasons why the given layer was composited.
Attributes:
compositingReasons: A list of strings specifying reasons for the given layer to become composited.
"""
compositingReasons: List[str]
class consoleAPICalledPayload(TypedDict, total=False):
"""
Issued when console API was called.
Attributes:
type: Type of the call.
args: Call arguments.
executionContextId: Identifier of the context where the call was made.
timestamp: Call timestamp.
stackTrace: Stack trace captured when the call was made. The async stack chain is automatically reported for
the following call types: `assert`, `error`, `trace`, `warning`. For other types the async call
chain can be retrieved using `Debugger.getStackTrace` and `stackTrace.parentId` field.
context: Console context descriptor for calls on non-default console context (not console.*):
'anonymous#unique-logger-id' for call on unnamed context, 'name#unique-logger-id' for call
on named context.
"""
type: Literal[
'log',
'debug',
'info',
'error',
'warning',
'dir',
'dirxml',
'table',
'trace',
'clear',
'startGroup',
'startGroupCollapsed',
'endGroup',
'assert',
'profile',
'profileEnd',
'count',
'timeEnd',
]
args: List['RemoteObject']
executionContextId: int
timestamp: float
stackTrace: 'StackTrace'
context: str
class consoleProfileFinishedPayload(TypedDict, total=False):
"""
Attributes:
location: Location of console.profileEnd().
title: Profile title passed as an argument to console.profile().
"""
id: str
location: 'Location'
profile: 'Profile'
title: str
class consoleProfileStartedPayload(TypedDict, total=False):
"""
Sent when new profile recording is started using console.profile() call.
Attributes:
location: Location of console.profile().
title: Profile title passed as an argument to console.profile().
"""
id: str
location: 'Location'
title: str
class contextChangedPayload(TypedDict):
"""
Notifies that existing BaseAudioContext has changed some properties (id stays the same)..
"""
context: 'BaseAudioContext'
class contextCreatedPayload(TypedDict):
"""
Notifies that a new BaseAudioContext has been created.
"""
context: 'BaseAudioContext'
class contextWillBeDestroyedPayload(TypedDict):
"""
Notifies that an existing BaseAudioContext will be destroyed.
"""
contextId: str
class copyToReturnValues(TypedDict):
"""
Creates a deep copy of the specified node and places it into the target container before the
given anchor.
Attributes:
nodeId: Id of the node clone.
"""
nodeId: int
class createBrowserContextReturnValues(TypedDict):
"""
Creates a new empty BrowserContext. Similar to an incognito profile but you can have more than
one.
Attributes:
browserContextId: The id of the context created.
"""
browserContextId: str
class createIsolatedWorldReturnValues(TypedDict):
"""
Creates an isolated world for the given frame.
Attributes:
executionContextId: Execution context of the isolated world.
"""
executionContextId: int
class createStyleSheetReturnValues(TypedDict):
"""
Creates a new special "via-inspector" stylesheet in the frame with given `frameId`.
Attributes:
styleSheetId: Identifier of the created "via-inspector" stylesheet.
"""
styleSheetId: str
class createTargetReturnValues(TypedDict):
"""
Creates a new page.
Attributes:
targetId: The id of the page opened.
"""
targetId: str
class dataCollectedPayload(TypedDict):
"""
Contains an bucket of collected trace events. When tracing is stopped collected events will be
send as a sequence of dataCollected events followed by tracingComplete event.
"""
value: List[Dict[str, str]]
class dataReceivedPayload(TypedDict):
"""
Fired when data chunk was received over the network.
Attributes:
requestId: Request identifier.
timestamp: Timestamp.
dataLength: Data chunk length.
encodedDataLength: Actual bytes received (might be less than dataLength for compressed encodings).
"""
requestId: str
timestamp: float
dataLength: int
encodedDataLength: int
class describeNodeReturnValues(TypedDict):
"""
Describes node given its id, does not require domain to be enabled. Does not start tracking any
objects, can be used for automation.
Attributes:
node: Node description.
"""
node: 'Node'
class detachedFromTargetPayload(TypedDict, total=False):
"""
Issued when detached from target for any reason (including `detachFromTarget` command). Can be
issued multiple times per target if multiple sessions have been attached to it.
Attributes:
sessionId: Detached session identifier.
targetId: Deprecated.
"""
sessionId: str
targetId: str
class detachedPayload(TypedDict):
"""
Fired when remote debugging connection is about to be terminated. Contains detach reason.
Attributes:
reason: The reason why connection has been terminated.
"""
reason: str
class distributedNodesUpdatedPayload(TypedDict):
"""
Called when distrubution is changed.
Attributes:
insertionPointId: Insertion point where distrubuted nodes were updated.
distributedNodes: Distributed nodes for given insertion point.
"""
insertionPointId: int
distributedNodes: List['BackendNode']
class domContentEventFiredPayload(TypedDict):
timestamp: float
class domStorageItemAddedPayload(TypedDict):
storageId: 'StorageId'
key: str
newValue: str
class domStorageItemRemovedPayload(TypedDict):
storageId: 'StorageId'
key: str
class domStorageItemUpdatedPayload(TypedDict):
storageId: 'StorageId'
key: str
oldValue: str
newValue: str
class domStorageItemsClearedPayload(TypedDict):
storageId: 'StorageId'
class downloadWillBeginPayload(TypedDict):
"""
Fired when page is about to start a download.
Attributes:
frameId: Id of the frame that caused download to begin.
url: URL of the resource being downloaded.
"""
frameId: str
url: str
class enableReturnValues(TypedDict):
"""
Enables debugger for the given page. Clients should not assume that the debugging has been
enabled until the result for this command is received.
Attributes:
debuggerId: Unique identifier of the debugger.
"""
debuggerId: str
class entryAddedPayload(TypedDict):
"""
Issued when new message was logged.
Attributes:
entry: The entry.
"""
entry: 'LogEntry'
class evaluateOnCallFrameReturnValues(TypedDict, total=False):
"""
Evaluates expression on a given call frame.
Attributes:
result: Object wrapper for the evaluation result.
exceptionDetails: Exception details.
"""
result: 'RemoteObject'
exceptionDetails: 'ExceptionDetails'
class evaluateReturnValues(TypedDict, total=False):
"""
Evaluates expression on global object.
Attributes:
result: Evaluation result.
exceptionDetails: Exception details.
"""
result: 'RemoteObject'
exceptionDetails: 'ExceptionDetails'
class eventSourceMessageReceivedPayload(TypedDict):
"""
Fired when EventSource message is received.
Attributes:
requestId: Request identifier.
timestamp: Timestamp.
eventName: Message type.
eventId: Message identifier.
data: Message content.
"""
requestId: str
timestamp: float
eventName: str
eventId: str
data: str
class exceptionRevokedPayload(TypedDict):
"""
Issued when unhandled exception was revoked.
Attributes:
reason: Reason describing why exception was revoked.
exceptionId: The id of revoked exception, as reported in `exceptionThrown`.
"""
reason: str
exceptionId: int
class exceptionThrownPayload(TypedDict):
"""
Issued when exception was thrown and unhandled.
Attributes:
timestamp: Timestamp of the exception.
"""
timestamp: float
exceptionDetails: 'ExceptionDetails'
class executeSQLReturnValues(TypedDict, total=False):
columnNames: List[str]
values: List[Any]
sqlError: 'Error'
class executionContextCreatedPayload(TypedDict):
"""
Issued when new execution context is created.
Attributes:
context: A newly created execution context.
"""
context: 'ExecutionContextDescription'
class executionContextDestroyedPayload(TypedDict):
"""
Issued when execution context is destroyed.
Attributes:
executionContextId: Id of the destroyed context
"""
executionContextId: int
class fileChooserOpenedPayload(TypedDict):
"""
Emitted only when `page.interceptFileChooser` is enabled.
Attributes:
frameId: Id of the frame containing input node.
backendNodeId: Input node id.
mode: Input mode.
"""
frameId: str
backendNodeId: int
mode: Literal['selectSingle', 'selectMultiple']
class fontsUpdatedPayload(TypedDict, total=False):
"""
Fires whenever a web font is updated. A non-empty font parameter indicates a successfully loaded
web font
Attributes:
font: The web font that has loaded.
"""
font: 'FontFace'
class frameAttachedPayload(TypedDict, total=False):
"""
Fired when frame has been attached to its parent.
Attributes:
frameId: Id of the frame that has been attached.
parentFrameId: Parent frame identifier.
stack: JavaScript stack trace of when frame was attached, only set if frame initiated from script.
"""
frameId: str
parentFrameId: str
stack: 'StackTrace'
class frameClearedScheduledNavigationPayload(TypedDict):
"""
Fired when frame no longer has a scheduled navigation.
Attributes:
frameId: Id of the frame that has cleared its scheduled navigation.
"""
frameId: str
class frameDetachedPayload(TypedDict):
"""
Fired when frame has been detached from its parent.
Attributes:
frameId: Id of the frame that has been detached.
"""
frameId: str
class frameNavigatedPayload(TypedDict):
"""
Fired once navigation of the frame has completed. Frame is now associated with the new loader.
Attributes:
frame: Frame object.
"""
frame: 'Frame'
class frameRequestedNavigationPayload(TypedDict):
"""
Fired when a renderer-initiated navigation is requested.
Navigation may still be cancelled after the event is issued.
Attributes:
frameId: Id of the frame that is being navigated.
reason: The reason for the navigation.
url: The destination URL for the requested navigation.
"""
frameId: str
reason: Literal[
'formSubmissionGet',
'formSubmissionPost',
'httpHeaderRefresh',
'scriptInitiated',
'metaTagRefresh',
'pageBlockInterstitial',
'reload',
]
url: str
class frameScheduledNavigationPayload(TypedDict):
"""
Fired when frame schedules a potential navigation.
Attributes:
frameId: Id of the frame that has scheduled a navigation.
delay: Delay (in seconds) until the navigation is scheduled to begin. The navigation is not
guaranteed to start.
reason: The reason for the navigation.
url: The destination URL for the scheduled navigation.
"""
frameId: str
delay: float
reason: Literal[
'formSubmissionGet',
'formSubmissionPost',
'httpHeaderRefresh',
'scriptInitiated',
'metaTagRefresh',
'pageBlockInterstitial',
'reload',
]
url: str
class frameStartedLoadingPayload(TypedDict):
"""
Fired when frame has started loading.
Attributes:
frameId: Id of the frame that has started loading.
"""
frameId: str
class frameStoppedLoadingPayload(TypedDict):
"""
Fired when frame has stopped loading.
Attributes:
frameId: Id of the frame that has stopped loading.
"""
frameId: str
class getAllCookiesReturnValues(TypedDict):
"""
Returns all browser cookies. Depending on the backend support, will return detailed cookie
information in the `cookies` field.
Attributes:
cookies: Array of cookie objects.
"""
cookies: List['Cookie']
class getAllTimeSamplingProfileReturnValues(TypedDict):
"""
Retrieve native memory allocations profile
collected since renderer process startup.
"""
profile: 'SamplingProfile'
class getAppManifestReturnValues(TypedDict, total=False):
"""
Attributes:
url: Manifest location.
data: Manifest content.
"""
url: str
errors: List['AppManifestError']
data: str
class getApplicationCacheForFrameReturnValues(TypedDict):
"""
Returns relevant application cache data for the document in given frame.
Attributes:
applicationCache: Relevant application cache data for the document in given frame.
"""
applicationCache: 'ApplicationCache'
class getAttributesReturnValues(TypedDict):
"""
Returns attributes for the specified node.
Attributes:
attributes: An interleaved array of node attribute names and values.
"""
attributes: List[str]
class getBackgroundColorsReturnValues(TypedDict, total=False):
"""
Attributes:
backgroundColors: The range of background colors behind this element, if it contains any visible text. If no
visible text is present, this will be undefined. In the case of a flat background color,
this will consist of simply that color. In the case of a gradient, this will consist of each
of the color stops. For anything more complicated, this will be an empty array. Images will
be ignored (as if the image had failed to load).
computedFontSize: The computed font size for this node, as a CSS computed value string (e.g. '12px').
computedFontWeight: The computed font weight for this node, as a CSS computed value string (e.g. 'normal' or
'100').
"""
backgroundColors: List[str]
computedFontSize: str
computedFontWeight: str
class getBestEffortCoverageReturnValues(TypedDict):
"""
Collect coverage data for the current isolate. The coverage data may be incomplete due to
garbage collection.
Attributes:
result: Coverage data for the current isolate.
"""
result: List['ScriptCoverage']
class getBoxModelReturnValues(TypedDict):
"""
Returns boxes for the given node.
Attributes:
model: Box model for the node.
"""
model: 'BoxModel'
class getBrowserCommandLineReturnValues(TypedDict):
"""
Returns the command line switches for the browser process if, and only if
--enable-automation is on the commandline.
Attributes:
arguments: Commandline parameters
"""
arguments: List[str]
class getBrowserContextsReturnValues(TypedDict):
"""
Returns all browser contexts created with `Target.createBrowserContext` method.
Attributes:
browserContextIds: An array of browser context ids.
"""
browserContextIds: List[str]
class getBrowserSamplingProfileReturnValues(TypedDict):
"""
Retrieve native memory allocations profile
collected since browser process startup.
"""
profile: 'SamplingProfile'
class getCategoriesReturnValues(TypedDict):
"""
Gets supported tracing categories.
Attributes:
categories: A list of supported tracing categories.
"""
categories: List[str]
class getCertificateReturnValues(TypedDict):
"""
Returns the DER-encoded certificate.
"""
tableNames: List[str]
class getComputedStyleForNodeReturnValues(TypedDict):
"""
Returns the computed style for a DOM node identified by `nodeId`.
Attributes:
computedStyle: Computed style for the specified DOM node.
"""
computedStyle: List['CSSComputedStyleProperty']
class getContentQuadsReturnValues(TypedDict):
"""
Returns quads that describe node position on the page. This method
might return multiple quads for inline nodes.
Attributes:
quads: Quads that describe node layout relative to viewport.
"""
quads: List[List[float]]
class getCookiesReturnValues(TypedDict):
"""
Returns all browser cookies.
Attributes:
cookies: Array of cookie objects.
"""
cookies: List['Cookie']
class getCredentialReturnValues(TypedDict):
"""
Returns a single credential stored in the given virtual authenticator that
matches the credential ID.
"""
credential: 'Credential'
class getCredentialsReturnValues(TypedDict):
"""
Returns all the credentials stored in the given virtual authenticator.
"""
credentials: List['Credential']
class getCurrentTimeReturnValues(TypedDict):
"""
Returns the current time of the an animation.
Attributes:
currentTime: Current time of the page.
"""
currentTime: float
class getDOMCountersReturnValues(TypedDict):
documents: int
nodes: int
jsEventListeners: int
class getDOMStorageItemsReturnValues(TypedDict):
entries: List[List[str]]
class getDatabaseTableNamesReturnValues(TypedDict):
tableNames: List[str]
class getDocumentReturnValues(TypedDict):
"""
Returns the root DOM node (and optionally the subtree) to the caller.
Attributes:
root: Resulting node.
"""
root: 'Node'
class getDomainsReturnValues(TypedDict):
"""
Returns supported domains.
Attributes:
domains: List of supported domains.
"""
domains: List['Domain']
class getEncodedResponseReturnValues(TypedDict, total=False):
"""
Returns the response body and size if it were re-encoded with the specified settings. Only
applies to images.
Attributes:
body: The encoded body as a base64 string. Omitted if sizeOnly is true.
originalSize: Size before re-encoding.
encodedSize: Size after re-encoding.
"""
body: bytes
originalSize: int
encodedSize: int
class getEventListenersReturnValues(TypedDict):
"""
Returns event listeners of the given object.
Attributes:
listeners: Array of relevant listeners.
"""
listeners: List['EventListener']
class getFileInfoReturnValues(TypedDict):
"""
Returns file information for the given
File wrapper.
"""
path: str
class getFlattenedDocumentReturnValues(TypedDict):
"""
Returns the root DOM node (and optionally the subtree) to the caller.
Attributes:
nodes: Resulting node.
"""
nodes: List['Node']
class getFrameOwnerReturnValues(TypedDict, total=False):
"""
Returns iframe node that owns iframe with the given domain.
Attributes:
backendNodeId: Resulting node.
nodeId: Id of the node at given coordinates, only when enabled and requested document.
"""
backendNodeId: int
nodeId: int
class getFrameTreeReturnValues(TypedDict):
"""
Returns present frame tree structure.
Attributes:
frameTree: Present frame tree structure.
"""
frameTree: 'FrameTree'
class getFramesWithManifestsReturnValues(TypedDict):
"""
Returns array of frame identifiers with manifest urls for each frame containing a document
associated with some application cache.
Attributes:
frameIds: Array of frame identifiers with manifest urls for each frame containing a document
associated with some application cache.
"""
frameIds: List['FrameWithManifest']
class getFullAXTreeReturnValues(TypedDict):
"""
Fetches the entire accessibility tree
"""
nodes: List['AXNode']
class getHeapObjectIdReturnValues(TypedDict):
"""
Attributes:
heapSnapshotObjectId: Id of the heap snapshot object corresponding to the passed remote object id.
"""
heapSnapshotObjectId: str
class getHeapUsageReturnValues(TypedDict):
"""
Returns the JavaScript heap usage.
It is the total usage of the corresponding isolate not scoped to a particular Runtime.
Attributes:
usedSize: Used heap size in bytes.
totalSize: Allocated heap size in bytes.
"""
usedSize: float
totalSize: float
class getHighlightObjectForTestReturnValues(TypedDict):
"""
For testing.
Attributes:
highlight: Highlight data for the node.
"""
highlight: Dict[str, str]
class getHistogramReturnValues(TypedDict):
"""
Get a Chrome histogram by name.
Attributes:
histogram: Histogram.
"""
histogram: 'Histogram'
class getHistogramsReturnValues(TypedDict):
"""
Get Chrome histograms.
Attributes:
histograms: Histograms.
"""
histograms: List['Histogram']
class getInfoReturnValues(TypedDict):
"""
Returns information about the system.
Attributes:
gpu: Information about the GPUs on the system.
modelName: A platform-dependent description of the model of the machine. On Mac OS, this is, for
example, 'MacBookPro'. Will be the empty string if not supported.
modelVersion: A platform-dependent description of the version of the machine. On Mac OS, this is, for
example, '10.1'. Will be the empty string if not supported.
commandLine: The command line string used to launch the browser. Will be the empty string if not
supported.
"""
gpu: 'GPUInfo'
modelName: str
modelVersion: str
commandLine: str
class getInlineStylesForNodeReturnValues(TypedDict, total=False):
"""
Returns the styles defined inline (explicitly in the "style" attribute and implicitly, using DOM
attributes) for a DOM node identified by `nodeId`.
Attributes:
inlineStyle: Inline style for the specified DOM node.
attributesStyle: Attribute-defined element style (e.g. resulting from "width=20 height=100%").
"""
inlineStyle: 'CSSStyle'
attributesStyle: 'CSSStyle'
class getInstallabilityErrorsReturnValues(TypedDict):
errors: List[str]
class getIsolateIdReturnValues(TypedDict):
"""
Returns the isolate id.
Attributes:
id: The isolate id.
"""
id: str
class getLayoutMetricsReturnValues(TypedDict):
"""
Returns metrics relating to the layouting of the page, such as viewport bounds/scale.
Attributes:
layoutViewport: Metrics relating to the layout viewport.
visualViewport: Metrics relating to the visual viewport.
contentSize: Size of scrollable area.
"""
layoutViewport: 'LayoutViewport'
visualViewport: 'VisualViewport'
contentSize: 'Rect'
class getManifestForFrameReturnValues(TypedDict):
"""
Returns manifest URL for document in the given frame.
Attributes:
manifestURL: Manifest URL for document in the given frame.
"""
manifestURL: str
class getMatchedStylesForNodeReturnValues(TypedDict, total=False):
"""
Returns requested styles for a DOM node identified by `nodeId`.
Attributes:
inlineStyle: Inline style for the specified DOM node.
attributesStyle: Attribute-defined element style (e.g. resulting from "width=20 height=100%").
matchedCSSRules: CSS rules matching this node, from all applicable stylesheets.
pseudoElements: Pseudo style matches for this node.
inherited: A chain of inherited styles (from the immediate node parent up to the DOM tree root).
cssKeyframesRules: A list of CSS keyframed animations matching this node.
"""
inlineStyle: 'CSSStyle'
attributesStyle: 'CSSStyle'
matchedCSSRules: List['RuleMatch']
pseudoElements: List['PseudoElementMatches']
inherited: List['InheritedStyleEntry']
cssKeyframesRules: List['CSSKeyframesRule']
class getMediaQueriesReturnValues(TypedDict):
"""
Returns all media queries parsed by the rendering engine.
"""
medias: List['CSSMedia']
class getMetadataReturnValues(TypedDict):
"""
Gets metadata of an object store
Attributes:
entriesCount: the entries count
keyGeneratorValue: the current value of key generator, to become the next inserted
key into the object store. Valid if objectStore.autoIncrement
is true.
"""
entriesCount: float
keyGeneratorValue: float
class getMetricsReturnValues(TypedDict):
"""
Retrieve current values of run-time metrics.
Attributes:
metrics: Current values for run-time metrics.
"""
metrics: List['Metric']
class getNavigationHistoryReturnValues(TypedDict):
"""
Returns navigation history for the current page.
Attributes:
currentIndex: Index of the current navigation history entry.
entries: Array of navigation history entries.
"""
currentIndex: int
entries: List['NavigationEntry']
class getNodeForLocationReturnValues(TypedDict, total=False):
"""
Returns node id at given location. Depending on whether DOM domain is enabled, nodeId is
either returned or not.
Attributes:
backendNodeId: Resulting node.
frameId: Frame this node belongs to.
nodeId: Id of the node at given coordinates, only when enabled and requested document.
"""
backendNodeId: int
frameId: str
nodeId: int
class getNodeStackTracesReturnValues(TypedDict, total=False):
"""
Gets stack traces associated with a Node. As of now, only provides stack trace for Node creation.
Attributes:
creation: Creation stack trace, if available.
"""
creation: 'StackTrace'
class getObjectByHeapObjectIdReturnValues(TypedDict):
"""
Attributes:
result: Evaluation result.
"""
result: 'RemoteObject'
class getOuterHTMLReturnValues(TypedDict):
"""
Returns node's HTML markup.
Attributes:
outerHTML: Outer HTML markup.
"""
outerHTML: str
class getPartialAXTreeReturnValues(TypedDict):
"""
Fetches the accessibility node and partial accessibility tree for this DOM node, if it exists.
Attributes:
nodes: The `Accessibility.AXNode` for this DOM node, if it exists, plus its ancestors, siblings and
children, if requested.
"""
nodes: List['AXNode']
class getPlatformFontsForNodeReturnValues(TypedDict):
"""
Requests information about platform fonts which we used to render child TextNodes in the given
node.
Attributes:
fonts: Usage statistics for every employed platform font.
"""
fonts: List['PlatformFontUsage']
class getPlaybackRateReturnValues(TypedDict):
"""
Gets the playback rate of the document timeline.
Attributes:
playbackRate: Playback rate for animations on page.
"""
playbackRate: float
class getPossibleBreakpointsReturnValues(TypedDict):
"""
Returns possible locations for breakpoint. scriptId in start and end range locations should be
the same.
Attributes:
locations: List of the possible breakpoint locations.
"""
locations: List['BreakLocation']
class getProcessInfoReturnValues(TypedDict):
"""
Returns information about all running processes.
Attributes:
processInfo: An array of process info blocks.
"""
processInfo: List['ProcessInfo']
class getPropertiesReturnValues(TypedDict, total=False):
"""
Returns properties of a given object. Object group of the result is inherited from the target
object.
Attributes:
result: Object properties.
internalProperties: Internal object properties (only of the element itself).
privateProperties: Object private properties.
exceptionDetails: Exception details.
"""
result: List['PropertyDescriptor']
internalProperties: List['InternalPropertyDescriptor']
privateProperties: List['PrivatePropertyDescriptor']
exceptionDetails: 'ExceptionDetails'
class getRealtimeDataReturnValues(TypedDict):
"""
Fetch the realtime data from the registered contexts.
"""
realtimeData: 'ContextRealtimeData'
class getRelayoutBoundaryReturnValues(TypedDict):
"""
Returns the id of the nearest ancestor that is a relayout boundary.
Attributes:
nodeId: Relayout boundary node id for the given node.
"""
nodeId: int
class getRequestPostDataReturnValues(TypedDict):
"""
Returns post data sent with the request. Returns an error when no data was sent with the request.
Attributes:
postData: Request body string, omitting files from multipart requests
"""
postData: str
class getResourceContentReturnValues(TypedDict):
"""
Returns content of the given resource.
Attributes:
content: Resource content.
base64Encoded: True, if content was served as base64.
"""
content: str
base64Encoded: bool
class getResourceTreeReturnValues(TypedDict):
"""
Returns present frame / resource tree structure.
Attributes:
frameTree: Present frame / resource tree structure.
"""
frameTree: 'FrameResourceTree'
class getResponseBodyForInterceptionReturnValues(TypedDict):
"""
Returns content served for the given currently intercepted request.
Attributes:
body: Response body.
base64Encoded: True, if content was sent as base64.
"""
body: str
base64Encoded: bool
class getResponseBodyReturnValues(TypedDict):
"""
Causes the body of the response to be received from the server and
returned as a single string. May only be issued for a request that
is paused in the Response stage and is mutually exclusive with
takeResponseBodyForInterceptionAsStream. Calling other methods that
affect the request or disabling fetch domain before body is received
results in an undefined behavior.
Attributes:
body: Response body.
base64Encoded: True, if content was sent as base64.
"""
body: str
base64Encoded: bool
class getRuntimeCallStatsReturnValues(TypedDict):
"""
Retrieve run time call stats.
Attributes:
result: Collected counter information.
"""
result: List['CounterInfo']
class getSamplingProfileReturnValues(TypedDict):
"""
Attributes:
profile: Return the sampling profile being collected.
"""
profile: 'SamplingHeapProfile'
class getScriptSourceReturnValues(TypedDict, total=False):
"""
Returns source for the script with given id.
Attributes:
scriptSource: Script source (empty in case of Wasm bytecode).
bytecode: Wasm bytecode.
"""
scriptSource: str
bytecode: bytes
class getSearchResultsReturnValues(TypedDict):
"""
Returns search results from given `fromIndex` to given `toIndex` from the search with the given
identifier.
Attributes:
nodeIds: Ids of the search result nodes.
"""
nodeIds: List[int]
class getSnapshotReturnValues(TypedDict):
"""
Returns a document snapshot, including the full DOM tree of the root node (including iframes,
template contents, and imported documents) in a flattened array, as well as layout and
white-listed computed style information for the nodes. Shadow DOM in the returned DOM tree is
flattened.
Attributes:
domNodes: The nodes in the DOM tree. The DOMNode at index 0 corresponds to the root document.
layoutTreeNodes: The nodes in the layout tree.
computedStyles: Whitelisted ComputedStyle properties for each node in the layout tree.
"""
domNodes: List['DOMNode']
layoutTreeNodes: List['LayoutTreeNode']
computedStyles: List['ComputedStyle']
class getStackTraceReturnValues(TypedDict):
"""
Returns stack trace with given `stackTraceId`.
"""
stackTrace: 'StackTrace'
class getStyleSheetTextReturnValues(TypedDict):
"""
Returns the current textual content for a stylesheet.
Attributes:
text: The stylesheet text.
"""
text: str
class getTargetInfoReturnValues(TypedDict):
"""
Returns information about a target.
"""
targetInfo: 'TargetInfo'
class getTargetsReturnValues(TypedDict):
"""
Retrieves a list of available targets.
Attributes:
targetInfos: The list of targets.
"""
targetInfos: List['TargetInfo']
class getUsageAndQuotaReturnValues(TypedDict):
"""
Returns usage and quota in bytes.
Attributes:
usage: Storage usage (bytes).
quota: Storage quota (bytes).
usageBreakdown: Storage usage per type (bytes).
"""
usage: float
quota: float
usageBreakdown: List['UsageForType']
class getVersionReturnValues(TypedDict):
"""
Returns version information.
Attributes:
protocolVersion: Protocol version.
product: Product name.
revision: Product revision.
userAgent: User-Agent.
jsVersion: V8 version.
"""
protocolVersion: str
product: str
revision: str
userAgent: str
jsVersion: str
class getWasmBytecodeReturnValues(TypedDict):
"""
This command is deprecated. Use getScriptSource instead.
Attributes:
bytecode: Script source.
"""
bytecode: bytes
class getWindowBoundsReturnValues(TypedDict):
"""
Get position and size of the browser window.
Attributes:
bounds: Bounds information of the window. When window state is 'minimized', the restored window
position and size are returned.
"""
bounds: 'Bounds'
class getWindowForTargetReturnValues(TypedDict):
"""
Get the browser window that contains the devtools target.
Attributes:
windowId: Browser window id.
bounds: Bounds information of the window. When window state is 'minimized', the restored window
position and size are returned.
"""
windowId: int
bounds: 'Bounds'
class globalLexicalScopeNamesReturnValues(TypedDict):
"""
Returns all let, const and class variables from global scope.
"""
names: List[str]
class heapStatsUpdatePayload(TypedDict):
"""
If heap objects tracking has been started then backend may send update for one or more fragments
Attributes:
statsUpdate: An array of triplets. Each triplet describes a fragment. The first integer is the fragment
index, the second integer is a total count of objects for the fragment, the third integer is
a total size of the objects for the fragment.
"""
statsUpdate: List[int]
class indexedDBContentUpdatedPayload(TypedDict):
"""
The origin's IndexedDB object store has been modified.
Attributes:
origin: Origin to update.
databaseName: Database to update.
objectStoreName: ObjectStore to update.
"""
origin: str
databaseName: str
objectStoreName: str
class indexedDBListUpdatedPayload(TypedDict):
"""
The origin's IndexedDB database list has been modified.
Attributes:
origin: Origin to update.
"""
origin: str
class inlineStyleInvalidatedPayload(TypedDict):
"""
Fired when `Element`'s inline style is modified via a CSS property modification.
Attributes:
nodeIds: Ids of the nodes for which the inline styles have been invalidated.
"""
nodeIds: List[int]
class inspectNodeRequestedPayload(TypedDict):
"""
Fired when the node should be inspected. This happens after call to `setInspectMode` or when
user manually inspects an element.
Attributes:
backendNodeId: Id of the node to inspect.
"""
backendNodeId: int
class inspectRequestedPayload(TypedDict):
"""
Issued when object should be inspected (for example, as a result of inspect() command line API
call).
"""
object: 'RemoteObject'
hints: Dict[str, str]
class issueUpdatedPayload(TypedDict):
"""
This is fired whenever the outstanding issue/error message changes.
|issueMessage| is empty if there is no issue.
"""
issueMessage: str
class javascriptDialogClosedPayload(TypedDict):
"""
Fired when a JavaScript initiated dialog (alert, confirm, prompt, or onbeforeunload) has been
closed.
Attributes:
result: Whether dialog was confirmed.
userInput: User input in case of prompt.
"""
result: bool
userInput: str
class javascriptDialogOpeningPayload(TypedDict, total=False):
"""
Fired when a JavaScript initiated dialog (alert, confirm, prompt, or onbeforeunload) is about to
open.
Attributes:
url: Frame url.
message: Message that will be displayed by the dialog.
type: Dialog type.
hasBrowserHandler: True iff browser is capable showing or acting on the given dialog. When browser has no
dialog handler for given target, calling alert while Page domain is engaged will stall
the page execution. Execution can be resumed via calling Page.handleJavaScriptDialog.
defaultPrompt: Default dialog prompt.
"""
url: str
message: str
type: Literal['alert', 'confirm', 'prompt', 'beforeunload']
hasBrowserHandler: bool
defaultPrompt: str
class lastSeenObjectIdPayload(TypedDict):
"""
If heap objects tracking has been started then backend regularly sends a current value for last
seen object id and corresponding timestamp. If the were changes in the heap since last event
then one or more heapStatsUpdate events will be sent before a new lastSeenObjectId event.
"""
lastSeenObjectId: int
timestamp: float
class layerPaintedPayload(TypedDict):
"""
Attributes:
layerId: The id of the painted layer.
clip: Clip rectangle.
"""
layerId: str
clip: 'Rect'
class layerTreeDidChangePayload(TypedDict, total=False):
"""
Attributes:
layers: Layer tree, absent if not in the comspositing mode.
"""
layers: List['Layer']
class lifecycleEventPayload(TypedDict):
"""
Fired for top level page lifecycle events such as navigation, load, paint, etc.
Attributes:
frameId: Id of the frame.
loaderId: Loader identifier. Empty string if the request is fetched from worker.
"""
frameId: str
loaderId: str
name: str
timestamp: float
class loadEventFiredPayload(TypedDict):
timestamp: float
class loadSnapshotReturnValues(TypedDict):
"""
Returns the snapshot identifier.
Attributes:
snapshotId: The id of the snapshot.
"""
snapshotId: str
class loadingFailedPayload(TypedDict, total=False):
"""
Fired when HTTP request has failed to load.
Attributes:
requestId: Request identifier.
timestamp: Timestamp.
type: Resource type.
errorText: User friendly error message.
canceled: True if loading was canceled.
blockedReason: The reason why loading was blocked, if any.
"""
requestId: str
timestamp: float
type: Literal[
'Document',
'Stylesheet',
'Image',
'Media',
'Font',
'Script',
'TextTrack',
'XHR',
'Fetch',
'EventSource',
'WebSocket',
'Manifest',
'SignedExchange',
'Ping',
'CSPViolationReport',
'Other',
]
errorText: str
canceled: bool
blockedReason: Literal[
'other',
'csp',
'mixed-content',
'origin',
'inspector',
'subresource-filter',
'content-type',
'collapsed-by-client',
]
class loadingFinishedPayload(TypedDict, total=False):
"""
Fired when HTTP request has finished loading.
Attributes:
requestId: Request identifier.
timestamp: Timestamp.
encodedDataLength: Total number of bytes received for this request.
shouldReportCorbBlocking: Set when 1) response was blocked by Cross-Origin Read Blocking and also
2) this needs to be reported to the DevTools console.
"""
requestId: str
timestamp: float
encodedDataLength: float
shouldReportCorbBlocking: bool
class makeSnapshotReturnValues(TypedDict):
"""
Returns the layer snapshot identifier.
Attributes:
snapshotId: The id of the layer snapshot.
"""
snapshotId: str
class messageAddedPayload(TypedDict):
"""
Issued when new console message is added.
Attributes:
message: Console message that has been added.
"""
message: 'ConsoleMessage'
class metricsPayload(TypedDict):
"""
Current values of the metrics.
Attributes:
metrics: Current values of the metrics.
title: Timestamp title.
"""
metrics: List['Metric']
title: str
class moveToReturnValues(TypedDict):
"""
Moves node into the new container, places it before the given anchor.
Attributes:
nodeId: New id of the moved node.
"""
nodeId: int
class navigateReturnValues(TypedDict, total=False):
"""
Navigates current page to the given URL.
Attributes:
frameId: Frame id that has navigated (or failed to navigate)
loaderId: Loader identifier.
errorText: User friendly error message, present if and only if navigation has failed.
"""
frameId: str
loaderId: str
errorText: str
class navigatedWithinDocumentPayload(TypedDict):
"""
Fired when same-document navigation happens, e.g. due to history API usage or anchor navigation.
Attributes:
frameId: Id of the frame.
url: Frame's new url.
"""
frameId: str
url: str
class needsBeginFramesChangedPayload(TypedDict):
"""
Issued when the target starts or stops needing BeginFrames.
Deprecated. Issue beginFrame unconditionally instead and use result from
beginFrame to detect whether the frames were suppressed.
Attributes:
needsBeginFrames: True if BeginFrames are needed, false otherwise.
"""
needsBeginFrames: bool
class networkStateUpdatedPayload(TypedDict):
isNowOnline: bool
class nodeHighlightRequestedPayload(TypedDict):
"""
Fired when the node should be highlighted. This happens after call to `setInspectMode`.
"""
nodeId: int
class nodeParamConnectedPayload(TypedDict, total=False):
"""
Notifies that an AudioNode is connected to an AudioParam.
"""
contextId: str
sourceId: str
destinationId: str
sourceOutputIndex: float
class nodeParamDisconnectedPayload(TypedDict, total=False):
"""
Notifies that an AudioNode is disconnected to an AudioParam.
"""
contextId: str
sourceId: str
destinationId: str
sourceOutputIndex: float
class nodesConnectedPayload(TypedDict, total=False):
"""
Notifies that two AudioNodes are connected.
"""
contextId: str
sourceId: str
destinationId: str
sourceOutputIndex: float
destinationInputIndex: float
class nodesDisconnectedPayload(TypedDict, total=False):
"""
Notifies that AudioNodes are disconnected. The destination can be null, and it means all the outgoing connections from the source are disconnected.
"""
contextId: str
sourceId: str
destinationId: str
sourceOutputIndex: float
destinationInputIndex: float
class pausedPayload(TypedDict, total=False):
"""
Fired when the virtual machine stopped on breakpoint or exception or any other stop criteria.
Attributes:
callFrames: Call stack the virtual machine stopped on.
reason: Pause reason.
data: Object containing break-specific auxiliary properties.
hitBreakpoints: Hit breakpoints IDs
asyncStackTrace: Async stack trace, if any.
asyncStackTraceId: Async stack trace, if any.
asyncCallStackTraceId: Never present, will be removed.
"""
callFrames: List['CallFrame']
reason: Literal[
'ambiguous',
'assert',
'debugCommand',
'DOM',
'EventListener',
'exception',
'instrumentation',
'OOM',
'other',
'promiseRejection',
'XHR',
]
data: Dict[str, str]
hitBreakpoints: List[str]
asyncStackTrace: 'StackTrace'
asyncStackTraceId: 'StackTraceId'
asyncCallStackTraceId: 'StackTraceId'
class performSearchReturnValues(TypedDict):
"""
Searches for a given string in the DOM tree. Use `getSearchResults` to access search results or
`cancelSearch` to end this search session.
Attributes:
searchId: Unique search session identifier.
resultCount: Number of search results.
"""
searchId: str
resultCount: int
class playerEventsAddedPayload(TypedDict):
"""
Send events as a list, allowing them to be batched on the browser for less
congestion. If batched, events must ALWAYS be in chronological order.
"""
playerId: str
events: List['PlayerEvent']
class playerPropertiesChangedPayload(TypedDict):
"""
This can be called multiple times, and can be used to set / override /
remove player properties. A null propValue indicates removal.
"""
playerId: str
properties: List['PlayerProperty']
class playersCreatedPayload(TypedDict):
"""
Called whenever a player is created, or when a new agent joins and recieves
a list of active players. If an agent is restored, it will recieve the full
list of player ids and all events again.
"""
players: List[str]
class printToPDFReturnValues(TypedDict, total=False):
"""
Print page as PDF.
Attributes:
data: Base64-encoded pdf data. Empty if |returnAsStream| is specified.
stream: A handle of the stream that holds resulting PDF data.
"""
data: bytes
stream: str
class profileSnapshotReturnValues(TypedDict):
"""
Attributes:
timings: The array of paint profiles, one per run.
"""
timings: List[List[float]]
class pseudoElementAddedPayload(TypedDict):
"""
Called when a pseudo element is added to an element.
Attributes:
parentId: Pseudo element's parent element id.
pseudoElement: The added pseudo element.
"""
parentId: int
pseudoElement: 'Node'
class pseudoElementRemovedPayload(TypedDict):
"""
Called when a pseudo element is removed from an element.
Attributes:
parentId: Pseudo element's parent element id.
pseudoElementId: The removed pseudo element id.
"""
parentId: int
pseudoElementId: int
class pushNodeByPathToFrontendReturnValues(TypedDict):
"""
Requests that the node is sent to the caller given its path. // FIXME, use XPath
Attributes:
nodeId: Id of the node for given path.
"""
nodeId: int
class pushNodesByBackendIdsToFrontendReturnValues(TypedDict):
"""
Requests that a batch of nodes is sent to the caller given their backend node ids.
Attributes:
nodeIds: The array of ids of pushed nodes that correspond to the backend ids specified in
backendNodeIds.
"""
nodeIds: List[int]
class queryObjectsReturnValues(TypedDict):
"""
Attributes:
objects: Array with objects.
"""
objects: 'RemoteObject'
class querySelectorAllReturnValues(TypedDict):
"""
Executes `querySelectorAll` on a given node.
Attributes:
nodeIds: Query selector result.
"""
nodeIds: List[int]
class querySelectorReturnValues(TypedDict):
"""
Executes `querySelector` on a given node.
Attributes:
nodeId: Query selector result.
"""
nodeId: int
class readReturnValues(TypedDict, total=False):
"""
Read a chunk of the stream
Attributes:
base64Encoded: Set if the data is base64-encoded
data: Data that were read.
eof: Set if the end-of-file condition occurred while reading.
"""
base64Encoded: bool
data: str
eof: bool
class receivedMessageFromTargetPayload(TypedDict, total=False):
"""
Notifies about a new protocol message received from the session (as reported in
`attachedToTarget` event).
Attributes:
sessionId: Identifier of a session which sends a message.
targetId: Deprecated.
"""
sessionId: str
message: str
targetId: str
class recordingStateChangedPayload(TypedDict):
"""
Called when the recording state for the service has been updated.
"""
isRecording: bool
service: Literal[
'backgroundFetch',
'backgroundSync',
'pushMessaging',
'notifications',
'paymentHandler',
'periodicBackgroundSync',
]
class replaySnapshotReturnValues(TypedDict):
"""
Replays the layer snapshot and returns the resulting bitmap.
Attributes:
dataURL: A data: URL for resulting image.
"""
dataURL: str
class reportHeapSnapshotProgressPayload(TypedDict, total=False):
done: int
total: int
finished: bool
class requestCacheNamesReturnValues(TypedDict):
"""
Requests cache names.
Attributes:
caches: Caches for the security origin.
"""
caches: List['Cache']
class requestCachedResponseReturnValues(TypedDict):
"""
Fetches cache entry.
Attributes:
response: Response read from the cache.
"""
response: 'CachedResponse'
class requestDataReturnValues(TypedDict):
"""
Requests data from object store or index.
Attributes:
objectStoreDataEntries: Array of object store data entries.
hasMore: If true, there are more entries to fetch in the given range.
"""
objectStoreDataEntries: List['DataEntry']
hasMore: bool
class requestDatabaseNamesReturnValues(TypedDict):
"""
Requests database names for given security origin.
Attributes:
databaseNames: Database names for origin.
"""
databaseNames: List[str]
class requestDatabaseReturnValues(TypedDict):
"""
Requests database with given name in given frame.
Attributes:
databaseWithObjectStores: Database with an array of object stores.
"""
databaseWithObjectStores: 'DatabaseWithObjectStores'
class requestEntriesReturnValues(TypedDict):
"""
Requests data from cache.
Attributes:
cacheDataEntries: Array of object store data entries.
returnCount: Count of returned entries from this storage. If pathFilter is empty, it
is the count of all entries from this storage.
"""
cacheDataEntries: List['DataEntry']
returnCount: float
class requestInterceptedPayload(TypedDict, total=False):
"""
Details of an intercepted HTTP request, which must be either allowed, blocked, modified or
mocked.
Deprecated, use Fetch.requestPaused instead.
Attributes:
interceptionId: Each request the page makes will have a unique id, however if any redirects are encountered
while processing that fetch, they will be reported with the same id as the original fetch.
Likewise if HTTP authentication is needed then the same fetch id will be used.
frameId: The id of the frame that initiated the request.
resourceType: How the requested resource will be used.
isNavigationRequest: Whether this is a navigation request, which can abort the navigation completely.
isDownload: Set if the request is a navigation that will result in a download.
Only present after response is received from the server (i.e. HeadersReceived stage).
redirectUrl: Redirect location, only sent if a redirect was intercepted.
authChallenge: Details of the Authorization Challenge encountered. If this is set then
continueInterceptedRequest must contain an authChallengeResponse.
responseErrorReason: Response error if intercepted at response stage or if redirect occurred while intercepting
request.
responseStatusCode: Response code if intercepted at response stage or if redirect occurred while intercepting
request or auth retry occurred.
responseHeaders: Response headers if intercepted at the response stage or if redirect occurred while
intercepting request or auth retry occurred.
requestId: If the intercepted request had a corresponding requestWillBeSent event fired for it, then
this requestId will be the same as the requestId present in the requestWillBeSent event.
"""
interceptionId: str
request: 'Request'
frameId: str
resourceType: Literal[
'Document',
'Stylesheet',
'Image',
'Media',
'Font',
'Script',
'TextTrack',
'XHR',
'Fetch',
'EventSource',
'WebSocket',
'Manifest',
'SignedExchange',
'Ping',
'CSPViolationReport',
'Other',
]
isNavigationRequest: bool
isDownload: bool
redirectUrl: str
authChallenge: 'AuthChallenge'
responseErrorReason: Literal[
'Failed',
'Aborted',
'TimedOut',
'AccessDenied',
'ConnectionClosed',
'ConnectionReset',
'ConnectionRefused',
'ConnectionAborted',
'ConnectionFailed',
'NameNotResolved',
'InternetDisconnected',
'AddressUnreachable',
'BlockedByClient',
'BlockedByResponse',
]
responseStatusCode: int
responseHeaders: Dict[str, str]
requestId: str
class requestMemoryDumpReturnValues(TypedDict):
"""
Request a global memory dump.
Attributes:
dumpGuid: GUID of the resulting global memory dump.
success: True iff the global memory dump succeeded.
"""
dumpGuid: str
success: bool
class requestNodeReturnValues(TypedDict):
"""
Requests that the node is sent to the caller given the JavaScript node object reference. All
nodes that form the path from the node to the root are also sent to the client as a series of
`setChildNodes` notifications.
Attributes:
nodeId: Node id for given object.
"""
nodeId: int
class requestPausedPayload(TypedDict, total=False):
"""
Issued when the domain is enabled and the request URL matches the
specified filter. The request is paused until the client responds
with one of continueRequest, failRequest or fulfillRequest.
The stage of the request can be determined by presence of responseErrorReason
and responseStatusCode -- the request is at the response stage if either
of these fields is present and in the request stage otherwise.
Attributes:
requestId: Each request the page makes will have a unique id.
request: The details of the request.
frameId: The id of the frame that initiated the request.
resourceType: How the requested resource will be used.
responseErrorReason: Response error if intercepted at response stage.
responseStatusCode: Response code if intercepted at response stage.
responseHeaders: Response headers if intercepted at the response stage.
networkId: If the intercepted request had a corresponding Network.requestWillBeSent event fired for it,
then this networkId will be the same as the requestId present in the requestWillBeSent event.
"""
requestId: str
request: 'Request'
frameId: str
resourceType: Literal[
'Document',
'Stylesheet',
'Image',
'Media',
'Font',
'Script',
'TextTrack',
'XHR',
'Fetch',
'EventSource',
'WebSocket',
'Manifest',
'SignedExchange',
'Ping',
'CSPViolationReport',
'Other',
]
responseErrorReason: Literal[
'Failed',
'Aborted',
'TimedOut',
'AccessDenied',
'ConnectionClosed',
'ConnectionReset',
'ConnectionRefused',
'ConnectionAborted',
'ConnectionFailed',
'NameNotResolved',
'InternetDisconnected',
'AddressUnreachable',
'BlockedByClient',
'BlockedByResponse',
]
responseStatusCode: int
responseHeaders: List['HeaderEntry']
networkId: str
class requestServedFromCachePayload(TypedDict):
"""
Fired if request ended up loading from cache.
Attributes:
requestId: Request identifier.
"""
requestId: str
class requestWillBeSentExtraInfoPayload(TypedDict):
"""
Fired when additional information about a requestWillBeSent event is available from the
network stack. Not every requestWillBeSent event will have an additional
requestWillBeSentExtraInfo fired for it, and there is no guarantee whether requestWillBeSent
or requestWillBeSentExtraInfo will be fired first for the same request.
Attributes:
requestId: Request identifier. Used to match this information to an existing requestWillBeSent event.
blockedCookies: A list of cookies which will not be sent with this request along with corresponding reasons
for blocking.
headers: Raw request headers as they will be sent over the wire.
"""
requestId: str
blockedCookies: List['BlockedCookieWithReason']
headers: Dict[str, str]
class requestWillBeSentPayload(TypedDict, total=False):
"""
Fired when page is about to send HTTP request.
Attributes:
requestId: Request identifier.
loaderId: Loader identifier. Empty string if the request is fetched from worker.
documentURL: URL of the document this request is loaded for.
request: Request data.
timestamp: Timestamp.
wallTime: Timestamp.
initiator: Request initiator.
redirectResponse: Redirect response data.
type: Type of this resource.
frameId: Frame identifier.
hasUserGesture: Whether the request is initiated by a user gesture. Defaults to false.
"""
requestId: str
loaderId: str
documentURL: str
request: 'Request'
timestamp: float
wallTime: float
initiator: 'Initiator'
redirectResponse: 'Response'
type: Literal[
'Document',
'Stylesheet',
'Image',
'Media',
'Font',
'Script',
'TextTrack',
'XHR',
'Fetch',
'EventSource',
'WebSocket',
'Manifest',
'SignedExchange',
'Ping',
'CSPViolationReport',
'Other',
]
frameId: str
hasUserGesture: bool
class resolveAnimationReturnValues(TypedDict):
"""
Gets the remote object of the Animation.
Attributes:
remoteObject: Corresponding remote object.
"""
remoteObject: 'RemoteObject'
class resolveBlobReturnValues(TypedDict):
"""
Return UUID of Blob object specified by a remote object id.
Attributes:
uuid: UUID of the specified Blob.
"""
uuid: str
class resolveNodeReturnValues(TypedDict):
"""
Resolves the JavaScript node object for a given NodeId or BackendNodeId.
Attributes:
object: JavaScript object wrapper for given node.
"""
object: 'RemoteObject'
class resourceChangedPriorityPayload(TypedDict):
"""
Fired when resource loading priority is changed
Attributes:
requestId: Request identifier.
newPriority: New priority
timestamp: Timestamp.
"""
requestId: str
newPriority: Literal['VeryLow', 'Low', 'Medium', 'High', 'VeryHigh']
timestamp: float
class responseReceivedExtraInfoPayload(TypedDict, total=False):
"""
Fired when additional information about a responseReceived event is available from the network
stack. Not every responseReceived event will have an additional responseReceivedExtraInfo for
it, and responseReceivedExtraInfo may be fired before or after responseReceived.
Attributes:
requestId: Request identifier. Used to match this information to another responseReceived event.
blockedCookies: A list of cookies which were not stored from the response along with the corresponding
reasons for blocking. The cookies here may not be valid due to syntax errors, which
are represented by the invalid cookie line string instead of a proper cookie.
headers: Raw response headers as they were received over the wire.
headersText: Raw response header text as it was received over the wire. The raw text may not always be
available, such as in the case of HTTP/2 or QUIC.
"""
requestId: str
blockedCookies: List['BlockedSetCookieWithReason']
headers: Dict[str, str]
headersText: str
class responseReceivedPayload(TypedDict, total=False):
"""
Fired when HTTP response is available.
Attributes:
requestId: Request identifier.
loaderId: Loader identifier. Empty string if the request is fetched from worker.
timestamp: Timestamp.
type: Resource type.
response: Response data.
frameId: Frame identifier.
"""
requestId: str
loaderId: str
timestamp: float
type: Literal[
'Document',
'Stylesheet',
'Image',
'Media',
'Font',
'Script',
'TextTrack',
'XHR',
'Fetch',
'EventSource',
'WebSocket',
'Manifest',
'SignedExchange',
'Ping',
'CSPViolationReport',
'Other',
]
response: 'Response'
frameId: str
class restartFrameReturnValues(TypedDict, total=False):
"""
Restarts particular call frame from the beginning.
Attributes:
callFrames: New stack trace.
asyncStackTrace: Async stack trace, if any.
asyncStackTraceId: Async stack trace, if any.
"""
callFrames: List['CallFrame']
asyncStackTrace: 'StackTrace'
asyncStackTraceId: 'StackTraceId'
class runScriptReturnValues(TypedDict, total=False):
"""
Runs script with given id in a given context.
Attributes:
result: Run result.
exceptionDetails: Exception details.
"""
result: 'RemoteObject'
exceptionDetails: 'ExceptionDetails'
class screencastFramePayload(TypedDict):
"""
Compressed image data requested by the `startScreencast`.
Attributes:
data: Base64-encoded compressed image.
metadata: Screencast frame metadata.
sessionId: Frame number.
"""
data: bytes
metadata: 'ScreencastFrameMetadata'
sessionId: int
class screencastVisibilityChangedPayload(TypedDict):
"""
Fired when the page with currently enabled screencast was shown or hidden `.
Attributes:
visible: True if the page is visible.
"""
visible: bool
class screenshotRequestedPayload(TypedDict):
"""
Fired when user asks to capture screenshot of some area on the page.
Attributes:
viewport: Protocol.Page.Viewport to capture, in device independent pixels (dip).
"""
viewport: 'Viewport'
class scriptFailedToParsePayload(TypedDict, total=False):
"""
Fired when virtual machine fails to parse the script.
Attributes:
scriptId: Identifier of the script parsed.
url: URL or name of the script parsed (if any).
startLine: Line offset of the script within the resource with given URL (for script tags).
startColumn: Column offset of the script within the resource with given URL.
endLine: Last line of the script.
endColumn: Length of the last line of the script.
executionContextId: Specifies script creation context.
hash: Content hash of the script.
executionContextAuxData: Embedder-specific auxiliary data.
sourceMapURL: URL of source map associated with script (if any).
hasSourceURL: True, if this script has sourceURL.
isModule: True, if this script is ES6 module.
length: This script length.
stackTrace: JavaScript top stack frame of where the script parsed event was triggered if available.
"""
scriptId: str
url: str
startLine: int
startColumn: int
endLine: int
endColumn: int
executionContextId: int
hash: str
executionContextAuxData: Dict[str, str]
sourceMapURL: str
hasSourceURL: bool
isModule: bool
length: int
stackTrace: 'StackTrace'
class scriptParsedPayload(TypedDict, total=False):
"""
Fired when virtual machine parses script. This event is also fired for all known and uncollected
scripts upon enabling debugger.
Attributes:
scriptId: Identifier of the script parsed.
url: URL or name of the script parsed (if any).
startLine: Line offset of the script within the resource with given URL (for script tags).
startColumn: Column offset of the script within the resource with given URL.
endLine: Last line of the script.
endColumn: Length of the last line of the script.
executionContextId: Specifies script creation context.
hash: Content hash of the script.
executionContextAuxData: Embedder-specific auxiliary data.
isLiveEdit: True, if this script is generated as a result of the live edit operation.
sourceMapURL: URL of source map associated with script (if any).
hasSourceURL: True, if this script has sourceURL.
isModule: True, if this script is ES6 module.
length: This script length.
stackTrace: JavaScript top stack frame of where the script parsed event was triggered if available.
"""
scriptId: str
url: str
startLine: int
startColumn: int
endLine: int
endColumn: int
executionContextId: int
hash: str
executionContextAuxData: Dict[str, str]
isLiveEdit: bool
sourceMapURL: str
hasSourceURL: bool
isModule: bool
length: int
stackTrace: 'StackTrace'
class searchInContentReturnValues(TypedDict):
"""
Searches for given string in script content.
Attributes:
result: List of search matches.
"""
result: List['SearchMatch']
class searchInResourceReturnValues(TypedDict):
"""
Searches for given string in resource content.
Attributes:
result: List of search matches.
"""
result: List['SearchMatch']
class searchInResponseBodyReturnValues(TypedDict):
"""
Searches for given string in response content.
Attributes:
result: List of search matches.
"""
result: List['SearchMatch']
class securityStateChangedPayload(TypedDict, total=False):
"""
The security state of the page changed.
Attributes:
securityState: Security state.
schemeIsCryptographic: True if the page was loaded over cryptographic transport such as HTTPS.
explanations: List of explanations for the security state. If the overall security state is `insecure` or
`warning`, at least one corresponding explanation should be included.
insecureContentStatus: Information about insecure content on the page.
summary: Overrides user-visible description of the state.
"""
securityState: Literal['unknown', 'neutral', 'insecure', 'secure', 'info', 'insecure-broken']
schemeIsCryptographic: bool
explanations: List['SecurityStateExplanation']
insecureContentStatus: 'InsecureContentStatus'
summary: str
class setBreakpointByUrlReturnValues(TypedDict):
"""
Sets JavaScript breakpoint at given location specified either by URL or URL regex. Once this
command is issued, all existing parsed scripts will have breakpoints resolved and returned in
`locations` property. Further matching script parsing will result in subsequent
`breakpointResolved` events issued. This logical breakpoint will survive page reloads.
Attributes:
breakpointId: Id of the created breakpoint for further reference.
locations: List of the locations this breakpoint resolved into upon addition.
"""
breakpointId: str
locations: List['Location']
class setBreakpointOnFunctionCallReturnValues(TypedDict):
"""
Sets JavaScript breakpoint before each call to the given function.
If another function was created from the same source as a given one,
calling it will also trigger the breakpoint.
Attributes:
breakpointId: Id of the created breakpoint for further reference.
"""
breakpointId: str
class setBreakpointReturnValues(TypedDict):
"""
Sets JavaScript breakpoint at a given location.
Attributes:
breakpointId: Id of the created breakpoint for further reference.
actualLocation: Location this breakpoint resolved into.
"""
breakpointId: str
actualLocation: 'Location'
class setChildNodesPayload(TypedDict):
"""
Fired when backend wants to provide client with the missing DOM structure. This happens upon
most of the calls requesting node ids.
Attributes:
parentId: Parent node id to populate with children.
nodes: Child nodes array.
"""
parentId: int
nodes: List['Node']
class setCookieReturnValues(TypedDict):
"""
Sets a cookie with the given cookie data; may overwrite equivalent cookies if they exist.
Attributes:
success: True if successfully set cookie.
"""
success: bool
class setInstrumentationBreakpointReturnValues(TypedDict):
"""
Sets instrumentation breakpoint.
Attributes:
breakpointId: Id of the created breakpoint for further reference.
"""
breakpointId: str
class setKeyframeKeyReturnValues(TypedDict):
"""
Modifies the keyframe rule key text.
Attributes:
keyText: The resulting key text after modification.
"""
keyText: 'Value'
class setMediaTextReturnValues(TypedDict):
"""
Modifies the rule selector.
Attributes:
media: The resulting CSS media rule after modification.
"""
media: 'CSSMedia'
class setNodeNameReturnValues(TypedDict):
"""
Sets node name for a node with given id.
Attributes:
nodeId: New node's id.
"""
nodeId: int
class setRuleSelectorReturnValues(TypedDict):
"""
Modifies the rule selector.
Attributes:
selectorList: The resulting selector list after modification.
"""
selectorList: 'SelectorList'
class setScriptSourceReturnValues(TypedDict, total=False):
"""
Edits JavaScript source live.
Attributes:
callFrames: New stack trace in case editing has happened while VM was stopped.
stackChanged: Whether current call stack was modified after applying the changes.
asyncStackTrace: Async stack trace, if any.
asyncStackTraceId: Async stack trace, if any.
exceptionDetails: Exception details if any.
"""
callFrames: List['CallFrame']
stackChanged: bool
asyncStackTrace: 'StackTrace'
asyncStackTraceId: 'StackTraceId'
exceptionDetails: 'ExceptionDetails'
class setStyleSheetTextReturnValues(TypedDict, total=False):
"""
Sets the new stylesheet text.
Attributes:
sourceMapURL: URL of source map associated with script (if any).
"""
sourceMapURL: str
class setStyleTextsReturnValues(TypedDict):
"""
Applies specified style edits one after another in the given order.
Attributes:
styles: The resulting styles after modification.
"""
styles: List['CSSStyle']
class setVirtualTimePolicyReturnValues(TypedDict):
"""
Turns on virtual time for all frames (replacing real-time with a synthetic time source) and sets
the current virtual time policy. Note this supersedes any previous time budget.
Attributes:
virtualTimeTicksBase: Absolute timestamp at which virtual time was first enabled (up time in milliseconds).
"""
virtualTimeTicksBase: float
class shadowRootPoppedPayload(TypedDict):
"""
Called when shadow root is popped from the element.
Attributes:
hostId: Host element id.
rootId: Shadow root id.
"""
hostId: int
rootId: int
class shadowRootPushedPayload(TypedDict):
"""
Called when shadow root is pushed into the element.
Attributes:
hostId: Host element id.
root: Shadow root.
"""
hostId: int
root: 'Node'
class signedExchangeReceivedPayload(TypedDict):
"""
Fired when a signed exchange was received over the network
Attributes:
requestId: Request identifier.
info: Information about the signed exchange response.
"""
requestId: str
info: 'SignedExchangeInfo'
class sinksUpdatedPayload(TypedDict):
"""
This is fired whenever the list of available sinks changes. A sink is a
device or a software surface that you can cast to.
"""
sinks: List['Sink']
class snapshotCommandLogReturnValues(TypedDict):
"""
Replays the layer snapshot and returns canvas log.
Attributes:
commandLog: The array of canvas function calls.
"""
commandLog: List[Dict[str, str]]
class stopReturnValues(TypedDict):
"""
Attributes:
profile: Recorded profile.
"""
profile: 'Profile'
class stopRuleUsageTrackingReturnValues(TypedDict):
"""
Stop tracking rule usage and return the list of rules that were used since last call to
`takeCoverageDelta` (or since start of coverage instrumentation)
"""
ruleUsage: List['RuleUsage']
class stopSamplingReturnValues(TypedDict):
"""
Attributes:
profile: Recorded sampling heap profile.
"""
profile: 'SamplingHeapProfile'
class styleSheetAddedPayload(TypedDict):
"""
Fired whenever an active document stylesheet is added.
Attributes:
header: Added stylesheet metainfo.
"""
header: 'CSSStyleSheetHeader'
class styleSheetChangedPayload(TypedDict):
"""
Fired whenever a stylesheet is changed as a result of the client operation.
"""
styleSheetId: str
class styleSheetRemovedPayload(TypedDict):
"""
Fired whenever an active document stylesheet is removed.
Attributes:
styleSheetId: Identifier of the removed stylesheet.
"""
styleSheetId: str
class takeCoverageDeltaReturnValues(TypedDict):
"""
Obtain list of rules that became used since last call to this method (or since start of coverage
instrumentation)
"""
coverage: List['RuleUsage']
class takePreciseCoverageReturnValues(TypedDict):
"""
Collect coverage data for the current isolate, and resets execution counters. Precise code
coverage needs to have started.
Attributes:
result: Coverage data for the current isolate.
"""
result: List['ScriptCoverage']
class takeResponseBodyAsStreamReturnValues(TypedDict):
"""
Returns a handle to the stream representing the response body.
The request must be paused in the HeadersReceived stage.
Note that after this command the request can't be continued
as is -- client either needs to cancel it or to provide the
response body.
The stream only supports sequential read, IO.read will fail if the position
is specified.
This method is mutually exclusive with getResponseBody.
Calling other methods that affect the request or disabling fetch
domain before body is received results in an undefined behavior.
"""
stream: str
class takeResponseBodyForInterceptionAsStreamReturnValues(TypedDict):
"""
Returns a handle to the stream representing the response body. Note that after this command,
the intercepted request can't be continued as is -- you either need to cancel it or to provide
the response body. The stream only supports sequential read, IO.read will fail if the position
is specified.
"""
stream: str
class takeTypeProfileReturnValues(TypedDict):
"""
Collect type profile.
Attributes:
result: Type profile for all scripts since startTypeProfile() was turned on.
"""
result: List['ScriptTypeProfile']
class targetCrashedPayload(TypedDict):
"""
Issued when a target has crashed.
Attributes:
status: Termination status type.
errorCode: Termination error code.
"""
targetId: str
status: str
errorCode: int
class targetCreatedPayload(TypedDict):
"""
Issued when a possible inspection target is created.
"""
targetInfo: 'TargetInfo'
class targetDestroyedPayload(TypedDict):
"""
Issued when a target is destroyed.
"""
targetId: str
class targetInfoChangedPayload(TypedDict):
"""
Issued when some information about a target has changed. This only happens between
`targetCreated` and `targetDestroyed`.
"""
targetInfo: 'TargetInfo'
class tracingCompletePayload(TypedDict, total=False):
"""
Signals that tracing is stopped and there is no trace buffers pending flush, all data were
delivered via dataCollected events.
Attributes:
dataLossOccurred: Indicates whether some trace data is known to have been lost, e.g. because the trace ring
buffer wrapped around.
stream: A handle of the stream that holds resulting trace data.
traceFormat: Trace data format of returned stream.
streamCompression: Compression format of returned stream.
"""
dataLossOccurred: bool
stream: str
traceFormat: Literal['json', 'proto']
streamCompression: Literal['none', 'gzip']
class visibleSecurityStateChangedPayload(TypedDict):
"""
The security state of the page changed.
Attributes:
visibleSecurityState: Security state information about the page.
"""
visibleSecurityState: 'VisibleSecurityState'
class webSocketClosedPayload(TypedDict):
"""
Fired when WebSocket is closed.
Attributes:
requestId: Request identifier.
timestamp: Timestamp.
"""
requestId: str
timestamp: float
class webSocketCreatedPayload(TypedDict, total=False):
"""
Fired upon WebSocket creation.
Attributes:
requestId: Request identifier.
url: WebSocket request URL.
initiator: Request initiator.
"""
requestId: str
url: str
initiator: 'Initiator'
class webSocketFrameErrorPayload(TypedDict):
"""
Fired when WebSocket message error occurs.
Attributes:
requestId: Request identifier.
timestamp: Timestamp.
errorMessage: WebSocket error message.
"""
requestId: str
timestamp: float
errorMessage: str
class webSocketFrameReceivedPayload(TypedDict):
"""
Fired when WebSocket message is received.
Attributes:
requestId: Request identifier.
timestamp: Timestamp.
response: WebSocket response data.
"""
requestId: str
timestamp: float
response: 'WebSocketFrame'
class webSocketFrameSentPayload(TypedDict):
"""
Fired when WebSocket message is sent.
Attributes:
requestId: Request identifier.
timestamp: Timestamp.
response: WebSocket response data.
"""
requestId: str
timestamp: float
response: 'WebSocketFrame'
class webSocketHandshakeResponseReceivedPayload(TypedDict):
"""
Fired when WebSocket handshake response becomes available.
Attributes:
requestId: Request identifier.
timestamp: Timestamp.
response: WebSocket response data.
"""
requestId: str
timestamp: float
response: 'WebSocketResponse'
class webSocketWillSendHandshakeRequestPayload(TypedDict):
"""
Fired when WebSocket is about to initiate handshake.
Attributes:
requestId: Request identifier.
timestamp: Timestamp.
wallTime: UTC Timestamp.
request: WebSocket request data.
"""
requestId: str
timestamp: float
wallTime: float
request: 'WebSocketRequest'
class windowOpenPayload(TypedDict):
"""
Fired when a new window is going to be opened, via window.open(), link click, form submission,
etc.
Attributes:
url: The URL for the new window.
windowName: Window name.
windowFeatures: An array of enabled window features.
userGesture: Whether or not it was triggered by user gesture.
"""
url: str
windowName: str
windowFeatures: List[str]
userGesture: bool
class workerErrorReportedPayload(TypedDict):
errorMessage: 'ServiceWorkerErrorMessage'
class workerRegistrationUpdatedPayload(TypedDict):
registrations: List['ServiceWorkerRegistration']
class workerVersionUpdatedPayload(TypedDict):
versions: List['ServiceWorkerVersion']
class Protocol:
class Accessibility:
# Unique accessibility node identifier.
AXNodeId = str
# Enum of possible property types.
AXValueType = Literal[
'boolean',
'tristate',
'booleanOrUndefined',
'idref',
'idrefList',
'integer',
'node',
'nodeList',
'number',
'string',
'computedString',
'token',
'tokenList',
'domRelation',
'role',
'internalRole',
'valueUndefined',
]
# Enum of possible property sources.
AXValueSourceType = Literal['attribute', 'implicit', 'style', 'contents', 'placeholder', 'relatedElement']
# Enum of possible native property sources (as a subtype of a particular AXValueSourceType).
AXValueNativeSourceType = Literal[
'figcaption', 'label', 'labelfor', 'labelwrapped', 'legend', 'tablecaption', 'title', 'other'
]
# A single source for a computed AX property.
AXValueSource = Union[AXValueSource]
AXRelatedNode = Union[AXRelatedNode]
AXProperty = Union[AXProperty]
# A single computed AX property.
AXValue = Union[AXValue]
# Values of AXProperty name: - from 'busy' to 'roledescription': states which apply to every AX node - from 'live' to 'root': attributes which apply to nodes in live regions - from 'autocomplete' to 'valuetext': attributes which apply to widgets - from 'checked' to 'selected': states which apply to widgets - from 'activedescendant' to 'owns' - relationships between elements other than parent/child/sibling.
AXPropertyName = Literal[
'busy',
'disabled',
'editable',
'focusable',
'focused',
'hidden',
'hiddenRoot',
'invalid',
'keyshortcuts',
'settable',
'roledescription',
'live',
'atomic',
'relevant',
'root',
'autocomplete',
'hasPopup',
'level',
'multiselectable',
'orientation',
'multiline',
'readonly',
'required',
'valuemin',
'valuemax',
'valuetext',
'checked',
'expanded',
'modal',
'pressed',
'selected',
'activedescendant',
'controls',
'describedby',
'details',
'errormessage',
'flowto',
'labelledby',
'owns',
]
# A node in the accessibility tree.
AXNode = Union[AXNode]
# Disables the accessibility domain.
disableParameters = None
# Disables the accessibility domain.
disableReturnValues = None
# Enables the accessibility domain which causes `AXNodeId`s to remain consistent between method calls. This turns on accessibility for the page, which can impact performance until accessibility is disabled.
enableParameters = None
# Enables the accessibility domain which causes `AXNodeId`s to remain consistent between method calls. This turns on accessibility for the page, which can impact performance until accessibility is disabled.
enableReturnValues = None
# Fetches the accessibility node and partial accessibility tree for this DOM node, if it exists.
getPartialAXTreeParameters = None
# Fetches the accessibility node and partial accessibility tree for this DOM node, if it exists.
getPartialAXTreeReturnValues = Union[getPartialAXTreeReturnValues]
# Fetches the entire accessibility tree
getFullAXTreeParameters = None
# Fetches the entire accessibility tree
getFullAXTreeReturnValues = Union[getFullAXTreeReturnValues]
class Animation:
# Animation instance.
Animation = Union[Animation]
# AnimationEffect instance
AnimationEffect = Union[AnimationEffect]
# Keyframes Rule
KeyframesRule = Union[KeyframesRule]
# Keyframe Style
KeyframeStyle = Union[KeyframeStyle]
# Event for when an animation has been cancelled.
animationCanceledPayload = Union[animationCanceledPayload]
# Event for each animation that has been created.
animationCreatedPayload = Union[animationCreatedPayload]
# Event for animation that has been started.
animationStartedPayload = Union[animationStartedPayload]
# Disables animation domain notifications.
disableParameters = None
# Disables animation domain notifications.
disableReturnValues = None
# Enables animation domain notifications.
enableParameters = None
# Enables animation domain notifications.
enableReturnValues = None
# Returns the current time of the an animation.
getCurrentTimeParameters = None
# Returns the current time of the an animation.
getCurrentTimeReturnValues = Union[getCurrentTimeReturnValues]
# Gets the playback rate of the document timeline.
getPlaybackRateParameters = None
# Gets the playback rate of the document timeline.
getPlaybackRateReturnValues = Union[getPlaybackRateReturnValues]
# Releases a set of animations to no longer be manipulated.
releaseAnimationsParameters = None
# Releases a set of animations to no longer be manipulated.
releaseAnimationsReturnValues = None
# Gets the remote object of the Animation.
resolveAnimationParameters = None
# Gets the remote object of the Animation.
resolveAnimationReturnValues = Union[resolveAnimationReturnValues]
# Seek a set of animations to a particular time within each animation.
seekAnimationsParameters = None
# Seek a set of animations to a particular time within each animation.
seekAnimationsReturnValues = None
# Sets the paused state of a set of animations.
setPausedParameters = None
# Sets the paused state of a set of animations.
setPausedReturnValues = None
# Sets the playback rate of the document timeline.
setPlaybackRateParameters = None
# Sets the playback rate of the document timeline.
setPlaybackRateReturnValues = None
# Sets the timing of an animation node.
setTimingParameters = None
# Sets the timing of an animation node.
setTimingReturnValues = None
class ApplicationCache:
# Detailed application cache resource information.
ApplicationCacheResource = Union[ApplicationCacheResource]
# Detailed application cache information.
ApplicationCache = Union[ApplicationCache]
# Frame identifier - manifest URL pair.
FrameWithManifest = Union[FrameWithManifest]
applicationCacheStatusUpdatedPayload = Union[applicationCacheStatusUpdatedPayload]
networkStateUpdatedPayload = Union[networkStateUpdatedPayload]
# Enables application cache domain notifications.
enableParameters = None
# Enables application cache domain notifications.
enableReturnValues = None
# Returns relevant application cache data for the document in given frame.
getApplicationCacheForFrameParameters = None
# Returns relevant application cache data for the document in given frame.
getApplicationCacheForFrameReturnValues = Union[getApplicationCacheForFrameReturnValues]
# Returns array of frame identifiers with manifest urls for each frame containing a document associated with some application cache.
getFramesWithManifestsParameters = None
# Returns array of frame identifiers with manifest urls for each frame containing a document associated with some application cache.
getFramesWithManifestsReturnValues = Union[getFramesWithManifestsReturnValues]
# Returns manifest URL for document in the given frame.
getManifestForFrameParameters = None
# Returns manifest URL for document in the given frame.
getManifestForFrameReturnValues = Union[getManifestForFrameReturnValues]
class Audits:
# Audits domain allows investigation of page violations and possible improvements.
# Returns the response body and size if it were re-encoded with the specified settings. Only applies to images.
getEncodedResponseParameters = None
# Returns the response body and size if it were re-encoded with the specified settings. Only applies to images.
getEncodedResponseReturnValues = Union[getEncodedResponseReturnValues]
class BackgroundService:
# Defines events for background web platform features.
# The Background Service that will be associated with the commands/events. Every Background Service operates independently, but they share the same API.
ServiceName = Literal[
'backgroundFetch',
'backgroundSync',
'pushMessaging',
'notifications',
'paymentHandler',
'periodicBackgroundSync',
]
# A key-value pair for additional event information to pass along.
EventMetadata = Union[EventMetadata]
BackgroundServiceEvent = Union[BackgroundServiceEvent]
# Called when the recording state for the service has been updated.
recordingStateChangedPayload = Union[recordingStateChangedPayload]
# Called with all existing backgroundServiceEvents when enabled, and all new events afterwards if enabled and recording.
backgroundServiceEventReceivedPayload = Union[backgroundServiceEventReceivedPayload]
# Enables event updates for the service.
startObservingParameters = None
# Enables event updates for the service.
startObservingReturnValues = None
# Disables event updates for the service.
stopObservingParameters = None
# Disables event updates for the service.
stopObservingReturnValues = None
# Set the recording state for the service.
setRecordingParameters = None
# Set the recording state for the service.
setRecordingReturnValues = None
# Clears all stored data for the service.
clearEventsParameters = None
# Clears all stored data for the service.
clearEventsReturnValues = None
class Browser:
# The Browser domain defines methods and events for browser managing.
BrowserContextID = str
WindowID = int
# The state of the browser window.
WindowState = Literal['normal', 'minimized', 'maximized', 'fullscreen']
# Browser window bounds information
Bounds = Union[Bounds]
PermissionType = Literal[
'accessibilityEvents',
'audioCapture',
'backgroundSync',
'backgroundFetch',
'clipboardRead',
'clipboardWrite',
'durableStorage',
'flash',
'geolocation',
'midi',
'midiSysex',
'nfc',
'notifications',
'paymentHandler',
'periodicBackgroundSync',
'protectedMediaIdentifier',
'sensors',
'videoCapture',
'idleDetection',
'wakeLockScreen',
'wakeLockSystem',
]
PermissionSetting = Literal['granted', 'denied', 'prompt']
# Definition of PermissionDescriptor defined in the Permissions API: https://w3c.github.io/permissions/#dictdef-permissiondescriptor.
PermissionDescriptor = Union[PermissionDescriptor]
# Chrome histogram bucket.
Bucket = Union[Bucket]
# Chrome histogram.
Histogram = Union[Histogram]
# Set permission settings for given origin.
setPermissionParameters = None
# Set permission settings for given origin.
setPermissionReturnValues = None
# Grant specific permissions to the given origin and reject all others.
grantPermissionsParameters = None
# Grant specific permissions to the given origin and reject all others.
grantPermissionsReturnValues = None
# Reset all permission management for all origins.
resetPermissionsParameters = None
# Reset all permission management for all origins.
resetPermissionsReturnValues = None
# Close browser gracefully.
closeParameters = None
# Close browser gracefully.
closeReturnValues = None
# Crashes browser on the main thread.
crashParameters = None
# Crashes browser on the main thread.
crashReturnValues = None
# Crashes GPU process.
crashGpuProcessParameters = None
# Crashes GPU process.
crashGpuProcessReturnValues = None
# Returns version information.
getVersionParameters = None
# Returns version information.
getVersionReturnValues = Union[getVersionReturnValues]
# Returns the command line switches for the browser process if, and only if --enable-automation is on the commandline.
getBrowserCommandLineParameters = None
# Returns the command line switches for the browser process if, and only if --enable-automation is on the commandline.
getBrowserCommandLineReturnValues = Union[getBrowserCommandLineReturnValues]
# Get Chrome histograms.
getHistogramsParameters = None
# Get Chrome histograms.
getHistogramsReturnValues = Union[getHistogramsReturnValues]
# Get a Chrome histogram by name.
getHistogramParameters = None
# Get a Chrome histogram by name.
getHistogramReturnValues = Union[getHistogramReturnValues]
# Get position and size of the browser window.
getWindowBoundsParameters = None
# Get position and size of the browser window.
getWindowBoundsReturnValues = Union[getWindowBoundsReturnValues]
# Get the browser window that contains the devtools target.
getWindowForTargetParameters = None
# Get the browser window that contains the devtools target.
getWindowForTargetReturnValues = Union[getWindowForTargetReturnValues]
# Set position and/or size of the browser window.
setWindowBoundsParameters = None
# Set position and/or size of the browser window.
setWindowBoundsReturnValues = None
# Set dock tile details, platform-specific.
setDockTileParameters = None
# Set dock tile details, platform-specific.
setDockTileReturnValues = None
class CSS:
# This domain exposes CSS read/write operations. All CSS objects (stylesheets, rules, and styles) have an associated `id` used in subsequent operations on the related object. Each object type has a specific `id` structure, and those are not interchangeable between objects of different kinds. CSS objects can be loaded using the `get*ForNode()` calls (which accept a DOM node id). A client can also keep track of stylesheets via the `styleSheetAdded`/`styleSheetRemoved` events and subsequently load the required stylesheet contents using the `getStyleSheet[Text]()` methods.
StyleSheetId = str
# Stylesheet type: "injected" for stylesheets injected via extension, "user-agent" for user-agent stylesheets, "inspector" for stylesheets created by the inspector (i.e. those holding the "via inspector" rules), "regular" for regular stylesheets.
StyleSheetOrigin = Literal['injected', 'user-agent', 'inspector', 'regular']
# CSS rule collection for a single pseudo style.
PseudoElementMatches = Union[PseudoElementMatches]
# Inherited CSS rule collection from ancestor node.
InheritedStyleEntry = Union[InheritedStyleEntry]
# Match data for a CSS rule.
RuleMatch = Union[RuleMatch]
# Data for a simple selector (these are delimited by commas in a selector list).
Value = Union[Value]
# Selector list data.
SelectorList = Union[SelectorList]
# CSS stylesheet metainformation.
CSSStyleSheetHeader = Union[CSSStyleSheetHeader]
# CSS rule representation.
CSSRule = Union[CSSRule]
# CSS coverage information.
RuleUsage = Union[RuleUsage]
# Text range within a resource. All numbers are zero-based.
SourceRange = Union[SourceRange]
ShorthandEntry = Union[ShorthandEntry]
CSSComputedStyleProperty = Union[CSSComputedStyleProperty]
# CSS style representation.
CSSStyle = Union[CSSStyle]
# CSS property declaration data.
CSSProperty = Union[CSSProperty]
# CSS media rule descriptor.
CSSMedia = Union[CSSMedia]
# Media query descriptor.
MediaQuery = Union[MediaQuery]
# Media query expression descriptor.
MediaQueryExpression = Union[MediaQueryExpression]
# Information about amount of glyphs that were rendered with given font.
PlatformFontUsage = Union[PlatformFontUsage]
# Properties of a web font: https://www.w3.org/TR/2008/REC-CSS2-20080411/fonts.html#font-descriptions
FontFace = Union[FontFace]
# CSS keyframes rule representation.
CSSKeyframesRule = Union[CSSKeyframesRule]
# CSS keyframe rule representation.
CSSKeyframeRule = Union[CSSKeyframeRule]
# A descriptor of operation to mutate style declaration text.
StyleDeclarationEdit = Union[StyleDeclarationEdit]
# Fires whenever a web font is updated. A non-empty font parameter indicates a successfully loaded web font
fontsUpdatedPayload = Union[fontsUpdatedPayload]
# Fires whenever a MediaQuery result changes (for example, after a browser window has been resized.) The current implementation considers only viewport-dependent media features.
mediaQueryResultChangedPayload = None
# Fired whenever an active document stylesheet is added.
styleSheetAddedPayload = Union[styleSheetAddedPayload]
# Fired whenever a stylesheet is changed as a result of the client operation.
styleSheetChangedPayload = Union[styleSheetChangedPayload]
# Fired whenever an active document stylesheet is removed.
styleSheetRemovedPayload = Union[styleSheetRemovedPayload]
# Inserts a new rule with the given `ruleText` in a stylesheet with given `styleSheetId`, at the position specified by `location`.
addRuleParameters = None
# Inserts a new rule with the given `ruleText` in a stylesheet with given `styleSheetId`, at the position specified by `location`.
addRuleReturnValues = Union[addRuleReturnValues]
# Returns all class names from specified stylesheet.
collectClassNamesParameters = None
# Returns all class names from specified stylesheet.
collectClassNamesReturnValues = Union[collectClassNamesReturnValues]
# Creates a new special "via-inspector" stylesheet in the frame with given `frameId`.
createStyleSheetParameters = None
# Creates a new special "via-inspector" stylesheet in the frame with given `frameId`.
createStyleSheetReturnValues = Union[createStyleSheetReturnValues]
# Disables the CSS agent for the given page.
disableParameters = None
# Disables the CSS agent for the given page.
disableReturnValues = None
# Enables the CSS agent for the given page. Clients should not assume that the CSS agent has been enabled until the result of this command is received.
enableParameters = None
# Enables the CSS agent for the given page. Clients should not assume that the CSS agent has been enabled until the result of this command is received.
enableReturnValues = None
# Ensures that the given node will have specified pseudo-classes whenever its style is computed by the browser.
forcePseudoStateParameters = None
# Ensures that the given node will have specified pseudo-classes whenever its style is computed by the browser.
forcePseudoStateReturnValues = None
getBackgroundColorsParameters = None
getBackgroundColorsReturnValues = Union[getBackgroundColorsReturnValues]
# Returns the computed style for a DOM node identified by `nodeId`.
getComputedStyleForNodeParameters = None
# Returns the computed style for a DOM node identified by `nodeId`.
getComputedStyleForNodeReturnValues = Union[getComputedStyleForNodeReturnValues]
# Returns the styles defined inline (explicitly in the "style" attribute and implicitly, using DOM attributes) for a DOM node identified by `nodeId`.
getInlineStylesForNodeParameters = None
# Returns the styles defined inline (explicitly in the "style" attribute and implicitly, using DOM attributes) for a DOM node identified by `nodeId`.
getInlineStylesForNodeReturnValues = Union[getInlineStylesForNodeReturnValues]
# Returns requested styles for a DOM node identified by `nodeId`.
getMatchedStylesForNodeParameters = None
# Returns requested styles for a DOM node identified by `nodeId`.
getMatchedStylesForNodeReturnValues = Union[getMatchedStylesForNodeReturnValues]
# Returns all media queries parsed by the rendering engine.
getMediaQueriesParameters = None
# Returns all media queries parsed by the rendering engine.
getMediaQueriesReturnValues = Union[getMediaQueriesReturnValues]
# Requests information about platform fonts which we used to render child TextNodes in the given node.
getPlatformFontsForNodeParameters = None
# Requests information about platform fonts which we used to render child TextNodes in the given node.
getPlatformFontsForNodeReturnValues = Union[getPlatformFontsForNodeReturnValues]
# Returns the current textual content for a stylesheet.
getStyleSheetTextParameters = None
# Returns the current textual content for a stylesheet.
getStyleSheetTextReturnValues = Union[getStyleSheetTextReturnValues]
# Find a rule with the given active property for the given node and set the new value for this property
setEffectivePropertyValueForNodeParameters = None
# Find a rule with the given active property for the given node and set the new value for this property
setEffectivePropertyValueForNodeReturnValues = None
# Modifies the keyframe rule key text.
setKeyframeKeyParameters = None
# Modifies the keyframe rule key text.
setKeyframeKeyReturnValues = Union[setKeyframeKeyReturnValues]
# Modifies the rule selector.
setMediaTextParameters = None
# Modifies the rule selector.
setMediaTextReturnValues = Union[setMediaTextReturnValues]
# Modifies the rule selector.
setRuleSelectorParameters = None
# Modifies the rule selector.
setRuleSelectorReturnValues = Union[setRuleSelectorReturnValues]
# Sets the new stylesheet text.
setStyleSheetTextParameters = None
# Sets the new stylesheet text.
setStyleSheetTextReturnValues = Union[setStyleSheetTextReturnValues]
# Applies specified style edits one after another in the given order.
setStyleTextsParameters = None
# Applies specified style edits one after another in the given order.
setStyleTextsReturnValues = Union[setStyleTextsReturnValues]
# Enables the selector recording.
startRuleUsageTrackingParameters = None
# Enables the selector recording.
startRuleUsageTrackingReturnValues = None
# Stop tracking rule usage and return the list of rules that were used since last call to `takeCoverageDelta` (or since start of coverage instrumentation)
stopRuleUsageTrackingParameters = None
# Stop tracking rule usage and return the list of rules that were used since last call to `takeCoverageDelta` (or since start of coverage instrumentation)
stopRuleUsageTrackingReturnValues = Union[stopRuleUsageTrackingReturnValues]
# Obtain list of rules that became used since last call to this method (or since start of coverage instrumentation)
takeCoverageDeltaParameters = None
# Obtain list of rules that became used since last call to this method (or since start of coverage instrumentation)
takeCoverageDeltaReturnValues = Union[takeCoverageDeltaReturnValues]
class CacheStorage:
# Unique identifier of the Cache object.
CacheId = str
# type of HTTP response cached
CachedResponseType = Literal['basic', 'cors', 'default', 'error', 'opaqueResponse', 'opaqueRedirect']
# Data entry.
DataEntry = Union[DataEntry]
# Cache identifier.
Cache = Union[Cache]
Header = Union[Header]
# Cached response
CachedResponse = Union[CachedResponse]
# Deletes a cache.
deleteCacheParameters = None
# Deletes a cache.
deleteCacheReturnValues = None
# Deletes a cache entry.
deleteEntryParameters = None
# Deletes a cache entry.
deleteEntryReturnValues = None
# Requests cache names.
requestCacheNamesParameters = None
# Requests cache names.
requestCacheNamesReturnValues = Union[requestCacheNamesReturnValues]
# Fetches cache entry.
requestCachedResponseParameters = None
# Fetches cache entry.
requestCachedResponseReturnValues = Union[requestCachedResponseReturnValues]
# Requests data from cache.
requestEntriesParameters = None
# Requests data from cache.
requestEntriesReturnValues = Union[requestEntriesReturnValues]
class Cast:
# A domain for interacting with Cast, Presentation API, and Remote Playback API functionalities.
Sink = Union[Sink]
# This is fired whenever the list of available sinks changes. A sink is a device or a software surface that you can cast to.
sinksUpdatedPayload = Union[sinksUpdatedPayload]
# This is fired whenever the outstanding issue/error message changes. |issueMessage| is empty if there is no issue.
issueUpdatedPayload = Union[issueUpdatedPayload]
# Starts observing for sinks that can be used for tab mirroring, and if set, sinks compatible with |presentationUrl| as well. When sinks are found, a |sinksUpdated| event is fired. Also starts observing for issue messages. When an issue is added or removed, an |issueUpdated| event is fired.
enableParameters = None
# Starts observing for sinks that can be used for tab mirroring, and if set, sinks compatible with |presentationUrl| as well. When sinks are found, a |sinksUpdated| event is fired. Also starts observing for issue messages. When an issue is added or removed, an |issueUpdated| event is fired.
enableReturnValues = None
# Stops observing for sinks and issues.
disableParameters = None
# Stops observing for sinks and issues.
disableReturnValues = None
# Sets a sink to be used when the web page requests the browser to choose a sink via Presentation API, Remote Playback API, or Cast SDK.
setSinkToUseParameters = None
# Sets a sink to be used when the web page requests the browser to choose a sink via Presentation API, Remote Playback API, or Cast SDK.
setSinkToUseReturnValues = None
# Starts mirroring the tab to the sink.
startTabMirroringParameters = None
# Starts mirroring the tab to the sink.
startTabMirroringReturnValues = None
# Stops the active Cast session on the sink.
stopCastingParameters = None
# Stops the active Cast session on the sink.
stopCastingReturnValues = None
class DOM:
# This domain exposes DOM read/write operations. Each DOM Node is represented with its mirror object that has an `id`. This `id` can be used to get additional information on the Node, resolve it into the JavaScript object wrapper, etc. It is important that client receives DOM events only for the nodes that are known to the client. Backend keeps track of the nodes that were sent to the client and never sends the same node twice. It is client's responsibility to collect information about the nodes that were sent to the client.<p>Note that `iframe` owner elements will return corresponding document elements as their child nodes.</p>
# Unique DOM node identifier.
NodeId = int
# Unique DOM node identifier used to reference a node that may not have been pushed to the front-end.
BackendNodeId = int
# Backend node with a friendly name.
BackendNode = Union[BackendNode]
# Pseudo element type.
PseudoType = Literal[
'first-line',
'first-letter',
'before',
'after',
'backdrop',
'selection',
'first-line-inherited',
'scrollbar',
'scrollbar-thumb',
'scrollbar-button',
'scrollbar-track',
'scrollbar-track-piece',
'scrollbar-corner',
'resizer',
'input-list-button',
]
# Shadow root type.
ShadowRootType = Literal['user-agent', 'open', 'closed']
# DOM interaction is implemented in terms of mirror objects that represent the actual DOM nodes. DOMNode is a base node mirror type.
Node = Union[Node]
# A structure holding an RGBA color.
RGBA = Union[RGBA]
# An array of quad vertices, x immediately followed by y for each point, points clock-wise.
Quad = List[float]
# Box model.
BoxModel = Union[BoxModel]
# CSS Shape Outside details.
ShapeOutsideInfo = Union[ShapeOutsideInfo]
# Rectangle.
Rect = Union[Rect]
# Fired when `Element`'s attribute is modified.
attributeModifiedPayload = Union[attributeModifiedPayload]
# Fired when `Element`'s attribute is removed.
attributeRemovedPayload = Union[attributeRemovedPayload]
# Mirrors `DOMCharacterDataModified` event.
characterDataModifiedPayload = Union[characterDataModifiedPayload]
# Fired when `Container`'s child node count has changed.
childNodeCountUpdatedPayload = Union[childNodeCountUpdatedPayload]
# Mirrors `DOMNodeInserted` event.
childNodeInsertedPayload = Union[childNodeInsertedPayload]
# Mirrors `DOMNodeRemoved` event.
childNodeRemovedPayload = Union[childNodeRemovedPayload]
# Called when distrubution is changed.
distributedNodesUpdatedPayload = Union[distributedNodesUpdatedPayload]
# Fired when `Document` has been totally updated. Node ids are no longer valid.
documentUpdatedPayload = None
# Fired when `Element`'s inline style is modified via a CSS property modification.
inlineStyleInvalidatedPayload = Union[inlineStyleInvalidatedPayload]
# Called when a pseudo element is added to an element.
pseudoElementAddedPayload = Union[pseudoElementAddedPayload]
# Called when a pseudo element is removed from an element.
pseudoElementRemovedPayload = Union[pseudoElementRemovedPayload]
# Fired when backend wants to provide client with the missing DOM structure. This happens upon most of the calls requesting node ids.
setChildNodesPayload = Union[setChildNodesPayload]
# Called when shadow root is popped from the element.
shadowRootPoppedPayload = Union[shadowRootPoppedPayload]
# Called when shadow root is pushed into the element.
shadowRootPushedPayload = Union[shadowRootPushedPayload]
# Collects class names for the node with given id and all of it's child nodes.
collectClassNamesFromSubtreeParameters = None
# Collects class names for the node with given id and all of it's child nodes.
collectClassNamesFromSubtreeReturnValues = Union[collectClassNamesFromSubtreeReturnValues]
# Creates a deep copy of the specified node and places it into the target container before the given anchor.
copyToParameters = None
# Creates a deep copy of the specified node and places it into the target container before the given anchor.
copyToReturnValues = Union[copyToReturnValues]
# Describes node given its id, does not require domain to be enabled. Does not start tracking any objects, can be used for automation.
describeNodeParameters = None
# Describes node given its id, does not require domain to be enabled. Does not start tracking any objects, can be used for automation.
describeNodeReturnValues = Union[describeNodeReturnValues]
# Disables DOM agent for the given page.
disableParameters = None
# Disables DOM agent for the given page.
disableReturnValues = None
# Discards search results from the session with the given id. `getSearchResults` should no longer be called for that search.
discardSearchResultsParameters = None
# Discards search results from the session with the given id. `getSearchResults` should no longer be called for that search.
discardSearchResultsReturnValues = None
# Enables DOM agent for the given page.
enableParameters = None
# Enables DOM agent for the given page.
enableReturnValues = None
# Focuses the given element.
focusParameters = None
# Focuses the given element.
focusReturnValues = None
# Returns attributes for the specified node.
getAttributesParameters = None
# Returns attributes for the specified node.
getAttributesReturnValues = Union[getAttributesReturnValues]
# Returns boxes for the given node.
getBoxModelParameters = None
# Returns boxes for the given node.
getBoxModelReturnValues = Union[getBoxModelReturnValues]
# Returns quads that describe node position on the page. This method might return multiple quads for inline nodes.
getContentQuadsParameters = None
# Returns quads that describe node position on the page. This method might return multiple quads for inline nodes.
getContentQuadsReturnValues = Union[getContentQuadsReturnValues]
# Returns the root DOM node (and optionally the subtree) to the caller.
getDocumentParameters = None
# Returns the root DOM node (and optionally the subtree) to the caller.
getDocumentReturnValues = Union[getDocumentReturnValues]
# Returns the root DOM node (and optionally the subtree) to the caller.
getFlattenedDocumentParameters = None
# Returns the root DOM node (and optionally the subtree) to the caller.
getFlattenedDocumentReturnValues = Union[getFlattenedDocumentReturnValues]
# Returns node id at given location. Depending on whether DOM domain is enabled, nodeId is either returned or not.
getNodeForLocationParameters = None
# Returns node id at given location. Depending on whether DOM domain is enabled, nodeId is either returned or not.
getNodeForLocationReturnValues = Union[getNodeForLocationReturnValues]
# Returns node's HTML markup.
getOuterHTMLParameters = None
# Returns node's HTML markup.
getOuterHTMLReturnValues = Union[getOuterHTMLReturnValues]
# Returns the id of the nearest ancestor that is a relayout boundary.
getRelayoutBoundaryParameters = None
# Returns the id of the nearest ancestor that is a relayout boundary.
getRelayoutBoundaryReturnValues = Union[getRelayoutBoundaryReturnValues]
# Returns search results from given `fromIndex` to given `toIndex` from the search with the given identifier.
getSearchResultsParameters = None
# Returns search results from given `fromIndex` to given `toIndex` from the search with the given identifier.
getSearchResultsReturnValues = Union[getSearchResultsReturnValues]
# Hides any highlight.
hideHighlightParameters = None
# Hides any highlight.
hideHighlightReturnValues = None
# Highlights DOM node.
highlightNodeParameters = None
# Highlights DOM node.
highlightNodeReturnValues = None
# Highlights given rectangle.
highlightRectParameters = None
# Highlights given rectangle.
highlightRectReturnValues = None
# Marks last undoable state.
markUndoableStateParameters = None
# Marks last undoable state.
markUndoableStateReturnValues = None
# Moves node into the new container, places it before the given anchor.
moveToParameters = None
# Moves node into the new container, places it before the given anchor.
moveToReturnValues = Union[moveToReturnValues]
# Searches for a given string in the DOM tree. Use `getSearchResults` to access search results or `cancelSearch` to end this search session.
performSearchParameters = None
# Searches for a given string in the DOM tree. Use `getSearchResults` to access search results or `cancelSearch` to end this search session.
performSearchReturnValues = Union[performSearchReturnValues]
# Requests that the node is sent to the caller given its path. // FIXME, use XPath
pushNodeByPathToFrontendParameters = None
# Requests that the node is sent to the caller given its path. // FIXME, use XPath
pushNodeByPathToFrontendReturnValues = Union[pushNodeByPathToFrontendReturnValues]
# Requests that a batch of nodes is sent to the caller given their backend node ids.
pushNodesByBackendIdsToFrontendParameters = None
# Requests that a batch of nodes is sent to the caller given their backend node ids.
pushNodesByBackendIdsToFrontendReturnValues = Union[pushNodesByBackendIdsToFrontendReturnValues]
# Executes `querySelector` on a given node.
querySelectorParameters = None
# Executes `querySelector` on a given node.
querySelectorReturnValues = Union[querySelectorReturnValues]
# Executes `querySelectorAll` on a given node.
querySelectorAllParameters = None
# Executes `querySelectorAll` on a given node.
querySelectorAllReturnValues = Union[querySelectorAllReturnValues]
# Re-does the last undone action.
redoParameters = None
# Re-does the last undone action.
redoReturnValues = None
# Removes attribute with given name from an element with given id.
removeAttributeParameters = None
# Removes attribute with given name from an element with given id.
removeAttributeReturnValues = None
# Removes node with given id.
removeNodeParameters = None
# Removes node with given id.
removeNodeReturnValues = None
# Requests that children of the node with given id are returned to the caller in form of `setChildNodes` events where not only immediate children are retrieved, but all children down to the specified depth.
requestChildNodesParameters = None
# Requests that children of the node with given id are returned to the caller in form of `setChildNodes` events where not only immediate children are retrieved, but all children down to the specified depth.
requestChildNodesReturnValues = None
# Requests that the node is sent to the caller given the JavaScript node object reference. All nodes that form the path from the node to the root are also sent to the client as a series of `setChildNodes` notifications.
requestNodeParameters = None
# Requests that the node is sent to the caller given the JavaScript node object reference. All nodes that form the path from the node to the root are also sent to the client as a series of `setChildNodes` notifications.
requestNodeReturnValues = Union[requestNodeReturnValues]
# Resolves the JavaScript node object for a given NodeId or BackendNodeId.
resolveNodeParameters = None
# Resolves the JavaScript node object for a given NodeId or BackendNodeId.
resolveNodeReturnValues = Union[resolveNodeReturnValues]
# Sets attribute for an element with given id.
setAttributeValueParameters = None
# Sets attribute for an element with given id.
setAttributeValueReturnValues = None
# Sets attributes on element with given id. This method is useful when user edits some existing attribute value and types in several attribute name/value pairs.
setAttributesAsTextParameters = None
# Sets attributes on element with given id. This method is useful when user edits some existing attribute value and types in several attribute name/value pairs.
setAttributesAsTextReturnValues = None
# Sets files for the given file input element.
setFileInputFilesParameters = None
# Sets files for the given file input element.
setFileInputFilesReturnValues = None
# Sets if stack traces should be captured for Nodes. See `Node.getNodeStackTraces`. Default is disabled.
setNodeStackTracesEnabledParameters = None
# Sets if stack traces should be captured for Nodes. See `Node.getNodeStackTraces`. Default is disabled.
setNodeStackTracesEnabledReturnValues = None
# Gets stack traces associated with a Node. As of now, only provides stack trace for Node creation.
getNodeStackTracesParameters = None
# Gets stack traces associated with a Node. As of now, only provides stack trace for Node creation.
getNodeStackTracesReturnValues = Union[getNodeStackTracesReturnValues]
# Returns file information for the given File wrapper.
getFileInfoParameters = None
# Returns file information for the given File wrapper.
getFileInfoReturnValues = Union[getFileInfoReturnValues]
# Enables console to refer to the node with given id via $x (see Command Line API for more details $x functions).
setInspectedNodeParameters = None
# Enables console to refer to the node with given id via $x (see Command Line API for more details $x functions).
setInspectedNodeReturnValues = None
# Sets node name for a node with given id.
setNodeNameParameters = None
# Sets node name for a node with given id.
setNodeNameReturnValues = Union[setNodeNameReturnValues]
# Sets node value for a node with given id.
setNodeValueParameters = None
# Sets node value for a node with given id.
setNodeValueReturnValues = None
# Sets node HTML markup, returns new node id.
setOuterHTMLParameters = None
# Sets node HTML markup, returns new node id.
setOuterHTMLReturnValues = None
# Undoes the last performed action.
undoParameters = None
# Undoes the last performed action.
undoReturnValues = None
# Returns iframe node that owns iframe with the given domain.
getFrameOwnerParameters = None
# Returns iframe node that owns iframe with the given domain.
getFrameOwnerReturnValues = Union[getFrameOwnerReturnValues]
class DOMDebugger:
# DOM debugging allows setting breakpoints on particular DOM operations and events. JavaScript execution will stop on these operations as if there was a regular breakpoint set.
# DOM breakpoint type.
DOMBreakpointType = Literal['subtree-modified', 'attribute-modified', 'node-removed']
# Object event listener.
EventListener = Union[EventListener]
# Returns event listeners of the given object.
getEventListenersParameters = None
# Returns event listeners of the given object.
getEventListenersReturnValues = Union[getEventListenersReturnValues]
# Removes DOM breakpoint that was set using `setDOMBreakpoint`.
removeDOMBreakpointParameters = None
# Removes DOM breakpoint that was set using `setDOMBreakpoint`.
removeDOMBreakpointReturnValues = None
# Removes breakpoint on particular DOM event.
removeEventListenerBreakpointParameters = None
# Removes breakpoint on particular DOM event.
removeEventListenerBreakpointReturnValues = None
# Removes breakpoint on particular native event.
removeInstrumentationBreakpointParameters = None
# Removes breakpoint on particular native event.
removeInstrumentationBreakpointReturnValues = None
# Removes breakpoint from XMLHttpRequest.
removeXHRBreakpointParameters = None
# Removes breakpoint from XMLHttpRequest.
removeXHRBreakpointReturnValues = None
# Sets breakpoint on particular operation with DOM.
setDOMBreakpointParameters = None
# Sets breakpoint on particular operation with DOM.
setDOMBreakpointReturnValues = None
# Sets breakpoint on particular DOM event.
setEventListenerBreakpointParameters = None
# Sets breakpoint on particular DOM event.
setEventListenerBreakpointReturnValues = None
# Sets breakpoint on particular native event.
setInstrumentationBreakpointParameters = None
# Sets breakpoint on particular native event.
setInstrumentationBreakpointReturnValues = None
# Sets breakpoint on XMLHttpRequest.
setXHRBreakpointParameters = None
# Sets breakpoint on XMLHttpRequest.
setXHRBreakpointReturnValues = None
class DOMSnapshot:
# This domain facilitates obtaining document snapshots with DOM, layout, and style information.
# A Node in the DOM tree.
DOMNode = Union[DOMNode]
# Details of post layout rendered text positions. The exact layout should not be regarded as stable and may change between versions.
InlineTextBox = Union[InlineTextBox]
# Details of an element in the DOM tree with a LayoutObject.
LayoutTreeNode = Union[LayoutTreeNode]
# A subset of the full ComputedStyle as defined by the request whitelist.
ComputedStyle = Union[ComputedStyle]
# A name/value pair.
NameValue = Union[NameValue]
# Index of the string in the strings table.
StringIndex = int
# Index of the string in the strings table.
ArrayOfStrings = List[int]
# Data that is only present on rare nodes.
RareStringData = Union[RareStringData]
RareBooleanData = Union[RareBooleanData]
RareIntegerData = Union[RareIntegerData]
Rectangle = List[float]
# Document snapshot.
DocumentSnapshot = Union[DocumentSnapshot]
# Table containing nodes.
NodeTreeSnapshot = Union[NodeTreeSnapshot]
# Table of details of an element in the DOM tree with a LayoutObject.
LayoutTreeSnapshot = Union[LayoutTreeSnapshot]
# Table of details of the post layout rendered text positions. The exact layout should not be regarded as stable and may change between versions.
TextBoxSnapshot = Union[TextBoxSnapshot]
# Disables DOM snapshot agent for the given page.
disableParameters = None
# Disables DOM snapshot agent for the given page.
disableReturnValues = None
# Enables DOM snapshot agent for the given page.
enableParameters = None
# Enables DOM snapshot agent for the given page.
enableReturnValues = None
# Returns a document snapshot, including the full DOM tree of the root node (including iframes, template contents, and imported documents) in a flattened array, as well as layout and white-listed computed style information for the nodes. Shadow DOM in the returned DOM tree is flattened.
getSnapshotParameters = None
# Returns a document snapshot, including the full DOM tree of the root node (including iframes, template contents, and imported documents) in a flattened array, as well as layout and white-listed computed style information for the nodes. Shadow DOM in the returned DOM tree is flattened.
getSnapshotReturnValues = Union[getSnapshotReturnValues]
# Returns a document snapshot, including the full DOM tree of the root node (including iframes, template contents, and imported documents) in a flattened array, as well as layout and white-listed computed style information for the nodes. Shadow DOM in the returned DOM tree is flattened.
captureSnapshotParameters = None
# Returns a document snapshot, including the full DOM tree of the root node (including iframes, template contents, and imported documents) in a flattened array, as well as layout and white-listed computed style information for the nodes. Shadow DOM in the returned DOM tree is flattened.
captureSnapshotReturnValues = Union[captureSnapshotReturnValues]
class DOMStorage:
# Query and modify DOM storage.
# DOM Storage identifier.
StorageId = Union[StorageId]
# DOM Storage item.
Item = List[str]
domStorageItemAddedPayload = Union[domStorageItemAddedPayload]
domStorageItemRemovedPayload = Union[domStorageItemRemovedPayload]
domStorageItemUpdatedPayload = Union[domStorageItemUpdatedPayload]
domStorageItemsClearedPayload = Union[domStorageItemsClearedPayload]
clearParameters = None
clearReturnValues = None
# Disables storage tracking, prevents storage events from being sent to the client.
disableParameters = None
# Disables storage tracking, prevents storage events from being sent to the client.
disableReturnValues = None
# Enables storage tracking, storage events will now be delivered to the client.
enableParameters = None
# Enables storage tracking, storage events will now be delivered to the client.
enableReturnValues = None
getDOMStorageItemsParameters = None
getDOMStorageItemsReturnValues = Union[getDOMStorageItemsReturnValues]
removeDOMStorageItemParameters = None
removeDOMStorageItemReturnValues = None
setDOMStorageItemParameters = None
setDOMStorageItemReturnValues = None
class Database:
# Unique identifier of Database object.
DatabaseId = str
# Database object.
Database = Union[Database]
# Database error.
Error = Union[Error]
addDatabasePayload = Union[addDatabasePayload]
# Disables database tracking, prevents database events from being sent to the client.
disableParameters = None
# Disables database tracking, prevents database events from being sent to the client.
disableReturnValues = None
# Enables database tracking, database events will now be delivered to the client.
enableParameters = None
# Enables database tracking, database events will now be delivered to the client.
enableReturnValues = None
executeSQLParameters = None
executeSQLReturnValues = Union[executeSQLReturnValues]
getDatabaseTableNamesParameters = None
getDatabaseTableNamesReturnValues = Union[getDatabaseTableNamesReturnValues]
class DeviceOrientation:
# Clears the overridden Device Orientation.
clearDeviceOrientationOverrideParameters = None
# Clears the overridden Device Orientation.
clearDeviceOrientationOverrideReturnValues = None
# Overrides the Device Orientation.
setDeviceOrientationOverrideParameters = None
# Overrides the Device Orientation.
setDeviceOrientationOverrideReturnValues = None
class Emulation:
# This domain emulates different environments for the page.
# Screen orientation.
ScreenOrientation = Union[ScreenOrientation]
MediaFeature = Union[MediaFeature]
# advance: If the scheduler runs out of immediate work, the virtual time base may fast forward to allow the next delayed task (if any) to run; pause: The virtual time base may not advance; pauseIfNetworkFetchesPending: The virtual time base may not advance if there are any pending resource fetches.
VirtualTimePolicy = Literal['advance', 'pause', 'pauseIfNetworkFetchesPending']
# Notification sent after the virtual time budget for the current VirtualTimePolicy has run out.
virtualTimeBudgetExpiredPayload = None
# Tells whether emulation is supported.
canEmulateParameters = None
# Tells whether emulation is supported.
canEmulateReturnValues = Union[canEmulateReturnValues]
# Clears the overriden device metrics.
clearDeviceMetricsOverrideParameters = None
# Clears the overriden device metrics.
clearDeviceMetricsOverrideReturnValues = None
# Clears the overriden Geolocation Position and Error.
clearGeolocationOverrideParameters = None
# Clears the overriden Geolocation Position and Error.
clearGeolocationOverrideReturnValues = None
# Requests that page scale factor is reset to initial values.
resetPageScaleFactorParameters = None
# Requests that page scale factor is reset to initial values.
resetPageScaleFactorReturnValues = None
# Enables or disables simulating a focused and active page.
setFocusEmulationEnabledParameters = None
# Enables or disables simulating a focused and active page.
setFocusEmulationEnabledReturnValues = None
# Enables CPU throttling to emulate slow CPUs.
setCPUThrottlingRateParameters = None
# Enables CPU throttling to emulate slow CPUs.
setCPUThrottlingRateReturnValues = None
# Sets or clears an override of the default background color of the frame. This override is used if the content does not specify one.
setDefaultBackgroundColorOverrideParameters = None
# Sets or clears an override of the default background color of the frame. This override is used if the content does not specify one.
setDefaultBackgroundColorOverrideReturnValues = None
# Overrides the values of device screen dimensions (window.screen.width, window.screen.height, window.innerWidth, window.innerHeight, and "device-width"/"device-height"-related CSS media query results).
setDeviceMetricsOverrideParameters = None
# Overrides the values of device screen dimensions (window.screen.width, window.screen.height, window.innerWidth, window.innerHeight, and "device-width"/"device-height"-related CSS media query results).
setDeviceMetricsOverrideReturnValues = None
setScrollbarsHiddenParameters = None
setScrollbarsHiddenReturnValues = None
setDocumentCookieDisabledParameters = None
setDocumentCookieDisabledReturnValues = None
setEmitTouchEventsForMouseParameters = None
setEmitTouchEventsForMouseReturnValues = None
# Emulates the given media type or media feature for CSS media queries.
setEmulatedMediaParameters = None
# Emulates the given media type or media feature for CSS media queries.
setEmulatedMediaReturnValues = None
# Overrides the Geolocation Position or Error. Omitting any of the parameters emulates position unavailable.
setGeolocationOverrideParameters = None
# Overrides the Geolocation Position or Error. Omitting any of the parameters emulates position unavailable.
setGeolocationOverrideReturnValues = None
# Overrides value returned by the javascript navigator object.
setNavigatorOverridesParameters = None
# Overrides value returned by the javascript navigator object.
setNavigatorOverridesReturnValues = None
# Sets a specified page scale factor.
setPageScaleFactorParameters = None
# Sets a specified page scale factor.
setPageScaleFactorReturnValues = None
# Switches script execution in the page.
setScriptExecutionDisabledParameters = None
# Switches script execution in the page.
setScriptExecutionDisabledReturnValues = None
# Enables touch on platforms which do not support them.
setTouchEmulationEnabledParameters = None
# Enables touch on platforms which do not support them.
setTouchEmulationEnabledReturnValues = None
# Turns on virtual time for all frames (replacing real-time with a synthetic time source) and sets the current virtual time policy. Note this supersedes any previous time budget.
setVirtualTimePolicyParameters = None
# Turns on virtual time for all frames (replacing real-time with a synthetic time source) and sets the current virtual time policy. Note this supersedes any previous time budget.
setVirtualTimePolicyReturnValues = Union[setVirtualTimePolicyReturnValues]
# Overrides default host system timezone with the specified one.
setTimezoneOverrideParameters = None
# Overrides default host system timezone with the specified one.
setTimezoneOverrideReturnValues = None
# Resizes the frame/viewport of the page. Note that this does not affect the frame's container (e.g. browser window). Can be used to produce screenshots of the specified size. Not supported on Android.
setVisibleSizeParameters = None
# Resizes the frame/viewport of the page. Note that this does not affect the frame's container (e.g. browser window). Can be used to produce screenshots of the specified size. Not supported on Android.
setVisibleSizeReturnValues = None
# Allows overriding user agent with the given string.
setUserAgentOverrideParameters = None
# Allows overriding user agent with the given string.
setUserAgentOverrideReturnValues = None
class HeadlessExperimental:
# This domain provides experimental commands only supported in headless mode.
# Encoding options for a screenshot.
ScreenshotParams = Union[ScreenshotParams]
# Issued when the target starts or stops needing BeginFrames. Deprecated. Issue beginFrame unconditionally instead and use result from beginFrame to detect whether the frames were suppressed.
needsBeginFramesChangedPayload = Union[needsBeginFramesChangedPayload]
# Sends a BeginFrame to the target and returns when the frame was completed. Optionally captures a screenshot from the resulting frame. Requires that the target was created with enabled BeginFrameControl. Designed for use with --run-all-compositor-stages-before-draw, see also https://goo.gl/3zHXhB for more background.
beginFrameParameters = None
# Sends a BeginFrame to the target and returns when the frame was completed. Optionally captures a screenshot from the resulting frame. Requires that the target was created with enabled BeginFrameControl. Designed for use with --run-all-compositor-stages-before-draw, see also https://goo.gl/3zHXhB for more background.
beginFrameReturnValues = Union[beginFrameReturnValues]
# Disables headless events for the target.
disableParameters = None
# Disables headless events for the target.
disableReturnValues = None
# Enables headless events for the target.
enableParameters = None
# Enables headless events for the target.
enableReturnValues = None
class IO:
# Input/Output operations for streams produced by DevTools.
# This is either obtained from another method or specifed as `blob:<uuid>` where `<uuid>` is an UUID of a Blob.
StreamHandle = str
# Close the stream, discard any temporary backing storage.
closeParameters = None
# Close the stream, discard any temporary backing storage.
closeReturnValues = None
# Read a chunk of the stream
readParameters = None
# Read a chunk of the stream
readReturnValues = Union[readReturnValues]
# Return UUID of Blob object specified by a remote object id.
resolveBlobParameters = None
# Return UUID of Blob object specified by a remote object id.
resolveBlobReturnValues = Union[resolveBlobReturnValues]
class IndexedDB:
# Database with an array of object stores.
DatabaseWithObjectStores = Union[DatabaseWithObjectStores]
# Object store.
ObjectStore = Union[ObjectStore]
# Object store index.
ObjectStoreIndex = Union[ObjectStoreIndex]
# Key.
Key = Union[Key]
# Key range.
KeyRange = Union[KeyRange]
# Data entry.
DataEntry = Union[DataEntry]
# Key path.
KeyPath = Union[KeyPath]
# Clears all entries from an object store.
clearObjectStoreParameters = None
# Clears all entries from an object store.
clearObjectStoreReturnValues = None
# Deletes a database.
deleteDatabaseParameters = None
# Deletes a database.
deleteDatabaseReturnValues = None
# Delete a range of entries from an object store
deleteObjectStoreEntriesParameters = None
# Delete a range of entries from an object store
deleteObjectStoreEntriesReturnValues = None
# Disables events from backend.
disableParameters = None
# Disables events from backend.
disableReturnValues = None
# Enables events from backend.
enableParameters = None
# Enables events from backend.
enableReturnValues = None
# Requests data from object store or index.
requestDataParameters = None
# Requests data from object store or index.
requestDataReturnValues = Union[requestDataReturnValues]
# Gets metadata of an object store
getMetadataParameters = None
# Gets metadata of an object store
getMetadataReturnValues = Union[getMetadataReturnValues]
# Requests database with given name in given frame.
requestDatabaseParameters = None
# Requests database with given name in given frame.
requestDatabaseReturnValues = Union[requestDatabaseReturnValues]
# Requests database names for given security origin.
requestDatabaseNamesParameters = None
# Requests database names for given security origin.
requestDatabaseNamesReturnValues = Union[requestDatabaseNamesReturnValues]
class Input:
TouchPoint = Union[TouchPoint]
GestureSourceType = Literal['default', 'touch', 'mouse']
# UTC time in seconds, counted from January 1, 1970.
TimeSinceEpoch = float
# Dispatches a key event to the page.
dispatchKeyEventParameters = None
# Dispatches a key event to the page.
dispatchKeyEventReturnValues = None
# This method emulates inserting text that doesn't come from a key press, for example an emoji keyboard or an IME.
insertTextParameters = None
# This method emulates inserting text that doesn't come from a key press, for example an emoji keyboard or an IME.
insertTextReturnValues = None
# Dispatches a mouse event to the page.
dispatchMouseEventParameters = None
# Dispatches a mouse event to the page.
dispatchMouseEventReturnValues = None
# Dispatches a touch event to the page.
dispatchTouchEventParameters = None
# Dispatches a touch event to the page.
dispatchTouchEventReturnValues = None
# Emulates touch event from the mouse event parameters.
emulateTouchFromMouseEventParameters = None
# Emulates touch event from the mouse event parameters.
emulateTouchFromMouseEventReturnValues = None
# Ignores input events (useful while auditing page).
setIgnoreInputEventsParameters = None
# Ignores input events (useful while auditing page).
setIgnoreInputEventsReturnValues = None
# Synthesizes a pinch gesture over a time period by issuing appropriate touch events.
synthesizePinchGestureParameters = None
# Synthesizes a pinch gesture over a time period by issuing appropriate touch events.
synthesizePinchGestureReturnValues = None
# Synthesizes a scroll gesture over a time period by issuing appropriate touch events.
synthesizeScrollGestureParameters = None
# Synthesizes a scroll gesture over a time period by issuing appropriate touch events.
synthesizeScrollGestureReturnValues = None
# Synthesizes a tap gesture over a time period by issuing appropriate touch events.
synthesizeTapGestureParameters = None
# Synthesizes a tap gesture over a time period by issuing appropriate touch events.
synthesizeTapGestureReturnValues = None
class Inspector:
# Fired when remote debugging connection is about to be terminated. Contains detach reason.
detachedPayload = Union[detachedPayload]
# Fired when debugging target has crashed
targetCrashedPayload = None
# Fired when debugging target has reloaded after crash
targetReloadedAfterCrashPayload = None
# Disables inspector domain notifications.
disableParameters = None
# Disables inspector domain notifications.
disableReturnValues = None
# Enables inspector domain notifications.
enableParameters = None
# Enables inspector domain notifications.
enableReturnValues = None
class LayerTree:
# Unique Layer identifier.
LayerId = str
# Unique snapshot identifier.
SnapshotId = str
# Rectangle where scrolling happens on the main thread.
ScrollRect = Union[ScrollRect]
# Sticky position constraints.
StickyPositionConstraint = Union[StickyPositionConstraint]
# Serialized fragment of layer picture along with its offset within the layer.
PictureTile = Union[PictureTile]
# Information about a compositing layer.
Layer = Union[Layer]
# Array of timings, one per paint step.
PaintProfile = List[float]
layerPaintedPayload = Union[layerPaintedPayload]
layerTreeDidChangePayload = Union[layerTreeDidChangePayload]
# Provides the reasons why the given layer was composited.
compositingReasonsParameters = None
# Provides the reasons why the given layer was composited.
compositingReasonsReturnValues = Union[compositingReasonsReturnValues]
# Disables compositing tree inspection.
disableParameters = None
# Disables compositing tree inspection.
disableReturnValues = None
# Enables compositing tree inspection.
enableParameters = None
# Enables compositing tree inspection.
enableReturnValues = None
# Returns the snapshot identifier.
loadSnapshotParameters = None
# Returns the snapshot identifier.
loadSnapshotReturnValues = Union[loadSnapshotReturnValues]
# Returns the layer snapshot identifier.
makeSnapshotParameters = None
# Returns the layer snapshot identifier.
makeSnapshotReturnValues = Union[makeSnapshotReturnValues]
profileSnapshotParameters = None
profileSnapshotReturnValues = Union[profileSnapshotReturnValues]
# Releases layer snapshot captured by the back-end.
releaseSnapshotParameters = None
# Releases layer snapshot captured by the back-end.
releaseSnapshotReturnValues = None
# Replays the layer snapshot and returns the resulting bitmap.
replaySnapshotParameters = None
# Replays the layer snapshot and returns the resulting bitmap.
replaySnapshotReturnValues = Union[replaySnapshotReturnValues]
# Replays the layer snapshot and returns canvas log.
snapshotCommandLogParameters = None
# Replays the layer snapshot and returns canvas log.
snapshotCommandLogReturnValues = Union[snapshotCommandLogReturnValues]
class Log:
# Provides access to log entries.
# Log entry.
LogEntry = Union[LogEntry]
# Violation configuration setting.
ViolationSetting = Union[ViolationSetting]
# Issued when new message was logged.
entryAddedPayload = Union[entryAddedPayload]
# Clears the log.
clearParameters = None
# Clears the log.
clearReturnValues = None
# Disables log domain, prevents further log entries from being reported to the client.
disableParameters = None
# Disables log domain, prevents further log entries from being reported to the client.
disableReturnValues = None
# Enables log domain, sends the entries collected so far to the client by means of the `entryAdded` notification.
enableParameters = None
# Enables log domain, sends the entries collected so far to the client by means of the `entryAdded` notification.
enableReturnValues = None
# start violation reporting.
startViolationsReportParameters = None
# start violation reporting.
startViolationsReportReturnValues = None
# Stop violation reporting.
stopViolationsReportParameters = None
# Stop violation reporting.
stopViolationsReportReturnValues = None
class Memory:
# Memory pressure level.
PressureLevel = Literal['moderate', 'critical']
# Heap profile sample.
SamplingProfileNode = Union[SamplingProfileNode]
# Array of heap profile samples.
SamplingProfile = Union[SamplingProfile]
# Executable module information
Module = Union[Module]
getDOMCountersParameters = None
getDOMCountersReturnValues = Union[getDOMCountersReturnValues]
prepareForLeakDetectionParameters = None
prepareForLeakDetectionReturnValues = None
# Simulate OomIntervention by purging V8 memory.
forciblyPurgeJavaScriptMemoryParameters = None
# Simulate OomIntervention by purging V8 memory.
forciblyPurgeJavaScriptMemoryReturnValues = None
# Enable/disable suppressing memory pressure notifications in all processes.
setPressureNotificationsSuppressedParameters = None
# Enable/disable suppressing memory pressure notifications in all processes.
setPressureNotificationsSuppressedReturnValues = None
# Simulate a memory pressure notification in all processes.
simulatePressureNotificationParameters = None
# Simulate a memory pressure notification in all processes.
simulatePressureNotificationReturnValues = None
# Start collecting native memory profile.
startSamplingParameters = None
# Start collecting native memory profile.
startSamplingReturnValues = None
# Stop collecting native memory profile.
stopSamplingParameters = None
# Stop collecting native memory profile.
stopSamplingReturnValues = None
# Retrieve native memory allocations profile collected since renderer process startup.
getAllTimeSamplingProfileParameters = None
# Retrieve native memory allocations profile collected since renderer process startup.
getAllTimeSamplingProfileReturnValues = Union[getAllTimeSamplingProfileReturnValues]
# Retrieve native memory allocations profile collected since browser process startup.
getBrowserSamplingProfileParameters = None
# Retrieve native memory allocations profile collected since browser process startup.
getBrowserSamplingProfileReturnValues = Union[getBrowserSamplingProfileReturnValues]
# Retrieve native memory allocations profile collected since last `startSampling` call.
getSamplingProfileParameters = None
# Retrieve native memory allocations profile collected since last `startSampling` call.
getSamplingProfileReturnValues = Union[getSamplingProfileReturnValues]
class Network:
# Network domain allows tracking network activities of the page. It exposes information about http, file, data and other requests and responses, their headers, bodies, timing, etc.
# Resource type as it was perceived by the rendering engine.
ResourceType = Literal[
'Document',
'Stylesheet',
'Image',
'Media',
'Font',
'Script',
'TextTrack',
'XHR',
'Fetch',
'EventSource',
'WebSocket',
'Manifest',
'SignedExchange',
'Ping',
'CSPViolationReport',
'Other',
]
# Unique loader identifier.
LoaderId = str
# Unique request identifier.
RequestId = str
# Unique intercepted request identifier.
InterceptionId = str
# Network level fetch failure reason.
ErrorReason = Literal[
'Failed',
'Aborted',
'TimedOut',
'AccessDenied',
'ConnectionClosed',
'ConnectionReset',
'ConnectionRefused',
'ConnectionAborted',
'ConnectionFailed',
'NameNotResolved',
'InternetDisconnected',
'AddressUnreachable',
'BlockedByClient',
'BlockedByResponse',
]
# UTC time in seconds, counted from January 1, 1970.
TimeSinceEpoch = float
# Monotonically increasing time in seconds since an arbitrary point in the past.
MonotonicTime = float
# Request / response headers as keys / values of JSON object.
Headers = Dict[str, str]
# The underlying connection technology that the browser is supposedly using.
ConnectionType = Literal[
'none', 'cellular2g', 'cellular3g', 'cellular4g', 'bluetooth', 'ethernet', 'wifi', 'wimax', 'other'
]
# Represents the cookie's 'SameSite' status: https://tools.ietf.org/html/draft-west-first-party-cookies
CookieSameSite = Literal['Strict', 'Lax', 'None']
# Timing information for the request.
ResourceTiming = Union[ResourceTiming]
# Loading priority of a resource request.
ResourcePriority = Literal['VeryLow', 'Low', 'Medium', 'High', 'VeryHigh']
# HTTP request data.
Request = Union[Request]
# Details of a signed certificate timestamp (SCT).
SignedCertificateTimestamp = Union[SignedCertificateTimestamp]
# Security details about a request.
SecurityDetails = Union[SecurityDetails]
# Whether the request complied with Certificate Transparency policy.
CertificateTransparencyCompliance = Literal['unknown', 'not-compliant', 'compliant']
# The reason why request was blocked.
BlockedReason = Literal[
'other',
'csp',
'mixed-content',
'origin',
'inspector',
'subresource-filter',
'content-type',
'collapsed-by-client',
]
# HTTP response data.
Response = Union[Response]
# WebSocket request data.
WebSocketRequest = Union[WebSocketRequest]
# WebSocket response data.
WebSocketResponse = Union[WebSocketResponse]
# WebSocket message data. This represents an entire WebSocket message, not just a fragmented frame as the name suggests.
WebSocketFrame = Union[WebSocketFrame]
# Information about the cached resource.
CachedResource = Union[CachedResource]
# Information about the request initiator.
Initiator = Union[Initiator]
# Cookie object
Cookie = Union[Cookie]
# Types of reasons why a cookie may not be stored from a response.
SetCookieBlockedReason = Literal[
'SecureOnly',
'SameSiteStrict',
'SameSiteLax',
'SameSiteUnspecifiedTreatedAsLax',
'SameSiteNoneInsecure',
'UserPreferences',
'SyntaxError',
'SchemeNotSupported',
'OverwriteSecure',
'InvalidDomain',
'InvalidPrefix',
'UnknownError',
]
# Types of reasons why a cookie may not be sent with a request.
CookieBlockedReason = Literal[
'SecureOnly',
'NotOnPath',
'DomainMismatch',
'SameSiteStrict',
'SameSiteLax',
'SameSiteUnspecifiedTreatedAsLax',
'SameSiteNoneInsecure',
'UserPreferences',
'UnknownError',
]
# A cookie which was not stored from a response with the corresponding reason.
BlockedSetCookieWithReason = Union[BlockedSetCookieWithReason]
# A cookie with was not sent with a request with the corresponding reason.
BlockedCookieWithReason = Union[BlockedCookieWithReason]
# Cookie parameter object
CookieParam = Union[CookieParam]
# Authorization challenge for HTTP status code 401 or 407.
AuthChallenge = Union[AuthChallenge]
# Response to an AuthChallenge.
AuthChallengeResponse = Union[AuthChallengeResponse]
# Stages of the interception to begin intercepting. Request will intercept before the request is sent. Response will intercept after the response is received.
InterceptionStage = Literal['Request', 'HeadersReceived']
# Request pattern for interception.
RequestPattern = Union[RequestPattern]
# Information about a signed exchange signature. https://wicg.github.io/webpackage/draft-yasskin-httpbis-origin-signed-exchanges-impl.html#rfc.section.3.1
SignedExchangeSignature = Union[SignedExchangeSignature]
# Information about a signed exchange header. https://wicg.github.io/webpackage/draft-yasskin-httpbis-origin-signed-exchanges-impl.html#cbor-representation
SignedExchangeHeader = Union[SignedExchangeHeader]
# Field type for a signed exchange related error.
SignedExchangeErrorField = Literal[
'signatureSig',
'signatureIntegrity',
'signatureCertUrl',
'signatureCertSha256',
'signatureValidityUrl',
'signatureTimestamps',
]
# Information about a signed exchange response.
SignedExchangeError = Union[SignedExchangeError]
# Information about a signed exchange response.
SignedExchangeInfo = Union[SignedExchangeInfo]
# Fired when data chunk was received over the network.
dataReceivedPayload = Union[dataReceivedPayload]
# Fired when EventSource message is received.
eventSourceMessageReceivedPayload = Union[eventSourceMessageReceivedPayload]
# Fired when HTTP request has failed to load.
loadingFailedPayload = Union[loadingFailedPayload]
# Fired when HTTP request has finished loading.
loadingFinishedPayload = Union[loadingFinishedPayload]
# Details of an intercepted HTTP request, which must be either allowed, blocked, modified or mocked. Deprecated, use Fetch.requestPaused instead.
requestInterceptedPayload = Union[requestInterceptedPayload]
# Fired if request ended up loading from cache.
requestServedFromCachePayload = Union[requestServedFromCachePayload]
# Fired when page is about to send HTTP request.
requestWillBeSentPayload = Union[requestWillBeSentPayload]
# Fired when resource loading priority is changed
resourceChangedPriorityPayload = Union[resourceChangedPriorityPayload]
# Fired when a signed exchange was received over the network
signedExchangeReceivedPayload = Union[signedExchangeReceivedPayload]
# Fired when HTTP response is available.
responseReceivedPayload = Union[responseReceivedPayload]
# Fired when WebSocket is closed.
webSocketClosedPayload = Union[webSocketClosedPayload]
# Fired upon WebSocket creation.
webSocketCreatedPayload = Union[webSocketCreatedPayload]
# Fired when WebSocket message error occurs.
webSocketFrameErrorPayload = Union[webSocketFrameErrorPayload]
# Fired when WebSocket message is received.
webSocketFrameReceivedPayload = Union[webSocketFrameReceivedPayload]
# Fired when WebSocket message is sent.
webSocketFrameSentPayload = Union[webSocketFrameSentPayload]
# Fired when WebSocket handshake response becomes available.
webSocketHandshakeResponseReceivedPayload = Union[webSocketHandshakeResponseReceivedPayload]
# Fired when WebSocket is about to initiate handshake.
webSocketWillSendHandshakeRequestPayload = Union[webSocketWillSendHandshakeRequestPayload]
# Fired when additional information about a requestWillBeSent event is available from the network stack. Not every requestWillBeSent event will have an additional requestWillBeSentExtraInfo fired for it, and there is no guarantee whether requestWillBeSent or requestWillBeSentExtraInfo will be fired first for the same request.
requestWillBeSentExtraInfoPayload = Union[requestWillBeSentExtraInfoPayload]
# Fired when additional information about a responseReceived event is available from the network stack. Not every responseReceived event will have an additional responseReceivedExtraInfo for it, and responseReceivedExtraInfo may be fired before or after responseReceived.
responseReceivedExtraInfoPayload = Union[responseReceivedExtraInfoPayload]
# Tells whether clearing browser cache is supported.
canClearBrowserCacheParameters = None
# Tells whether clearing browser cache is supported.
canClearBrowserCacheReturnValues = Union[canClearBrowserCacheReturnValues]
# Tells whether clearing browser cookies is supported.
canClearBrowserCookiesParameters = None
# Tells whether clearing browser cookies is supported.
canClearBrowserCookiesReturnValues = Union[canClearBrowserCookiesReturnValues]
# Tells whether emulation of network conditions is supported.
canEmulateNetworkConditionsParameters = None
# Tells whether emulation of network conditions is supported.
canEmulateNetworkConditionsReturnValues = Union[canEmulateNetworkConditionsReturnValues]
# Clears browser cache.
clearBrowserCacheParameters = None
# Clears browser cache.
clearBrowserCacheReturnValues = None
# Clears browser cookies.
clearBrowserCookiesParameters = None
# Clears browser cookies.
clearBrowserCookiesReturnValues = None
# Response to Network.requestIntercepted which either modifies the request to continue with any modifications, or blocks it, or completes it with the provided response bytes. If a network fetch occurs as a result which encounters a redirect an additional Network.requestIntercepted event will be sent with the same InterceptionId. Deprecated, use Fetch.continueRequest, Fetch.fulfillRequest and Fetch.failRequest instead.
continueInterceptedRequestParameters = None
# Response to Network.requestIntercepted which either modifies the request to continue with any modifications, or blocks it, or completes it with the provided response bytes. If a network fetch occurs as a result which encounters a redirect an additional Network.requestIntercepted event will be sent with the same InterceptionId. Deprecated, use Fetch.continueRequest, Fetch.fulfillRequest and Fetch.failRequest instead.
continueInterceptedRequestReturnValues = None
# Deletes browser cookies with matching name and url or domain/path pair.
deleteCookiesParameters = None
# Deletes browser cookies with matching name and url or domain/path pair.
deleteCookiesReturnValues = None
# Disables network tracking, prevents network events from being sent to the client.
disableParameters = None
# Disables network tracking, prevents network events from being sent to the client.
disableReturnValues = None
# Activates emulation of network conditions.
emulateNetworkConditionsParameters = None
# Activates emulation of network conditions.
emulateNetworkConditionsReturnValues = None
# Enables network tracking, network events will now be delivered to the client.
enableParameters = None
# Enables network tracking, network events will now be delivered to the client.
enableReturnValues = None
# Returns all browser cookies. Depending on the backend support, will return detailed cookie information in the `cookies` field.
getAllCookiesParameters = None
# Returns all browser cookies. Depending on the backend support, will return detailed cookie information in the `cookies` field.
getAllCookiesReturnValues = Union[getAllCookiesReturnValues]
# Returns the DER-encoded certificate.
getCertificateParameters = None
# Returns the DER-encoded certificate.
getCertificateReturnValues = Union[getCertificateReturnValues]
# Returns all browser cookies for the current URL. Depending on the backend support, will return detailed cookie information in the `cookies` field.
getCookiesParameters = None
# Returns all browser cookies for the current URL. Depending on the backend support, will return detailed cookie information in the `cookies` field.
getCookiesReturnValues = Union[getCookiesReturnValues]
# Returns content served for the given request.
getResponseBodyParameters = None
# Returns content served for the given request.
getResponseBodyReturnValues = Union[getResponseBodyReturnValues]
# Returns post data sent with the request. Returns an error when no data was sent with the request.
getRequestPostDataParameters = None
# Returns post data sent with the request. Returns an error when no data was sent with the request.
getRequestPostDataReturnValues = Union[getRequestPostDataReturnValues]
# Returns content served for the given currently intercepted request.
getResponseBodyForInterceptionParameters = None
# Returns content served for the given currently intercepted request.
getResponseBodyForInterceptionReturnValues = Union[getResponseBodyForInterceptionReturnValues]
# Returns a handle to the stream representing the response body. Note that after this command, the intercepted request can't be continued as is -- you either need to cancel it or to provide the response body. The stream only supports sequential read, IO.read will fail if the position is specified.
takeResponseBodyForInterceptionAsStreamParameters = None
# Returns a handle to the stream representing the response body. Note that after this command, the intercepted request can't be continued as is -- you either need to cancel it or to provide the response body. The stream only supports sequential read, IO.read will fail if the position is specified.
takeResponseBodyForInterceptionAsStreamReturnValues = Union[takeResponseBodyForInterceptionAsStreamReturnValues]
# This method sends a new XMLHttpRequest which is identical to the original one. The following parameters should be identical: method, url, async, request body, extra headers, withCredentials attribute, user, password.
replayXHRParameters = None
# This method sends a new XMLHttpRequest which is identical to the original one. The following parameters should be identical: method, url, async, request body, extra headers, withCredentials attribute, user, password.
replayXHRReturnValues = None
# Searches for given string in response content.
searchInResponseBodyParameters = None
# Searches for given string in response content.
searchInResponseBodyReturnValues = Union[searchInResponseBodyReturnValues]
# Blocks URLs from loading.
setBlockedURLsParameters = None
# Blocks URLs from loading.
setBlockedURLsReturnValues = None
# Toggles ignoring of service worker for each request.
setBypassServiceWorkerParameters = None
# Toggles ignoring of service worker for each request.
setBypassServiceWorkerReturnValues = None
# Toggles ignoring cache for each request. If `true`, cache will not be used.
setCacheDisabledParameters = None
# Toggles ignoring cache for each request. If `true`, cache will not be used.
setCacheDisabledReturnValues = None
# Sets a cookie with the given cookie data; may overwrite equivalent cookies if they exist.
setCookieParameters = None
# Sets a cookie with the given cookie data; may overwrite equivalent cookies if they exist.
setCookieReturnValues = Union[setCookieReturnValues]
# Sets given cookies.
setCookiesParameters = None
# Sets given cookies.
setCookiesReturnValues = None
# For testing.
setDataSizeLimitsForTestParameters = None
# For testing.
setDataSizeLimitsForTestReturnValues = None
# Specifies whether to always send extra HTTP headers with the requests from this page.
setExtraHTTPHeadersParameters = None
# Specifies whether to always send extra HTTP headers with the requests from this page.
setExtraHTTPHeadersReturnValues = None
# Sets the requests to intercept that match the provided patterns and optionally resource types. Deprecated, please use Fetch.enable instead.
setRequestInterceptionParameters = None
# Sets the requests to intercept that match the provided patterns and optionally resource types. Deprecated, please use Fetch.enable instead.
setRequestInterceptionReturnValues = None
# Allows overriding user agent with the given string.
setUserAgentOverrideParameters = None
# Allows overriding user agent with the given string.
setUserAgentOverrideReturnValues = None
class Overlay:
# This domain provides various functionality related to drawing atop the inspected page.
# Configuration data for the highlighting of page elements.
HighlightConfig = Union[HighlightConfig]
InspectMode = Literal['searchForNode', 'searchForUAShadowDOM', 'captureAreaScreenshot', 'showDistances', 'none']
# Fired when the node should be inspected. This happens after call to `setInspectMode` or when user manually inspects an element.
inspectNodeRequestedPayload = Union[inspectNodeRequestedPayload]
# Fired when the node should be highlighted. This happens after call to `setInspectMode`.
nodeHighlightRequestedPayload = Union[nodeHighlightRequestedPayload]
# Fired when user asks to capture screenshot of some area on the page.
screenshotRequestedPayload = Union[screenshotRequestedPayload]
# Fired when user cancels the inspect mode.
inspectModeCanceledPayload = None
# Disables domain notifications.
disableParameters = None
# Disables domain notifications.
disableReturnValues = None
# Enables domain notifications.
enableParameters = None
# Enables domain notifications.
enableReturnValues = None
# For testing.
getHighlightObjectForTestParameters = None
# For testing.
getHighlightObjectForTestReturnValues = Union[getHighlightObjectForTestReturnValues]
# Hides any highlight.
hideHighlightParameters = None
# Hides any highlight.
hideHighlightReturnValues = None
# Highlights owner element of the frame with given id.
highlightFrameParameters = None
# Highlights owner element of the frame with given id.
highlightFrameReturnValues = None
# Highlights DOM node with given id or with the given JavaScript object wrapper. Either nodeId or objectId must be specified.
highlightNodeParameters = None
# Highlights DOM node with given id or with the given JavaScript object wrapper. Either nodeId or objectId must be specified.
highlightNodeReturnValues = None
# Highlights given quad. Coordinates are absolute with respect to the main frame viewport.
highlightQuadParameters = None
# Highlights given quad. Coordinates are absolute with respect to the main frame viewport.
highlightQuadReturnValues = None
# Highlights given rectangle. Coordinates are absolute with respect to the main frame viewport.
highlightRectParameters = None
# Highlights given rectangle. Coordinates are absolute with respect to the main frame viewport.
highlightRectReturnValues = None
# Enters the 'inspect' mode. In this mode, elements that user is hovering over are highlighted. Backend then generates 'inspectNodeRequested' event upon element selection.
setInspectModeParameters = None
# Enters the 'inspect' mode. In this mode, elements that user is hovering over are highlighted. Backend then generates 'inspectNodeRequested' event upon element selection.
setInspectModeReturnValues = None
# Highlights owner element of all frames detected to be ads.
setShowAdHighlightsParameters = None
# Highlights owner element of all frames detected to be ads.
setShowAdHighlightsReturnValues = None
setPausedInDebuggerMessageParameters = None
setPausedInDebuggerMessageReturnValues = None
# Requests that backend shows debug borders on layers
setShowDebugBordersParameters = None
# Requests that backend shows debug borders on layers
setShowDebugBordersReturnValues = None
# Requests that backend shows the FPS counter
setShowFPSCounterParameters = None
# Requests that backend shows the FPS counter
setShowFPSCounterReturnValues = None
# Requests that backend shows paint rectangles
setShowPaintRectsParameters = None
# Requests that backend shows paint rectangles
setShowPaintRectsReturnValues = None
# Requests that backend shows layout shift regions
setShowLayoutShiftRegionsParameters = None
# Requests that backend shows layout shift regions
setShowLayoutShiftRegionsReturnValues = None
# Requests that backend shows scroll bottleneck rects
setShowScrollBottleneckRectsParameters = None
# Requests that backend shows scroll bottleneck rects
setShowScrollBottleneckRectsReturnValues = None
# Requests that backend shows hit-test borders on layers
setShowHitTestBordersParameters = None
# Requests that backend shows hit-test borders on layers
setShowHitTestBordersReturnValues = None
# Paints viewport size upon main frame resize.
setShowViewportSizeOnResizeParameters = None
# Paints viewport size upon main frame resize.
setShowViewportSizeOnResizeReturnValues = None
class Page:
# Actions and events related to the inspected page belong to the page domain.
# Unique frame identifier.
FrameId = str
# Information about the Frame on the page.
Frame = Union[Frame]
# Information about the Resource on the page.
FrameResource = Union[FrameResource]
# Information about the Frame hierarchy along with their cached resources.
FrameResourceTree = Union[FrameResourceTree]
# Information about the Frame hierarchy.
FrameTree = Union[FrameTree]
# Unique script identifier.
ScriptIdentifier = str
# Transition type.
TransitionType = Literal[
'link',
'typed',
'address_bar',
'auto_bookmark',
'auto_subframe',
'manual_subframe',
'generated',
'auto_toplevel',
'form_submit',
'reload',
'keyword',
'keyword_generated',
'other',
]
# Navigation history entry.
NavigationEntry = Union[NavigationEntry]
# Screencast frame metadata.
ScreencastFrameMetadata = Union[ScreencastFrameMetadata]
# Javascript dialog type.
DialogType = Literal['alert', 'confirm', 'prompt', 'beforeunload']
# Error while paring app manifest.
AppManifestError = Union[AppManifestError]
# Layout viewport position and dimensions.
LayoutViewport = Union[LayoutViewport]
# Visual viewport position, dimensions, and scale.
VisualViewport = Union[VisualViewport]
# Viewport for capturing screenshot.
Viewport = Union[Viewport]
# Generic font families collection.
FontFamilies = Union[FontFamilies]
# Default font sizes.
FontSizes = Union[FontSizes]
ClientNavigationReason = Literal[
'formSubmissionGet',
'formSubmissionPost',
'httpHeaderRefresh',
'scriptInitiated',
'metaTagRefresh',
'pageBlockInterstitial',
'reload',
]
domContentEventFiredPayload = Union[domContentEventFiredPayload]
# Emitted only when `page.interceptFileChooser` is enabled.
fileChooserOpenedPayload = Union[fileChooserOpenedPayload]
# Fired when frame has been attached to its parent.
frameAttachedPayload = Union[frameAttachedPayload]
# Fired when frame no longer has a scheduled navigation.
frameClearedScheduledNavigationPayload = Union[frameClearedScheduledNavigationPayload]
# Fired when frame has been detached from its parent.
frameDetachedPayload = Union[frameDetachedPayload]
# Fired once navigation of the frame has completed. Frame is now associated with the new loader.
frameNavigatedPayload = Union[frameNavigatedPayload]
frameResizedPayload = None
# Fired when a renderer-initiated navigation is requested. Navigation may still be cancelled after the event is issued.
frameRequestedNavigationPayload = Union[frameRequestedNavigationPayload]
# Fired when frame schedules a potential navigation.
frameScheduledNavigationPayload = Union[frameScheduledNavigationPayload]
# Fired when frame has started loading.
frameStartedLoadingPayload = Union[frameStartedLoadingPayload]
# Fired when frame has stopped loading.
frameStoppedLoadingPayload = Union[frameStoppedLoadingPayload]
# Fired when page is about to start a download.
downloadWillBeginPayload = Union[downloadWillBeginPayload]
# Fired when interstitial page was hidden
interstitialHiddenPayload = None
# Fired when interstitial page was shown
interstitialShownPayload = None
# Fired when a JavaScript initiated dialog (alert, confirm, prompt, or onbeforeunload) has been closed.
javascriptDialogClosedPayload = Union[javascriptDialogClosedPayload]
# Fired when a JavaScript initiated dialog (alert, confirm, prompt, or onbeforeunload) is about to open.
javascriptDialogOpeningPayload = Union[javascriptDialogOpeningPayload]
# Fired for top level page lifecycle events such as navigation, load, paint, etc.
lifecycleEventPayload = Union[lifecycleEventPayload]
loadEventFiredPayload = Union[loadEventFiredPayload]
# Fired when same-document navigation happens, e.g. due to history API usage or anchor navigation.
navigatedWithinDocumentPayload = Union[navigatedWithinDocumentPayload]
# Compressed image data requested by the `startScreencast`.
screencastFramePayload = Union[screencastFramePayload]
# Fired when the page with currently enabled screencast was shown or hidden `.
screencastVisibilityChangedPayload = Union[screencastVisibilityChangedPayload]
# Fired when a new window is going to be opened, via window.open(), link click, form submission, etc.
windowOpenPayload = Union[windowOpenPayload]
# Issued for every compilation cache generated. Is only available if Page.setGenerateCompilationCache is enabled.
compilationCacheProducedPayload = Union[compilationCacheProducedPayload]
# Deprecated, please use addScriptToEvaluateOnNewDocument instead.
addScriptToEvaluateOnLoadParameters = None
# Deprecated, please use addScriptToEvaluateOnNewDocument instead.
addScriptToEvaluateOnLoadReturnValues = Union[addScriptToEvaluateOnLoadReturnValues]
# Evaluates given script in every frame upon creation (before loading frame's scripts).
addScriptToEvaluateOnNewDocumentParameters = None
# Evaluates given script in every frame upon creation (before loading frame's scripts).
addScriptToEvaluateOnNewDocumentReturnValues = Union[addScriptToEvaluateOnNewDocumentReturnValues]
# Brings page to front (activates tab).
bringToFrontParameters = None
# Brings page to front (activates tab).
bringToFrontReturnValues = None
# Capture page screenshot.
captureScreenshotParameters = None
# Capture page screenshot.
captureScreenshotReturnValues = Union[captureScreenshotReturnValues]
# Returns a snapshot of the page as a string. For MHTML format, the serialization includes iframes, shadow DOM, external resources, and element-inline styles.
captureSnapshotParameters = None
# Returns a snapshot of the page as a string. For MHTML format, the serialization includes iframes, shadow DOM, external resources, and element-inline styles.
captureSnapshotReturnValues = Union[captureSnapshotReturnValues]
# Clears the overriden device metrics.
clearDeviceMetricsOverrideParameters = None
# Clears the overriden device metrics.
clearDeviceMetricsOverrideReturnValues = None
# Clears the overridden Device Orientation.
clearDeviceOrientationOverrideParameters = None
# Clears the overridden Device Orientation.
clearDeviceOrientationOverrideReturnValues = None
# Clears the overriden Geolocation Position and Error.
clearGeolocationOverrideParameters = None
# Clears the overriden Geolocation Position and Error.
clearGeolocationOverrideReturnValues = None
# Creates an isolated world for the given frame.
createIsolatedWorldParameters = None
# Creates an isolated world for the given frame.
createIsolatedWorldReturnValues = Union[createIsolatedWorldReturnValues]
# Deletes browser cookie with given name, domain and path.
deleteCookieParameters = None
# Deletes browser cookie with given name, domain and path.
deleteCookieReturnValues = None
# Disables page domain notifications.
disableParameters = None
# Disables page domain notifications.
disableReturnValues = None
# Enables page domain notifications.
enableParameters = None
# Enables page domain notifications.
enableReturnValues = None
getAppManifestParameters = None
getAppManifestReturnValues = Union[getAppManifestReturnValues]
getInstallabilityErrorsParameters = None
getInstallabilityErrorsReturnValues = Union[getInstallabilityErrorsReturnValues]
# Returns all browser cookies. Depending on the backend support, will return detailed cookie information in the `cookies` field.
getCookiesParameters = None
# Returns all browser cookies. Depending on the backend support, will return detailed cookie information in the `cookies` field.
getCookiesReturnValues = Union[getCookiesReturnValues]
# Returns present frame tree structure.
getFrameTreeParameters = None
# Returns present frame tree structure.
getFrameTreeReturnValues = Union[getFrameTreeReturnValues]
# Returns metrics relating to the layouting of the page, such as viewport bounds/scale.
getLayoutMetricsParameters = None
# Returns metrics relating to the layouting of the page, such as viewport bounds/scale.
getLayoutMetricsReturnValues = Union[getLayoutMetricsReturnValues]
# Returns navigation history for the current page.
getNavigationHistoryParameters = None
# Returns navigation history for the current page.
getNavigationHistoryReturnValues = Union[getNavigationHistoryReturnValues]
# Resets navigation history for the current page.
resetNavigationHistoryParameters = None
# Resets navigation history for the current page.
resetNavigationHistoryReturnValues = None
# Returns content of the given resource.
getResourceContentParameters = None
# Returns content of the given resource.
getResourceContentReturnValues = Union[getResourceContentReturnValues]
# Returns present frame / resource tree structure.
getResourceTreeParameters = None
# Returns present frame / resource tree structure.
getResourceTreeReturnValues = Union[getResourceTreeReturnValues]
# Accepts or dismisses a JavaScript initiated dialog (alert, confirm, prompt, or onbeforeunload).
handleJavaScriptDialogParameters = None
# Accepts or dismisses a JavaScript initiated dialog (alert, confirm, prompt, or onbeforeunload).
handleJavaScriptDialogReturnValues = None
# Navigates current page to the given URL.
navigateParameters = None
# Navigates current page to the given URL.
navigateReturnValues = Union[navigateReturnValues]
# Navigates current page to the given history entry.
navigateToHistoryEntryParameters = None
# Navigates current page to the given history entry.
navigateToHistoryEntryReturnValues = None
# Print page as PDF.
printToPDFParameters = None
# Print page as PDF.
printToPDFReturnValues = Union[printToPDFReturnValues]
# Reloads given page optionally ignoring the cache.
reloadParameters = None
# Reloads given page optionally ignoring the cache.
reloadReturnValues = None
# Deprecated, please use removeScriptToEvaluateOnNewDocument instead.
removeScriptToEvaluateOnLoadParameters = None
# Deprecated, please use removeScriptToEvaluateOnNewDocument instead.
removeScriptToEvaluateOnLoadReturnValues = None
# Removes given script from the list.
removeScriptToEvaluateOnNewDocumentParameters = None
# Removes given script from the list.
removeScriptToEvaluateOnNewDocumentReturnValues = None
# Acknowledges that a screencast frame has been received by the frontend.
screencastFrameAckParameters = None
# Acknowledges that a screencast frame has been received by the frontend.
screencastFrameAckReturnValues = None
# Searches for given string in resource content.
searchInResourceParameters = None
# Searches for given string in resource content.
searchInResourceReturnValues = Union[searchInResourceReturnValues]
# Enable Chrome's experimental ad filter on all sites.
setAdBlockingEnabledParameters = None
# Enable Chrome's experimental ad filter on all sites.
setAdBlockingEnabledReturnValues = None
# Enable page Content Security Policy by-passing.
setBypassCSPParameters = None
# Enable page Content Security Policy by-passing.
setBypassCSPReturnValues = None
# Overrides the values of device screen dimensions (window.screen.width, window.screen.height, window.innerWidth, window.innerHeight, and "device-width"/"device-height"-related CSS media query results).
setDeviceMetricsOverrideParameters = None
# Overrides the values of device screen dimensions (window.screen.width, window.screen.height, window.innerWidth, window.innerHeight, and "device-width"/"device-height"-related CSS media query results).
setDeviceMetricsOverrideReturnValues = None
# Overrides the Device Orientation.
setDeviceOrientationOverrideParameters = None
# Overrides the Device Orientation.
setDeviceOrientationOverrideReturnValues = None
# Set generic font families.
setFontFamiliesParameters = None
# Set generic font families.
setFontFamiliesReturnValues = None
# Set default font sizes.
setFontSizesParameters = None
# Set default font sizes.
setFontSizesReturnValues = None
# Sets given markup as the document's HTML.
setDocumentContentParameters = None
# Sets given markup as the document's HTML.
setDocumentContentReturnValues = None
# Set the behavior when downloading a file.
setDownloadBehaviorParameters = None
# Set the behavior when downloading a file.
setDownloadBehaviorReturnValues = None
# Overrides the Geolocation Position or Error. Omitting any of the parameters emulates position unavailable.
setGeolocationOverrideParameters = None
# Overrides the Geolocation Position or Error. Omitting any of the parameters emulates position unavailable.
setGeolocationOverrideReturnValues = None
# Controls whether page will emit lifecycle events.
setLifecycleEventsEnabledParameters = None
# Controls whether page will emit lifecycle events.
setLifecycleEventsEnabledReturnValues = None
# Toggles mouse event-based touch event emulation.
setTouchEmulationEnabledParameters = None
# Toggles mouse event-based touch event emulation.
setTouchEmulationEnabledReturnValues = None
# Starts sending each frame using the `screencastFrame` event.
startScreencastParameters = None
# Starts sending each frame using the `screencastFrame` event.
startScreencastReturnValues = None
# Force the page stop all navigations and pending resource fetches.
stopLoadingParameters = None
# Force the page stop all navigations and pending resource fetches.
stopLoadingReturnValues = None
# Crashes renderer on the IO thread, generates minidumps.
crashParameters = None
# Crashes renderer on the IO thread, generates minidumps.
crashReturnValues = None
# Tries to close page, running its beforeunload hooks, if any.
closeParameters = None
# Tries to close page, running its beforeunload hooks, if any.
closeReturnValues = None
# Tries to update the web lifecycle state of the page. It will transition the page to the given state according to: https://github.com/WICG/web-lifecycle/
setWebLifecycleStateParameters = None
# Tries to update the web lifecycle state of the page. It will transition the page to the given state according to: https://github.com/WICG/web-lifecycle/
setWebLifecycleStateReturnValues = None
# Stops sending each frame in the `screencastFrame`.
stopScreencastParameters = None
# Stops sending each frame in the `screencastFrame`.
stopScreencastReturnValues = None
# Forces compilation cache to be generated for every subresource script.
setProduceCompilationCacheParameters = None
# Forces compilation cache to be generated for every subresource script.
setProduceCompilationCacheReturnValues = None
# Seeds compilation cache for given url. Compilation cache does not survive cross-process navigation.
addCompilationCacheParameters = None
# Seeds compilation cache for given url. Compilation cache does not survive cross-process navigation.
addCompilationCacheReturnValues = None
# Clears seeded compilation cache.
clearCompilationCacheParameters = None
# Clears seeded compilation cache.
clearCompilationCacheReturnValues = None
# Generates a report for testing.
generateTestReportParameters = None
# Generates a report for testing.
generateTestReportReturnValues = None
# Pauses page execution. Can be resumed using generic Runtime.runIfWaitingForDebugger.
waitForDebuggerParameters = None
# Pauses page execution. Can be resumed using generic Runtime.runIfWaitingForDebugger.
waitForDebuggerReturnValues = None
# Intercept file chooser requests and transfer control to protocol clients. When file chooser interception is enabled, native file chooser dialog is not shown. Instead, a protocol event `Page.fileChooserOpened` is emitted.
setInterceptFileChooserDialogParameters = None
# Intercept file chooser requests and transfer control to protocol clients. When file chooser interception is enabled, native file chooser dialog is not shown. Instead, a protocol event `Page.fileChooserOpened` is emitted.
setInterceptFileChooserDialogReturnValues = None
class Performance:
# Run-time execution metric.
Metric = Union[Metric]
# Current values of the metrics.
metricsPayload = Union[metricsPayload]
# Disable collecting and reporting metrics.
disableParameters = None
# Disable collecting and reporting metrics.
disableReturnValues = None
# Enable collecting and reporting metrics.
enableParameters = None
# Enable collecting and reporting metrics.
enableReturnValues = None
# Sets time domain to use for collecting and reporting duration metrics. Note that this must be called before enabling metrics collection. Calling this method while metrics collection is enabled returns an error.
setTimeDomainParameters = None
# Sets time domain to use for collecting and reporting duration metrics. Note that this must be called before enabling metrics collection. Calling this method while metrics collection is enabled returns an error.
setTimeDomainReturnValues = None
# Retrieve current values of run-time metrics.
getMetricsParameters = None
# Retrieve current values of run-time metrics.
getMetricsReturnValues = Union[getMetricsReturnValues]
class Security:
# Security
# An internal certificate ID value.
CertificateId = int
# A description of mixed content (HTTP resources on HTTPS pages), as defined by https://www.w3.org/TR/mixed-content/#categories
MixedContentType = Literal['blockable', 'optionally-blockable', 'none']
# The security level of a page or resource.
SecurityState = Literal['unknown', 'neutral', 'insecure', 'secure', 'info', 'insecure-broken']
# Details about the security state of the page certificate.
CertificateSecurityState = Union[CertificateSecurityState]
SafetyTipStatus = Literal['badReputation', 'lookalike']
SafetyTipInfo = Union[SafetyTipInfo]
# Security state information about the page.
VisibleSecurityState = Union[VisibleSecurityState]
# An explanation of an factor contributing to the security state.
SecurityStateExplanation = Union[SecurityStateExplanation]
# Information about insecure content on the page.
InsecureContentStatus = Union[InsecureContentStatus]
# The action to take when a certificate error occurs. continue will continue processing the request and cancel will cancel the request.
CertificateErrorAction = Literal['continue', 'cancel']
# There is a certificate error. If overriding certificate errors is enabled, then it should be handled with the `handleCertificateError` command. Note: this event does not fire if the certificate error has been allowed internally. Only one client per target should override certificate errors at the same time.
certificateErrorPayload = Union[certificateErrorPayload]
# The security state of the page changed.
visibleSecurityStateChangedPayload = Union[visibleSecurityStateChangedPayload]
# The security state of the page changed.
securityStateChangedPayload = Union[securityStateChangedPayload]
# Disables tracking security state changes.
disableParameters = None
# Disables tracking security state changes.
disableReturnValues = None
# Enables tracking security state changes.
enableParameters = None
# Enables tracking security state changes.
enableReturnValues = None
# Enable/disable whether all certificate errors should be ignored.
setIgnoreCertificateErrorsParameters = None
# Enable/disable whether all certificate errors should be ignored.
setIgnoreCertificateErrorsReturnValues = None
# Handles a certificate error that fired a certificateError event.
handleCertificateErrorParameters = None
# Handles a certificate error that fired a certificateError event.
handleCertificateErrorReturnValues = None
# Enable/disable overriding certificate errors. If enabled, all certificate error events need to be handled by the DevTools client and should be answered with `handleCertificateError` commands.
setOverrideCertificateErrorsParameters = None
# Enable/disable overriding certificate errors. If enabled, all certificate error events need to be handled by the DevTools client and should be answered with `handleCertificateError` commands.
setOverrideCertificateErrorsReturnValues = None
class ServiceWorker:
RegistrationID = str
# ServiceWorker registration.
ServiceWorkerRegistration = Union[ServiceWorkerRegistration]
ServiceWorkerVersionRunningStatus = Literal['stopped', 'starting', 'running', 'stopping']
ServiceWorkerVersionStatus = Literal['new', 'installing', 'installed', 'activating', 'activated', 'redundant']
# ServiceWorker version.
ServiceWorkerVersion = Union[ServiceWorkerVersion]
# ServiceWorker error message.
ServiceWorkerErrorMessage = Union[ServiceWorkerErrorMessage]
workerErrorReportedPayload = Union[workerErrorReportedPayload]
workerRegistrationUpdatedPayload = Union[workerRegistrationUpdatedPayload]
workerVersionUpdatedPayload = Union[workerVersionUpdatedPayload]
deliverPushMessageParameters = None
deliverPushMessageReturnValues = None
disableParameters = None
disableReturnValues = None
dispatchSyncEventParameters = None
dispatchSyncEventReturnValues = None
dispatchPeriodicSyncEventParameters = None
dispatchPeriodicSyncEventReturnValues = None
enableParameters = None
enableReturnValues = None
inspectWorkerParameters = None
inspectWorkerReturnValues = None
setForceUpdateOnPageLoadParameters = None
setForceUpdateOnPageLoadReturnValues = None
skipWaitingParameters = None
skipWaitingReturnValues = None
startWorkerParameters = None
startWorkerReturnValues = None
stopAllWorkersParameters = None
stopAllWorkersReturnValues = None
stopWorkerParameters = None
stopWorkerReturnValues = None
unregisterParameters = None
unregisterReturnValues = None
updateRegistrationParameters = None
updateRegistrationReturnValues = None
class Storage:
# Enum of possible storage types.
StorageType = Literal[
'appcache',
'cookies',
'file_systems',
'indexeddb',
'local_storage',
'shader_cache',
'websql',
'service_workers',
'cache_storage',
'all',
'other',
]
# Usage for a storage type.
UsageForType = Union[UsageForType]
# A cache's contents have been modified.
cacheStorageContentUpdatedPayload = Union[cacheStorageContentUpdatedPayload]
# A cache has been added/deleted.
cacheStorageListUpdatedPayload = Union[cacheStorageListUpdatedPayload]
# The origin's IndexedDB object store has been modified.
indexedDBContentUpdatedPayload = Union[indexedDBContentUpdatedPayload]
# The origin's IndexedDB database list has been modified.
indexedDBListUpdatedPayload = Union[indexedDBListUpdatedPayload]
# Clears storage for origin.
clearDataForOriginParameters = None
# Clears storage for origin.
clearDataForOriginReturnValues = None
# Returns all browser cookies.
getCookiesParameters = None
# Returns all browser cookies.
getCookiesReturnValues = Union[getCookiesReturnValues]
# Sets given cookies.
setCookiesParameters = None
# Sets given cookies.
setCookiesReturnValues = None
# Clears cookies.
clearCookiesParameters = None
# Clears cookies.
clearCookiesReturnValues = None
# Returns usage and quota in bytes.
getUsageAndQuotaParameters = None
# Returns usage and quota in bytes.
getUsageAndQuotaReturnValues = Union[getUsageAndQuotaReturnValues]
# Registers origin to be notified when an update occurs to its cache storage list.
trackCacheStorageForOriginParameters = None
# Registers origin to be notified when an update occurs to its cache storage list.
trackCacheStorageForOriginReturnValues = None
# Registers origin to be notified when an update occurs to its IndexedDB.
trackIndexedDBForOriginParameters = None
# Registers origin to be notified when an update occurs to its IndexedDB.
trackIndexedDBForOriginReturnValues = None
# Unregisters origin from receiving notifications for cache storage.
untrackCacheStorageForOriginParameters = None
# Unregisters origin from receiving notifications for cache storage.
untrackCacheStorageForOriginReturnValues = None
# Unregisters origin from receiving notifications for IndexedDB.
untrackIndexedDBForOriginParameters = None
# Unregisters origin from receiving notifications for IndexedDB.
untrackIndexedDBForOriginReturnValues = None
class SystemInfo:
# The SystemInfo domain defines methods and events for querying low-level system information.
# Describes a single graphics processor (GPU).
GPUDevice = Union[GPUDevice]
# Describes the width and height dimensions of an entity.
Size = Union[Size]
# Describes a supported video decoding profile with its associated minimum and maximum resolutions.
VideoDecodeAcceleratorCapability = Union[VideoDecodeAcceleratorCapability]
# Describes a supported video encoding profile with its associated maximum resolution and maximum framerate.
VideoEncodeAcceleratorCapability = Union[VideoEncodeAcceleratorCapability]
# YUV subsampling type of the pixels of a given image.
SubsamplingFormat = Literal['yuv420', 'yuv422', 'yuv444']
# Image format of a given image.
ImageType = Literal['jpeg', 'webp', 'unknown']
# Describes a supported image decoding profile with its associated minimum and maximum resolutions and subsampling.
ImageDecodeAcceleratorCapability = Union[ImageDecodeAcceleratorCapability]
# Provides information about the GPU(s) on the system.
GPUInfo = Union[GPUInfo]
# Represents process info.
ProcessInfo = Union[ProcessInfo]
# Returns information about the system.
getInfoParameters = None
# Returns information about the system.
getInfoReturnValues = Union[getInfoReturnValues]
# Returns information about all running processes.
getProcessInfoParameters = None
# Returns information about all running processes.
getProcessInfoReturnValues = Union[getProcessInfoReturnValues]
class Target:
# Supports additional targets discovery and allows to attach to them.
TargetID = str
# Unique identifier of attached debugging session.
SessionID = str
TargetInfo = Union[TargetInfo]
RemoteLocation = Union[RemoteLocation]
# Issued when attached to target because of auto-attach or `attachToTarget` command.
attachedToTargetPayload = Union[attachedToTargetPayload]
# Issued when detached from target for any reason (including `detachFromTarget` command). Can be issued multiple times per target if multiple sessions have been attached to it.
detachedFromTargetPayload = Union[detachedFromTargetPayload]
# Notifies about a new protocol message received from the session (as reported in `attachedToTarget` event).
receivedMessageFromTargetPayload = Union[receivedMessageFromTargetPayload]
# Issued when a possible inspection target is created.
targetCreatedPayload = Union[targetCreatedPayload]
# Issued when a target is destroyed.
targetDestroyedPayload = Union[targetDestroyedPayload]
# Issued when a target has crashed.
targetCrashedPayload = Union[targetCrashedPayload]
# Issued when some information about a target has changed. This only happens between `targetCreated` and `targetDestroyed`.
targetInfoChangedPayload = Union[targetInfoChangedPayload]
# Activates (focuses) the target.
activateTargetParameters = None
# Activates (focuses) the target.
activateTargetReturnValues = None
# Attaches to the target with given id.
attachToTargetParameters = None
# Attaches to the target with given id.
attachToTargetReturnValues = Union[attachToTargetReturnValues]
# Attaches to the browser target, only uses flat sessionId mode.
attachToBrowserTargetParameters = None
# Attaches to the browser target, only uses flat sessionId mode.
attachToBrowserTargetReturnValues = Union[attachToBrowserTargetReturnValues]
# Closes the target. If the target is a page that gets closed too.
closeTargetParameters = None
# Closes the target. If the target is a page that gets closed too.
closeTargetReturnValues = Union[closeTargetReturnValues]
# Inject object to the target's main frame that provides a communication channel with browser target. Injected object will be available as `window[bindingName]`. The object has the follwing API: - `binding.send(json)` - a method to send messages over the remote debugging protocol - `binding.onmessage = json => handleMessage(json)` - a callback that will be called for the protocol notifications and command responses.
exposeDevToolsProtocolParameters = None
# Inject object to the target's main frame that provides a communication channel with browser target. Injected object will be available as `window[bindingName]`. The object has the follwing API: - `binding.send(json)` - a method to send messages over the remote debugging protocol - `binding.onmessage = json => handleMessage(json)` - a callback that will be called for the protocol notifications and command responses.
exposeDevToolsProtocolReturnValues = None
# Creates a new empty BrowserContext. Similar to an incognito profile but you can have more than one.
createBrowserContextParameters = None
# Creates a new empty BrowserContext. Similar to an incognito profile but you can have more than one.
createBrowserContextReturnValues = Union[createBrowserContextReturnValues]
# Returns all browser contexts created with `Target.createBrowserContext` method.
getBrowserContextsParameters = None
# Returns all browser contexts created with `Target.createBrowserContext` method.
getBrowserContextsReturnValues = Union[getBrowserContextsReturnValues]
# Creates a new page.
createTargetParameters = None
# Creates a new page.
createTargetReturnValues = Union[createTargetReturnValues]
# Detaches session with given id.
detachFromTargetParameters = None
# Detaches session with given id.
detachFromTargetReturnValues = None
# Deletes a BrowserContext. All the belonging pages will be closed without calling their beforeunload hooks.
disposeBrowserContextParameters = None
# Deletes a BrowserContext. All the belonging pages will be closed without calling their beforeunload hooks.
disposeBrowserContextReturnValues = None
# Returns information about a target.
getTargetInfoParameters = None
# Returns information about a target.
getTargetInfoReturnValues = Union[getTargetInfoReturnValues]
# Retrieves a list of available targets.
getTargetsParameters = None
# Retrieves a list of available targets.
getTargetsReturnValues = Union[getTargetsReturnValues]
# Sends protocol message over session with given id. Consider using flat mode instead; see commands attachToTarget, setAutoAttach, and crbug.com/991325.
sendMessageToTargetParameters = None
# Sends protocol message over session with given id. Consider using flat mode instead; see commands attachToTarget, setAutoAttach, and crbug.com/991325.
sendMessageToTargetReturnValues = None
# Controls whether to automatically attach to new targets which are considered to be related to this one. When turned on, attaches to all existing related targets as well. When turned off, automatically detaches from all currently attached targets.
setAutoAttachParameters = None
# Controls whether to automatically attach to new targets which are considered to be related to this one. When turned on, attaches to all existing related targets as well. When turned off, automatically detaches from all currently attached targets.
setAutoAttachReturnValues = None
# Controls whether to discover available targets and notify via `targetCreated/targetInfoChanged/targetDestroyed` events.
setDiscoverTargetsParameters = None
# Controls whether to discover available targets and notify via `targetCreated/targetInfoChanged/targetDestroyed` events.
setDiscoverTargetsReturnValues = None
# Enables target discovery for the specified locations, when `setDiscoverTargets` was set to `true`.
setRemoteLocationsParameters = None
# Enables target discovery for the specified locations, when `setDiscoverTargets` was set to `true`.
setRemoteLocationsReturnValues = None
class Tethering:
# The Tethering domain defines methods and events for browser port binding.
# Informs that port was successfully bound and got a specified connection id.
acceptedPayload = Union[acceptedPayload]
# Request browser port binding.
bindParameters = None
# Request browser port binding.
bindReturnValues = None
# Request browser port unbinding.
unbindParameters = None
# Request browser port unbinding.
unbindReturnValues = None
class Tracing:
# Configuration for memory dump. Used only when "memory-infra" category is enabled.
MemoryDumpConfig = Dict[str, str]
TraceConfig = Union[TraceConfig]
# Data format of a trace. Can be either the legacy JSON format or the protocol buffer format. Note that the JSON format will be deprecated soon.
StreamFormat = Literal['json', 'proto']
# Compression type to use for traces returned via streams.
StreamCompression = Literal['none', 'gzip']
bufferUsagePayload = Union[bufferUsagePayload]
# Contains an bucket of collected trace events. When tracing is stopped collected events will be send as a sequence of dataCollected events followed by tracingComplete event.
dataCollectedPayload = Union[dataCollectedPayload]
# Signals that tracing is stopped and there is no trace buffers pending flush, all data were delivered via dataCollected events.
tracingCompletePayload = Union[tracingCompletePayload]
# Stop trace events collection.
endParameters = None
# Stop trace events collection.
endReturnValues = None
# Gets supported tracing categories.
getCategoriesParameters = None
# Gets supported tracing categories.
getCategoriesReturnValues = Union[getCategoriesReturnValues]
# Record a clock sync marker in the trace.
recordClockSyncMarkerParameters = None
# Record a clock sync marker in the trace.
recordClockSyncMarkerReturnValues = None
# Request a global memory dump.
requestMemoryDumpParameters = None
# Request a global memory dump.
requestMemoryDumpReturnValues = Union[requestMemoryDumpReturnValues]
# Start trace events collection.
startParameters = None
# Start trace events collection.
startReturnValues = None
class Fetch:
# A domain for letting clients substitute browser's network layer with client code.
# Unique request identifier.
RequestId = str
# Stages of the request to handle. Request will intercept before the request is sent. Response will intercept after the response is received (but before response body is received.
RequestStage = Literal['Request', 'Response']
RequestPattern = Union[RequestPattern]
# Response HTTP header entry
HeaderEntry = Union[HeaderEntry]
# Authorization challenge for HTTP status code 401 or 407.
AuthChallenge = Union[AuthChallenge]
# Response to an AuthChallenge.
AuthChallengeResponse = Union[AuthChallengeResponse]
# Issued when the domain is enabled and the request URL matches the specified filter. The request is paused until the client responds with one of continueRequest, failRequest or fulfillRequest. The stage of the request can be determined by presence of responseErrorReason and responseStatusCode -- the request is at the response stage if either of these fields is present and in the request stage otherwise.
requestPausedPayload = Union[requestPausedPayload]
# Issued when the domain is enabled with handleAuthRequests set to true. The request is paused until client responds with continueWithAuth.
authRequiredPayload = Union[authRequiredPayload]
# Disables the fetch domain.
disableParameters = None
# Disables the fetch domain.
disableReturnValues = None
# Enables issuing of requestPaused events. A request will be paused until client calls one of failRequest, fulfillRequest or continueRequest/continueWithAuth.
enableParameters = None
# Enables issuing of requestPaused events. A request will be paused until client calls one of failRequest, fulfillRequest or continueRequest/continueWithAuth.
enableReturnValues = None
# Causes the request to fail with specified reason.
failRequestParameters = None
# Causes the request to fail with specified reason.
failRequestReturnValues = None
# Provides response to the request.
fulfillRequestParameters = None
# Provides response to the request.
fulfillRequestReturnValues = None
# Continues the request, optionally modifying some of its parameters.
continueRequestParameters = None
# Continues the request, optionally modifying some of its parameters.
continueRequestReturnValues = None
# Continues a request supplying authChallengeResponse following authRequired event.
continueWithAuthParameters = None
# Continues a request supplying authChallengeResponse following authRequired event.
continueWithAuthReturnValues = None
# Causes the body of the response to be received from the server and returned as a single string. May only be issued for a request that is paused in the Response stage and is mutually exclusive with takeResponseBodyForInterceptionAsStream. Calling other methods that affect the request or disabling fetch domain before body is received results in an undefined behavior.
getResponseBodyParameters = None
# Causes the body of the response to be received from the server and returned as a single string. May only be issued for a request that is paused in the Response stage and is mutually exclusive with takeResponseBodyForInterceptionAsStream. Calling other methods that affect the request or disabling fetch domain before body is received results in an undefined behavior.
getResponseBodyReturnValues = Union[getResponseBodyReturnValues]
# Returns a handle to the stream representing the response body. The request must be paused in the HeadersReceived stage. Note that after this command the request can't be continued as is -- client either needs to cancel it or to provide the response body. The stream only supports sequential read, IO.read will fail if the position is specified. This method is mutually exclusive with getResponseBody. Calling other methods that affect the request or disabling fetch domain before body is received results in an undefined behavior.
takeResponseBodyAsStreamParameters = None
# Returns a handle to the stream representing the response body. The request must be paused in the HeadersReceived stage. Note that after this command the request can't be continued as is -- client either needs to cancel it or to provide the response body. The stream only supports sequential read, IO.read will fail if the position is specified. This method is mutually exclusive with getResponseBody. Calling other methods that affect the request or disabling fetch domain before body is received results in an undefined behavior.
takeResponseBodyAsStreamReturnValues = Union[takeResponseBodyAsStreamReturnValues]
class WebAudio:
# This domain allows inspection of Web Audio API. https://webaudio.github.io/web-audio-api/
# An unique ID for a graph object (AudioContext, AudioNode, AudioParam) in Web Audio API
GraphObjectId = str
# Enum of BaseAudioContext types
ContextType = Literal['realtime', 'offline']
# Enum of AudioContextState from the spec
ContextState = Literal['suspended', 'running', 'closed']
# Enum of AudioNode types
NodeType = str
# Enum of AudioNode::ChannelCountMode from the spec
ChannelCountMode = Literal['clamped-max', 'explicit', 'max']
# Enum of AudioNode::ChannelInterpretation from the spec
ChannelInterpretation = Literal['discrete', 'speakers']
# Enum of AudioParam types
ParamType = str
# Enum of AudioParam::AutomationRate from the spec
AutomationRate = Literal['a-rate', 'k-rate']
# Fields in AudioContext that change in real-time.
ContextRealtimeData = Union[ContextRealtimeData]
# Protocol object for BaseAudioContext
BaseAudioContext = Union[BaseAudioContext]
# Protocol object for AudioListner
AudioListener = Union[AudioListener]
# Protocol object for AudioNode
AudioNode = Union[AudioNode]
# Protocol object for AudioParam
AudioParam = Union[AudioParam]
# Notifies that a new BaseAudioContext has been created.
contextCreatedPayload = Union[contextCreatedPayload]
# Notifies that an existing BaseAudioContext will be destroyed.
contextWillBeDestroyedPayload = Union[contextWillBeDestroyedPayload]
# Notifies that existing BaseAudioContext has changed some properties (id stays the same)..
contextChangedPayload = Union[contextChangedPayload]
# Notifies that the construction of an AudioListener has finished.
audioListenerCreatedPayload = Union[audioListenerCreatedPayload]
# Notifies that a new AudioListener has been created.
audioListenerWillBeDestroyedPayload = Union[audioListenerWillBeDestroyedPayload]
# Notifies that a new AudioNode has been created.
audioNodeCreatedPayload = Union[audioNodeCreatedPayload]
# Notifies that an existing AudioNode has been destroyed.
audioNodeWillBeDestroyedPayload = Union[audioNodeWillBeDestroyedPayload]
# Notifies that a new AudioParam has been created.
audioParamCreatedPayload = Union[audioParamCreatedPayload]
# Notifies that an existing AudioParam has been destroyed.
audioParamWillBeDestroyedPayload = Union[audioParamWillBeDestroyedPayload]
# Notifies that two AudioNodes are connected.
nodesConnectedPayload = Union[nodesConnectedPayload]
# Notifies that AudioNodes are disconnected. The destination can be null, and it means all the outgoing connections from the source are disconnected.
nodesDisconnectedPayload = Union[nodesDisconnectedPayload]
# Notifies that an AudioNode is connected to an AudioParam.
nodeParamConnectedPayload = Union[nodeParamConnectedPayload]
# Notifies that an AudioNode is disconnected to an AudioParam.
nodeParamDisconnectedPayload = Union[nodeParamDisconnectedPayload]
# Enables the WebAudio domain and starts sending context lifetime events.
enableParameters = None
# Enables the WebAudio domain and starts sending context lifetime events.
enableReturnValues = None
# Disables the WebAudio domain.
disableParameters = None
# Disables the WebAudio domain.
disableReturnValues = None
# Fetch the realtime data from the registered contexts.
getRealtimeDataParameters = None
# Fetch the realtime data from the registered contexts.
getRealtimeDataReturnValues = Union[getRealtimeDataReturnValues]
class WebAuthn:
# This domain allows configuring virtual authenticators to test the WebAuthn API.
AuthenticatorId = str
AuthenticatorProtocol = Literal['u2f', 'ctap2']
AuthenticatorTransport = Literal['usb', 'nfc', 'ble', 'cable', 'internal']
VirtualAuthenticatorOptions = Union[VirtualAuthenticatorOptions]
Credential = Union[Credential]
# Enable the WebAuthn domain and start intercepting credential storage and retrieval with a virtual authenticator.
enableParameters = None
# Enable the WebAuthn domain and start intercepting credential storage and retrieval with a virtual authenticator.
enableReturnValues = None
# Disable the WebAuthn domain.
disableParameters = None
# Disable the WebAuthn domain.
disableReturnValues = None
# Creates and adds a virtual authenticator.
addVirtualAuthenticatorParameters = None
# Creates and adds a virtual authenticator.
addVirtualAuthenticatorReturnValues = Union[addVirtualAuthenticatorReturnValues]
# Removes the given authenticator.
removeVirtualAuthenticatorParameters = None
# Removes the given authenticator.
removeVirtualAuthenticatorReturnValues = None
# Adds the credential to the specified authenticator.
addCredentialParameters = None
# Adds the credential to the specified authenticator.
addCredentialReturnValues = None
# Returns a single credential stored in the given virtual authenticator that matches the credential ID.
getCredentialParameters = None
# Returns a single credential stored in the given virtual authenticator that matches the credential ID.
getCredentialReturnValues = Union[getCredentialReturnValues]
# Returns all the credentials stored in the given virtual authenticator.
getCredentialsParameters = None
# Returns all the credentials stored in the given virtual authenticator.
getCredentialsReturnValues = Union[getCredentialsReturnValues]
# Removes a credential from the authenticator.
removeCredentialParameters = None
# Removes a credential from the authenticator.
removeCredentialReturnValues = None
# Clears all the credentials from the specified device.
clearCredentialsParameters = None
# Clears all the credentials from the specified device.
clearCredentialsReturnValues = None
# Sets whether User Verification succeeds or fails for an authenticator. The default is true.
setUserVerifiedParameters = None
# Sets whether User Verification succeeds or fails for an authenticator. The default is true.
setUserVerifiedReturnValues = None
class Media:
# This domain allows detailed inspection of media elements
# Players will get an ID that is unique within the agent context.
PlayerId = str
Timestamp = float
# Player Property type
PlayerProperty = Union[PlayerProperty]
# Break out events into different types
PlayerEventType = Literal['playbackEvent', 'systemEvent', 'messageEvent']
PlayerEvent = Union[PlayerEvent]
# This can be called multiple times, and can be used to set / override / remove player properties. A null propValue indicates removal.
playerPropertiesChangedPayload = Union[playerPropertiesChangedPayload]
# Send events as a list, allowing them to be batched on the browser for less congestion. If batched, events must ALWAYS be in chronological order.
playerEventsAddedPayload = Union[playerEventsAddedPayload]
# Called whenever a player is created, or when a new agent joins and recieves a list of active players. If an agent is restored, it will recieve the full list of player ids and all events again.
playersCreatedPayload = Union[playersCreatedPayload]
# Enables the Media domain
enableParameters = None
# Enables the Media domain
enableReturnValues = None
# Disables the Media domain.
disableParameters = None
# Disables the Media domain.
disableReturnValues = None
class Console:
# This domain is deprecated - use Runtime or Log instead.
# Console message.
ConsoleMessage = Union[ConsoleMessage]
# Issued when new console message is added.
messageAddedPayload = Union[messageAddedPayload]
# Does nothing.
clearMessagesParameters = None
# Does nothing.
clearMessagesReturnValues = None
# Disables console domain, prevents further console messages from being reported to the client.
disableParameters = None
# Disables console domain, prevents further console messages from being reported to the client.
disableReturnValues = None
# Enables console domain, sends the messages collected so far to the client by means of the `messageAdded` notification.
enableParameters = None
# Enables console domain, sends the messages collected so far to the client by means of the `messageAdded` notification.
enableReturnValues = None
class Debugger:
# Debugger domain exposes JavaScript debugging capabilities. It allows setting and removing breakpoints, stepping through execution, exploring stack traces, etc.
# Breakpoint identifier.
BreakpointId = str
# Call frame identifier.
CallFrameId = str
# Location in the source code.
Location = Union[Location]
# Location in the source code.
ScriptPosition = Union[ScriptPosition]
# JavaScript call frame. Array of call frames form the call stack.
CallFrame = Union[CallFrame]
# Scope description.
Scope = Union[Scope]
# Search match for resource.
SearchMatch = Union[SearchMatch]
BreakLocation = Union[BreakLocation]
# Fired when breakpoint is resolved to an actual script and location.
breakpointResolvedPayload = Union[breakpointResolvedPayload]
# Fired when the virtual machine stopped on breakpoint or exception or any other stop criteria.
pausedPayload = Union[pausedPayload]
# Fired when the virtual machine resumed execution.
resumedPayload = None
# Fired when virtual machine fails to parse the script.
scriptFailedToParsePayload = Union[scriptFailedToParsePayload]
# Fired when virtual machine parses script. This event is also fired for all known and uncollected scripts upon enabling debugger.
scriptParsedPayload = Union[scriptParsedPayload]
# Continues execution until specific location is reached.
continueToLocationParameters = None
# Continues execution until specific location is reached.
continueToLocationReturnValues = None
# Disables debugger for given page.
disableParameters = None
# Disables debugger for given page.
disableReturnValues = None
# Enables debugger for the given page. Clients should not assume that the debugging has been enabled until the result for this command is received.
enableParameters = None
# Enables debugger for the given page. Clients should not assume that the debugging has been enabled until the result for this command is received.
enableReturnValues = Union[enableReturnValues]
# Evaluates expression on a given call frame.
evaluateOnCallFrameParameters = None
# Evaluates expression on a given call frame.
evaluateOnCallFrameReturnValues = Union[evaluateOnCallFrameReturnValues]
# Returns possible locations for breakpoint. scriptId in start and end range locations should be the same.
getPossibleBreakpointsParameters = None
# Returns possible locations for breakpoint. scriptId in start and end range locations should be the same.
getPossibleBreakpointsReturnValues = Union[getPossibleBreakpointsReturnValues]
# Returns source for the script with given id.
getScriptSourceParameters = None
# Returns source for the script with given id.
getScriptSourceReturnValues = Union[getScriptSourceReturnValues]
# This command is deprecated. Use getScriptSource instead.
getWasmBytecodeParameters = None
# This command is deprecated. Use getScriptSource instead.
getWasmBytecodeReturnValues = Union[getWasmBytecodeReturnValues]
# Returns stack trace with given `stackTraceId`.
getStackTraceParameters = None
# Returns stack trace with given `stackTraceId`.
getStackTraceReturnValues = Union[getStackTraceReturnValues]
# Stops on the next JavaScript statement.
pauseParameters = None
# Stops on the next JavaScript statement.
pauseReturnValues = None
pauseOnAsyncCallParameters = None
pauseOnAsyncCallReturnValues = None
# Removes JavaScript breakpoint.
removeBreakpointParameters = None
# Removes JavaScript breakpoint.
removeBreakpointReturnValues = None
# Restarts particular call frame from the beginning.
restartFrameParameters = None
# Restarts particular call frame from the beginning.
restartFrameReturnValues = Union[restartFrameReturnValues]
# Resumes JavaScript execution.
resumeParameters = None
# Resumes JavaScript execution.
resumeReturnValues = None
# Searches for given string in script content.
searchInContentParameters = None
# Searches for given string in script content.
searchInContentReturnValues = Union[searchInContentReturnValues]
# Enables or disables async call stacks tracking.
setAsyncCallStackDepthParameters = None
# Enables or disables async call stacks tracking.
setAsyncCallStackDepthReturnValues = None
# Replace previous blackbox patterns with passed ones. Forces backend to skip stepping/pausing in scripts with url matching one of the patterns. VM will try to leave blackboxed script by performing 'step in' several times, finally resorting to 'step out' if unsuccessful.
setBlackboxPatternsParameters = None
# Replace previous blackbox patterns with passed ones. Forces backend to skip stepping/pausing in scripts with url matching one of the patterns. VM will try to leave blackboxed script by performing 'step in' several times, finally resorting to 'step out' if unsuccessful.
setBlackboxPatternsReturnValues = None
# Makes backend skip steps in the script in blackboxed ranges. VM will try leave blacklisted scripts by performing 'step in' several times, finally resorting to 'step out' if unsuccessful. Positions array contains positions where blackbox state is changed. First interval isn't blackboxed. Array should be sorted.
setBlackboxedRangesParameters = None
# Makes backend skip steps in the script in blackboxed ranges. VM will try leave blacklisted scripts by performing 'step in' several times, finally resorting to 'step out' if unsuccessful. Positions array contains positions where blackbox state is changed. First interval isn't blackboxed. Array should be sorted.
setBlackboxedRangesReturnValues = None
# Sets JavaScript breakpoint at a given location.
setBreakpointParameters = None
# Sets JavaScript breakpoint at a given location.
setBreakpointReturnValues = Union[setBreakpointReturnValues]
# Sets instrumentation breakpoint.
setInstrumentationBreakpointParameters = None
# Sets instrumentation breakpoint.
setInstrumentationBreakpointReturnValues = Union[setInstrumentationBreakpointReturnValues]
# Sets JavaScript breakpoint at given location specified either by URL or URL regex. Once this command is issued, all existing parsed scripts will have breakpoints resolved and returned in `locations` property. Further matching script parsing will result in subsequent `breakpointResolved` events issued. This logical breakpoint will survive page reloads.
setBreakpointByUrlParameters = None
# Sets JavaScript breakpoint at given location specified either by URL or URL regex. Once this command is issued, all existing parsed scripts will have breakpoints resolved and returned in `locations` property. Further matching script parsing will result in subsequent `breakpointResolved` events issued. This logical breakpoint will survive page reloads.
setBreakpointByUrlReturnValues = Union[setBreakpointByUrlReturnValues]
# Sets JavaScript breakpoint before each call to the given function. If another function was created from the same source as a given one, calling it will also trigger the breakpoint.
setBreakpointOnFunctionCallParameters = None
# Sets JavaScript breakpoint before each call to the given function. If another function was created from the same source as a given one, calling it will also trigger the breakpoint.
setBreakpointOnFunctionCallReturnValues = Union[setBreakpointOnFunctionCallReturnValues]
# Activates / deactivates all breakpoints on the page.
setBreakpointsActiveParameters = None
# Activates / deactivates all breakpoints on the page.
setBreakpointsActiveReturnValues = None
# Defines pause on exceptions state. Can be set to stop on all exceptions, uncaught exceptions or no exceptions. Initial pause on exceptions state is `none`.
setPauseOnExceptionsParameters = None
# Defines pause on exceptions state. Can be set to stop on all exceptions, uncaught exceptions or no exceptions. Initial pause on exceptions state is `none`.
setPauseOnExceptionsReturnValues = None
# Changes return value in top frame. Available only at return break position.
setReturnValueParameters = None
# Changes return value in top frame. Available only at return break position.
setReturnValueReturnValues = None
# Edits JavaScript source live.
setScriptSourceParameters = None
# Edits JavaScript source live.
setScriptSourceReturnValues = Union[setScriptSourceReturnValues]
# Makes page not interrupt on any pauses (breakpoint, exception, dom exception etc).
setSkipAllPausesParameters = None
# Makes page not interrupt on any pauses (breakpoint, exception, dom exception etc).
setSkipAllPausesReturnValues = None
# Changes value of variable in a callframe. Object-based scopes are not supported and must be mutated manually.
setVariableValueParameters = None
# Changes value of variable in a callframe. Object-based scopes are not supported and must be mutated manually.
setVariableValueReturnValues = None
# Steps into the function call.
stepIntoParameters = None
# Steps into the function call.
stepIntoReturnValues = None
# Steps out of the function call.
stepOutParameters = None
# Steps out of the function call.
stepOutReturnValues = None
# Steps over the statement.
stepOverParameters = None
# Steps over the statement.
stepOverReturnValues = None
class HeapProfiler:
# Heap snapshot object id.
HeapSnapshotObjectId = str
# Sampling Heap Profile node. Holds callsite information, allocation statistics and child nodes.
SamplingHeapProfileNode = Union[SamplingHeapProfileNode]
# A single sample from a sampling profile.
SamplingHeapProfileSample = Union[SamplingHeapProfileSample]
# Sampling profile.
SamplingHeapProfile = Union[SamplingHeapProfile]
addHeapSnapshotChunkPayload = Union[addHeapSnapshotChunkPayload]
# If heap objects tracking has been started then backend may send update for one or more fragments
heapStatsUpdatePayload = Union[heapStatsUpdatePayload]
# If heap objects tracking has been started then backend regularly sends a current value for last seen object id and corresponding timestamp. If the were changes in the heap since last event then one or more heapStatsUpdate events will be sent before a new lastSeenObjectId event.
lastSeenObjectIdPayload = Union[lastSeenObjectIdPayload]
reportHeapSnapshotProgressPayload = Union[reportHeapSnapshotProgressPayload]
resetProfilesPayload = None
# Enables console to refer to the node with given id via $x (see Command Line API for more details $x functions).
addInspectedHeapObjectParameters = None
# Enables console to refer to the node with given id via $x (see Command Line API for more details $x functions).
addInspectedHeapObjectReturnValues = None
collectGarbageParameters = None
collectGarbageReturnValues = None
disableParameters = None
disableReturnValues = None
enableParameters = None
enableReturnValues = None
getHeapObjectIdParameters = None
getHeapObjectIdReturnValues = Union[getHeapObjectIdReturnValues]
getObjectByHeapObjectIdParameters = None
getObjectByHeapObjectIdReturnValues = Union[getObjectByHeapObjectIdReturnValues]
getSamplingProfileParameters = None
getSamplingProfileReturnValues = Union[getSamplingProfileReturnValues]
startSamplingParameters = None
startSamplingReturnValues = None
startTrackingHeapObjectsParameters = None
startTrackingHeapObjectsReturnValues = None
stopSamplingParameters = None
stopSamplingReturnValues = Union[stopSamplingReturnValues]
stopTrackingHeapObjectsParameters = None
stopTrackingHeapObjectsReturnValues = None
takeHeapSnapshotParameters = None
takeHeapSnapshotReturnValues = None
class Profiler:
# Profile node. Holds callsite information, execution statistics and child nodes.
ProfileNode = Union[ProfileNode]
# Profile.
Profile = Union[Profile]
# Specifies a number of samples attributed to a certain source position.
PositionTickInfo = Union[PositionTickInfo]
# Coverage data for a source range.
CoverageRange = Union[CoverageRange]
# Coverage data for a JavaScript function.
FunctionCoverage = Union[FunctionCoverage]
# Coverage data for a JavaScript script.
ScriptCoverage = Union[ScriptCoverage]
# Describes a type collected during runtime.
TypeObject = Union[TypeObject]
# Source offset and types for a parameter or return value.
TypeProfileEntry = Union[TypeProfileEntry]
# Type profile data collected during runtime for a JavaScript script.
ScriptTypeProfile = Union[ScriptTypeProfile]
# Collected counter information.
CounterInfo = Union[CounterInfo]
consoleProfileFinishedPayload = Union[consoleProfileFinishedPayload]
# Sent when new profile recording is started using console.profile() call.
consoleProfileStartedPayload = Union[consoleProfileStartedPayload]
disableParameters = None
disableReturnValues = None
enableParameters = None
enableReturnValues = None
# Collect coverage data for the current isolate. The coverage data may be incomplete due to garbage collection.
getBestEffortCoverageParameters = None
# Collect coverage data for the current isolate. The coverage data may be incomplete due to garbage collection.
getBestEffortCoverageReturnValues = Union[getBestEffortCoverageReturnValues]
# Changes CPU profiler sampling interval. Must be called before CPU profiles recording started.
setSamplingIntervalParameters = None
# Changes CPU profiler sampling interval. Must be called before CPU profiles recording started.
setSamplingIntervalReturnValues = None
startParameters = None
startReturnValues = None
# Enable precise code coverage. Coverage data for JavaScript executed before enabling precise code coverage may be incomplete. Enabling prevents running optimized code and resets execution counters.
startPreciseCoverageParameters = None
# Enable precise code coverage. Coverage data for JavaScript executed before enabling precise code coverage may be incomplete. Enabling prevents running optimized code and resets execution counters.
startPreciseCoverageReturnValues = None
# Enable type profile.
startTypeProfileParameters = None
# Enable type profile.
startTypeProfileReturnValues = None
stopParameters = None
stopReturnValues = Union[stopReturnValues]
# Disable precise code coverage. Disabling releases unnecessary execution count records and allows executing optimized code.
stopPreciseCoverageParameters = None
# Disable precise code coverage. Disabling releases unnecessary execution count records and allows executing optimized code.
stopPreciseCoverageReturnValues = None
# Disable type profile. Disabling releases type profile data collected so far.
stopTypeProfileParameters = None
# Disable type profile. Disabling releases type profile data collected so far.
stopTypeProfileReturnValues = None
# Collect coverage data for the current isolate, and resets execution counters. Precise code coverage needs to have started.
takePreciseCoverageParameters = None
# Collect coverage data for the current isolate, and resets execution counters. Precise code coverage needs to have started.
takePreciseCoverageReturnValues = Union[takePreciseCoverageReturnValues]
# Collect type profile.
takeTypeProfileParameters = None
# Collect type profile.
takeTypeProfileReturnValues = Union[takeTypeProfileReturnValues]
# Enable run time call stats collection.
enableRuntimeCallStatsParameters = None
# Enable run time call stats collection.
enableRuntimeCallStatsReturnValues = None
# Disable run time call stats collection.
disableRuntimeCallStatsParameters = None
# Disable run time call stats collection.
disableRuntimeCallStatsReturnValues = None
# Retrieve run time call stats.
getRuntimeCallStatsParameters = None
# Retrieve run time call stats.
getRuntimeCallStatsReturnValues = Union[getRuntimeCallStatsReturnValues]
class Runtime:
# Runtime domain exposes JavaScript runtime by means of remote evaluation and mirror objects. Evaluation results are returned as mirror object that expose object type, string representation and unique identifier that can be used for further object reference. Original objects are maintained in memory unless they are either explicitly released or are released along with the other objects in their object group.
# Unique script identifier.
ScriptId = str
# Unique object identifier.
RemoteObjectId = str
# Primitive value which cannot be JSON-stringified. Includes values `-0`, `NaN`, `Infinity`, `-Infinity`, and bigint literals.
UnserializableValue = str
# Mirror object referencing original JavaScript object.
RemoteObject = Union[RemoteObject]
CustomPreview = Union[CustomPreview]
# Object containing abbreviated remote object value.
ObjectPreview = Union[ObjectPreview]
PropertyPreview = Union[PropertyPreview]
EntryPreview = Union[EntryPreview]
# Object property descriptor.
PropertyDescriptor = Union[PropertyDescriptor]
# Object internal property descriptor. This property isn't normally visible in JavaScript code.
InternalPropertyDescriptor = Union[InternalPropertyDescriptor]
# Object private field descriptor.
PrivatePropertyDescriptor = Union[PrivatePropertyDescriptor]
# Represents function call argument. Either remote object id `objectId`, primitive `value`, unserializable primitive value or neither of (for undefined) them should be specified.
CallArgument = Union[CallArgument]
# Id of an execution context.
ExecutionContextId = int
# Description of an isolated world.
ExecutionContextDescription = Union[ExecutionContextDescription]
# Detailed information about exception (or error) that was thrown during script compilation or execution.
ExceptionDetails = Union[ExceptionDetails]
# Number of milliseconds since epoch.
Timestamp = float
# Number of milliseconds.
TimeDelta = float
# Stack entry for runtime errors and assertions.
CallFrame = Union[CallFrame]
# Call frames for assertions or error messages.
StackTrace = Union[StackTrace]
# Unique identifier of current debugger.
UniqueDebuggerId = str
# If `debuggerId` is set stack trace comes from another debugger and can be resolved there. This allows to track cross-debugger calls. See `Runtime.StackTrace` and `Debugger.paused` for usages.
StackTraceId = Union[StackTraceId]
# Notification is issued every time when binding is called.
bindingCalledPayload = Union[bindingCalledPayload]
# Issued when console API was called.
consoleAPICalledPayload = Union[consoleAPICalledPayload]
# Issued when unhandled exception was revoked.
exceptionRevokedPayload = Union[exceptionRevokedPayload]
# Issued when exception was thrown and unhandled.
exceptionThrownPayload = Union[exceptionThrownPayload]
# Issued when new execution context is created.
executionContextCreatedPayload = Union[executionContextCreatedPayload]
# Issued when execution context is destroyed.
executionContextDestroyedPayload = Union[executionContextDestroyedPayload]
# Issued when all executionContexts were cleared in browser
executionContextsClearedPayload = None
# Issued when object should be inspected (for example, as a result of inspect() command line API call).
inspectRequestedPayload = Union[inspectRequestedPayload]
# Add handler to promise with given promise object id.
awaitPromiseParameters = None
# Add handler to promise with given promise object id.
awaitPromiseReturnValues = Union[awaitPromiseReturnValues]
# Calls function with given declaration on the given object. Object group of the result is inherited from the target object.
callFunctionOnParameters = None
# Calls function with given declaration on the given object. Object group of the result is inherited from the target object.
callFunctionOnReturnValues = Union[callFunctionOnReturnValues]
# Compiles expression.
compileScriptParameters = None
# Compiles expression.
compileScriptReturnValues = Union[compileScriptReturnValues]
# Disables reporting of execution contexts creation.
disableParameters = None
# Disables reporting of execution contexts creation.
disableReturnValues = None
# Discards collected exceptions and console API calls.
discardConsoleEntriesParameters = None
# Discards collected exceptions and console API calls.
discardConsoleEntriesReturnValues = None
# Enables reporting of execution contexts creation by means of `executionContextCreated` event. When the reporting gets enabled the event will be sent immediately for each existing execution context.
enableParameters = None
# Enables reporting of execution contexts creation by means of `executionContextCreated` event. When the reporting gets enabled the event will be sent immediately for each existing execution context.
enableReturnValues = None
# Evaluates expression on global object.
evaluateParameters = None
# Evaluates expression on global object.
evaluateReturnValues = Union[evaluateReturnValues]
# Returns the isolate id.
getIsolateIdParameters = None
# Returns the isolate id.
getIsolateIdReturnValues = Union[getIsolateIdReturnValues]
# Returns the JavaScript heap usage. It is the total usage of the corresponding isolate not scoped to a particular Runtime.
getHeapUsageParameters = None
# Returns the JavaScript heap usage. It is the total usage of the corresponding isolate not scoped to a particular Runtime.
getHeapUsageReturnValues = Union[getHeapUsageReturnValues]
# Returns properties of a given object. Object group of the result is inherited from the target object.
getPropertiesParameters = None
# Returns properties of a given object. Object group of the result is inherited from the target object.
getPropertiesReturnValues = Union[getPropertiesReturnValues]
# Returns all let, const and class variables from global scope.
globalLexicalScopeNamesParameters = None
# Returns all let, const and class variables from global scope.
globalLexicalScopeNamesReturnValues = Union[globalLexicalScopeNamesReturnValues]
queryObjectsParameters = None
queryObjectsReturnValues = Union[queryObjectsReturnValues]
# Releases remote object with given id.
releaseObjectParameters = None
# Releases remote object with given id.
releaseObjectReturnValues = None
# Releases all remote objects that belong to a given group.
releaseObjectGroupParameters = None
# Releases all remote objects that belong to a given group.
releaseObjectGroupReturnValues = None
# Tells inspected instance to run if it was waiting for debugger to attach.
runIfWaitingForDebuggerParameters = None
# Tells inspected instance to run if it was waiting for debugger to attach.
runIfWaitingForDebuggerReturnValues = None
# Runs script with given id in a given context.
runScriptParameters = None
# Runs script with given id in a given context.
runScriptReturnValues = Union[runScriptReturnValues]
# Enables or disables async call stacks tracking.
setAsyncCallStackDepthParameters = None
# Enables or disables async call stacks tracking.
setAsyncCallStackDepthReturnValues = None
setCustomObjectFormatterEnabledParameters = None
setCustomObjectFormatterEnabledReturnValues = None
setMaxCallStackSizeToCaptureParameters = None
setMaxCallStackSizeToCaptureReturnValues = None
# Terminate current or next JavaScript execution. Will cancel the termination when the outer-most script execution ends.
terminateExecutionParameters = None
# Terminate current or next JavaScript execution. Will cancel the termination when the outer-most script execution ends.
terminateExecutionReturnValues = None
# If executionContextId is empty, adds binding with the given name on the global objects of all inspected contexts, including those created later, bindings survive reloads. If executionContextId is specified, adds binding only on global object of given execution context. Binding function takes exactly one argument, this argument should be string, in case of any other input, function throws an exception. Each binding function call produces Runtime.bindingCalled notification.
addBindingParameters = None
# If executionContextId is empty, adds binding with the given name on the global objects of all inspected contexts, including those created later, bindings survive reloads. If executionContextId is specified, adds binding only on global object of given execution context. Binding function takes exactly one argument, this argument should be string, in case of any other input, function throws an exception. Each binding function call produces Runtime.bindingCalled notification.
addBindingReturnValues = None
# This method does not remove binding function from global object but unsubscribes current runtime agent from Runtime.bindingCalled notifications.
removeBindingParameters = None
# This method does not remove binding function from global object but unsubscribes current runtime agent from Runtime.bindingCalled notifications.
removeBindingReturnValues = None
class Schema:
# This domain is deprecated.
# Description of the protocol domain.
Domain = Union[Domain]
# Returns supported domains.
getDomainsParameters = None
# Returns supported domains.
getDomainsReturnValues = Union[getDomainsReturnValues]
class CommandParameters:
class Accessibility:
disableReturnValues = None
enableReturnValues = None
getPartialAXTreeReturnValues = getPartialAXTreeReturnValues
getFullAXTreeReturnValues = getFullAXTreeReturnValues
class Animation:
disableReturnValues = None
enableReturnValues = None
getCurrentTimeReturnValues = getCurrentTimeReturnValues
getPlaybackRateReturnValues = getPlaybackRateReturnValues
releaseAnimationsReturnValues = None
resolveAnimationReturnValues = resolveAnimationReturnValues
seekAnimationsReturnValues = None
setPausedReturnValues = None
setPlaybackRateReturnValues = None
setTimingReturnValues = None
class ApplicationCache:
enableReturnValues = None
getApplicationCacheForFrameReturnValues = getApplicationCacheForFrameReturnValues
getFramesWithManifestsReturnValues = getFramesWithManifestsReturnValues
getManifestForFrameReturnValues = getManifestForFrameReturnValues
class Audits:
getEncodedResponseReturnValues = getEncodedResponseReturnValues
class BackgroundService:
startObservingReturnValues = None
stopObservingReturnValues = None
setRecordingReturnValues = None
clearEventsReturnValues = None
class Browser:
setPermissionReturnValues = None
grantPermissionsReturnValues = None
resetPermissionsReturnValues = None
closeReturnValues = None
crashReturnValues = None
crashGpuProcessReturnValues = None
getVersionReturnValues = getVersionReturnValues
getBrowserCommandLineReturnValues = getBrowserCommandLineReturnValues
getHistogramsReturnValues = getHistogramsReturnValues
getHistogramReturnValues = getHistogramReturnValues
getWindowBoundsReturnValues = getWindowBoundsReturnValues
getWindowForTargetReturnValues = getWindowForTargetReturnValues
setWindowBoundsReturnValues = None
setDockTileReturnValues = None
class CSS:
addRuleReturnValues = addRuleReturnValues
collectClassNamesReturnValues = collectClassNamesReturnValues
createStyleSheetReturnValues = createStyleSheetReturnValues
disableReturnValues = None
enableReturnValues = None
forcePseudoStateReturnValues = None
getBackgroundColorsReturnValues = getBackgroundColorsReturnValues
getComputedStyleForNodeReturnValues = getComputedStyleForNodeReturnValues
getInlineStylesForNodeReturnValues = getInlineStylesForNodeReturnValues
getMatchedStylesForNodeReturnValues = getMatchedStylesForNodeReturnValues
getMediaQueriesReturnValues = getMediaQueriesReturnValues
getPlatformFontsForNodeReturnValues = getPlatformFontsForNodeReturnValues
getStyleSheetTextReturnValues = getStyleSheetTextReturnValues
setEffectivePropertyValueForNodeReturnValues = None
setKeyframeKeyReturnValues = setKeyframeKeyReturnValues
setMediaTextReturnValues = setMediaTextReturnValues
setRuleSelectorReturnValues = setRuleSelectorReturnValues
setStyleSheetTextReturnValues = setStyleSheetTextReturnValues
setStyleTextsReturnValues = setStyleTextsReturnValues
startRuleUsageTrackingReturnValues = None
stopRuleUsageTrackingReturnValues = stopRuleUsageTrackingReturnValues
takeCoverageDeltaReturnValues = takeCoverageDeltaReturnValues
class CacheStorage:
deleteCacheReturnValues = None
deleteEntryReturnValues = None
requestCacheNamesReturnValues = requestCacheNamesReturnValues
requestCachedResponseReturnValues = requestCachedResponseReturnValues
requestEntriesReturnValues = requestEntriesReturnValues
class Cast:
enableReturnValues = None
disableReturnValues = None
setSinkToUseReturnValues = None
startTabMirroringReturnValues = None
stopCastingReturnValues = None
class DOM:
collectClassNamesFromSubtreeReturnValues = collectClassNamesFromSubtreeReturnValues
copyToReturnValues = copyToReturnValues
describeNodeReturnValues = describeNodeReturnValues
disableReturnValues = None
discardSearchResultsReturnValues = None
enableReturnValues = None
focusReturnValues = None
getAttributesReturnValues = getAttributesReturnValues
getBoxModelReturnValues = getBoxModelReturnValues
getContentQuadsReturnValues = getContentQuadsReturnValues
getDocumentReturnValues = getDocumentReturnValues
getFlattenedDocumentReturnValues = getFlattenedDocumentReturnValues
getNodeForLocationReturnValues = getNodeForLocationReturnValues
getOuterHTMLReturnValues = getOuterHTMLReturnValues
getRelayoutBoundaryReturnValues = getRelayoutBoundaryReturnValues
getSearchResultsReturnValues = getSearchResultsReturnValues
hideHighlightReturnValues = None
highlightNodeReturnValues = None
highlightRectReturnValues = None
markUndoableStateReturnValues = None
moveToReturnValues = moveToReturnValues
performSearchReturnValues = performSearchReturnValues
pushNodeByPathToFrontendReturnValues = pushNodeByPathToFrontendReturnValues
pushNodesByBackendIdsToFrontendReturnValues = pushNodesByBackendIdsToFrontendReturnValues
querySelectorReturnValues = querySelectorReturnValues
querySelectorAllReturnValues = querySelectorAllReturnValues
redoReturnValues = None
removeAttributeReturnValues = None
removeNodeReturnValues = None
requestChildNodesReturnValues = None
requestNodeReturnValues = requestNodeReturnValues
resolveNodeReturnValues = resolveNodeReturnValues
setAttributeValueReturnValues = None
setAttributesAsTextReturnValues = None
setFileInputFilesReturnValues = None
setNodeStackTracesEnabledReturnValues = None
getNodeStackTracesReturnValues = getNodeStackTracesReturnValues
getFileInfoReturnValues = getFileInfoReturnValues
setInspectedNodeReturnValues = None
setNodeNameReturnValues = setNodeNameReturnValues
setNodeValueReturnValues = None
setOuterHTMLReturnValues = None
undoReturnValues = None
getFrameOwnerReturnValues = getFrameOwnerReturnValues
class DOMDebugger:
getEventListenersReturnValues = getEventListenersReturnValues
removeDOMBreakpointReturnValues = None
removeEventListenerBreakpointReturnValues = None
removeInstrumentationBreakpointReturnValues = None
removeXHRBreakpointReturnValues = None
setDOMBreakpointReturnValues = None
setEventListenerBreakpointReturnValues = None
setInstrumentationBreakpointReturnValues = None
setXHRBreakpointReturnValues = None
class DOMSnapshot:
disableReturnValues = None
enableReturnValues = None
getSnapshotReturnValues = getSnapshotReturnValues
captureSnapshotReturnValues = captureSnapshotReturnValues
class DOMStorage:
clearReturnValues = None
disableReturnValues = None
enableReturnValues = None
getDOMStorageItemsReturnValues = getDOMStorageItemsReturnValues
removeDOMStorageItemReturnValues = None
setDOMStorageItemReturnValues = None
class Database:
disableReturnValues = None
enableReturnValues = None
executeSQLReturnValues = executeSQLReturnValues
getDatabaseTableNamesReturnValues = getDatabaseTableNamesReturnValues
class DeviceOrientation:
clearDeviceOrientationOverrideReturnValues = None
setDeviceOrientationOverrideReturnValues = None
class Emulation:
canEmulateReturnValues = canEmulateReturnValues
clearDeviceMetricsOverrideReturnValues = None
clearGeolocationOverrideReturnValues = None
resetPageScaleFactorReturnValues = None
setFocusEmulationEnabledReturnValues = None
setCPUThrottlingRateReturnValues = None
setDefaultBackgroundColorOverrideReturnValues = None
setDeviceMetricsOverrideReturnValues = None
setScrollbarsHiddenReturnValues = None
setDocumentCookieDisabledReturnValues = None
setEmitTouchEventsForMouseReturnValues = None
setEmulatedMediaReturnValues = None
setGeolocationOverrideReturnValues = None
setNavigatorOverridesReturnValues = None
setPageScaleFactorReturnValues = None
setScriptExecutionDisabledReturnValues = None
setTouchEmulationEnabledReturnValues = None
setVirtualTimePolicyReturnValues = setVirtualTimePolicyReturnValues
setTimezoneOverrideReturnValues = None
setVisibleSizeReturnValues = None
setUserAgentOverrideReturnValues = None
class HeadlessExperimental:
beginFrameReturnValues = beginFrameReturnValues
disableReturnValues = None
enableReturnValues = None
class IO:
closeReturnValues = None
readReturnValues = readReturnValues
resolveBlobReturnValues = resolveBlobReturnValues
class IndexedDB:
clearObjectStoreReturnValues = None
deleteDatabaseReturnValues = None
deleteObjectStoreEntriesReturnValues = None
disableReturnValues = None
enableReturnValues = None
requestDataReturnValues = requestDataReturnValues
getMetadataReturnValues = getMetadataReturnValues
requestDatabaseReturnValues = requestDatabaseReturnValues
requestDatabaseNamesReturnValues = requestDatabaseNamesReturnValues
class Input:
dispatchKeyEventReturnValues = None
insertTextReturnValues = None
dispatchMouseEventReturnValues = None
dispatchTouchEventReturnValues = None
emulateTouchFromMouseEventReturnValues = None
setIgnoreInputEventsReturnValues = None
synthesizePinchGestureReturnValues = None
synthesizeScrollGestureReturnValues = None
synthesizeTapGestureReturnValues = None
class Inspector:
disableReturnValues = None
enableReturnValues = None
class LayerTree:
compositingReasonsReturnValues = compositingReasonsReturnValues
disableReturnValues = None
enableReturnValues = None
loadSnapshotReturnValues = loadSnapshotReturnValues
makeSnapshotReturnValues = makeSnapshotReturnValues
profileSnapshotReturnValues = profileSnapshotReturnValues
releaseSnapshotReturnValues = None
replaySnapshotReturnValues = replaySnapshotReturnValues
snapshotCommandLogReturnValues = snapshotCommandLogReturnValues
class Log:
clearReturnValues = None
disableReturnValues = None
enableReturnValues = None
startViolationsReportReturnValues = None
stopViolationsReportReturnValues = None
class Memory:
getDOMCountersReturnValues = getDOMCountersReturnValues
prepareForLeakDetectionReturnValues = None
forciblyPurgeJavaScriptMemoryReturnValues = None
setPressureNotificationsSuppressedReturnValues = None
simulatePressureNotificationReturnValues = None
startSamplingReturnValues = None
stopSamplingReturnValues = None
getAllTimeSamplingProfileReturnValues = getAllTimeSamplingProfileReturnValues
getBrowserSamplingProfileReturnValues = getBrowserSamplingProfileReturnValues
getSamplingProfileReturnValues = getSamplingProfileReturnValues
class Network:
canClearBrowserCacheReturnValues = canClearBrowserCacheReturnValues
canClearBrowserCookiesReturnValues = canClearBrowserCookiesReturnValues
canEmulateNetworkConditionsReturnValues = canEmulateNetworkConditionsReturnValues
clearBrowserCacheReturnValues = None
clearBrowserCookiesReturnValues = None
continueInterceptedRequestReturnValues = None
deleteCookiesReturnValues = None
disableReturnValues = None
emulateNetworkConditionsReturnValues = None
enableReturnValues = None
getAllCookiesReturnValues = getAllCookiesReturnValues
getCertificateReturnValues = getCertificateReturnValues
getCookiesReturnValues = getCookiesReturnValues
getResponseBodyReturnValues = getResponseBodyReturnValues
getRequestPostDataReturnValues = getRequestPostDataReturnValues
getResponseBodyForInterceptionReturnValues = getResponseBodyForInterceptionReturnValues
takeResponseBodyForInterceptionAsStreamReturnValues = takeResponseBodyForInterceptionAsStreamReturnValues
replayXHRReturnValues = None
searchInResponseBodyReturnValues = searchInResponseBodyReturnValues
setBlockedURLsReturnValues = None
setBypassServiceWorkerReturnValues = None
setCacheDisabledReturnValues = None
setCookieReturnValues = setCookieReturnValues
setCookiesReturnValues = None
setDataSizeLimitsForTestReturnValues = None
setExtraHTTPHeadersReturnValues = None
setRequestInterceptionReturnValues = None
setUserAgentOverrideReturnValues = None
class Overlay:
disableReturnValues = None
enableReturnValues = None
getHighlightObjectForTestReturnValues = getHighlightObjectForTestReturnValues
hideHighlightReturnValues = None
highlightFrameReturnValues = None
highlightNodeReturnValues = None
highlightQuadReturnValues = None
highlightRectReturnValues = None
setInspectModeReturnValues = None
setShowAdHighlightsReturnValues = None
setPausedInDebuggerMessageReturnValues = None
setShowDebugBordersReturnValues = None
setShowFPSCounterReturnValues = None
setShowPaintRectsReturnValues = None
setShowLayoutShiftRegionsReturnValues = None
setShowScrollBottleneckRectsReturnValues = None
setShowHitTestBordersReturnValues = None
setShowViewportSizeOnResizeReturnValues = None
class Page:
addScriptToEvaluateOnLoadReturnValues = addScriptToEvaluateOnLoadReturnValues
addScriptToEvaluateOnNewDocumentReturnValues = addScriptToEvaluateOnNewDocumentReturnValues
bringToFrontReturnValues = None
captureScreenshotReturnValues = captureScreenshotReturnValues
captureSnapshotReturnValues = captureSnapshotReturnValues
clearDeviceMetricsOverrideReturnValues = None
clearDeviceOrientationOverrideReturnValues = None
clearGeolocationOverrideReturnValues = None
createIsolatedWorldReturnValues = createIsolatedWorldReturnValues
deleteCookieReturnValues = None
disableReturnValues = None
enableReturnValues = None
getAppManifestReturnValues = getAppManifestReturnValues
getInstallabilityErrorsReturnValues = getInstallabilityErrorsReturnValues
getCookiesReturnValues = getCookiesReturnValues
getFrameTreeReturnValues = getFrameTreeReturnValues
getLayoutMetricsReturnValues = getLayoutMetricsReturnValues
getNavigationHistoryReturnValues = getNavigationHistoryReturnValues
resetNavigationHistoryReturnValues = None
getResourceContentReturnValues = getResourceContentReturnValues
getResourceTreeReturnValues = getResourceTreeReturnValues
handleJavaScriptDialogReturnValues = None
navigateReturnValues = navigateReturnValues
navigateToHistoryEntryReturnValues = None
printToPDFReturnValues = printToPDFReturnValues
reloadReturnValues = None
removeScriptToEvaluateOnLoadReturnValues = None
removeScriptToEvaluateOnNewDocumentReturnValues = None
screencastFrameAckReturnValues = None
searchInResourceReturnValues = searchInResourceReturnValues
setAdBlockingEnabledReturnValues = None
setBypassCSPReturnValues = None
setDeviceMetricsOverrideReturnValues = None
setDeviceOrientationOverrideReturnValues = None
setFontFamiliesReturnValues = None
setFontSizesReturnValues = None
setDocumentContentReturnValues = None
setDownloadBehaviorReturnValues = None
setGeolocationOverrideReturnValues = None
setLifecycleEventsEnabledReturnValues = None
setTouchEmulationEnabledReturnValues = None
startScreencastReturnValues = None
stopLoadingReturnValues = None
crashReturnValues = None
closeReturnValues = None
setWebLifecycleStateReturnValues = None
stopScreencastReturnValues = None
setProduceCompilationCacheReturnValues = None
addCompilationCacheReturnValues = None
clearCompilationCacheReturnValues = None
generateTestReportReturnValues = None
waitForDebuggerReturnValues = None
setInterceptFileChooserDialogReturnValues = None
class Performance:
disableReturnValues = None
enableReturnValues = None
setTimeDomainReturnValues = None
getMetricsReturnValues = getMetricsReturnValues
class Security:
disableReturnValues = None
enableReturnValues = None
setIgnoreCertificateErrorsReturnValues = None
handleCertificateErrorReturnValues = None
setOverrideCertificateErrorsReturnValues = None
class ServiceWorker:
deliverPushMessageReturnValues = None
disableReturnValues = None
dispatchSyncEventReturnValues = None
dispatchPeriodicSyncEventReturnValues = None
enableReturnValues = None
inspectWorkerReturnValues = None
setForceUpdateOnPageLoadReturnValues = None
skipWaitingReturnValues = None
startWorkerReturnValues = None
stopAllWorkersReturnValues = None
stopWorkerReturnValues = None
unregisterReturnValues = None
updateRegistrationReturnValues = None
class Storage:
clearDataForOriginReturnValues = None
getCookiesReturnValues = getCookiesReturnValues
setCookiesReturnValues = None
clearCookiesReturnValues = None
getUsageAndQuotaReturnValues = getUsageAndQuotaReturnValues
trackCacheStorageForOriginReturnValues = None
trackIndexedDBForOriginReturnValues = None
untrackCacheStorageForOriginReturnValues = None
untrackIndexedDBForOriginReturnValues = None
class SystemInfo:
getInfoReturnValues = getInfoReturnValues
getProcessInfoReturnValues = getProcessInfoReturnValues
class Target:
activateTargetReturnValues = None
attachToTargetReturnValues = attachToTargetReturnValues
attachToBrowserTargetReturnValues = attachToBrowserTargetReturnValues
closeTargetReturnValues = closeTargetReturnValues
exposeDevToolsProtocolReturnValues = None
createBrowserContextReturnValues = createBrowserContextReturnValues
getBrowserContextsReturnValues = getBrowserContextsReturnValues
createTargetReturnValues = createTargetReturnValues
detachFromTargetReturnValues = None
disposeBrowserContextReturnValues = None
getTargetInfoReturnValues = getTargetInfoReturnValues
getTargetsReturnValues = getTargetsReturnValues
sendMessageToTargetReturnValues = None
setAutoAttachReturnValues = None
setDiscoverTargetsReturnValues = None
setRemoteLocationsReturnValues = None
class Tethering:
bindReturnValues = None
unbindReturnValues = None
class Tracing:
endReturnValues = None
getCategoriesReturnValues = getCategoriesReturnValues
recordClockSyncMarkerReturnValues = None
requestMemoryDumpReturnValues = requestMemoryDumpReturnValues
startReturnValues = None
class Fetch:
disableReturnValues = None
enableReturnValues = None
failRequestReturnValues = None
fulfillRequestReturnValues = None
continueRequestReturnValues = None
continueWithAuthReturnValues = None
getResponseBodyReturnValues = getResponseBodyReturnValues
takeResponseBodyAsStreamReturnValues = takeResponseBodyAsStreamReturnValues
class WebAudio:
enableReturnValues = None
disableReturnValues = None
getRealtimeDataReturnValues = getRealtimeDataReturnValues
class WebAuthn:
enableReturnValues = None
disableReturnValues = None
addVirtualAuthenticatorReturnValues = addVirtualAuthenticatorReturnValues
removeVirtualAuthenticatorReturnValues = None
addCredentialReturnValues = None
getCredentialReturnValues = getCredentialReturnValues
getCredentialsReturnValues = getCredentialsReturnValues
removeCredentialReturnValues = None
clearCredentialsReturnValues = None
setUserVerifiedReturnValues = None
class Media:
enableReturnValues = None
disableReturnValues = None
class Console:
clearMessagesReturnValues = None
disableReturnValues = None
enableReturnValues = None
class Debugger:
continueToLocationReturnValues = None
disableReturnValues = None
enableReturnValues = enableReturnValues
evaluateOnCallFrameReturnValues = evaluateOnCallFrameReturnValues
getPossibleBreakpointsReturnValues = getPossibleBreakpointsReturnValues
getScriptSourceReturnValues = getScriptSourceReturnValues
getWasmBytecodeReturnValues = getWasmBytecodeReturnValues
getStackTraceReturnValues = getStackTraceReturnValues
pauseReturnValues = None
pauseOnAsyncCallReturnValues = None
removeBreakpointReturnValues = None
restartFrameReturnValues = restartFrameReturnValues
resumeReturnValues = None
searchInContentReturnValues = searchInContentReturnValues
setAsyncCallStackDepthReturnValues = None
setBlackboxPatternsReturnValues = None
setBlackboxedRangesReturnValues = None
setBreakpointReturnValues = setBreakpointReturnValues
setInstrumentationBreakpointReturnValues = setInstrumentationBreakpointReturnValues
setBreakpointByUrlReturnValues = setBreakpointByUrlReturnValues
setBreakpointOnFunctionCallReturnValues = setBreakpointOnFunctionCallReturnValues
setBreakpointsActiveReturnValues = None
setPauseOnExceptionsReturnValues = None
setReturnValueReturnValues = None
setScriptSourceReturnValues = setScriptSourceReturnValues
setSkipAllPausesReturnValues = None
setVariableValueReturnValues = None
stepIntoReturnValues = None
stepOutReturnValues = None
stepOverReturnValues = None
class HeapProfiler:
addInspectedHeapObjectReturnValues = None
collectGarbageReturnValues = None
disableReturnValues = None
enableReturnValues = None
getHeapObjectIdReturnValues = getHeapObjectIdReturnValues
getObjectByHeapObjectIdReturnValues = getObjectByHeapObjectIdReturnValues
getSamplingProfileReturnValues = getSamplingProfileReturnValues
startSamplingReturnValues = None
startTrackingHeapObjectsReturnValues = None
stopSamplingReturnValues = stopSamplingReturnValues
stopTrackingHeapObjectsReturnValues = None
takeHeapSnapshotReturnValues = None
class Profiler:
disableReturnValues = None
enableReturnValues = None
getBestEffortCoverageReturnValues = getBestEffortCoverageReturnValues
setSamplingIntervalReturnValues = None
startReturnValues = None
startPreciseCoverageReturnValues = None
startTypeProfileReturnValues = None
stopReturnValues = stopReturnValues
stopPreciseCoverageReturnValues = None
stopTypeProfileReturnValues = None
takePreciseCoverageReturnValues = takePreciseCoverageReturnValues
takeTypeProfileReturnValues = takeTypeProfileReturnValues
enableRuntimeCallStatsReturnValues = None
disableRuntimeCallStatsReturnValues = None
getRuntimeCallStatsReturnValues = getRuntimeCallStatsReturnValues
class Runtime:
awaitPromiseReturnValues = awaitPromiseReturnValues
callFunctionOnReturnValues = callFunctionOnReturnValues
compileScriptReturnValues = compileScriptReturnValues
disableReturnValues = None
discardConsoleEntriesReturnValues = None
enableReturnValues = None
evaluateReturnValues = evaluateReturnValues
getIsolateIdReturnValues = getIsolateIdReturnValues
getHeapUsageReturnValues = getHeapUsageReturnValues
getPropertiesReturnValues = getPropertiesReturnValues
globalLexicalScopeNamesReturnValues = globalLexicalScopeNamesReturnValues
queryObjectsReturnValues = queryObjectsReturnValues
releaseObjectReturnValues = None
releaseObjectGroupReturnValues = None
runIfWaitingForDebuggerReturnValues = None
runScriptReturnValues = runScriptReturnValues
setAsyncCallStackDepthReturnValues = None
setCustomObjectFormatterEnabledReturnValues = None
setMaxCallStackSizeToCaptureReturnValues = None
terminateExecutionReturnValues = None
addBindingReturnValues = None
removeBindingReturnValues = None
class Schema:
getDomainsReturnValues = getDomainsReturnValues
class CommandReturnValues:
class Accessibility:
disableReturnValues = None
enableReturnValues = None
getPartialAXTreeReturnValues = getPartialAXTreeReturnValues
getFullAXTreeReturnValues = getFullAXTreeReturnValues
class Animation:
disableReturnValues = None
enableReturnValues = None
getCurrentTimeReturnValues = getCurrentTimeReturnValues
getPlaybackRateReturnValues = getPlaybackRateReturnValues
releaseAnimationsReturnValues = None
resolveAnimationReturnValues = resolveAnimationReturnValues
seekAnimationsReturnValues = None
setPausedReturnValues = None
setPlaybackRateReturnValues = None
setTimingReturnValues = None
class ApplicationCache:
enableReturnValues = None
getApplicationCacheForFrameReturnValues = getApplicationCacheForFrameReturnValues
getFramesWithManifestsReturnValues = getFramesWithManifestsReturnValues
getManifestForFrameReturnValues = getManifestForFrameReturnValues
class Audits:
getEncodedResponseReturnValues = getEncodedResponseReturnValues
class BackgroundService:
startObservingReturnValues = None
stopObservingReturnValues = None
setRecordingReturnValues = None
clearEventsReturnValues = None
class Browser:
setPermissionReturnValues = None
grantPermissionsReturnValues = None
resetPermissionsReturnValues = None
closeReturnValues = None
crashReturnValues = None
crashGpuProcessReturnValues = None
getVersionReturnValues = getVersionReturnValues
getBrowserCommandLineReturnValues = getBrowserCommandLineReturnValues
getHistogramsReturnValues = getHistogramsReturnValues
getHistogramReturnValues = getHistogramReturnValues
getWindowBoundsReturnValues = getWindowBoundsReturnValues
getWindowForTargetReturnValues = getWindowForTargetReturnValues
setWindowBoundsReturnValues = None
setDockTileReturnValues = None
class CSS:
addRuleReturnValues = addRuleReturnValues
collectClassNamesReturnValues = collectClassNamesReturnValues
createStyleSheetReturnValues = createStyleSheetReturnValues
disableReturnValues = None
enableReturnValues = None
forcePseudoStateReturnValues = None
getBackgroundColorsReturnValues = getBackgroundColorsReturnValues
getComputedStyleForNodeReturnValues = getComputedStyleForNodeReturnValues
getInlineStylesForNodeReturnValues = getInlineStylesForNodeReturnValues
getMatchedStylesForNodeReturnValues = getMatchedStylesForNodeReturnValues
getMediaQueriesReturnValues = getMediaQueriesReturnValues
getPlatformFontsForNodeReturnValues = getPlatformFontsForNodeReturnValues
getStyleSheetTextReturnValues = getStyleSheetTextReturnValues
setEffectivePropertyValueForNodeReturnValues = None
setKeyframeKeyReturnValues = setKeyframeKeyReturnValues
setMediaTextReturnValues = setMediaTextReturnValues
setRuleSelectorReturnValues = setRuleSelectorReturnValues
setStyleSheetTextReturnValues = setStyleSheetTextReturnValues
setStyleTextsReturnValues = setStyleTextsReturnValues
startRuleUsageTrackingReturnValues = None
stopRuleUsageTrackingReturnValues = stopRuleUsageTrackingReturnValues
takeCoverageDeltaReturnValues = takeCoverageDeltaReturnValues
class CacheStorage:
deleteCacheReturnValues = None
deleteEntryReturnValues = None
requestCacheNamesReturnValues = requestCacheNamesReturnValues
requestCachedResponseReturnValues = requestCachedResponseReturnValues
requestEntriesReturnValues = requestEntriesReturnValues
class Cast:
enableReturnValues = None
disableReturnValues = None
setSinkToUseReturnValues = None
startTabMirroringReturnValues = None
stopCastingReturnValues = None
class DOM:
collectClassNamesFromSubtreeReturnValues = collectClassNamesFromSubtreeReturnValues
copyToReturnValues = copyToReturnValues
describeNodeReturnValues = describeNodeReturnValues
disableReturnValues = None
discardSearchResultsReturnValues = None
enableReturnValues = None
focusReturnValues = None
getAttributesReturnValues = getAttributesReturnValues
getBoxModelReturnValues = getBoxModelReturnValues
getContentQuadsReturnValues = getContentQuadsReturnValues
getDocumentReturnValues = getDocumentReturnValues
getFlattenedDocumentReturnValues = getFlattenedDocumentReturnValues
getNodeForLocationReturnValues = getNodeForLocationReturnValues
getOuterHTMLReturnValues = getOuterHTMLReturnValues
getRelayoutBoundaryReturnValues = getRelayoutBoundaryReturnValues
getSearchResultsReturnValues = getSearchResultsReturnValues
hideHighlightReturnValues = None
highlightNodeReturnValues = None
highlightRectReturnValues = None
markUndoableStateReturnValues = None
moveToReturnValues = moveToReturnValues
performSearchReturnValues = performSearchReturnValues
pushNodeByPathToFrontendReturnValues = pushNodeByPathToFrontendReturnValues
pushNodesByBackendIdsToFrontendReturnValues = pushNodesByBackendIdsToFrontendReturnValues
querySelectorReturnValues = querySelectorReturnValues
querySelectorAllReturnValues = querySelectorAllReturnValues
redoReturnValues = None
removeAttributeReturnValues = None
removeNodeReturnValues = None
requestChildNodesReturnValues = None
requestNodeReturnValues = requestNodeReturnValues
resolveNodeReturnValues = resolveNodeReturnValues
setAttributeValueReturnValues = None
setAttributesAsTextReturnValues = None
setFileInputFilesReturnValues = None
setNodeStackTracesEnabledReturnValues = None
getNodeStackTracesReturnValues = getNodeStackTracesReturnValues
getFileInfoReturnValues = getFileInfoReturnValues
setInspectedNodeReturnValues = None
setNodeNameReturnValues = setNodeNameReturnValues
setNodeValueReturnValues = None
setOuterHTMLReturnValues = None
undoReturnValues = None
getFrameOwnerReturnValues = getFrameOwnerReturnValues
class DOMDebugger:
getEventListenersReturnValues = getEventListenersReturnValues
removeDOMBreakpointReturnValues = None
removeEventListenerBreakpointReturnValues = None
removeInstrumentationBreakpointReturnValues = None
removeXHRBreakpointReturnValues = None
setDOMBreakpointReturnValues = None
setEventListenerBreakpointReturnValues = None
setInstrumentationBreakpointReturnValues = None
setXHRBreakpointReturnValues = None
class DOMSnapshot:
disableReturnValues = None
enableReturnValues = None
getSnapshotReturnValues = getSnapshotReturnValues
captureSnapshotReturnValues = captureSnapshotReturnValues
class DOMStorage:
clearReturnValues = None
disableReturnValues = None
enableReturnValues = None
getDOMStorageItemsReturnValues = getDOMStorageItemsReturnValues
removeDOMStorageItemReturnValues = None
setDOMStorageItemReturnValues = None
class Database:
disableReturnValues = None
enableReturnValues = None
executeSQLReturnValues = executeSQLReturnValues
getDatabaseTableNamesReturnValues = getDatabaseTableNamesReturnValues
class DeviceOrientation:
clearDeviceOrientationOverrideReturnValues = None
setDeviceOrientationOverrideReturnValues = None
class Emulation:
canEmulateReturnValues = canEmulateReturnValues
clearDeviceMetricsOverrideReturnValues = None
clearGeolocationOverrideReturnValues = None
resetPageScaleFactorReturnValues = None
setFocusEmulationEnabledReturnValues = None
setCPUThrottlingRateReturnValues = None
setDefaultBackgroundColorOverrideReturnValues = None
setDeviceMetricsOverrideReturnValues = None
setScrollbarsHiddenReturnValues = None
setDocumentCookieDisabledReturnValues = None
setEmitTouchEventsForMouseReturnValues = None
setEmulatedMediaReturnValues = None
setGeolocationOverrideReturnValues = None
setNavigatorOverridesReturnValues = None
setPageScaleFactorReturnValues = None
setScriptExecutionDisabledReturnValues = None
setTouchEmulationEnabledReturnValues = None
setVirtualTimePolicyReturnValues = setVirtualTimePolicyReturnValues
setTimezoneOverrideReturnValues = None
setVisibleSizeReturnValues = None
setUserAgentOverrideReturnValues = None
class HeadlessExperimental:
beginFrameReturnValues = beginFrameReturnValues
disableReturnValues = None
enableReturnValues = None
class IO:
closeReturnValues = None
readReturnValues = readReturnValues
resolveBlobReturnValues = resolveBlobReturnValues
class IndexedDB:
clearObjectStoreReturnValues = None
deleteDatabaseReturnValues = None
deleteObjectStoreEntriesReturnValues = None
disableReturnValues = None
enableReturnValues = None
requestDataReturnValues = requestDataReturnValues
getMetadataReturnValues = getMetadataReturnValues
requestDatabaseReturnValues = requestDatabaseReturnValues
requestDatabaseNamesReturnValues = requestDatabaseNamesReturnValues
class Input:
dispatchKeyEventReturnValues = None
insertTextReturnValues = None
dispatchMouseEventReturnValues = None
dispatchTouchEventReturnValues = None
emulateTouchFromMouseEventReturnValues = None
setIgnoreInputEventsReturnValues = None
synthesizePinchGestureReturnValues = None
synthesizeScrollGestureReturnValues = None
synthesizeTapGestureReturnValues = None
class Inspector:
disableReturnValues = None
enableReturnValues = None
class LayerTree:
compositingReasonsReturnValues = compositingReasonsReturnValues
disableReturnValues = None
enableReturnValues = None
loadSnapshotReturnValues = loadSnapshotReturnValues
makeSnapshotReturnValues = makeSnapshotReturnValues
profileSnapshotReturnValues = profileSnapshotReturnValues
releaseSnapshotReturnValues = None
replaySnapshotReturnValues = replaySnapshotReturnValues
snapshotCommandLogReturnValues = snapshotCommandLogReturnValues
class Log:
clearReturnValues = None
disableReturnValues = None
enableReturnValues = None
startViolationsReportReturnValues = None
stopViolationsReportReturnValues = None
class Memory:
getDOMCountersReturnValues = getDOMCountersReturnValues
prepareForLeakDetectionReturnValues = None
forciblyPurgeJavaScriptMemoryReturnValues = None
setPressureNotificationsSuppressedReturnValues = None
simulatePressureNotificationReturnValues = None
startSamplingReturnValues = None
stopSamplingReturnValues = None
getAllTimeSamplingProfileReturnValues = getAllTimeSamplingProfileReturnValues
getBrowserSamplingProfileReturnValues = getBrowserSamplingProfileReturnValues
getSamplingProfileReturnValues = getSamplingProfileReturnValues
class Network:
canClearBrowserCacheReturnValues = canClearBrowserCacheReturnValues
canClearBrowserCookiesReturnValues = canClearBrowserCookiesReturnValues
canEmulateNetworkConditionsReturnValues = canEmulateNetworkConditionsReturnValues
clearBrowserCacheReturnValues = None
clearBrowserCookiesReturnValues = None
continueInterceptedRequestReturnValues = None
deleteCookiesReturnValues = None
disableReturnValues = None
emulateNetworkConditionsReturnValues = None
enableReturnValues = None
getAllCookiesReturnValues = getAllCookiesReturnValues
getCertificateReturnValues = getCertificateReturnValues
getCookiesReturnValues = getCookiesReturnValues
getResponseBodyReturnValues = getResponseBodyReturnValues
getRequestPostDataReturnValues = getRequestPostDataReturnValues
getResponseBodyForInterceptionReturnValues = getResponseBodyForInterceptionReturnValues
takeResponseBodyForInterceptionAsStreamReturnValues = takeResponseBodyForInterceptionAsStreamReturnValues
replayXHRReturnValues = None
searchInResponseBodyReturnValues = searchInResponseBodyReturnValues
setBlockedURLsReturnValues = None
setBypassServiceWorkerReturnValues = None
setCacheDisabledReturnValues = None
setCookieReturnValues = setCookieReturnValues
setCookiesReturnValues = None
setDataSizeLimitsForTestReturnValues = None
setExtraHTTPHeadersReturnValues = None
setRequestInterceptionReturnValues = None
setUserAgentOverrideReturnValues = None
class Overlay:
disableReturnValues = None
enableReturnValues = None
getHighlightObjectForTestReturnValues = getHighlightObjectForTestReturnValues
hideHighlightReturnValues = None
highlightFrameReturnValues = None
highlightNodeReturnValues = None
highlightQuadReturnValues = None
highlightRectReturnValues = None
setInspectModeReturnValues = None
setShowAdHighlightsReturnValues = None
setPausedInDebuggerMessageReturnValues = None
setShowDebugBordersReturnValues = None
setShowFPSCounterReturnValues = None
setShowPaintRectsReturnValues = None
setShowLayoutShiftRegionsReturnValues = None
setShowScrollBottleneckRectsReturnValues = None
setShowHitTestBordersReturnValues = None
setShowViewportSizeOnResizeReturnValues = None
class Page:
addScriptToEvaluateOnLoadReturnValues = addScriptToEvaluateOnLoadReturnValues
addScriptToEvaluateOnNewDocumentReturnValues = addScriptToEvaluateOnNewDocumentReturnValues
bringToFrontReturnValues = None
captureScreenshotReturnValues = captureScreenshotReturnValues
captureSnapshotReturnValues = captureSnapshotReturnValues
clearDeviceMetricsOverrideReturnValues = None
clearDeviceOrientationOverrideReturnValues = None
clearGeolocationOverrideReturnValues = None
createIsolatedWorldReturnValues = createIsolatedWorldReturnValues
deleteCookieReturnValues = None
disableReturnValues = None
enableReturnValues = None
getAppManifestReturnValues = getAppManifestReturnValues
getInstallabilityErrorsReturnValues = getInstallabilityErrorsReturnValues
getCookiesReturnValues = getCookiesReturnValues
getFrameTreeReturnValues = getFrameTreeReturnValues
getLayoutMetricsReturnValues = getLayoutMetricsReturnValues
getNavigationHistoryReturnValues = getNavigationHistoryReturnValues
resetNavigationHistoryReturnValues = None
getResourceContentReturnValues = getResourceContentReturnValues
getResourceTreeReturnValues = getResourceTreeReturnValues
handleJavaScriptDialogReturnValues = None
navigateReturnValues = navigateReturnValues
navigateToHistoryEntryReturnValues = None
printToPDFReturnValues = printToPDFReturnValues
reloadReturnValues = None
removeScriptToEvaluateOnLoadReturnValues = None
removeScriptToEvaluateOnNewDocumentReturnValues = None
screencastFrameAckReturnValues = None
searchInResourceReturnValues = searchInResourceReturnValues
setAdBlockingEnabledReturnValues = None
setBypassCSPReturnValues = None
setDeviceMetricsOverrideReturnValues = None
setDeviceOrientationOverrideReturnValues = None
setFontFamiliesReturnValues = None
setFontSizesReturnValues = None
setDocumentContentReturnValues = None
setDownloadBehaviorReturnValues = None
setGeolocationOverrideReturnValues = None
setLifecycleEventsEnabledReturnValues = None
setTouchEmulationEnabledReturnValues = None
startScreencastReturnValues = None
stopLoadingReturnValues = None
crashReturnValues = None
closeReturnValues = None
setWebLifecycleStateReturnValues = None
stopScreencastReturnValues = None
setProduceCompilationCacheReturnValues = None
addCompilationCacheReturnValues = None
clearCompilationCacheReturnValues = None
generateTestReportReturnValues = None
waitForDebuggerReturnValues = None
setInterceptFileChooserDialogReturnValues = None
class Performance:
disableReturnValues = None
enableReturnValues = None
setTimeDomainReturnValues = None
getMetricsReturnValues = getMetricsReturnValues
class Security:
disableReturnValues = None
enableReturnValues = None
setIgnoreCertificateErrorsReturnValues = None
handleCertificateErrorReturnValues = None
setOverrideCertificateErrorsReturnValues = None
class ServiceWorker:
deliverPushMessageReturnValues = None
disableReturnValues = None
dispatchSyncEventReturnValues = None
dispatchPeriodicSyncEventReturnValues = None
enableReturnValues = None
inspectWorkerReturnValues = None
setForceUpdateOnPageLoadReturnValues = None
skipWaitingReturnValues = None
startWorkerReturnValues = None
stopAllWorkersReturnValues = None
stopWorkerReturnValues = None
unregisterReturnValues = None
updateRegistrationReturnValues = None
class Storage:
clearDataForOriginReturnValues = None
getCookiesReturnValues = getCookiesReturnValues
setCookiesReturnValues = None
clearCookiesReturnValues = None
getUsageAndQuotaReturnValues = getUsageAndQuotaReturnValues
trackCacheStorageForOriginReturnValues = None
trackIndexedDBForOriginReturnValues = None
untrackCacheStorageForOriginReturnValues = None
untrackIndexedDBForOriginReturnValues = None
class SystemInfo:
getInfoReturnValues = getInfoReturnValues
getProcessInfoReturnValues = getProcessInfoReturnValues
class Target:
activateTargetReturnValues = None
attachToTargetReturnValues = attachToTargetReturnValues
attachToBrowserTargetReturnValues = attachToBrowserTargetReturnValues
closeTargetReturnValues = closeTargetReturnValues
exposeDevToolsProtocolReturnValues = None
createBrowserContextReturnValues = createBrowserContextReturnValues
getBrowserContextsReturnValues = getBrowserContextsReturnValues
createTargetReturnValues = createTargetReturnValues
detachFromTargetReturnValues = None
disposeBrowserContextReturnValues = None
getTargetInfoReturnValues = getTargetInfoReturnValues
getTargetsReturnValues = getTargetsReturnValues
sendMessageToTargetReturnValues = None
setAutoAttachReturnValues = None
setDiscoverTargetsReturnValues = None
setRemoteLocationsReturnValues = None
class Tethering:
bindReturnValues = None
unbindReturnValues = None
class Tracing:
endReturnValues = None
getCategoriesReturnValues = getCategoriesReturnValues
recordClockSyncMarkerReturnValues = None
requestMemoryDumpReturnValues = requestMemoryDumpReturnValues
startReturnValues = None
class Fetch:
disableReturnValues = None
enableReturnValues = None
failRequestReturnValues = None
fulfillRequestReturnValues = None
continueRequestReturnValues = None
continueWithAuthReturnValues = None
getResponseBodyReturnValues = getResponseBodyReturnValues
takeResponseBodyAsStreamReturnValues = takeResponseBodyAsStreamReturnValues
class WebAudio:
enableReturnValues = None
disableReturnValues = None
getRealtimeDataReturnValues = getRealtimeDataReturnValues
class WebAuthn:
enableReturnValues = None
disableReturnValues = None
addVirtualAuthenticatorReturnValues = addVirtualAuthenticatorReturnValues
removeVirtualAuthenticatorReturnValues = None
addCredentialReturnValues = None
getCredentialReturnValues = getCredentialReturnValues
getCredentialsReturnValues = getCredentialsReturnValues
removeCredentialReturnValues = None
clearCredentialsReturnValues = None
setUserVerifiedReturnValues = None
class Media:
enableReturnValues = None
disableReturnValues = None
class Console:
clearMessagesReturnValues = None
disableReturnValues = None
enableReturnValues = None
class Debugger:
continueToLocationReturnValues = None
disableReturnValues = None
enableReturnValues = enableReturnValues
evaluateOnCallFrameReturnValues = evaluateOnCallFrameReturnValues
getPossibleBreakpointsReturnValues = getPossibleBreakpointsReturnValues
getScriptSourceReturnValues = getScriptSourceReturnValues
getWasmBytecodeReturnValues = getWasmBytecodeReturnValues
getStackTraceReturnValues = getStackTraceReturnValues
pauseReturnValues = None
pauseOnAsyncCallReturnValues = None
removeBreakpointReturnValues = None
restartFrameReturnValues = restartFrameReturnValues
resumeReturnValues = None
searchInContentReturnValues = searchInContentReturnValues
setAsyncCallStackDepthReturnValues = None
setBlackboxPatternsReturnValues = None
setBlackboxedRangesReturnValues = None
setBreakpointReturnValues = setBreakpointReturnValues
setInstrumentationBreakpointReturnValues = setInstrumentationBreakpointReturnValues
setBreakpointByUrlReturnValues = setBreakpointByUrlReturnValues
setBreakpointOnFunctionCallReturnValues = setBreakpointOnFunctionCallReturnValues
setBreakpointsActiveReturnValues = None
setPauseOnExceptionsReturnValues = None
setReturnValueReturnValues = None
setScriptSourceReturnValues = setScriptSourceReturnValues
setSkipAllPausesReturnValues = None
setVariableValueReturnValues = None
stepIntoReturnValues = None
stepOutReturnValues = None
stepOverReturnValues = None
class HeapProfiler:
addInspectedHeapObjectReturnValues = None
collectGarbageReturnValues = None
disableReturnValues = None
enableReturnValues = None
getHeapObjectIdReturnValues = getHeapObjectIdReturnValues
getObjectByHeapObjectIdReturnValues = getObjectByHeapObjectIdReturnValues
getSamplingProfileReturnValues = getSamplingProfileReturnValues
startSamplingReturnValues = None
startTrackingHeapObjectsReturnValues = None
stopSamplingReturnValues = stopSamplingReturnValues
stopTrackingHeapObjectsReturnValues = None
takeHeapSnapshotReturnValues = None
class Profiler:
disableReturnValues = None
enableReturnValues = None
getBestEffortCoverageReturnValues = getBestEffortCoverageReturnValues
setSamplingIntervalReturnValues = None
startReturnValues = None
startPreciseCoverageReturnValues = None
startTypeProfileReturnValues = None
stopReturnValues = stopReturnValues
stopPreciseCoverageReturnValues = None
stopTypeProfileReturnValues = None
takePreciseCoverageReturnValues = takePreciseCoverageReturnValues
takeTypeProfileReturnValues = takeTypeProfileReturnValues
enableRuntimeCallStatsReturnValues = None
disableRuntimeCallStatsReturnValues = None
getRuntimeCallStatsReturnValues = getRuntimeCallStatsReturnValues
class Runtime:
awaitPromiseReturnValues = awaitPromiseReturnValues
callFunctionOnReturnValues = callFunctionOnReturnValues
compileScriptReturnValues = compileScriptReturnValues
disableReturnValues = None
discardConsoleEntriesReturnValues = None
enableReturnValues = None
evaluateReturnValues = evaluateReturnValues
getIsolateIdReturnValues = getIsolateIdReturnValues
getHeapUsageReturnValues = getHeapUsageReturnValues
getPropertiesReturnValues = getPropertiesReturnValues
globalLexicalScopeNamesReturnValues = globalLexicalScopeNamesReturnValues
queryObjectsReturnValues = queryObjectsReturnValues
releaseObjectReturnValues = None
releaseObjectGroupReturnValues = None
runIfWaitingForDebuggerReturnValues = None
runScriptReturnValues = runScriptReturnValues
setAsyncCallStackDepthReturnValues = None
setCustomObjectFormatterEnabledReturnValues = None
setMaxCallStackSizeToCaptureReturnValues = None
terminateExecutionReturnValues = None
addBindingReturnValues = None
removeBindingReturnValues = None
class Schema:
getDomainsReturnValues = getDomainsReturnValues
class Events:
class Animation:
animationCanceledPayload = 'Animation.animationCanceledPayload'
animationCreatedPayload = 'Animation.animationCreatedPayload'
animationStartedPayload = 'Animation.animationStartedPayload'
class ApplicationCache:
applicationCacheStatusUpdatedPayload = 'ApplicationCache.applicationCacheStatusUpdatedPayload'
networkStateUpdatedPayload = 'ApplicationCache.networkStateUpdatedPayload'
class BackgroundService:
recordingStateChangedPayload = 'BackgroundService.recordingStateChangedPayload'
backgroundServiceEventReceivedPayload = 'BackgroundService.backgroundServiceEventReceivedPayload'
class CSS:
fontsUpdatedPayload = 'CSS.fontsUpdatedPayload'
mediaQueryResultChangedPayload = 'CSS.mediaQueryResultChangedPayload'
styleSheetAddedPayload = 'CSS.styleSheetAddedPayload'
styleSheetChangedPayload = 'CSS.styleSheetChangedPayload'
styleSheetRemovedPayload = 'CSS.styleSheetRemovedPayload'
class Cast:
sinksUpdatedPayload = 'Cast.sinksUpdatedPayload'
issueUpdatedPayload = 'Cast.issueUpdatedPayload'
class DOM:
attributeModifiedPayload = 'DOM.attributeModifiedPayload'
attributeRemovedPayload = 'DOM.attributeRemovedPayload'
characterDataModifiedPayload = 'DOM.characterDataModifiedPayload'
childNodeCountUpdatedPayload = 'DOM.childNodeCountUpdatedPayload'
childNodeInsertedPayload = 'DOM.childNodeInsertedPayload'
childNodeRemovedPayload = 'DOM.childNodeRemovedPayload'
distributedNodesUpdatedPayload = 'DOM.distributedNodesUpdatedPayload'
documentUpdatedPayload = 'DOM.documentUpdatedPayload'
inlineStyleInvalidatedPayload = 'DOM.inlineStyleInvalidatedPayload'
pseudoElementAddedPayload = 'DOM.pseudoElementAddedPayload'
pseudoElementRemovedPayload = 'DOM.pseudoElementRemovedPayload'
setChildNodesPayload = 'DOM.setChildNodesPayload'
shadowRootPoppedPayload = 'DOM.shadowRootPoppedPayload'
shadowRootPushedPayload = 'DOM.shadowRootPushedPayload'
class DOMStorage:
domStorageItemAddedPayload = 'DOMStorage.domStorageItemAddedPayload'
domStorageItemRemovedPayload = 'DOMStorage.domStorageItemRemovedPayload'
domStorageItemUpdatedPayload = 'DOMStorage.domStorageItemUpdatedPayload'
domStorageItemsClearedPayload = 'DOMStorage.domStorageItemsClearedPayload'
class Database:
addDatabasePayload = 'Database.addDatabasePayload'
class Emulation:
virtualTimeBudgetExpiredPayload = 'Emulation.virtualTimeBudgetExpiredPayload'
class HeadlessExperimental:
needsBeginFramesChangedPayload = 'HeadlessExperimental.needsBeginFramesChangedPayload'
class Inspector:
detachedPayload = 'Inspector.detachedPayload'
targetCrashedPayload = 'Inspector.targetCrashedPayload'
targetReloadedAfterCrashPayload = 'Inspector.targetReloadedAfterCrashPayload'
class LayerTree:
layerPaintedPayload = 'LayerTree.layerPaintedPayload'
layerTreeDidChangePayload = 'LayerTree.layerTreeDidChangePayload'
class Log:
entryAddedPayload = 'Log.entryAddedPayload'
class Network:
dataReceivedPayload = 'Network.dataReceivedPayload'
eventSourceMessageReceivedPayload = 'Network.eventSourceMessageReceivedPayload'
loadingFailedPayload = 'Network.loadingFailedPayload'
loadingFinishedPayload = 'Network.loadingFinishedPayload'
requestInterceptedPayload = 'Network.requestInterceptedPayload'
requestServedFromCachePayload = 'Network.requestServedFromCachePayload'
requestWillBeSentPayload = 'Network.requestWillBeSentPayload'
resourceChangedPriorityPayload = 'Network.resourceChangedPriorityPayload'
signedExchangeReceivedPayload = 'Network.signedExchangeReceivedPayload'
responseReceivedPayload = 'Network.responseReceivedPayload'
webSocketClosedPayload = 'Network.webSocketClosedPayload'
webSocketCreatedPayload = 'Network.webSocketCreatedPayload'
webSocketFrameErrorPayload = 'Network.webSocketFrameErrorPayload'
webSocketFrameReceivedPayload = 'Network.webSocketFrameReceivedPayload'
webSocketFrameSentPayload = 'Network.webSocketFrameSentPayload'
webSocketHandshakeResponseReceivedPayload = 'Network.webSocketHandshakeResponseReceivedPayload'
webSocketWillSendHandshakeRequestPayload = 'Network.webSocketWillSendHandshakeRequestPayload'
requestWillBeSentExtraInfoPayload = 'Network.requestWillBeSentExtraInfoPayload'
responseReceivedExtraInfoPayload = 'Network.responseReceivedExtraInfoPayload'
class Overlay:
inspectNodeRequestedPayload = 'Overlay.inspectNodeRequestedPayload'
nodeHighlightRequestedPayload = 'Overlay.nodeHighlightRequestedPayload'
screenshotRequestedPayload = 'Overlay.screenshotRequestedPayload'
inspectModeCanceledPayload = 'Overlay.inspectModeCanceledPayload'
class Page:
domContentEventFiredPayload = 'Page.domContentEventFiredPayload'
fileChooserOpenedPayload = 'Page.fileChooserOpenedPayload'
frameAttachedPayload = 'Page.frameAttachedPayload'
frameClearedScheduledNavigationPayload = 'Page.frameClearedScheduledNavigationPayload'
frameDetachedPayload = 'Page.frameDetachedPayload'
frameNavigatedPayload = 'Page.frameNavigatedPayload'
frameResizedPayload = 'Page.frameResizedPayload'
frameRequestedNavigationPayload = 'Page.frameRequestedNavigationPayload'
frameScheduledNavigationPayload = 'Page.frameScheduledNavigationPayload'
frameStartedLoadingPayload = 'Page.frameStartedLoadingPayload'
frameStoppedLoadingPayload = 'Page.frameStoppedLoadingPayload'
downloadWillBeginPayload = 'Page.downloadWillBeginPayload'
interstitialHiddenPayload = 'Page.interstitialHiddenPayload'
interstitialShownPayload = 'Page.interstitialShownPayload'
javascriptDialogClosedPayload = 'Page.javascriptDialogClosedPayload'
javascriptDialogOpeningPayload = 'Page.javascriptDialogOpeningPayload'
lifecycleEventPayload = 'Page.lifecycleEventPayload'
loadEventFiredPayload = 'Page.loadEventFiredPayload'
navigatedWithinDocumentPayload = 'Page.navigatedWithinDocumentPayload'
screencastFramePayload = 'Page.screencastFramePayload'
screencastVisibilityChangedPayload = 'Page.screencastVisibilityChangedPayload'
windowOpenPayload = 'Page.windowOpenPayload'
compilationCacheProducedPayload = 'Page.compilationCacheProducedPayload'
class Performance:
metricsPayload = 'Performance.metricsPayload'
class Security:
certificateErrorPayload = 'Security.certificateErrorPayload'
visibleSecurityStateChangedPayload = 'Security.visibleSecurityStateChangedPayload'
securityStateChangedPayload = 'Security.securityStateChangedPayload'
class ServiceWorker:
workerErrorReportedPayload = 'ServiceWorker.workerErrorReportedPayload'
workerRegistrationUpdatedPayload = 'ServiceWorker.workerRegistrationUpdatedPayload'
workerVersionUpdatedPayload = 'ServiceWorker.workerVersionUpdatedPayload'
class Storage:
cacheStorageContentUpdatedPayload = 'Storage.cacheStorageContentUpdatedPayload'
cacheStorageListUpdatedPayload = 'Storage.cacheStorageListUpdatedPayload'
indexedDBContentUpdatedPayload = 'Storage.indexedDBContentUpdatedPayload'
indexedDBListUpdatedPayload = 'Storage.indexedDBListUpdatedPayload'
class Target:
attachedToTargetPayload = 'Target.attachedToTargetPayload'
detachedFromTargetPayload = 'Target.detachedFromTargetPayload'
receivedMessageFromTargetPayload = 'Target.receivedMessageFromTargetPayload'
targetCreatedPayload = 'Target.targetCreatedPayload'
targetDestroyedPayload = 'Target.targetDestroyedPayload'
targetCrashedPayload = 'Target.targetCrashedPayload'
targetInfoChangedPayload = 'Target.targetInfoChangedPayload'
class Tethering:
acceptedPayload = 'Tethering.acceptedPayload'
class Tracing:
bufferUsagePayload = 'Tracing.bufferUsagePayload'
dataCollectedPayload = 'Tracing.dataCollectedPayload'
tracingCompletePayload = 'Tracing.tracingCompletePayload'
class Fetch:
requestPausedPayload = 'Fetch.requestPausedPayload'
authRequiredPayload = 'Fetch.authRequiredPayload'
class WebAudio:
contextCreatedPayload = 'WebAudio.contextCreatedPayload'
contextWillBeDestroyedPayload = 'WebAudio.contextWillBeDestroyedPayload'
contextChangedPayload = 'WebAudio.contextChangedPayload'
audioListenerCreatedPayload = 'WebAudio.audioListenerCreatedPayload'
audioListenerWillBeDestroyedPayload = 'WebAudio.audioListenerWillBeDestroyedPayload'
audioNodeCreatedPayload = 'WebAudio.audioNodeCreatedPayload'
audioNodeWillBeDestroyedPayload = 'WebAudio.audioNodeWillBeDestroyedPayload'
audioParamCreatedPayload = 'WebAudio.audioParamCreatedPayload'
audioParamWillBeDestroyedPayload = 'WebAudio.audioParamWillBeDestroyedPayload'
nodesConnectedPayload = 'WebAudio.nodesConnectedPayload'
nodesDisconnectedPayload = 'WebAudio.nodesDisconnectedPayload'
nodeParamConnectedPayload = 'WebAudio.nodeParamConnectedPayload'
nodeParamDisconnectedPayload = 'WebAudio.nodeParamDisconnectedPayload'
class Media:
playerPropertiesChangedPayload = 'Media.playerPropertiesChangedPayload'
playerEventsAddedPayload = 'Media.playerEventsAddedPayload'
playersCreatedPayload = 'Media.playersCreatedPayload'
class Console:
messageAddedPayload = 'Console.messageAddedPayload'
class Debugger:
breakpointResolvedPayload = 'Debugger.breakpointResolvedPayload'
pausedPayload = 'Debugger.pausedPayload'
resumedPayload = 'Debugger.resumedPayload'
scriptFailedToParsePayload = 'Debugger.scriptFailedToParsePayload'
scriptParsedPayload = 'Debugger.scriptParsedPayload'
class HeapProfiler:
addHeapSnapshotChunkPayload = 'HeapProfiler.addHeapSnapshotChunkPayload'
heapStatsUpdatePayload = 'HeapProfiler.heapStatsUpdatePayload'
lastSeenObjectIdPayload = 'HeapProfiler.lastSeenObjectIdPayload'
reportHeapSnapshotProgressPayload = 'HeapProfiler.reportHeapSnapshotProgressPayload'
resetProfilesPayload = 'HeapProfiler.resetProfilesPayload'
class Profiler:
consoleProfileFinishedPayload = 'Profiler.consoleProfileFinishedPayload'
consoleProfileStartedPayload = 'Profiler.consoleProfileStartedPayload'
class Runtime:
bindingCalledPayload = 'Runtime.bindingCalledPayload'
consoleAPICalledPayload = 'Runtime.consoleAPICalledPayload'
exceptionRevokedPayload = 'Runtime.exceptionRevokedPayload'
exceptionThrownPayload = 'Runtime.exceptionThrownPayload'
executionContextCreatedPayload = 'Runtime.executionContextCreatedPayload'
executionContextDestroyedPayload = 'Runtime.executionContextDestroyedPayload'
executionContextsClearedPayload = 'Runtime.executionContextsClearedPayload'
inspectRequestedPayload = 'Runtime.inspectRequestedPayload'
class CommandNames:
class Accessibility:
disable = 'Accessibility.disable'
enable = 'Accessibility.enable'
getPartialAXTree = 'Accessibility.getPartialAXTree'
getFullAXTree = 'Accessibility.getFullAXTree'
class Animation:
disable = 'Animation.disable'
enable = 'Animation.enable'
getCurrentTime = 'Animation.getCurrentTime'
getPlaybackRate = 'Animation.getPlaybackRate'
releaseAnimations = 'Animation.releaseAnimations'
resolveAnimation = 'Animation.resolveAnimation'
seekAnimations = 'Animation.seekAnimations'
setPaused = 'Animation.setPaused'
setPlaybackRate = 'Animation.setPlaybackRate'
setTiming = 'Animation.setTiming'
class ApplicationCache:
enable = 'ApplicationCache.enable'
getApplicationCacheForFrame = 'ApplicationCache.getApplicationCacheForFrame'
getFramesWithManifests = 'ApplicationCache.getFramesWithManifests'
getManifestForFrame = 'ApplicationCache.getManifestForFrame'
class Audits:
getEncodedResponse = 'Audits.getEncodedResponse'
class BackgroundService:
startObserving = 'BackgroundService.startObserving'
stopObserving = 'BackgroundService.stopObserving'
setRecording = 'BackgroundService.setRecording'
clearEvents = 'BackgroundService.clearEvents'
class Browser:
setPermission = 'Browser.setPermission'
grantPermissions = 'Browser.grantPermissions'
resetPermissions = 'Browser.resetPermissions'
close = 'Browser.close'
crash = 'Browser.crash'
crashGpuProcess = 'Browser.crashGpuProcess'
getVersion = 'Browser.getVersion'
getBrowserCommandLine = 'Browser.getBrowserCommandLine'
getHistograms = 'Browser.getHistograms'
getHistogram = 'Browser.getHistogram'
getWindowBounds = 'Browser.getWindowBounds'
getWindowForTarget = 'Browser.getWindowForTarget'
setWindowBounds = 'Browser.setWindowBounds'
setDockTile = 'Browser.setDockTile'
class CSS:
addRule = 'CSS.addRule'
collectClassNames = 'CSS.collectClassNames'
createStyleSheet = 'CSS.createStyleSheet'
disable = 'CSS.disable'
enable = 'CSS.enable'
forcePseudoState = 'CSS.forcePseudoState'
getBackgroundColors = 'CSS.getBackgroundColors'
getComputedStyleForNode = 'CSS.getComputedStyleForNode'
getInlineStylesForNode = 'CSS.getInlineStylesForNode'
getMatchedStylesForNode = 'CSS.getMatchedStylesForNode'
getMediaQueries = 'CSS.getMediaQueries'
getPlatformFontsForNode = 'CSS.getPlatformFontsForNode'
getStyleSheetText = 'CSS.getStyleSheetText'
setEffectivePropertyValueForNode = 'CSS.setEffectivePropertyValueForNode'
setKeyframeKey = 'CSS.setKeyframeKey'
setMediaText = 'CSS.setMediaText'
setRuleSelector = 'CSS.setRuleSelector'
setStyleSheetText = 'CSS.setStyleSheetText'
setStyleTexts = 'CSS.setStyleTexts'
startRuleUsageTracking = 'CSS.startRuleUsageTracking'
stopRuleUsageTracking = 'CSS.stopRuleUsageTracking'
takeCoverageDelta = 'CSS.takeCoverageDelta'
class CacheStorage:
deleteCache = 'CacheStorage.deleteCache'
deleteEntry = 'CacheStorage.deleteEntry'
requestCacheNames = 'CacheStorage.requestCacheNames'
requestCachedResponse = 'CacheStorage.requestCachedResponse'
requestEntries = 'CacheStorage.requestEntries'
class Cast:
enable = 'Cast.enable'
disable = 'Cast.disable'
setSinkToUse = 'Cast.setSinkToUse'
startTabMirroring = 'Cast.startTabMirroring'
stopCasting = 'Cast.stopCasting'
class DOM:
collectClassNamesFromSubtree = 'DOM.collectClassNamesFromSubtree'
copyTo = 'DOM.copyTo'
describeNode = 'DOM.describeNode'
disable = 'DOM.disable'
discardSearchResults = 'DOM.discardSearchResults'
enable = 'DOM.enable'
focus = 'DOM.focus'
getAttributes = 'DOM.getAttributes'
getBoxModel = 'DOM.getBoxModel'
getContentQuads = 'DOM.getContentQuads'
getDocument = 'DOM.getDocument'
getFlattenedDocument = 'DOM.getFlattenedDocument'
getNodeForLocation = 'DOM.getNodeForLocation'
getOuterHTML = 'DOM.getOuterHTML'
getRelayoutBoundary = 'DOM.getRelayoutBoundary'
getSearchResults = 'DOM.getSearchResults'
hideHighlight = 'DOM.hideHighlight'
highlightNode = 'DOM.highlightNode'
highlightRect = 'DOM.highlightRect'
markUndoableState = 'DOM.markUndoableState'
moveTo = 'DOM.moveTo'
performSearch = 'DOM.performSearch'
pushNodeByPathToFrontend = 'DOM.pushNodeByPathToFrontend'
pushNodesByBackendIdsToFrontend = 'DOM.pushNodesByBackendIdsToFrontend'
querySelector = 'DOM.querySelector'
querySelectorAll = 'DOM.querySelectorAll'
redo = 'DOM.redo'
removeAttribute = 'DOM.removeAttribute'
removeNode = 'DOM.removeNode'
requestChildNodes = 'DOM.requestChildNodes'
requestNode = 'DOM.requestNode'
resolveNode = 'DOM.resolveNode'
setAttributeValue = 'DOM.setAttributeValue'
setAttributesAsText = 'DOM.setAttributesAsText'
setFileInputFiles = 'DOM.setFileInputFiles'
setNodeStackTracesEnabled = 'DOM.setNodeStackTracesEnabled'
getNodeStackTraces = 'DOM.getNodeStackTraces'
getFileInfo = 'DOM.getFileInfo'
setInspectedNode = 'DOM.setInspectedNode'
setNodeName = 'DOM.setNodeName'
setNodeValue = 'DOM.setNodeValue'
setOuterHTML = 'DOM.setOuterHTML'
undo = 'DOM.undo'
getFrameOwner = 'DOM.getFrameOwner'
class DOMDebugger:
getEventListeners = 'DOMDebugger.getEventListeners'
removeDOMBreakpoint = 'DOMDebugger.removeDOMBreakpoint'
removeEventListenerBreakpoint = 'DOMDebugger.removeEventListenerBreakpoint'
removeInstrumentationBreakpoint = 'DOMDebugger.removeInstrumentationBreakpoint'
removeXHRBreakpoint = 'DOMDebugger.removeXHRBreakpoint'
setDOMBreakpoint = 'DOMDebugger.setDOMBreakpoint'
setEventListenerBreakpoint = 'DOMDebugger.setEventListenerBreakpoint'
setInstrumentationBreakpoint = 'DOMDebugger.setInstrumentationBreakpoint'
setXHRBreakpoint = 'DOMDebugger.setXHRBreakpoint'
class DOMSnapshot:
disable = 'DOMSnapshot.disable'
enable = 'DOMSnapshot.enable'
getSnapshot = 'DOMSnapshot.getSnapshot'
captureSnapshot = 'DOMSnapshot.captureSnapshot'
class DOMStorage:
clear = 'DOMStorage.clear'
disable = 'DOMStorage.disable'
enable = 'DOMStorage.enable'
getDOMStorageItems = 'DOMStorage.getDOMStorageItems'
removeDOMStorageItem = 'DOMStorage.removeDOMStorageItem'
setDOMStorageItem = 'DOMStorage.setDOMStorageItem'
class Database:
disable = 'Database.disable'
enable = 'Database.enable'
executeSQL = 'Database.executeSQL'
getDatabaseTableNames = 'Database.getDatabaseTableNames'
class DeviceOrientation:
clearDeviceOrientationOverride = 'DeviceOrientation.clearDeviceOrientationOverride'
setDeviceOrientationOverride = 'DeviceOrientation.setDeviceOrientationOverride'
class Emulation:
canEmulate = 'Emulation.canEmulate'
clearDeviceMetricsOverride = 'Emulation.clearDeviceMetricsOverride'
clearGeolocationOverride = 'Emulation.clearGeolocationOverride'
resetPageScaleFactor = 'Emulation.resetPageScaleFactor'
setFocusEmulationEnabled = 'Emulation.setFocusEmulationEnabled'
setCPUThrottlingRate = 'Emulation.setCPUThrottlingRate'
setDefaultBackgroundColorOverride = 'Emulation.setDefaultBackgroundColorOverride'
setDeviceMetricsOverride = 'Emulation.setDeviceMetricsOverride'
setScrollbarsHidden = 'Emulation.setScrollbarsHidden'
setDocumentCookieDisabled = 'Emulation.setDocumentCookieDisabled'
setEmitTouchEventsForMouse = 'Emulation.setEmitTouchEventsForMouse'
setEmulatedMedia = 'Emulation.setEmulatedMedia'
setGeolocationOverride = 'Emulation.setGeolocationOverride'
setNavigatorOverrides = 'Emulation.setNavigatorOverrides'
setPageScaleFactor = 'Emulation.setPageScaleFactor'
setScriptExecutionDisabled = 'Emulation.setScriptExecutionDisabled'
setTouchEmulationEnabled = 'Emulation.setTouchEmulationEnabled'
setVirtualTimePolicy = 'Emulation.setVirtualTimePolicy'
setTimezoneOverride = 'Emulation.setTimezoneOverride'
setVisibleSize = 'Emulation.setVisibleSize'
setUserAgentOverride = 'Emulation.setUserAgentOverride'
class HeadlessExperimental:
beginFrame = 'HeadlessExperimental.beginFrame'
disable = 'HeadlessExperimental.disable'
enable = 'HeadlessExperimental.enable'
class IO:
close = 'IO.close'
read = 'IO.read'
resolveBlob = 'IO.resolveBlob'
class IndexedDB:
clearObjectStore = 'IndexedDB.clearObjectStore'
deleteDatabase = 'IndexedDB.deleteDatabase'
deleteObjectStoreEntries = 'IndexedDB.deleteObjectStoreEntries'
disable = 'IndexedDB.disable'
enable = 'IndexedDB.enable'
requestData = 'IndexedDB.requestData'
getMetadata = 'IndexedDB.getMetadata'
requestDatabase = 'IndexedDB.requestDatabase'
requestDatabaseNames = 'IndexedDB.requestDatabaseNames'
class Input:
dispatchKeyEvent = 'Input.dispatchKeyEvent'
insertText = 'Input.insertText'
dispatchMouseEvent = 'Input.dispatchMouseEvent'
dispatchTouchEvent = 'Input.dispatchTouchEvent'
emulateTouchFromMouseEvent = 'Input.emulateTouchFromMouseEvent'
setIgnoreInputEvents = 'Input.setIgnoreInputEvents'
synthesizePinchGesture = 'Input.synthesizePinchGesture'
synthesizeScrollGesture = 'Input.synthesizeScrollGesture'
synthesizeTapGesture = 'Input.synthesizeTapGesture'
class Inspector:
disable = 'Inspector.disable'
enable = 'Inspector.enable'
class LayerTree:
compositingReasons = 'LayerTree.compositingReasons'
disable = 'LayerTree.disable'
enable = 'LayerTree.enable'
loadSnapshot = 'LayerTree.loadSnapshot'
makeSnapshot = 'LayerTree.makeSnapshot'
profileSnapshot = 'LayerTree.profileSnapshot'
releaseSnapshot = 'LayerTree.releaseSnapshot'
replaySnapshot = 'LayerTree.replaySnapshot'
snapshotCommandLog = 'LayerTree.snapshotCommandLog'
class Log:
clear = 'Log.clear'
disable = 'Log.disable'
enable = 'Log.enable'
startViolationsReport = 'Log.startViolationsReport'
stopViolationsReport = 'Log.stopViolationsReport'
class Memory:
getDOMCounters = 'Memory.getDOMCounters'
prepareForLeakDetection = 'Memory.prepareForLeakDetection'
forciblyPurgeJavaScriptMemory = 'Memory.forciblyPurgeJavaScriptMemory'
setPressureNotificationsSuppressed = 'Memory.setPressureNotificationsSuppressed'
simulatePressureNotification = 'Memory.simulatePressureNotification'
startSampling = 'Memory.startSampling'
stopSampling = 'Memory.stopSampling'
getAllTimeSamplingProfile = 'Memory.getAllTimeSamplingProfile'
getBrowserSamplingProfile = 'Memory.getBrowserSamplingProfile'
getSamplingProfile = 'Memory.getSamplingProfile'
class Network:
canClearBrowserCache = 'Network.canClearBrowserCache'
canClearBrowserCookies = 'Network.canClearBrowserCookies'
canEmulateNetworkConditions = 'Network.canEmulateNetworkConditions'
clearBrowserCache = 'Network.clearBrowserCache'
clearBrowserCookies = 'Network.clearBrowserCookies'
continueInterceptedRequest = 'Network.continueInterceptedRequest'
deleteCookies = 'Network.deleteCookies'
disable = 'Network.disable'
emulateNetworkConditions = 'Network.emulateNetworkConditions'
enable = 'Network.enable'
getAllCookies = 'Network.getAllCookies'
getCertificate = 'Network.getCertificate'
getCookies = 'Network.getCookies'
getResponseBody = 'Network.getResponseBody'
getRequestPostData = 'Network.getRequestPostData'
getResponseBodyForInterception = 'Network.getResponseBodyForInterception'
takeResponseBodyForInterceptionAsStream = 'Network.takeResponseBodyForInterceptionAsStream'
replayXHR = 'Network.replayXHR'
searchInResponseBody = 'Network.searchInResponseBody'
setBlockedURLs = 'Network.setBlockedURLs'
setBypassServiceWorker = 'Network.setBypassServiceWorker'
setCacheDisabled = 'Network.setCacheDisabled'
setCookie = 'Network.setCookie'
setCookies = 'Network.setCookies'
setDataSizeLimitsForTest = 'Network.setDataSizeLimitsForTest'
setExtraHTTPHeaders = 'Network.setExtraHTTPHeaders'
setRequestInterception = 'Network.setRequestInterception'
setUserAgentOverride = 'Network.setUserAgentOverride'
class Overlay:
disable = 'Overlay.disable'
enable = 'Overlay.enable'
getHighlightObjectForTest = 'Overlay.getHighlightObjectForTest'
hideHighlight = 'Overlay.hideHighlight'
highlightFrame = 'Overlay.highlightFrame'
highlightNode = 'Overlay.highlightNode'
highlightQuad = 'Overlay.highlightQuad'
highlightRect = 'Overlay.highlightRect'
setInspectMode = 'Overlay.setInspectMode'
setShowAdHighlights = 'Overlay.setShowAdHighlights'
setPausedInDebuggerMessage = 'Overlay.setPausedInDebuggerMessage'
setShowDebugBorders = 'Overlay.setShowDebugBorders'
setShowFPSCounter = 'Overlay.setShowFPSCounter'
setShowPaintRects = 'Overlay.setShowPaintRects'
setShowLayoutShiftRegions = 'Overlay.setShowLayoutShiftRegions'
setShowScrollBottleneckRects = 'Overlay.setShowScrollBottleneckRects'
setShowHitTestBorders = 'Overlay.setShowHitTestBorders'
setShowViewportSizeOnResize = 'Overlay.setShowViewportSizeOnResize'
class Page:
addScriptToEvaluateOnLoad = 'Page.addScriptToEvaluateOnLoad'
addScriptToEvaluateOnNewDocument = 'Page.addScriptToEvaluateOnNewDocument'
bringToFront = 'Page.bringToFront'
captureScreenshot = 'Page.captureScreenshot'
captureSnapshot = 'Page.captureSnapshot'
clearDeviceMetricsOverride = 'Page.clearDeviceMetricsOverride'
clearDeviceOrientationOverride = 'Page.clearDeviceOrientationOverride'
clearGeolocationOverride = 'Page.clearGeolocationOverride'
createIsolatedWorld = 'Page.createIsolatedWorld'
deleteCookie = 'Page.deleteCookie'
disable = 'Page.disable'
enable = 'Page.enable'
getAppManifest = 'Page.getAppManifest'
getInstallabilityErrors = 'Page.getInstallabilityErrors'
getCookies = 'Page.getCookies'
getFrameTree = 'Page.getFrameTree'
getLayoutMetrics = 'Page.getLayoutMetrics'
getNavigationHistory = 'Page.getNavigationHistory'
resetNavigationHistory = 'Page.resetNavigationHistory'
getResourceContent = 'Page.getResourceContent'
getResourceTree = 'Page.getResourceTree'
handleJavaScriptDialog = 'Page.handleJavaScriptDialog'
navigate = 'Page.navigate'
navigateToHistoryEntry = 'Page.navigateToHistoryEntry'
printToPDF = 'Page.printToPDF'
reload = 'Page.reload'
removeScriptToEvaluateOnLoad = 'Page.removeScriptToEvaluateOnLoad'
removeScriptToEvaluateOnNewDocument = 'Page.removeScriptToEvaluateOnNewDocument'
screencastFrameAck = 'Page.screencastFrameAck'
searchInResource = 'Page.searchInResource'
setAdBlockingEnabled = 'Page.setAdBlockingEnabled'
setBypassCSP = 'Page.setBypassCSP'
setDeviceMetricsOverride = 'Page.setDeviceMetricsOverride'
setDeviceOrientationOverride = 'Page.setDeviceOrientationOverride'
setFontFamilies = 'Page.setFontFamilies'
setFontSizes = 'Page.setFontSizes'
setDocumentContent = 'Page.setDocumentContent'
setDownloadBehavior = 'Page.setDownloadBehavior'
setGeolocationOverride = 'Page.setGeolocationOverride'
setLifecycleEventsEnabled = 'Page.setLifecycleEventsEnabled'
setTouchEmulationEnabled = 'Page.setTouchEmulationEnabled'
startScreencast = 'Page.startScreencast'
stopLoading = 'Page.stopLoading'
crash = 'Page.crash'
close = 'Page.close'
setWebLifecycleState = 'Page.setWebLifecycleState'
stopScreencast = 'Page.stopScreencast'
setProduceCompilationCache = 'Page.setProduceCompilationCache'
addCompilationCache = 'Page.addCompilationCache'
clearCompilationCache = 'Page.clearCompilationCache'
generateTestReport = 'Page.generateTestReport'
waitForDebugger = 'Page.waitForDebugger'
setInterceptFileChooserDialog = 'Page.setInterceptFileChooserDialog'
class Performance:
disable = 'Performance.disable'
enable = 'Performance.enable'
setTimeDomain = 'Performance.setTimeDomain'
getMetrics = 'Performance.getMetrics'
class Security:
disable = 'Security.disable'
enable = 'Security.enable'
setIgnoreCertificateErrors = 'Security.setIgnoreCertificateErrors'
handleCertificateError = 'Security.handleCertificateError'
setOverrideCertificateErrors = 'Security.setOverrideCertificateErrors'
class ServiceWorker:
deliverPushMessage = 'ServiceWorker.deliverPushMessage'
disable = 'ServiceWorker.disable'
dispatchSyncEvent = 'ServiceWorker.dispatchSyncEvent'
dispatchPeriodicSyncEvent = 'ServiceWorker.dispatchPeriodicSyncEvent'
enable = 'ServiceWorker.enable'
inspectWorker = 'ServiceWorker.inspectWorker'
setForceUpdateOnPageLoad = 'ServiceWorker.setForceUpdateOnPageLoad'
skipWaiting = 'ServiceWorker.skipWaiting'
startWorker = 'ServiceWorker.startWorker'
stopAllWorkers = 'ServiceWorker.stopAllWorkers'
stopWorker = 'ServiceWorker.stopWorker'
unregister = 'ServiceWorker.unregister'
updateRegistration = 'ServiceWorker.updateRegistration'
class Storage:
clearDataForOrigin = 'Storage.clearDataForOrigin'
getCookies = 'Storage.getCookies'
setCookies = 'Storage.setCookies'
clearCookies = 'Storage.clearCookies'
getUsageAndQuota = 'Storage.getUsageAndQuota'
trackCacheStorageForOrigin = 'Storage.trackCacheStorageForOrigin'
trackIndexedDBForOrigin = 'Storage.trackIndexedDBForOrigin'
untrackCacheStorageForOrigin = 'Storage.untrackCacheStorageForOrigin'
untrackIndexedDBForOrigin = 'Storage.untrackIndexedDBForOrigin'
class SystemInfo:
getInfo = 'SystemInfo.getInfo'
getProcessInfo = 'SystemInfo.getProcessInfo'
class Target:
activateTarget = 'Target.activateTarget'
attachToTarget = 'Target.attachToTarget'
attachToBrowserTarget = 'Target.attachToBrowserTarget'
closeTarget = 'Target.closeTarget'
exposeDevToolsProtocol = 'Target.exposeDevToolsProtocol'
createBrowserContext = 'Target.createBrowserContext'
getBrowserContexts = 'Target.getBrowserContexts'
createTarget = 'Target.createTarget'
detachFromTarget = 'Target.detachFromTarget'
disposeBrowserContext = 'Target.disposeBrowserContext'
getTargetInfo = 'Target.getTargetInfo'
getTargets = 'Target.getTargets'
sendMessageToTarget = 'Target.sendMessageToTarget'
setAutoAttach = 'Target.setAutoAttach'
setDiscoverTargets = 'Target.setDiscoverTargets'
setRemoteLocations = 'Target.setRemoteLocations'
class Tethering:
bind = 'Tethering.bind'
unbind = 'Tethering.unbind'
class Tracing:
end = 'Tracing.end'
getCategories = 'Tracing.getCategories'
recordClockSyncMarker = 'Tracing.recordClockSyncMarker'
requestMemoryDump = 'Tracing.requestMemoryDump'
start = 'Tracing.start'
class Fetch:
disable = 'Fetch.disable'
enable = 'Fetch.enable'
failRequest = 'Fetch.failRequest'
fulfillRequest = 'Fetch.fulfillRequest'
continueRequest = 'Fetch.continueRequest'
continueWithAuth = 'Fetch.continueWithAuth'
getResponseBody = 'Fetch.getResponseBody'
takeResponseBodyAsStream = 'Fetch.takeResponseBodyAsStream'
class WebAudio:
enable = 'WebAudio.enable'
disable = 'WebAudio.disable'
getRealtimeData = 'WebAudio.getRealtimeData'
class WebAuthn:
enable = 'WebAuthn.enable'
disable = 'WebAuthn.disable'
addVirtualAuthenticator = 'WebAuthn.addVirtualAuthenticator'
removeVirtualAuthenticator = 'WebAuthn.removeVirtualAuthenticator'
addCredential = 'WebAuthn.addCredential'
getCredential = 'WebAuthn.getCredential'
getCredentials = 'WebAuthn.getCredentials'
removeCredential = 'WebAuthn.removeCredential'
clearCredentials = 'WebAuthn.clearCredentials'
setUserVerified = 'WebAuthn.setUserVerified'
class Media:
enable = 'Media.enable'
disable = 'Media.disable'
class Console:
clearMessages = 'Console.clearMessages'
disable = 'Console.disable'
enable = 'Console.enable'
class Debugger:
continueToLocation = 'Debugger.continueToLocation'
disable = 'Debugger.disable'
enable = 'Debugger.enable'
evaluateOnCallFrame = 'Debugger.evaluateOnCallFrame'
getPossibleBreakpoints = 'Debugger.getPossibleBreakpoints'
getScriptSource = 'Debugger.getScriptSource'
getWasmBytecode = 'Debugger.getWasmBytecode'
getStackTrace = 'Debugger.getStackTrace'
pause = 'Debugger.pause'
pauseOnAsyncCall = 'Debugger.pauseOnAsyncCall'
removeBreakpoint = 'Debugger.removeBreakpoint'
restartFrame = 'Debugger.restartFrame'
resume = 'Debugger.resume'
searchInContent = 'Debugger.searchInContent'
setAsyncCallStackDepth = 'Debugger.setAsyncCallStackDepth'
setBlackboxPatterns = 'Debugger.setBlackboxPatterns'
setBlackboxedRanges = 'Debugger.setBlackboxedRanges'
setBreakpoint = 'Debugger.setBreakpoint'
setInstrumentationBreakpoint = 'Debugger.setInstrumentationBreakpoint'
setBreakpointByUrl = 'Debugger.setBreakpointByUrl'
setBreakpointOnFunctionCall = 'Debugger.setBreakpointOnFunctionCall'
setBreakpointsActive = 'Debugger.setBreakpointsActive'
setPauseOnExceptions = 'Debugger.setPauseOnExceptions'
setReturnValue = 'Debugger.setReturnValue'
setScriptSource = 'Debugger.setScriptSource'
setSkipAllPauses = 'Debugger.setSkipAllPauses'
setVariableValue = 'Debugger.setVariableValue'
stepInto = 'Debugger.stepInto'
stepOut = 'Debugger.stepOut'
stepOver = 'Debugger.stepOver'
class HeapProfiler:
addInspectedHeapObject = 'HeapProfiler.addInspectedHeapObject'
collectGarbage = 'HeapProfiler.collectGarbage'
disable = 'HeapProfiler.disable'
enable = 'HeapProfiler.enable'
getHeapObjectId = 'HeapProfiler.getHeapObjectId'
getObjectByHeapObjectId = 'HeapProfiler.getObjectByHeapObjectId'
getSamplingProfile = 'HeapProfiler.getSamplingProfile'
startSampling = 'HeapProfiler.startSampling'
startTrackingHeapObjects = 'HeapProfiler.startTrackingHeapObjects'
stopSampling = 'HeapProfiler.stopSampling'
stopTrackingHeapObjects = 'HeapProfiler.stopTrackingHeapObjects'
takeHeapSnapshot = 'HeapProfiler.takeHeapSnapshot'
class Profiler:
disable = 'Profiler.disable'
enable = 'Profiler.enable'
getBestEffortCoverage = 'Profiler.getBestEffortCoverage'
setSamplingInterval = 'Profiler.setSamplingInterval'
start = 'Profiler.start'
startPreciseCoverage = 'Profiler.startPreciseCoverage'
startTypeProfile = 'Profiler.startTypeProfile'
stop = 'Profiler.stop'
stopPreciseCoverage = 'Profiler.stopPreciseCoverage'
stopTypeProfile = 'Profiler.stopTypeProfile'
takePreciseCoverage = 'Profiler.takePreciseCoverage'
takeTypeProfile = 'Profiler.takeTypeProfile'
enableRuntimeCallStats = 'Profiler.enableRuntimeCallStats'
disableRuntimeCallStats = 'Profiler.disableRuntimeCallStats'
getRuntimeCallStats = 'Profiler.getRuntimeCallStats'
class Runtime:
awaitPromise = 'Runtime.awaitPromise'
callFunctionOn = 'Runtime.callFunctionOn'
compileScript = 'Runtime.compileScript'
disable = 'Runtime.disable'
discardConsoleEntries = 'Runtime.discardConsoleEntries'
enable = 'Runtime.enable'
evaluate = 'Runtime.evaluate'
getIsolateId = 'Runtime.getIsolateId'
getHeapUsage = 'Runtime.getHeapUsage'
getProperties = 'Runtime.getProperties'
globalLexicalScopeNames = 'Runtime.globalLexicalScopeNames'
queryObjects = 'Runtime.queryObjects'
releaseObject = 'Runtime.releaseObject'
releaseObjectGroup = 'Runtime.releaseObjectGroup'
runIfWaitingForDebugger = 'Runtime.runIfWaitingForDebugger'
runScript = 'Runtime.runScript'
setAsyncCallStackDepth = 'Runtime.setAsyncCallStackDepth'
setCustomObjectFormatterEnabled = 'Runtime.setCustomObjectFormatterEnabled'
setMaxCallStackSizeToCapture = 'Runtime.setMaxCallStackSizeToCapture'
terminateExecution = 'Runtime.terminateExecution'
addBinding = 'Runtime.addBinding'
removeBinding = 'Runtime.removeBinding'
class Schema:
getDomains = 'Schema.getDomains'
| 2.0625 | 2 |
lib/python2.7/site-packages/pyscope/config.py | leschzinerlab/myami-3.2-freeHand | 0 | 12764658 | #!/usr/bin/env python
import sys
import ConfigParser
import imp
import os
import inspect
import pyscope
import pyscope.tem
import pyscope.ccdcamera
import pyami.fileutil
configured = {}
temclasses = None
cameraclasses = None
configfiles = None
def parse():
global configured, temclasses, cameraclasses, configfiles
configparser = ConfigParser.SafeConfigParser()
# use the path of this module
modpath = pyscope.__path__
# read instruments.cfg
confdirs = pyami.fileutil.get_config_dirs()
filenames = [os.path.join(confdir, 'instruments.cfg') for confdir in confdirs]
one_exists = False
for filename in filenames:
if os.path.exists(filename):
one_exists = True
if not one_exists:
print 'please configure at least one of these: %s' % (filenames,)
sys.exit()
try:
configfiles = configparser.read(filenames)
except:
print 'error reading %s' % (filenames,)
sys.exit()
# parse
names = configparser.sections()
temclasses = []
cameraclasses = []
mods = {}
for name in names:
configured[name] = {}
cls_str = configparser.get(name, 'class')
modname,clsname = cls_str.split('.')
if modname not in mods:
fullmodname = 'pyscope.' + modname
args = imp.find_module(modname, modpath)
try:
mod = imp.load_module(fullmodname, *args)
finally:
if args[0] is not None:
args[0].close()
mods[modname] = mod
mod = mods[modname]
cls = getattr(mod, clsname)
if issubclass(cls, pyscope.tem.TEM):
try:
cs_str = configparser.get(name, 'cs')
cs_value = float(cs_str)
except:
cs_value = None
configured[name]['cs'] = cs_value
temclasses.append(cls)
if issubclass(cls, pyscope.ccdcamera.CCDCamera):
cameraclasses.append(cls)
try:
z_str = configparser.get(name, 'zplane')
z_value = int(z_str)
except:
z_value = 0
configured[name]['zplane'] = z_value
for key in ('height', 'width'):
try:
configured[name][key] = int(configparser.get(name, key))
except:
pass
try:
log = configparser.get(name, 'log')
except:
log = None
configured[name]['log'] = log
configured[name]['class'] = cls
return configured, temclasses, cameraclasses
def getConfigured():
global configured
if not configured:
parse()
return configured
def getTEMClasses():
global temclasses
if temclasses is None:
parse()
return temclasses
def getCameraClasses():
global cameraclasses
if cameraclasses is None:
parse()
return cameraclasses
def getNameByClass(cls):
conf = getConfigured()
for bcls in inspect.getmro(cls):
for name,value in conf.items():
if bcls.__name__ == value['class'].__name__:
return name
| 2.546875 | 3 |
providers/result.py | skomendera/PyMyTools | 5 | 12764659 | from collections import OrderedDict
from providers import value, terminal
def result_format(database_result, fmt):
format_function = 'result_format_%s' % fmt
if format_function not in globals():
raise Exception('Unsupported format "%s"' % fmt)
return globals()[format_function](database_result)
def result_format_tabular(database_result):
if len(database_result) == 0:
return ''
column_width = OrderedDict()
text_output = []
for k in database_result[0].keys():
column_width[k] = len(k)+1
for line in database_result:
for (k, v) in line.items():
if len(str(v)) > column_width[k]:
column_width[k] = len(str(v))+1
output_line = '+'
for (k, v) in column_width.items():
output_line += '-' * v + '+'
text_output.append(output_line)
output_line = '|'
for (k, v) in column_width.items():
output_line += '{:>{width}}|'.format(k, width=column_width[k])
text_output.append(output_line)
output_line = '+'
for (k, v) in column_width.items():
output_line += '-' * v + '+'
text_output.append(output_line)
for line in database_result:
output_line = '|'
for k in column_width.keys():
output_line += '{:>{width}}|'.format(str(line[k]) if line[k] is not None else '', width=column_width[k])
text_output.append(output_line)
output_line = '+'
for (k, v) in column_width.items():
output_line += '-' * v + '+'
text_output.append(output_line)
return '\n'.join(text_output)
def result_format_vertical(database_result):
if len(database_result) == 0:
return ''
text_output = []
max_label_length = 0
for k in database_result[0].keys():
if len(k) > max_label_length:
max_label_length = len(k)
row_num = 1
for line in database_result:
line_header = '{:*^{width}}'.format(' %s. row ' % row_num, width=64)
text_output.append(line_header)
for (k, v) in line.items():
line_column = terminal.get_key_value_adjusted(k, v, max_label_length)
text_output.append(line_column)
row_num += 1
return '\n'.join(text_output)
def result_format_keyvalue(database_result):
if len(database_result) == 0:
return ''
text_output = []
for line in database_result:
kv_list = list(line.values())
text_output.append('%s=%s' % (kv_list[0], str(kv_list[1])))
return '\n'.join(text_output)
def convert_to_dict(database_result):
if len(database_result) == 0:
return {}
dict_output = {}
for line in database_result:
kv_list = list(line.values())
dict_output[kv_list[0]] = int(kv_list[1]) if value.represents_int(kv_list[1]) else kv_list[1]
return dict_output
| 3 | 3 |
If_Instructions/testes_condicionais.py | Brunokrk/Learning-Python | 0 | 12764660 | # = atribuição, == comparação
car='panamera'
print(car=='panamera')
car='audi'
print(car=='panamera') | 3.453125 | 3 |
pypy/interpreter/pyparser/parser.py | nanjekyejoannah/pypy | 333 | 12764661 | """
A CPython inspired RPython parser.
"""
from rpython.rlib.objectmodel import not_rpython
class Grammar(object):
"""
Base Grammar object.
Pass this to ParserGenerator.build_grammar to fill it with useful values for
the Parser.
"""
def __init__(self):
self.symbol_ids = {}
self.symbol_names = {}
self.symbol_to_label = {}
self.keyword_ids = {}
self.token_to_error_string = {}
self.dfas = []
self.labels = [0]
self.token_ids = {}
self.start = -1
def shared_copy(self):
new = self.__class__()
new.symbol_ids = self.symbol_ids
new.symbols_names = self.symbol_names
new.keyword_ids = self.keyword_ids
new.token_to_error_string = self.token_to_error_string
new.dfas = self.dfas
new.labels = self.labels
new.token_ids = self.token_ids
return new
def classify(self, token):
"""Find the label for a token."""
if token.token_type == self.KEYWORD_TOKEN:
label_index = self.keyword_ids.get(token.value, -1)
if label_index != -1:
return label_index
label_index = self.token_ids.get(token.token_type, -1)
if label_index == -1:
raise ParseError("invalid token", token)
return label_index
def _freeze_(self):
# Remove some attributes not used in parsing.
try:
del self.symbol_to_label
del self.symbol_names
del self.symbol_ids
except AttributeError:
pass
return True
class DFA(object):
def __init__(self, grammar, symbol_id, states, first):
self.grammar = grammar
self.symbol_id = symbol_id
self.states = states
self.first = self._first_to_string(first)
def could_match_token(self, label_index):
pos = label_index >> 3
bit = 1 << (label_index & 0b111)
return bool(ord(self.first[label_index >> 3]) & bit)
@staticmethod
@not_rpython
def _first_to_string(first):
l = sorted(first.keys())
b = bytearray(32)
for label_index in l:
pos = label_index >> 3
bit = 1 << (label_index & 0b111)
b[pos] |= bit
return str(b)
class Token(object):
def __init__(self, token_type, value, lineno, column, line):
self.token_type = token_type
self.value = value
self.lineno = lineno
# 0-based offset
self.column = column
self.line = line
def __repr__(self):
return "Token(%s, %s)" % (self.token_type, self.value)
def __eq__(self, other):
# for tests
return (
self.token_type == other.token_type and
self.value == other.value and
self.lineno == other.lineno and
self.column == other.column and
self.line == other.line
)
def __ne__(self, other):
return not self == other
class Node(object):
__slots__ = ("grammar", "type")
def __init__(self, grammar, type):
assert grammar is None or isinstance(grammar, Grammar)
assert isinstance(type, int)
self.grammar = grammar
self.type = type
def __eq__(self, other):
raise NotImplementedError("abstract base class")
def __ne__(self, other):
return not self == other
def get_value(self):
return None
def get_child(self, i):
raise NotImplementedError("abstract base class")
def num_children(self):
return 0
def append_child(self, child):
raise NotImplementedError("abstract base class")
def get_lineno(self):
raise NotImplementedError("abstract base class")
def get_column(self):
raise NotImplementedError("abstract base class")
def get_line(self):
raise NotImplementedError("abstract base class")
def view(self):
from dotviewer import graphclient
import pytest
r = ["digraph G {"]
self._dot(r)
r.append("}")
p = pytest.ensuretemp("pyparser").join("temp.dot")
p.write("\n".join(r))
graphclient.display_dot_file(str(p))
def _dot(self, result):
raise NotImplementedError("abstract base class")
class Terminal(Node):
__slots__ = ("value", "lineno", "column", "line")
def __init__(self, grammar, type, value, lineno, column, line=None):
Node.__init__(self, grammar, type)
self.value = value
self.lineno = lineno
self.column = column
self.line = line
@staticmethod
def fromtoken(grammar, token):
return Terminal(
grammar,
token.token_type, token.value, token.lineno, token.column,
token.line)
def __repr__(self):
return "Terminal(type=%s, value=%r)" % (self.type, self.value)
def __eq__(self, other):
# For tests.
return (type(self) == type(other) and
self.type == other.type and
self.value == other.value)
def get_value(self):
return self.value
def get_lineno(self):
return self.lineno
def get_column(self):
return self.column
def get_line(self):
return self.line
def _dot(self, result):
result.append('%s [label="%r", shape=box];' % (id(self), self.value))
class AbstractNonterminal(Node):
__slots__ = ()
def get_lineno(self):
return self.get_child(0).get_lineno()
def get_column(self):
return self.get_child(0).get_column()
def get_line(self):
return self.get_child(0).get_line()
def __eq__(self, other):
# For tests.
# grumble, annoying
if not isinstance(other, AbstractNonterminal):
return False
if self.type != other.type:
return False
if self.num_children() != other.num_children():
return False
for i in range(self.num_children()):
if self.get_child(i) != other.get_child(i):
return False
return True
def _dot(self, result):
for i in range(self.num_children()):
child = self.get_child(i)
result.append('%s [label=%s, shape=box]' % (id(self), self.grammar.symbol_names[self.type]))
result.append('%s -> %s [label="%s"]' % (id(self), id(child), i))
child._dot(result)
class Nonterminal(AbstractNonterminal):
__slots__ = ("_children", )
def __init__(self, grammar, type, children=None):
Node.__init__(self, grammar, type)
if children is None:
children = []
self._children = children
def __repr__(self):
return "Nonterminal(type=%s, children=%r)" % (
self.grammar.symbol_names[self.type]
if self.grammar is not None else self.type,
self._children)
def get_child(self, i):
assert self._children is not None
return self._children[i]
def num_children(self):
return len(self._children)
def append_child(self, child):
self._children.append(child)
class Nonterminal1(AbstractNonterminal):
__slots__ = ("_child", )
def __init__(self, grammar, type, child):
Node.__init__(self, grammar, type)
self._child = child
def __repr__(self):
return "Nonterminal(type=%s, children=[%r])" % (
self.grammar.symbol_names[self.type]
if self.grammar is not None else self.type,
self._child)
def get_child(self, i):
assert i == 0 or i == -1
return self._child
def num_children(self):
return 1
def append_child(self, child):
assert 0, "should be unreachable"
class ParseError(Exception):
def __init__(self, msg, token, expected=-1, expected_str=None):
self.msg = msg
self.token = token
self.expected = expected
self.expected_str = expected_str
def __str__(self):
return "ParserError(%s)" % (self.token, )
class StackEntry(object):
def __init__(self, next, dfa, state):
self.next = next
self.dfa = dfa
self.state = state
self.node = None
def push(self, dfa, state):
return StackEntry(self, dfa, state)
def pop(self):
return self.next
def node_append_child(self, child):
node = self.node
if node is None:
self.node = Nonterminal1(self.dfa.grammar, self.dfa.symbol_id, child)
elif isinstance(node, Nonterminal1):
newnode = self.node = Nonterminal(
self.dfa.grammar,
self.dfa.symbol_id, [node._child, child])
else:
self.node.append_child(child)
def view(self):
from dotviewer import graphclient
import pytest
r = ["digraph G {"]
self._dot(r)
r.append("}")
p = pytest.ensuretemp("pyparser").join("temp.dot")
p.write("\n".join(r))
graphclient.display_dot_file(str(p))
def _dot(self, result):
result.append('%s [label=%s, shape=box, color=white]' % (id(self), self.dfa.grammar.symbol_names[self.dfa.symbol_id]))
if self.next:
result.append('%s -> %s [label="next"]' % (id(self), id(self.next)))
self.next._dot(result)
if self.node:
result.append('%s -> %s [label="node"]' % (id(self), id(self.node)))
self.node._dot(result)
class Parser(object):
def __init__(self, grammar):
self.grammar = grammar
self.root = None
def prepare(self, start=-1):
"""Setup the parser for parsing.
Takes the starting symbol as an argument.
"""
if start == -1:
start = self.grammar.start
self.root = None
self.stack = StackEntry(None, self.grammar.dfas[start - 256], 0)
def add_token(self, token):
label_index = self.grammar.classify(token)
sym_id = 0 # for the annotator
while True:
dfa = self.stack.dfa
state_index = self.stack.state
states = dfa.states
arcs, is_accepting = states[state_index]
for i, next_state in arcs:
sym_id = self.grammar.labels[i]
if label_index == i:
# We matched a non-terminal.
self.shift(next_state, token)
state = states[next_state]
# While the only possible action is to accept, pop nodes off
# the stack.
while state[1] and not state[0]:
self.pop()
if self.stack is None:
# Parsing is done.
return True
dfa = self.stack.dfa
state_index = self.stack.state
state = dfa.states[state_index]
return False
elif sym_id >= 256:
sub_node_dfa = self.grammar.dfas[sym_id - 256]
# Check if this token can start a child node.
if sub_node_dfa.could_match_token(label_index):
self.push(sub_node_dfa, next_state, sym_id)
break
else:
# We failed to find any arcs to another state, so unless this
# state is accepting, it's invalid input.
if is_accepting:
self.pop()
if self.stack is None:
raise ParseError("too much input", token)
else:
# If only one possible input would satisfy, attach it to the
# error.
if len(arcs) == 1:
expected = sym_id
expected_str = self.grammar.token_to_error_string.get(
arcs[0][0], None)
else:
expected = -1
expected_str = None
raise ParseError("bad input", token, expected, expected_str)
def shift(self, next_state, token):
"""Shift a non-terminal and prepare for the next state."""
new_node = Terminal.fromtoken(self.grammar, token)
self.stack.node_append_child(new_node)
self.stack.state = next_state
def push(self, next_dfa, next_state, node_type):
"""Push a terminal and adjust the current state."""
self.stack.state = next_state
self.stack = self.stack.push(next_dfa, 0)
def pop(self):
"""Pop an entry off the stack and make its node a child of the last."""
top = self.stack
self.stack = top.pop()
node = top.node
assert node is not None
if self.stack:
self.stack.node_append_child(node)
else:
self.root = node
| 2.671875 | 3 |
test_summarize.py | axenov/BERT-Summarization-for-OpenNMT | 5 | 12764662 | <gh_stars>1-10
#!/usr/bin/env python
# -*- coding: utf-8 -*-
from summarizer import AbstractiveSummarizer
if __name__ == "__main__":
FILE_NAME = "sample_de.txt"
texts = []
with open("data/"+FILE_NAME) as f:
for text in f:
texts.append(text)
model = AbstractiveSummarizer(language = 'de', method = 'bert', extract = True)
for summ in model.summarize(texts):
print(summ)
model = AbstractiveSummarizer(language = 'de', method = 'conv', extract = True)
for summ in model.summarize(texts):
print(summ)
model = AbstractiveSummarizer(language = 'de', method = 'bert', extract = False)
for summ in model.summarize(texts):
print(summ)
model = AbstractiveSummarizer(language = 'de', method = 'conv', extract = False)
for summ in model.summarize(texts):
print(summ)
FILE_NAME = "sample_en.txt"
texts = []
with open("data/"+FILE_NAME) as f:
for text in f:
texts.append(text)
model = AbstractiveSummarizer(language = 'en', method = 'bert', extract = True)
for summ in model.summarize(texts):
print(summ)
model = AbstractiveSummarizer(language = 'en', method = 'conv', extract = True)
for summ in model.summarize(texts):
print(summ)
model = AbstractiveSummarizer(language = 'en', method = 'bert', extract = False)
for summ in model.summarize(texts):
print(summ)
model = AbstractiveSummarizer(language = 'en', method = 'conv', extract = False)
for summ in model.summarize(texts):
print(summ) | 3.109375 | 3 |
protocol_builder/writer.py | numaru/iofus | 5 | 12764663 | <reponame>numaru/iofus<filename>protocol_builder/writer.py
import re
class ClassWriter:
HEADER = []
REPLACEMENTS = [
(r'this', "self"),
(r'(null|NaN)', "None"),
(r'(?:;|{|})', ""),
(r'\s*\|\|\s*', " or "),
(r'\s*&&\s*', " and "),
(r'([\w\d_.]+).length', lambda x: "len({0})".format(x.group(1))),
(r'.push\(', ".append("),
(r'super.([\w\d_]+)', lambda x: "super().{0}".format(x.group(1))),
(r'(false|true)', lambda x: x.group(1).capitalize()),
(r'([\w\d_.]+)\+\+', lambda x: "{0} += 1".format(x.group(1))),
(r'(while|if)\s*\((.*)\)', lambda x: "{0} {1}:".format(x.group(1), x.group(2))),
(r'throw\s+(?:new\s+)?([\w\d_]+)', "raise RuntimeError"),
(
r'(\".*\")\s*\+\s*([\w\d_.\[\]\(\)]+)',
lambda x: "{0} + str({1})".format(x.group(1), x.group(2))
),
(r'var\s+([\w\d_]+):[\w\d_]+', lambda x: "{0}".format(x.group(1))),
(
r'\(([\w\d_\[\]\.]+)\s+as\s+([\w\_]+)\)',
lambda x: "as_parent({0}, {1})".format(x.group(1), x.group(2))
),
(r'new\s+', ""),
(r'Vector.<[\w\d_]+>\([^)]*\)', "[]"),
(
r'([\w\d_]+)\[_loc\d+_\]\s*=\s*([^\s]+)',
lambda x: "{0}.append({1})".format(x.group(1), x.group(2))
),
(r'CustomDataWrapper\(([^)]+)\)', lambda x: "{0}".format(x.group(1))),
(r'writePacket', "self.write_packet"),
# Switch to snake_case
(r'bytesAvailable', "bytes_available"),
(r'getInstance', "get_instance"),
(r'getFlag', "get_flag"),
(r'setFlag', "set_flag"),
(r'readBoolean', "read_boolean"),
(r'readByte', "read_byte"),
(r'readBytes', "read_bytes"),
(r'readDouble', "read_double"),
(r'readFloat', "read_float"),
(r'readInt', "read_int"),
(r'readShort', "read_short"),
(r'readUnsignedByte', "read_unsigned_byte"),
(r'readUnsignedInt', "read_unsigned_int"),
(r'readUnsignedShort', "read_unsigned_short"),
(r'readUTF', "read_utf"),
(r'readVarInt', "read_var_int"),
(r'readVarUhInt', "read_var_uh_int"),
(r'readVarShort', "read_var_short"),
(r'readVarUhShort', "read_var_uh_short"),
(r'readVarLong', "read_var_long"),
(r'readVarUhLong', "read_var_uh_long"),
(r'writeBoolean', "write_boolean"),
(r'writeByte', "write_byte"),
(r'writeBytes', "write_bytes"),
(r'writeDouble', "write_double"),
(r'writeFloat', "write_float"),
(r'writeInt', "write_int"),
(r'writeShort', "write_short"),
(r'writeUnsignedByte', "write_unsigned_byte"),
(r'writeUnsignedInt', "write_unsigned_int"),
(r'writeUnsignedShort', "write_unsigned_short"),
(r'writeUTF', "write_utf"),
(r'writeVarInt', "write_var_int"),
(r'writeVarShort', "write_var_short"),
(r'writeVarLong', "write_var_long"),
(r'setRoot', "set_root"),
(r'addChild', "add_child"),
(r'goUp', "go_up"),
(r'goDown', "go_down"),
]
def __init__(self):
self._ident_level = 0
self._ident_char = " "
self._ident_number = 4
self._carriage_char = "\n"
self.content = ""
def indent(self):
self._ident_level += 1
def unindent(self):
if self._ident_level == 0:
return
self._ident_level -= 1
def skip_line(self, number=1):
self.content += self._carriage_char * number
def write_line(self, line):
self.content += "{0}{1}{2}".format(
self._ident_char * self._ident_number * self._ident_level,
line,
self._carriage_char
)
def traduct_classes(self, classes):
for line in self.HEADER:
self.write_line(line)
self.skip_line(2)
for class_ in classes:
self.traduct_class(class_)
self.skip_line(2)
yield
def traduct_class(self, class_):
inheritance = class_["inheritance"] if class_["inheritance"] else ""
self.write_line("class {0}({1}):".format(
class_["name"],
inheritance
))
def save_file(self, path):
with open(path, "w") as file_:
file_.write(self.content)
@classmethod
def correct(cls, line):
for replacement in cls.REPLACEMENTS:
line = re.sub(replacement[0], replacement[1], line)
return str(line)
class EnumWriter(ClassWriter):
HEADER = ["from enum import IntEnum"]
def __init__(self):
super().__init__()
def traduct_class(self, class_data):
super().traduct_class(class_data)
self.indent()
for attribute in class_data.get("class_attributes", []):
name = attribute[0]
value = attribute[1]
self.write_line("{0} = {1}".format(name, value))
self.unindent()
class MessageWriter(ClassWriter):
HEADER = [
"from iofus.binaryio import BooleanByteWrapper, ByteArray, FuncTree",
"from iofus.denums import *",
"from iofus.dtypes import *",
"from iofus.network import NetworkMessage, ProtocolTypeManager"
]
def __init__(self):
super().__init__()
def traduct_class(self, class_):
super().traduct_class(class_)
self.indent()
for attribute in class_.get("class_attributes", []):
name = attribute[0]
value = attribute[1]
self.write_line("{0} = {1}".format(name, value))
self.traduct_constructor(class_)
for method in class_["methods"]:
if method["name"] != class_["name"]:
self.skip_line()
self.traduct_method(method)
self.unindent()
def traduct_constructor(self, class_):
if class_.get("attributes"):
self.skip_line()
self.write_line("def __init__(self):")
self.indent()
self.write_line("super().__init__()")
for attribute in class_["attributes"]:
name = attribute["name"]
type_ = attribute["type"]
value = self.correct(attribute["value"])
if value == "":
value = type_ + "()"
self.write_line("self.{0} = {1}".format(name, value))
self.unindent()
def traduct_method(self, method):
param_string = ""
for param in method["params"]:
param_string += ", "
param_string += param["name"]
if param["value"]:
param_string += "=" + self.correct(param["value"])
self.write_line("def {0}(self{1}):".format(method["name"], param_string))
if len(method["content"]) < 3:
self.indent()
self.write_line("pass")
self.unindent()
else:
for _, (line, indent_level) in enumerate(method["content"]):
line = self.correct(line)
if not line.isspace():
self.write_line(" " * indent_level * 4 + line.strip())
class TypeWriter(MessageWriter):
HEADER = [
"from iofus.binaryio import BooleanByteWrapper, ByteArray, FuncTree",
"from iofus.denums import *",
"from iofus.network import ProtocolTypeManager"
]
| 2.65625 | 3 |
torchrecipes/vision/core/optim/lr_scheduler.py | colin2328/recipes | 161 | 12764664 | <reponame>colin2328/recipes
#!/usr/bin/env python3
from typing import Union
import torch
from torch.optim.lr_scheduler import CosineAnnealingLR, LinearLR, SequentialLR
class CosineWithWarmup(SequentialLR):
r"""Cosine Decay Learning Rate Scheduler with Linear Warmup.
Args:
optimizer (Optimizer): Wrapped optimizer.
max_iters (int): Max number of iterations. (This should be number of epochs/steps
based on the unit of scheduler's step size.)
warmup_iters (int or float): number or fraction of iterations where
linear warmup happens. Approaching the end of the linear warmup
period the linear warmup line will intersect with the cosine decay curve.
Default: 0
last_epoch (int): The index of last epoch. Default: -1.
"""
def __init__(
self,
optimizer: torch.optim.Optimizer,
max_iters: int,
warmup_iters: Union[int, float] = 0,
warmup_start_factor: float = 0.0,
last_epoch: int = -1,
) -> None:
if isinstance(warmup_iters, float):
warmup_iters = int(warmup_iters * max_iters)
linear_lr = LinearLR(optimizer, warmup_start_factor, total_iters=warmup_iters)
cosine_lr = CosineAnnealingLR(optimizer, T_max=max_iters - warmup_iters)
super().__init__(optimizer, [linear_lr, cosine_lr], [warmup_iters], last_epoch)
| 2.40625 | 2 |
Reading/DistractionTask_serial_d7.py | djangraw/PsychoPyParadigms | 50 | 12764665 | #!/usr/bin/env python2
"""Display multi-page text with simultaneous auditory distractions, recording eye position data using the SMI eye tracker."""
# DistractionTask_serial_d6.py
# Created 3/16/15 by DJ based on VidLecTask.py
# Updated 3/31/15 by DJ - renamed from ReadingTask_dict_d2.py.
# Updated 4/1-16/15 by DJ - incorporated eyelink fully, renamed ReadingTask_eyelink_d1.py.
# Updated 4/16/15 by DJ - removed questions, added randomized thought probes and automatic pick up where you left off.
# Updated 4/17/15 by DJ - removed Eyelink again to have same behavioral version
# Updated 6/29/15 by DJ - removed random session length ranges and probe times - page ranges specified in params.
# Updated 7/7/15 by DJ - Renamed from ReadingImageTask_dict_d4, added audio.
# Updated 7/15/15 by DJ - added sound time limits
# Updated 7/20/15 by DJ - switched to premade sound files, switched back to eyelink version, debugged
# Updated 7/24/15 by DJ - added quiz files list, imagePrefix list, readingQuiz list and audioQuiz list
# Updated 7/28/15 by DJ - made sounds play on page-by-page basis, sound is randomized,
# Updated 8/18/15 by DJ - added serial port (and changed name from _behavior to _serial), but haven't tried it yet.
# Updated 8/21/15 by DJ - tested in 3T-C and debugged as necessary
# Updated 9/17/15 by DJ - added logging of each message sent
# Updated 10/22/15 by DJ - added saving
# Updated 10/29/15 by DJ - cleaned up slightly, edited PromptTools to ask subjects not to skip around.
# Updated 11/11/15 by DJ - added additional calibration parameters (changed name to _d6)
# Updated 11/12/15 by DJ - switched to 1024x768 (max res of rear projector)
# Updated 1/11/16 by DJ - made version _d7: stop 't' from advancing prompts, added recordEyeMovie, switchPrompt functionality,
# added 12s (tStartup=2-->8, switchPromptDur=0-->6), added space after 'Display' messages.
# Updated 1/14/16 by DJ - added audio questions chosen by their times
# Updated 1/29/16 by DJ- save out one eye movie for calibration and one for main session
# Import packages
from psychopy import core, gui, data, event, sound, logging #, visual # visual causes a bug in the guis, so I moved it down.
from psychopy.tools.filetools import fromFile, toFile
import time as ts, numpy as np
import AppKit, os # for monitor size detection, files
import PromptTools
import random
import serial
from LibSmi_PsychoPy import LibSmi_PsychoPy
"""
# import eyelink's libraries
from pylink import *
from EyeLinkCoreGraphicsPsychoPy import EyeLinkCoreGraphicsPsychoPy
"""
# ====================== #
# ===== PARAMETERS ===== #
# ====================== #
# Save the parameters declared below?
saveParams = True
newParamsFilename = 'DistractionParams_serial_d7-S36.pickle'
expInfoFilename = 'lastDistractionInfo_serial_d7.pickle'
# Declare primary task parameters.
params = {
# FOR INITIAL PILOTS
'imagePrefixList': ['Greeks_Lec10_stretch_gray','Greeks_Lec10_stretch_gray','Greeks_Lec02_stretch_gray','Greeks_Lec02_stretch_gray','Greeks_Lec02_stretch_gray','Greeks_Lec02_stretch_gray'],
'startPageList': [1,31,1,31,61,91], # page where each session should start
'endPageList': [30,60,30,60,90,120], # inclusive
# 'startPageList': [1,31,61,91,1,31], # page where each session should start
# 'endPageList': [30,60,90,120,30,60], # inclusive
'readingQuizList':['Lecture10Questions_d4_read1.txt','Lecture10Questions_d4_read2.txt','Lecture02Questions_d4_read1.txt','Lecture02Questions_d4_read2.txt','Lecture02Questions_d4_read3.txt','Lecture02Questions_d4_read4.txt'],
'promptTypeList': ['AttendReadingFirst','AttendBothFirst_short','AttendBothFirst_short','AttendReadingFirst_short','AttendReadingFirst_short','AttendBothFirst_short'],
'whiteNoiseFile': 'Lecture10_40min_phasescrambled.wav', #'WhiteNoise-7m30s.wav', # this plays when the lecture doesn't.
'attendSoundFile': 'Lecture07_cropped.wav',
'ignoreSoundFile': 'Lecture05_cropped.wav',
'switchSoundFile': 'EightBeeps.wav',
'attendSoundQuiz': 'Lecture07Questions_d3.txt', # 'Lecture10Questions_d4.txt', # 'Lecture05Questions_d1.txt', #
'ignoreSoundQuiz': 'Lecture05Questions_d1.txt',
'quizPromptList':['TestReading_box']*6,
'probSoundList':[0.5]*6,
# REST OF PARAMS
'skipPrompts': False, # go right to the scanner-wait page
'maxPageTime': 14, # max time the subject is allowed to read each page (in seconds)
'pageFadeDur': 3, # for the last pageFadeDur seconds, the text will fade to white.
'IPI': 2, # time between when one page disappears and the next appears (in seconds)
'probSound': 0.5, # probability that sound will be played on any given page
'IBI': 1, # time between end of block/probe and beginning of next block (in seconds)
'tStartup': 8, # pause time before starting first page
'iSwitchPage': 16, # page (assuming first page==1) before which condition will switch
'switchPromptDur': 6, # duration of prompt
'probeDur': 60, # max time subjects have to answer a Probe Q
'keyEndsProbe': True, # will a keypress end the probe?
'pageKey': 'y',#'space', # key to turn page
'respKeys': ['y','b','r','g'], # keys to be used for responses (clockwise from 9:00) - "DIAMOND" RESPONSE BOX
'wanderKey': 'z', # key to be used to indicate mind-wandering
'triggerKey': 't', # key from scanner that says scan is starting
# declare image and question files
'imageDir': 'ReadingImages/',
'imagePrefix': '', # images must start with this and end with _page<number>.jpg
'soundDir': 'sounds/',
'promptType': '', # fill in later
'switchPromptType': '', # fill in later
'soundVolume': 0.5,
'pageRange': [1, 1], # pages (starting from 1) at which reading should start and stop in each block
'textDir': 'questions/', # directory containing questions and probes
'probesFile': 'BLANK.txt', #'ReadingProbes_d2.txt', #'ReadingProbes_behavior.txt', #
'readingQuiz':'', # fill in later
'soundQuiz':'', # fill in later
'quizPrompt':'', # fill in later
'questionOrder':[], # fill in later
# declare other stimulus parameters
'fullScreen': True, # run in full screen mode?
'screenToShow': 1, # display on primary screen (0) or secondary (1)?
'screenColor':(128,128,128), # in rgb255 space
'imageSize': (960,709), # (FOR 1024x768 SCREEN) # in pixels... set to None for exact size of screen #(1201,945), # (FOR 1280x1024 SCREEN)
'fixCrossSize': 10, # size of cross, in pixels
'fixCrossPos': (-480,354), # (x,y) pos of fixation cross displayed before each page (for drift correction) #[-600, 472],
'usePhotodiode': False, # add sync square in corner of screen
# declare serial port & calibration parameters
'portName': '/dev/tty.usbserial',
'portBaud': 115200,
'calNPoints': 13, # number of points in the calibration (and validation)The number of points to be used for the validation (standard=9)
'calAutoAccept': False, # Let SMI pick when to accept a point (True [default]) or accept manually (False).
'calGoFast': False, # Go quickly from point to point (True) or slower and more precise (False [default]).
'calCheckLevel': 3, #calibration check level (0=none,1=weak,2=medium,3=strong [default])
'recordEyeMovie': True # record a video of the eye
}
# save parameters
if saveParams:
print("Opening save dialog:")
dlgResult = gui.fileSaveDlg(prompt='Save Params...',initFilePath = os.getcwd() + '/params', initFileName = newParamsFilename,
allowed="PICKLE files (.pickle)|.pickle|All files (.*)|")
newParamsFilename = dlgResult
print("dlgResult: %s"%dlgResult)
if newParamsFilename is None: # keep going, but don't save
saveParams = False
print("Didn't save params.")
else:
toFile(newParamsFilename, params)# save it!
print("Saved params to %s."%newParamsFilename)
# toFile(newParamsFilename, params)
# print("saved params to %s."%newParamsFilename)
# ========================== #
# ===== SET UP LOGGING ===== #
# ========================== #
try:#try to get a previous parameters file
expInfo = fromFile(expInfoFilename)
expInfo['session'] +=1 # automatically increment session number
expInfo['paramsFile'] = [expInfo['paramsFile'],'Load...']
except:#if not there then use a default set
expInfo = {'subject':'1', 'session':1, 'skipPrompts':False, 'tAttendSound':0.0, 'tIgnoreSound':0.0, 'paramsFile':['DEFAULT','Load...']}
# overwrite if you just saved a new parameter set
if saveParams:
expInfo['paramsFile'] = [newParamsFilename,'Load...']
dateStr = ts.strftime("%b_%d_%H%M", ts.localtime()) # add the current time
#present a dialogue to change params
dlg = gui.DlgFromDict(expInfo, title='Distraction task', order=['subject','session','skipPrompts','paramsFile'])
if not dlg.OK:
core.quit()#the user hit cancel so exit
# find parameter file
if expInfo['paramsFile'] == 'Load...':
dlgResult = gui.fileOpenDlg(prompt='Select parameters file',tryFilePath=os.getcwd(),
allowed="PICKLE files (.pickle)|.pickle|All files (.*)|")
expInfo['paramsFile'] = dlgResult[0]
# load parameter file
if expInfo['paramsFile'] not in ['DEFAULT', None]: # otherwise, just use defaults.
# load params file
params = fromFile(expInfo['paramsFile'])
# GET NEW START AND STOP PAGES
params['pageRange'][0] = params['startPageList'][expInfo['session']-1] # use session-1 as index of list
params['pageRange'][1] = params['endPageList'][expInfo['session']-1] # use session-1 as index of list
switchPage = params['pageRange'][0] + params['iSwitchPage'] - 1
# GET SOUND FILE AND OTHER SESSION-DEPENDENT INFO
params['promptType'] = params['promptTypeList'][expInfo['session']-1]
params['imagePrefix'] = params['imagePrefixList'][expInfo['session']-1]
params['readingQuiz'] = params['readingQuizList'][expInfo['session']-1]
params['quizPrompt'] = params['quizPromptList'][expInfo['session']-1]
params['probSound'] = params['probSoundList'][expInfo['session']-1]
tAttendSound = expInfo['tAttendSound']
tIgnoreSound = expInfo['tIgnoreSound']
#keep track of start times
tAttendSound_start = tAttendSound
tIgnoreSound_start = tIgnoreSound
# get switchPrompt
if params['promptType'].startswith('AttendBoth'):
condition = 'attend'
params['switchPromptType'] = 'AttendReading_switch'
else:
condition = 'ignore'
params['switchPromptType'] = 'AttendBoth_switch'
# transfer skipPrompts
params['skipPrompts'] = expInfo['skipPrompts']
# read questions and answers from text files
[questions_reading,options_reading,answers_reading] = PromptTools.ParseQuestionFile(params['textDir']+params['readingQuiz'])
print('%d questions loaded from %s'%(len(questions_reading),params['readingQuiz']))
[questions_ignoreSound,options_ignoreSound,answers_ignoreSound,_,times_ignoreSound] = PromptTools.ParseQuestionFile(params['textDir']+params['ignoreSoundQuiz'], returnTimes=True)
print('%d questions loaded from %s'%(len(questions_ignoreSound),params['ignoreSoundQuiz']))
[questions_attendSound,options_attendSound,answers_attendSound,_,times_attendSound] = PromptTools.ParseQuestionFile(params['textDir']+params['attendSoundQuiz'], returnTimes=True)
print('%d questions loaded from %s'%(len(questions_attendSound),params['attendSoundQuiz']))
# ========================== #
# ===== GET SCREEN RES ===== #
# ========================== #
# kluge for secondary monitor
if params['fullScreen']:
screens = AppKit.NSScreen.screens()
screenRes = (int(screens[params['screenToShow']].frame().size.width), int(screens[params['screenToShow']].frame().size.height))
# screenRes = (1920, 1200)
if params['screenToShow']>0:
params['fullScreen'] = False
else:
screenRes = (1024,768)
# save screen size to params struct
params['screenSize'] = screenRes
# adjust image size if one was not entered.
if params['imageSize'] is None:
params['imageSize'] = (screenRes[0], screenRes[1])
# ========================== #
# ===== LOG PARAMETERS ===== #
# ========================== #
# print params to Output
print 'params = {'
for key in sorted(params.keys()):
print " '%s': %s"%(key,params[key]) # print each value as-is (no quotes)
print '}'
#make a log file to save parameter/event data
filename = 'DistractionTask-%s-%d-%s'%(expInfo['subject'], expInfo['session'], dateStr) #'Sart-' + expInfo['subject'] + '-' + expInfo['session'] + '-' + dateStr
logging.LogFile((filename+'.log'), level=logging.INFO)#, mode='w') # w=overwrite
logging.log(level=logging.INFO, msg='---START PARAMETERS---')
logging.log(level=logging.INFO, msg='filename: %s'%filename)
logging.log(level=logging.INFO, msg='subject: %s'%expInfo['subject'])
logging.log(level=logging.INFO, msg='session: %s'%expInfo['session'])
logging.log(level=logging.INFO, msg='date: %s'%dateStr)
logging.log(level=logging.INFO, msg='tAttendSound: %s'%expInfo['tAttendSound'])
logging.log(level=logging.INFO, msg='tIgnoreSound: %s'%expInfo['tIgnoreSound'])
for key in sorted(params.keys()): # in alphabetical order
logging.log(level=logging.INFO, msg='%s: %s'%(key,params[key]))
logging.log(level=logging.INFO, msg='---END PARAMETERS---')
# ========================== #
# ===== SET UP TRACKER ===== #
# ========================== #
# Set up serial port by declaring LibSmi object
myTracker = LibSmi_PsychoPy(experiment='DistractionTask_serial_d7',port=params['portName'], baudrate=params['portBaud'], useSound=True, w=screenRes[0], h=screenRes[1], bgcolor=params['screenColor'],fullScreen=params['fullScreen'],screenToShow=params['screenToShow'])
print "Port %s isOpen = %d"%(myTracker.tracker.name,myTracker.tracker.isOpen())
# ========================== #
# ===== SET UP STIMULI ===== #
# ========================== #
from psychopy import visual
# Initialize deadline for displaying next frame
tNextFlip = [0.0] # put in a list to make it mutable?
#create clocks and window
globalClock = core.Clock()#to keep track of time
trialClock = core.Clock()#to keep track of time
#win = visual.Window(screenRes, fullscr=params['fullScreen'], allowGUI=False, monitor='testMonitor', screen=params['screenToShow'], units='deg', name='win',rgb=[1,1,1])
win = myTracker.win
"""
win = genv.win # eyelink version
"""
# create stimuli
fCS = params['fixCrossSize'] # size (for brevity)
fCP = params['fixCrossPos'] # position (for brevity)
fixation = visual.ShapeStim(win,lineColor='#000000',lineWidth=3.0,vertices=((fCP[0]-fCS/2,fCP[1]),(fCP[0]+fCS/2,fCP[1]),(fCP[0],fCP[1]),(fCP[0],fCP[1]+fCS/2),(fCP[0],fCP[1]-fCS/2)),units='pix',closeShape=False,name='fixCross');
message1 = visual.TextStim(win, pos=[0,+.5], wrapWidth=1.5, color='#000000', alignHoriz='center', name='topMsg', text="aaa",units='norm')
message2 = visual.TextStim(win, pos=[0,-.5], wrapWidth=1.5, color='#000000', alignHoriz='center', name='bottomMsg', text="bbb",units='norm')
# initialize main text stimulus
imageName = '%s%s/%s_page%d.jpg'%(params['imageDir'],params['imagePrefix'],params['imagePrefix'],1)
textImage = visual.ImageStim(win, pos=[0,0], name='Text',image=imageName, units='pix', size=params['imageSize'])
# initialize photodiode stimulus
squareSize = 0.4
diodeSquare = visual.Rect(win,pos=[squareSize/4-1,squareSize/4-1],lineColor='white',fillColor='black',size=[squareSize,squareSize],units='norm',name='diodeSquare')
# declare probe parameters
[probe_strings, probe_options,_] = PromptTools.ParseQuestionFile(params['textDir']+params['probesFile'])
print('%d probes loaded from %s'%(len(probe_strings),params['probesFile']))
# Look up prompts
[topPrompts,bottomPrompts] = PromptTools.GetPrompts(os.path.basename(__file__),params['promptType'],params)
print('%d prompts loaded from %s'%(len(topPrompts),'PromptTools.py'))
# Look up prompts
[topSwitchPrompts,bottomSwitchPrompts] = PromptTools.GetPrompts(os.path.basename(__file__),params['switchPromptType'],params)
print('%d prompts loaded from %s'%(len(topSwitchPrompts),'PromptTools.py'))
# Look up question prompts
[topQuizPrompts,bottomQuizPrompts] = PromptTools.GetPrompts(os.path.basename(__file__),params['quizPrompt'],params)
print('%d prompts loaded from %s'%(len(topPrompts),'PromptTools.py'))
# declare sound!
# fullSound = sound.Sound(value='%s%s'%(params['soundDir'], params['soundFile']), volume=params['soundVolume'], name='fullSound')
attendSound = sound.Sound(value='%s%s'%(params['soundDir'], params['attendSoundFile']), volume=params['soundVolume'], start=tAttendSound, stop=tAttendSound+params['maxPageTime'], name='attendSound')
ignoreSound = sound.Sound(value='%s%s'%(params['soundDir'], params['ignoreSoundFile']), volume=params['soundVolume'], start=tIgnoreSound, stop=tIgnoreSound+params['maxPageTime'], name='ignoreSound')
whiteNoiseSound = sound.Sound(value='%s%s'%(params['soundDir'], params['whiteNoiseFile']), volume=params['soundVolume'], start=0, stop=params['maxPageTime'], name='whiteNoiseSound')
switchSound = sound.Sound(value='%s%s'%(params['soundDir'], params['switchSoundFile']), volume=params['soundVolume'], start=0, name='switchSound')
# ============================ #
# ======= SUBFUNCTIONS ======= #
# ============================ #
# increment time of next window flip
def AddToFlipTime(tIncrement=1.0):
tNextFlip[0] += tIncrement
# print("%1.3f --> %1.3f"%(globalClock.getTime(),tNextFlip[0]))
def SetFlipTimeToNow():
tNextFlip[0] = globalClock.getTime()
def SendMessage(message):
# send message preceded by SMI code ET_REM (generic remark) and surround multi-word remarks by quotes(?)
myTracker.log(message)
# logging.log(level=logging.INFO,msg=message)
# pass
"""
if eyelinktracker is None:
print('MSG: %s'%message)
else:
getEYELINK().sendMessage(message)
"""
def ShowPage(iPage, maxPageTime=float('Inf'), pageFadeDur=0, soundToPlay=None):
print('Showing Page %d'%iPage)
"""
# Start EyeLink's RealTime mode
pylink.beginRealTimeMode(100)
"""
# Display text
imageName = '%s%s/%s_page%d.jpg'%(params['imageDir'],params['imagePrefix'],params['imagePrefix'],iPage)
textImage.setImage(imageName)
textImage.opacity = 1
textImage.draw()
while (globalClock.getTime()<tNextFlip[0]):
pass
# win.flip(clearBuffer=False)
# draw & flip
win.logOnFlip(level=logging.EXP, msg='Display Page%d'%iPage)
win.callOnFlip(SendMessage,'Display Page%d'%iPage)
AddToFlipTime(maxPageTime)
# win.callOnFlip(SendPortEvent,mod(page,256))
if params['usePhotodiode']:
diodeSquare.draw()
win.flip()
# erase diode square and re-draw
textImage.draw()
win.flip()
# get time at which page was displayed
pageStartTime = globalClock.getTime()
# Play sound just after window flips
if soundToPlay is not None:
soundToPlay.play()
# Flush the key buffer and mouse movements
event.clearEvents()
# Wait for relevant key press or 'maxPageTime' seconds
fadeTime = tNextFlip[0]-pageFadeDur
respKey = None
while (globalClock.getTime()<tNextFlip[0]) and respKey==None:
newKeys = event.getKeys(keyList=[params['pageKey'],params['wanderKey'],'q','escape'],timeStamped=globalClock)
if len(newKeys)>0:
for thisKey in newKeys:
if thisKey[0] in ['q','escape']:
CoolDown()
elif thisKey[0] == params['pageKey']:
respKey = thisKey
SetFlipTimeToNow() # reset flip time
now = globalClock.getTime()
if now > fadeTime:
textImage.opacity = (tNextFlip[0]-now)/pageFadeDur
textImage.draw()
win.flip()
"""
# Stop EyeLink's RealTime mode
pylink.endRealTimeMode()
"""
# return time for which page was shown
pageDur = tNextFlip[0] - pageStartTime
return pageDur
def ShowFixation(duration=0):
# Display the fixation cross
if duration>0:
fixation.draw()
win.logOnFlip(level=logging.EXP, msg='Display Fixation')
win.callOnFlip(SendMessage,'Display Fixation')
while (globalClock.getTime()<tNextFlip[0]):
core.wait(.01)
pass
if params['usePhotodiode']:
diodeSquare.draw()
win.flip()
# erase diode square and re-draw
fixation.draw()
win.flip()
AddToFlipTime(duration)
# Handle end ofeyelink session
def CoolDown():
# display cool-down message
message1.setText("That's the end! ")
message2.setText("Press 'q' or 'escape' to end the session.")
win.logOnFlip(level=logging.EXP, msg='Display TheEnd')
win.callOnFlip(SendMessage,'Display TheEnd')
message1.draw()
message2.draw()
win.flip()
thisKey = event.waitKeys(keyList=['q','escape'])
# stop recording via serial port
myTracker.stop_recording()
if params['recordEyeMovie']:
myTracker.end_movie()
# save result
myTracker.save_data(path=(filename+'.idf'))
# close serial port
myTracker.cleanup()
"""
# End recording: add 100 msec of data to catch final events
pylink.endRealTimeMode()
pumpDelay(100)
getEYELINK().stopRecording()
while getEYELINK().getkey(): # not sure what this is for
pass
# File transfer and cleanup!
getEYELINK().setOfflineMode()
msecDelay(500)
message1.setText("Sending EyeLink File...")
message2.setText("Please Wait.")
win.logOnFlip(level=logging.EXP, msg='Display SendingFile')
message1.draw()
message2.draw()
win.flip()
#Close the file and transfer it to Display PC
getEYELINK().closeDataFile()
getEYELINK().receiveDataFile(edfHostFileName, edfFileName)
getEYELINK().close();
#Close the experiment graphicss
pylink.closeGraphics()
"""
# stop sound
# fullSound.stop()
attendSound.stop()
ignoreSound.stop()
whiteNoiseSound.stop()
# save experimental info (if we reached here, we didn't have an error)
expInfo['tAttendSound'] = tAttendSound
expInfo['tIgnoreSound'] = tIgnoreSound
toFile(expInfoFilename, expInfo) # save params to file for next time
# exit
core.quit()
# =========================== #
# ======= RUN PROMPTS ======= #
# =========================== #
"""
#Do the tracker setup at the beginning of the experiment.
getEYELINK().doTrackerSetup()
# START RECORDING
error = getEYELINK().startRecording(1, 1, 1, 1)
if error:
print("===WARNING: eyelink startRecording returned %s"%error)
"""
# set up eye movie if requested
if params['recordEyeMovie']:
eye_movie_filename = filename + '-calib'
else:
eye_movie_filename = None
# run calibration and validation
myTracker.run_calibration(nr_of_pts=params['calNPoints'], auto_accept=params['calAutoAccept'], go_fast=params['calGoFast'], calib_level=params['calCheckLevel'], eye_movie_filename=eye_movie_filename, eye_movie_format='XMP4')
# display prompts
if not params['skipPrompts']:
PromptTools.RunPrompts(topPrompts,bottomPrompts,win,message1,message2,fwdKeys=params['respKeys'])
# wait for scanner
message1.setText("Waiting for scanner to start...")
message2.setText("(Press '%c' to override.)"%params['triggerKey'].upper())
message1.draw()
message2.draw()
win.logOnFlip(level=logging.EXP, msg='Display WaitingForScanner')
win.callOnFlip(SendMessage,'Display WaitingForScanner')
win.flip()
# wait before first stimulus
fixation.draw()
win.logOnFlip(level=logging.EXP, msg='Display Fixation')
win.callOnFlip(SendMessage,'Display Fixation')
event.waitKeys(keyList=params['triggerKey'])
# display
tStartSession = globalClock.getTime()
AddToFlipTime(tStartSession+params['tStartup'])
win.flip()
# start recording via serial port
myTracker.start_recording(stream=False)
if params['recordEyeMovie']:
myTracker.start_movie(format='XMP4',filename=filename)
# =========================== #
# ===== MAIN EXPERIMENT ===== #
# =========================== #
# set up other stuff
logging.log(level=logging.EXP, msg='---START EXPERIMENT---')
nBlocks = 1
# start sound
#fullSound.play()
# Run trials
for iBlock in range(0,nBlocks): # for each block of pages
# log new block
logging.log(level=logging.EXP, msg='Start Block %d'%iBlock)
# display pages
for iPage in range(params['pageRange'][0],params['pageRange'][1]+1): # +1 to inclue final page
# decide on sound
if random.random()<=params['probSound']:
playSound = True
if condition is 'attend':
soundToPlay = attendSound
else:
soundToPlay = ignoreSound
else:
playSound = False
soundToPlay = whiteNoiseSound
# display text
pageDur = ShowPage(iPage=iPage,maxPageTime=params['maxPageTime'],pageFadeDur=params['pageFadeDur'],soundToPlay=soundToPlay)
# update sound
soundToPlay.stop()
if playSound:
if condition is 'attend':
tAttendSound += pageDur #params['maxPageTime']
logging.log(level=logging.INFO, msg='tAttendSound: %.3f'%tAttendSound)
attendSound = sound.Sound(value='%s%s'%(params['soundDir'], params['attendSoundFile']), volume=params['soundVolume'], start=tAttendSound, stop=tAttendSound+params['maxPageTime'], name='attendSound')
else:
tIgnoreSound += pageDur #params['maxPageTime']
logging.log(level=logging.INFO, msg='tIgnoreSound: %.3f'%tIgnoreSound)
ignoreSound = sound.Sound(value='%s%s'%(params['soundDir'], params['ignoreSoundFile']), volume=params['soundVolume'], start=tIgnoreSound, stop=tIgnoreSound+params['maxPageTime'], name='ignoreSound')
# display switch prompt if it's time
if iPage==switchPage-1:
message1.setText(topSwitchPrompts[0])
message1.draw()
while (globalClock.getTime()<tNextFlip[0]):
pass
win.logOnFlip(level=logging.EXP, msg='Display Switch')
win.callOnFlip(SendMessage,'Display Switch')
AddToFlipTime(params['switchPromptDur'])
# show the page
win.flip()
# play the sound
switchSound.play()
# let the sound play (to avoid crackling)
core.wait(params['switchPromptDur']-1)
# switch the condition
if condition is 'attend':
condition = 'ignore'
else:
condition = 'attend'
if iPage < params['pageRange'][1]:
# show fix cross and pause
ShowFixation(duration=params['IPI'])
# Mute Sounds
attendSound.setVolume(0) # mute but don't stop... save stopping for CoolDown!
ignoreSound.setVolume(0) # mute but don't stop... save stopping for CoolDown!
whiteNoiseSound.setVolume(0) # mute but don't stop... save stopping for CoolDown!
# Pause recording via serial port
myTracker.pause_recording() # save stop command for CoolDown.
# fullSound.setVolume(0)
# run probes
allKeys = PromptTools.RunQuestions(probe_strings,probe_options,win,message1,message2,'Probe',questionDur=params['probeDur'], isEndedByKeypress=params['keyEndsProbe'])
# check for escape keypresses
for thisKey in allKeys:
if len(thisKey)>0 and thisKey[0] in ['q', 'escape']: # check for quit keys
CoolDown()#abort experiment
# tell the subject if the lecture is over.
message1.setText("It's time for some questions! Then, after a short break, we'll continue reading where you left off.")
message2.setText("Press any key to end this recording.")
win.logOnFlip(level=logging.EXP, msg='Display TakeABreak')
win.callOnFlip(SendMessage,'Display TakeABreak')
message1.draw()
message2.draw()
# change the screen
win.flip()
thisKey = event.waitKeys() # any keypress will end the session
# ============================ #
# ========= RUN QUIZ ========= #
# ============================ #
# crop to sound questions that are in this run
times_ignoreSound_np = np.asarray(times_ignoreSound)
times_attendSound_np = np.asarray(times_attendSound)
iInRun_ignoreSound = np.where(np.logical_and(times_ignoreSound_np>tIgnoreSound_start, times_ignoreSound_np<tIgnoreSound))
iInRun_ignoreSound = iInRun_ignoreSound[0].tolist()
iInRun_attendSound = np.where(np.logical_and(times_attendSound_np>tAttendSound_start, times_attendSound_np<tAttendSound))
iInRun_attendSound = iInRun_attendSound[0].tolist()
# log which sound questions will be used
logging.log(level=logging.INFO, msg='ignoreSound questions = ' + str(iInRun_ignoreSound))
logging.log(level=logging.INFO, msg='attendSound questions = ' + str(iInRun_attendSound))
# append the reading and sound questions
questions_all = questions_reading + [questions_ignoreSound[i] for i in iInRun_ignoreSound] + [questions_attendSound[i] for i in iInRun_attendSound]
options_all = options_reading + [options_ignoreSound[i] for i in iInRun_ignoreSound] + [options_attendSound[i] for i in iInRun_attendSound]
answers_all = answers_reading + [answers_ignoreSound[i] for i in iInRun_ignoreSound] + [answers_attendSound[i] for i in iInRun_attendSound]
# shuffle the order
newOrder = range(0,len(questions_all))
random.shuffle(newOrder)
questions_all = [questions_all[i] for i in newOrder]
options_all = [options_all[i] for i in newOrder]
answers_all = [answers_all[i] for i in newOrder]
params['questionOrder'] = newOrder
logging.log(level=logging.INFO, msg='questionOrder = ' + str(newOrder))
# display prompts
if not params['skipPrompts']:
PromptTools.RunPrompts(topQuizPrompts,bottomQuizPrompts,win,message1,message2,fwdKeys=params['respKeys'])
# set up other stuff
logging.log(level=logging.EXP, msg='---START QUIZ---')
# ------- Run the questions ------- #
allKeys = PromptTools.RunQuestions(questions_all,options_all,win,message1,message2,'Question',respKeys=params['respKeys'])
# --------------------------------- #
isResponse = np.zeros(len(allKeys),dtype=bool) # was any response given?
isCorrect = np.zeros(len(allKeys)) # was the response correct?
RT = np.zeros(len(allKeys)) # how long did it take them to press a key?
#print(allKeys)
for iKey in range(0,len(allKeys)):
if len(allKeys[iKey])>0:
isResponse[iKey] = 1
RT[iKey] = allKeys[iKey][1] # keep in seconds
if float(allKeys[iKey][0]) == answers_all[iKey]:
isCorrect[iKey] = 1
#give some performance output to user
print('Performance:')
print('%d/%d = %.2f%% correct' %(np.sum(isCorrect), len(isCorrect), 100*np.average(isCorrect)))
print('RT: mean = %f, std = %f' %(np.average(RT[isResponse]),np.std(RT[isResponse])))
# exit experiment
CoolDown()
| 2.203125 | 2 |
1_code/answer_response/confirmation_utils.py | jaimiles23/Multiplication_Medley | 0 | 12764666 | <filename>1_code/answer_response/confirmation_utils.py<gh_stars>0
"""/**
* @author [<NAME>]
* @email [<EMAIL>]
* @create date 2020-05-06 11:34:51
* @modify date 2020-05-06 17:48:56
* @desc [
Utility class for confirmation methods. Methods for:
- get confirmation
- get player confirmation
- get random confirmation
]
*/
"""
##########
# Imports
##########
import random
from ask_sdk_core.handler_input import HandlerInput
from logs import logger, log_func_name
from . import data_confirm
##########
# Confirmation Utility class
##########
class ConfirmUtils(object):
@staticmethod
@log_func_name
def get_confirmation(punct: bool = False) -> str:
"""Returns confirmation statement."""
confirm = random.choice( data_confirm.MT_CONFIRMATION)
if punct:
confirm += "."
return confirm
@staticmethod
@log_func_name
def get_player_confirmation(handler_input) -> str:
"""Returns confirmation statement with playername."""
attr = handler_input.attributes_manager.session_attributes
confirmation = ConfirmUtils.get_confirmation(punct = False)
player_name = attr['current_player']
speech_list = [
confirmation,
" ",
player_name,
"."
]
return ''.join(speech_list)
@staticmethod
@log_func_name
def get_random_confirmation(handler_input, freq_player_name: float = 0.5) -> str:
"""Returns confirmation w/ or w/o player_name."""
if random.random() > (1 - freq_player_name):
return ConfirmUtils.get_player_confirmation(handler_input)
return ConfirmUtils.get_confirmation(punct=True)
| 2.640625 | 3 |
ezgoogleapi/__init__.py | rrwielema/ezgoogleapi | 0 | 12764667 | from ezgoogleapi.analytics.body import Body
from ezgoogleapi.analytics.daterange import (TODAY,
YESTERDAY,
LAST_WEEK,
LAST_7_DAYS,
THIS_MONTH,
LAST_MONTH,
LAST_90_DAYS,
LAST_YEAR,
CURRENT_QUARTER,
LAST_QUARTER,
quarter,
weeks,
last_weeks,
last_days)
from ezgoogleapi.analytics.query import Query
from ezgoogleapi.analytics.variable_names import VariableName, NameDatabase
from ezgoogleapi.bigquery.base import BigQuery
from ezgoogleapi.bigquery.schema import schema, SchemaTypes
from ezgoogleapi.sheets import SpreadSheet, Permission
| 1.40625 | 1 |
tkinter_project/tkinter_basic/2_button.py | bbjoite09/PythonProject | 1 | 12764668 | <reponame>bbjoite09/PythonProject
from tkinter import *
root = Tk()
root.title("Yeonii GUI") # GUI 지정
# 버튼 추가
btn1 = Button(root, text="버튼1")
btn1.pack()
# pad -> 버튼 내용(text) 제외하고 여백을 5, 10으로 지정함
btn2 = Button(root, padx=5, pady=10, text="버튼2")
btn2.pack()
btn3 = Button(root, padx=10, pady=5, text="버튼3")
btn3.pack()
# width, height -> pad와 다름. 크기를 직접 지정함
# --> text가 지정한 버튼 크기를 초과하였을때, 내용이 덜 보이더라도 크기는 그대로 유지함
btn4 = Button(root, width=10, height=3, text="버튼4")
btn4.pack()
# 버튼 색깔 지정
btn5 = Button(root, fg="red", bg="yellow", text="버튼5") # fg = foreground / bg = background
btn5.pack()
# 이미지 버튼
photo = PhotoImage(file="img1.png")
btn6 = Button(root, image=photo)
btn6.pack()
# 버튼에 동작 추가
def btncmd():
print("버튼이 클릭되었어요!")
btn7 = Button(root, text="동작하는 버튼", command=btncmd)
btn7.pack()
root.mainloop()
| 2.796875 | 3 |
config/presets/Modes/Python/T - Bits V/main.py | The-XOR/EYESY_OS | 18 | 12764669 | import os
import pygame
import random
trigger = False
x = 0
y = 0
height = 720
width = 1340
linelength = 50
lineAmt = 20
displace = 10
ypos = [random.randrange(-200,720) for i in range(0, lineAmt + 2)]
ypos1 = [(ypos[i]+displace) for i in range(0, lineAmt + 2)]
xr = 360
yr = 240
def setup(screen, etc):
global trigger, x, y, height, width, ypos, lineAmt, ypos1, linelength, displace, xr, yr
x = 0
y = 0
xr = etc.xres
yr = etc.yres
height = yr
width = xr+20
linelength = ((50*yr)/720)
displace = ((10*yr)/720)
ypos = [random.randrange(int((-200*yr)/720),yr) for i in range(0, lineAmt + 2)]
ypos1 = [(ypos[i]+displace) for i in range(0, lineAmt + 2)]
pass
def draw(screen, etc):
global trigger, x, y, height, width, ypos, lineAmt, ypos1, linelength, displace, xr, yr
etc.color_picker_bg(etc.knob5)
xr = etc.xres
yr = etc.yres
displace = ((10*yr)/720)
linewidth = (width / lineAmt)
linelength = int(etc.knob2*((300*yr)/720)+1)
color = etc.color_picker(etc.knob4)
minus = (etc.knob3*0.5)+0.5
shadowColor = (etc.bg_color[0]*minus, etc.bg_color[1]*minus, etc.bg_color[2]*minus)
if etc.audio_trig or etc.midi_note_new :
trigger = True
if trigger == True :
lineAmt = int(etc.knob1*((100*xr)/1280) + 2)
ypos = [random.randrange(int((-200*yr)/720),yr) for i in range(0, lineAmt + 2)]
ypos1 = [(ypos[i]+displace) for i in range(0, lineAmt + 2)]
for k in range(0, lineAmt + 2) :
y = ypos1[k] + linelength
x = (k * linewidth) + int(linewidth/2)- 1
#x = (k * linewidth)# + int(linewidth/2)- 1
pygame.draw.line(screen, shadowColor, (x+displace, ypos1[k]), (x+displace, y), linewidth)
for j in range(0, lineAmt + 2) :
y = ypos[j] + linelength
x = (j * linewidth) + int(linewidth/2)- 1
pygame.draw.line(screen, color, (x, ypos[j]), (x, y), linewidth)
trigger = False
| 2.953125 | 3 |
python2.7/site-packages/twisted/names/hosts.py | 84KaliPleXon3/sslstrip-hsts-openwrt | 19 | 12764670 | <reponame>84KaliPleXon3/sslstrip-hsts-openwrt
# Copyright (c) 2001-2004 Twisted Matrix Laboratories.
# See LICENSE for details.
from twisted.names import dns
from twisted.persisted import styles
from twisted.python import failure
from twisted.internet import defer
from twisted.names import common
def searchFileFor(file, name):
try:
fp = open(file)
except:
return None
lines = fp.readlines()
for line in lines:
idx = line.find('#')
if idx != -1:
line = line[:idx]
if not line:
continue
parts = line.split()
if name.lower() in [s.lower() for s in parts[1:]]:
return parts[0]
return None
class Resolver(common.ResolverBase, styles.Versioned):
"""A resolver that services hosts(5) format files."""
#TODO: IPv6 support
persistenceVersion = 1
def upgradeToVersion1(self):
# <3 exarkun
self.typeToMethod = {}
for (k, v) in common.typeToMethod.items():
self.typeToMethod[k] = getattr(self, v)
def __init__(self, file='/etc/hosts', ttl = 60 * 60):
common.ResolverBase.__init__(self)
self.file = file
self.ttl = ttl
def lookupAddress(self, name, timeout = None):
res = searchFileFor(self.file, name)
if res:
return defer.succeed([
(dns.RRHeader(name, dns.A, dns.IN, self.ttl, dns.Record_A(res, self.ttl)),), (), ()
])
return defer.fail(failure.Failure(dns.DomainError(name)))
# When we put IPv6 support in, this'll need a real impl
lookupAllRecords = lookupAddress
| 2.171875 | 2 |
homeassistant/components/nws/__init__.py | marioedani/homeassistant-core | 1 | 12764671 | <reponame>marioedani/homeassistant-core<filename>homeassistant/components/nws/__init__.py
"""The National Weather Service integration."""
import asyncio
import datetime
import logging
from pynws import SimpleNWS
import voluptuous as vol
from homeassistant.config_entries import ConfigEntry
from homeassistant.const import CONF_API_KEY, CONF_LATITUDE, CONF_LONGITUDE
from homeassistant.core import HomeAssistant
from homeassistant.helpers.aiohttp_client import async_get_clientsession
import homeassistant.helpers.config_validation as cv
from homeassistant.helpers.update_coordinator import DataUpdateCoordinator
from .const import (
CONF_STATION,
COORDINATOR_FORECAST,
COORDINATOR_FORECAST_HOURLY,
COORDINATOR_OBSERVATION,
DOMAIN,
NWS_DATA,
)
_LOGGER = logging.getLogger(__name__)
_INDIVIDUAL_SCHEMA = vol.Schema(
{
vol.Required(CONF_API_KEY): cv.string,
vol.Inclusive(
CONF_LATITUDE, "coordinates", "Latitude and longitude must exist together"
): cv.latitude,
vol.Inclusive(
CONF_LONGITUDE, "coordinates", "Latitude and longitude must exist together"
): cv.longitude,
vol.Optional(CONF_STATION): cv.string,
}
)
CONFIG_SCHEMA = vol.Schema(
{DOMAIN: vol.All(cv.ensure_list, [_INDIVIDUAL_SCHEMA])}, extra=vol.ALLOW_EXTRA,
)
PLATFORMS = ["weather"]
DEFAULT_SCAN_INTERVAL = datetime.timedelta(minutes=10)
def base_unique_id(latitude, longitude):
"""Return unique id for entries in configuration."""
return f"{latitude}_{longitude}"
async def async_setup(hass: HomeAssistant, config: dict):
"""Set up the National Weather Service (NWS) component."""
hass.data.setdefault(DOMAIN, {})
return True
async def async_setup_entry(hass: HomeAssistant, entry: ConfigEntry):
"""Set up a National Weather Service entry."""
latitude = entry.data[CONF_LATITUDE]
longitude = entry.data[CONF_LONGITUDE]
api_key = entry.data[CONF_API_KEY]
station = entry.data[CONF_STATION]
client_session = async_get_clientsession(hass)
# set_station only does IO when station is None
nws_data = SimpleNWS(latitude, longitude, api_key, client_session)
await nws_data.set_station(station)
coordinator_observation = DataUpdateCoordinator(
hass,
_LOGGER,
name=f"NWS observation station {station}",
update_method=nws_data.update_observation,
update_interval=DEFAULT_SCAN_INTERVAL,
)
coordinator_forecast = DataUpdateCoordinator(
hass,
_LOGGER,
name=f"NWS forecast station {station}",
update_method=nws_data.update_forecast,
update_interval=DEFAULT_SCAN_INTERVAL,
)
coordinator_forecast_hourly = DataUpdateCoordinator(
hass,
_LOGGER,
name=f"NWS forecast hourly station {station}",
update_method=nws_data.update_forecast_hourly,
update_interval=DEFAULT_SCAN_INTERVAL,
)
hass.data[DOMAIN][entry.entry_id] = {
NWS_DATA: nws_data,
COORDINATOR_OBSERVATION: coordinator_observation,
COORDINATOR_FORECAST: coordinator_forecast,
COORDINATOR_FORECAST_HOURLY: coordinator_forecast_hourly,
}
# Fetch initial data so we have data when entities subscribe
await coordinator_observation.async_refresh()
await coordinator_forecast.async_refresh()
await coordinator_forecast_hourly.async_refresh()
for component in PLATFORMS:
hass.async_create_task(
hass.config_entries.async_forward_entry_setup(entry, component)
)
return True
async def async_unload_entry(hass: HomeAssistant, entry: ConfigEntry):
"""Unload a config entry."""
unload_ok = all(
await asyncio.gather(
*[
hass.config_entries.async_forward_entry_unload(entry, component)
for component in PLATFORMS
]
)
)
if unload_ok:
hass.data[DOMAIN].pop(entry.entry_id)
if len(hass.data[DOMAIN]) == 0:
hass.data.pop(DOMAIN)
return unload_ok
| 2.328125 | 2 |
appodeal/__init__.py | PoradaKev/appodeal_py | 0 | 12764672 | import json
import pandas as pd
import requests
from datetime import datetime
from io import StringIO
from furl import furl
from tqdm import tqdm
from time import sleep
class Appodeal:
DEFAULT_ENDPOINT = "https://api-services.appodeal.com/api/v2/stats_api?/"
TASK_ENDPOINT = "https://api-services.appodeal.com/api/v2/check_status?/"
OUTPUT_ENDPOINT = "https://api-services.appodeal.com/api/v2/output_result?/"
DETALISATION = [
"date",
"country",
"banner_type",
"segment",
"placement",
"network",
"app",
]
def __init__(self, api_token, user_id):
self.api_key = api_token
self.user_id = user_id
def __build_args(self, date_from, date_to, kwargs):
args = {
"api_key": self.api_key,
"user_id": self.user_id,
"date_from": date_from,
"date_to": date_to,
}
if "country[]" in kwargs:
args["country[]"] = kwargs.get("country[]")
if "network[]" in kwargs:
args["network[]"] = kwargs.get("network[]")
if "app[]" in kwargs:
args["app[]"] = kwargs.get("app[]")
if "detalisation[]" in kwargs:
args["detalisation[]"] = kwargs.get("detalisation[]")
return args
def __build_task_args(self, task_id):
args = {"api_key": self.api_key, "user_id": self.user_id, "task_id": task_id}
return args
def __to_df(self, resp):
import pandas as df
if resp.status_code != requests.codes.ok:
raise Exception(resp.text)
return df.read_csv(StringIO(resp.text))
def report(
self,
date_from,
date_to,
as_df=True,
country=None,
network=None,
app=None,
detalisation=None,
report_waiting_time=3600,
**kwargs
):
f = furl(self.DEFAULT_ENDPOINT)
if detalisation is None:
kwargs["detalisation[]"] = self.DETALISATION
else:
kwargs["detalisation[]"] = detalisation
if country is not None:
kwargs["country[]"] = country
else:
pass
if network is not None:
kwargs["network[]"] = network
else:
pass
if app is not None:
kwargs["app[]"] = app
else:
pass
f.args = self.__build_args(date_from, date_to, kwargs)
request_get_task = requests.get(f.url)
task_id = str(json.loads(request_get_task.text)["task_id"])
print('TaskId {} obtained!'.format(task_id))
f_task = furl(self.TASK_ENDPOINT)
f_task.args = self.__build_task_args(task_id)
print('Waiting for report... 5 second checks started!')
starttime = datetime.now()
diff = []
diff = diff + [int((datetime.now() - starttime).seconds)]
with tqdm(total=report_waiting_time) as pbar:
while diff[-1] < report_waiting_time:
if json.loads(requests.get(f_task.url).text)["task_status"] == "0":
if diff[-1]>120:
sleep(10)
diff = diff + [int((datetime.now() - starttime).seconds)]
diff_sub = diff[-1]-diff[-2]
pbar.update(diff_sub)
else:
sleep(5)
diff = diff + [int((datetime.now() - starttime).seconds)]
diff_sub = diff[-1]-diff[-2]
pbar.update(diff_sub)
elif json.loads(requests.get(f_task.url).text)["task_status"] == "1":
print("Report is ready!")
break
elif diff.seconds>report_waiting_time:
print('Waiting time expired. Increase period!')
f_report = furl(self.OUTPUT_ENDPOINT)
f_report.args = self.__build_task_args(task_id)
request_get_data = requests.get(f_report.url)
report_data = json.loads(request_get_data.text)
print('ReportData collected!')
if 'data' not in report_data:
report_data = requests.get(report_data['url']).json()
else:
report_data = report_data["data"]
if as_df:
return pd.json_normalize(report_data)
else:
return report_data
| 2.328125 | 2 |
Python/gregorian_leap_year.py | paurav11/HackerRank | 1 | 12764673 | <gh_stars>1-10
def is_leap(year):
if year >= 1900 and year <= pow(10,5):
leap = False
if year%4 == 0:
if year%100 == 0:
if year%400 == 0:
leap = True
else:
leap = False
else:
leap = True
return leap
else:
return 'Enter valid year!'
if __name__ == '__main__':
year = int(input())
print(is_leap(year)) | 4 | 4 |
terrascript/pagerduty/__init__.py | GarnerCorp/python-terrascript | 0 | 12764674 | """2019-05-28 10:50:16"""
| 0.636719 | 1 |
TeensyLogger.py | anabrid/TeensyLogger | 2 | 12764675 | <filename>TeensyLogger.py
#!/usr/bin/env python3
"""
This is some exemplaric code how to aquire ADC data with the TeensyLogger
and python on the USB host computer. It was tested with Linux, Python3 and
PySerial (https://pythonhosted.org/pyserial/).
Copyright (c) 2021 Anabrid GmbH, MIT Licensed, see LICENSE file.
"""
import serial, re, time, numpy as np, sys
log = lambda *a,**b: print(*a,**b,file=sys.stderr)
s = serial.Serial(port="/dev/ttyACM0", baudrate=9600, timeout=1)
s.flushInput()
def write(cmd):
s.write(cmd.encode("ascii"))
def query2(cmd):
write(cmd)
#s.flush()
time.sleep(1) # give it some time to answer
buf = b""
read_attempts = 3
while True:
readin = s.readline()
buf += readin
#print(f"{read_attempts=}, {readin=}")
if len(readin) == 0:
# end of buffer or nothing read in
read_attempts -= 1
if read_attempts < 0:
break
return buf.decode("ascii", "ignore")
def query(cmd):
write(cmd)
time.sleep(1) # on second sleep is absolutely required
# Reading with Backtracking
max_tries,max_wait_sec = 8, 2.0
for i in range(max_tries):
bytes_to_read = s.inWaiting()
if bytes_to_read:
return s.read(bytes_to_read).decode("ascii", "ignore")
else:
wait_time_sec = max_wait_sec * 0.1**(max_tries-i-1)
print(f"{wait_time_sec=}")
time.sleep(wait_time_sec)
return ""
helpmsg = query("?").split("\n")
if len(helpmsg) < 10:
raise ValueError(f"Could not properly connect, asked for ? got {helpmsg=}")
log(f"Teensy: Connected via {s.port} to {helpmsg[0]}")
log("Teensy: ", query("channels=4").strip())
log("Teensy: ", query("interval=10").strip()) # microseconds
# Usage is as following:
# arm()
# do some work which fires the trigger
# checkread() # will raise in case of non-expected trigger output
# data = dump() # actual data
def arm():
log("Teensy: ", query("arm").strip())
def checkread():
# we now expect some output such as...
logline = s.readline().decode("ascii")
magicline = "Data collection stopped"
if not magicline in logline:
raise ValueError(f"Expected {magicline} but got {logline}")
log("Teensy: ", logline.strip())
# A sentence like 'Sampling automatically stopped after 16384 samples'
log("Teensy: ", s.readline().decode("ascii").strip())
# Works until here!!
def dump():
data = query("dump")
# does not work, data is way to short.
# check for instance with data.split()
return data
def another_read():
s.timeout = 0 # timeout=0 is a shitty idea and breaks everything
data = b""
while True:
bytes_to_read = s.inWaiting()
if bytes_to_read:
data += s.read(bytes_to_read)
print(f"Read {bytes_to_read} bytes...")
else:
break
return data
| 2.5 | 2 |
tools/build_defs/docker/bundle.bzl | timm-gs/bazel | 17 | 12764676 | <reponame>timm-gs/bazel<gh_stars>10-100
# Copyright 2017 The Bazel Authors. All rights reserved.
#
# 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.
"""Rule for bundling Docker images into a tarball."""
load(":label.bzl", _string_to_label="string_to_label")
load(":layers.bzl",
_assemble_image="assemble",
_get_layers="get_from_target",
_incr_load="incremental_load",
_layer_tools="tools")
load(":list.bzl", "reverse")
def _docker_bundle_impl(ctx):
"""Implementation for the docker_bundle rule."""
# Compute the set of layers from the image_targes.
image_target_dict = _string_to_label(
ctx.attr.image_targets, ctx.attr.image_target_strings)
seen_names = []
layers = []
for image in ctx.attr.image_targets:
# TODO(mattmoor): Add support for naked tarballs.
for layer in _get_layers(ctx, image):
if layer["name"].path in seen_names:
continue
seen_names.append(layer["name"].path)
layers.append(layer)
images = dict()
for unresolved_tag in ctx.attr.images:
# Allow users to put make variables into the tag name.
tag = ctx.expand_make_variables("images", unresolved_tag, {})
target = ctx.attr.images[unresolved_tag]
target = image_target_dict[target]
images[tag] = _get_layers(ctx, target)[0]
_incr_load(ctx, layers, images, ctx.outputs.executable)
_assemble_image(ctx, reverse(layers), {
# Create a new dictionary with the same keyspace that
# points to the name of the layer.
k: images[k]["name"]
for k in images
}, ctx.outputs.out)
runfiles = ctx.runfiles(
files = ([l["name"] for l in layers] +
[l["id"] for l in layers] +
[l["layer"] for l in layers]))
return struct(runfiles = runfiles,
files = depset())
docker_bundle_ = rule(
implementation = _docker_bundle_impl,
attrs = {
"images": attr.string_dict(),
# Implicit dependencies.
"image_targets": attr.label_list(allow_files=True),
"image_target_strings": attr.string_list(),
} + _layer_tools,
outputs = {
"out": "%{name}.tar",
},
executable = True)
# Produces a new docker image tarball compatible with 'docker load', which
# contains the N listed 'images', each aliased with their key.
#
# Example:
# docker_bundle(
# name = "foo",
# images = {
# "ubuntu:latest": ":blah",
# "foo.io/bar:canary": "//baz:asdf",
# }
# )
def docker_bundle(**kwargs):
"""Package several docker images into a single tarball.
Args:
**kwargs: See above.
"""
for reserved in ["image_targets", "image_target_strings"]:
if reserved in kwargs:
fail("reserved for internal use by docker_bundle macro", attr=reserved)
if "images" in kwargs:
kwargs["image_targets"] = kwargs["images"].values()
kwargs["image_target_strings"] = kwargs["images"].values()
docker_bundle_(**kwargs)
| 1.867188 | 2 |
oscar/lib/python2.7/site-packages/txclib/paths.py | sainjusajan/django-oscar | 0 | 12764677 | # -*- coding: utf-8 -*-
"""
Path handling.
We need to take into account the differences between UNIX systems and
Windows.
"""
import os
posix_sep = os.sep if os.altsep is None else os.altsep
def posix_path(fpath):
"""Convert a filesystem path to a posix path.
Always use the forward slash as a separator. For instance,
in windows the separator is the backslash.
Args:
fpath: The path to convert.
"""
return fpath if os.altsep is None else fpath.replace(os.sep, os.altsep)
def native_path(fpath):
"""Convert a filesystem path to a native path.
Use whatever separator is defined by the platform.
Args:
fpath: The path to convert.
"""
return fpath if os.altsep is None else fpath.replace(os.altsep, os.sep)
| 3.15625 | 3 |
django_simple_forum/migrations/0001_initial.py | ShinodaII/AshramForum | 2 | 12764678 | <gh_stars>1-10
from __future__ import unicode_literals
from django.conf import settings
from django.db import migrations, models
import django.db.models.deletion
class Migration(migrations.Migration):
initial = True
dependencies = [
('contenttypes', '0002_remove_content_type_name'),
migrations.swappable_dependency(settings.AUTH_USER_MODEL),
]
operations = [
migrations.CreateModel(
name='Badge',
fields=[
('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')),
('title', models.CharField(max_length=50, unique=True)),
('slug', models.CharField(max_length=50, unique=True)),
],
),
migrations.CreateModel(
name='Comment',
fields=[
('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')),
('comment', models.TextField(blank=True, null=True)),
('created_on', models.DateTimeField(auto_now_add=True)),
('updated_on', models.DateTimeField(auto_now_add=True)),
('commented_by', models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, related_name='commented_by', to=settings.AUTH_USER_MODEL)),
('parent', models.ForeignKey(blank=True, null=True, on_delete=django.db.models.deletion.CASCADE, related_name='comment_parent', to='django_simple_forum.Comment')),
],
),
migrations.CreateModel(
name='ForumCategory',
fields=[
('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')),
('title', models.CharField(max_length=1000)),
('is_active', models.BooleanField(default=False)),
('color', models.CharField(default='#999999', max_length=20)),
('is_votable', models.BooleanField(default=False)),
('created_on', models.DateTimeField(auto_now_add=True)),
('created_by', models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, to=settings.AUTH_USER_MODEL)),
],
),
migrations.CreateModel(
name='Tags',
fields=[
('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')),
('title', models.CharField(max_length=50, unique=True)),
('slug', models.CharField(max_length=50, unique=True)),
],
),
migrations.CreateModel(
name='Timeline',
fields=[
('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')),
('object_id', models.PositiveIntegerField()),
('namespace', models.CharField(db_index=True, default='default', max_length=250)),
('event_type', models.CharField(db_index=True, max_length=250)),
('data', models.TextField(blank=True, null=True)),
('created_on', models.DateTimeField(auto_now_add=True)),
('is_read', models.BooleanField(default=False)),
('content_type', models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, related_name='content_type_timelines', to='contenttypes.ContentType')),
('user', models.ForeignKey(null=True, on_delete=django.db.models.deletion.CASCADE, to=settings.AUTH_USER_MODEL)),
],
options={
'ordering': ['-created_on'],
},
),
migrations.CreateModel(
name='Topic',
fields=[
('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')),
('title', models.CharField(max_length=2000)),
('description', models.TextField()),
('status', models.CharField(choices=[('Draft', 'Draft'), ('Published', 'Published'), ('Disabled', 'Disabled')], max_length=10)),
('created_on', models.DateTimeField(auto_now=True)),
('updated_on', models.DateTimeField(auto_now=True)),
('no_of_views', models.IntegerField(default='0')),
('category', models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, to='django_simple_forum.ForumCategory')),
('created_by', models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, to=settings.AUTH_USER_MODEL)),
],
),
migrations.CreateModel(
name='UserProfile',
fields=[
('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')),
('used_votes', models.IntegerField(default='0')),
('user_roles', models.CharField(choices=[('Admin', 'Admin'), ('Publisher', 'Publisher')], max_length=10)),
('badges', models.ManyToManyField(to='django_simple_forum.Badge')),
('user', models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, to=settings.AUTH_USER_MODEL)),
],
),
migrations.CreateModel(
name='UserTopics',
fields=[
('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')),
('is_followed', models.BooleanField(default=False)),
('followed_on', models.DateField(blank=True, null=True)),
('no_of_votes', models.IntegerField(default='0')),
('is_like', models.BooleanField(default=False)),
('topic', models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, to='django_simple_forum.Topic')),
('user', models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, to=settings.AUTH_USER_MODEL)),
],
),
migrations.AddField(
model_name='comment',
name='topic',
field=models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, related_name='topic_comments', to='django_simple_forum.Topic'),
),
migrations.AlterIndexTogether(
name='timeline',
index_together=set([('content_type', 'object_id', 'namespace')]),
),
]
| 1.820313 | 2 |
templates/__init__.py | mpiannucci/MapGetter | 0 | 12764679 | from web.template import CompiledTemplate, ForLoop, TemplateResult
# coding: utf-8
def base (page):
__lineoffset__ = -4
loop = ForLoop()
self = TemplateResult(); extend_ = self.extend
extend_([u'\n'])
extend_([u'<html>\n'])
extend_([u'<head>\n'])
extend_([u' <meta name="viewport" content="width=device-width, initial-scale=1">\n'])
extend_([u' <title>MapGetter</title>\n'])
extend_([u' <link rel="shortcut icon" type="image/x-icon" href="/static/favicon.ico" />\n'])
extend_([u' <link rel="stylesheet" href="http://maxcdn.bootstrapcdn.com/bootstrap/3.2.0/css/bootstrap.min.css">\n'])
extend_([u' <link rel="stylesheet" type="text/css" href="/static/Styles/styles.css" />\n'])
extend_([u' <script src="https://ajax.googleapis.com/ajax/libs/jquery/1.11.1/jquery.min.js"></script>\n'])
extend_([u' <script src="http://maxcdn.bootstrapcdn.com/bootstrap/3.2.0/js/bootstrap.min.js"></script>\n'])
extend_([u' <script src="https://maps.googleapis.com/maps/api/js?v=3.exp&key=<KEY>"></script>\n'])
extend_([u' <script src="/static/Scripts/mapgetter.js" type="text/javascript"></script>\n'])
extend_([u'</head>\n'])
extend_([u'\n'])
extend_([u'<body>\n'])
extend_([u' <!-- Navigation Bar -->\n'])
extend_([u' <nav class="navbar navbar-inverse navbar-fixed-top" role="navigation">\n'])
extend_([u' <div class="container">\n'])
extend_([u' <!-- Brand and toggle get grouped for better mobile display -->\n'])
extend_([u' <div class="navbar-header">\n'])
extend_([u' <button type="button" class="navbar-toggle" data-toggle="collapse" data-target="#bs-example-navbar-collapse-1">\n'])
extend_([u' <span class="sr-only">Toggle navigation</span>\n'])
extend_([u' <span class="icon-bar"></span>\n'])
extend_([u' <span class="icon-bar"></span>\n'])
extend_([u' <span class="icon-bar"></span>\n'])
extend_([u' </button>\n'])
extend_([u' <a class="navbar-brand" href="http://blog.mpiannucci.com/"><NAME></a>\n'])
extend_([u' </div>\n'])
extend_([u' <!-- Collect the nav links, forms, and other content for toggling -->\n'])
extend_([u' <div class="collapse navbar-collapse" id="bs-example-navbar-collapse-1">\n'])
extend_([u' <ul class="nav navbar-nav">\n'])
extend_([u' <li>\n'])
extend_([u' <a href="http://blog.mpiannucci.com/blog">Blog</a>\n'])
extend_([u' </li>\n'])
extend_([u' <li>\n'])
extend_([u' <a href="http://blog.mpiannucci.com/apps">Projects</a>\n'])
extend_([u' </li>\n'])
extend_([u' <li>\n'])
extend_([u' <a href="http://blog.mpiannucci.com/bio">About</a>\n'])
extend_([u' </li>\n'])
extend_([u' </ul>\n'])
extend_([u' </div>\n'])
extend_([u' <!-- /.navbar-collapse -->\n'])
extend_([u' </div>\n'])
extend_([u' <!-- /.container -->\n'])
extend_([u' </nav>\n'])
extend_([u' <header class="jumbotron map_jumbotron" id="mainheader">\n'])
extend_([u' <div class="container">\n'])
extend_([u' <h1>MapGetter</h1>\n'])
extend_([u' <p>Get static images of a central area with coordinates in meters</p>\n'])
extend_([u' <em>Images courtesy of Google Maps</em>\n'])
extend_([u' </div>\n'])
extend_([u' </header>\n'])
extend_([u' <div class="row">\n'])
extend_([u' <div class="col-sm-12 text-center" id="mapImage">\n'])
extend_([u' <div class="container">\n'])
extend_([u' ', escape_(page, False), u'\n'])
extend_([u' </div>\n'])
extend_([u' </div>\n'])
extend_([u' </div>\n'])
extend_([u' <div class="row">\n'])
extend_([u' <div class="col-sm-12 text-center" id="mainfooter">\n'])
extend_([u' <div class="container">\n'])
extend_([u' <p>Copyright 2014, <NAME></p>\n'])
extend_([u' </div>\n'])
extend_([u' </div>\n'])
extend_([u' </div>\n'])
extend_([u'</div>\n'])
extend_([u'\n'])
extend_([u'</body>\n'])
extend_([u'</html>\n'])
return self
base = CompiledTemplate(base, 'templates/base.html')
join_ = base._join; escape_ = base._escape
# coding: utf-8
def index():
__lineoffset__ = -5
loop = ForLoop()
self = TemplateResult(); extend_ = self.extend
extend_([u'<div id="mapforms" class="table-responsive">\n'])
extend_([u' <form name="mapform">\n'])
extend_([u' <table class="table">\n'])
extend_([u' <tr>\n'])
extend_([u' <th>\n'])
extend_([u' <label for="coordCheck">By Coordinates</label>\n'])
extend_([u' </th>\n'])
extend_([u' <td>\n'])
extend_([u' <input type="checkbox" id="coordcheck" onclick="handleCheck(this)"></input>\n'])
extend_([u' </td>\n'])
extend_([u' </tr>\n'])
extend_([u' <tr>\n'])
extend_([u' <th>\n'])
extend_([u' <label for="addressbox">Address</label>\n'])
extend_([u' </th>\n'])
extend_([u' <td>\n'])
extend_([u' <input type="textbox" id="addressbox"></input>\n'])
extend_([u' </td>\n'])
extend_([u' </tr>\n'])
extend_([u' <tr>\n'])
extend_([u' <th>\n'])
extend_([u' <label for="citybox">City</label>\n'])
extend_([u' </th>\n'])
extend_([u' <td>\n'])
extend_([u' <input type="textbox" id="citybox"></input>\n'])
extend_([u' </td>\n'])
extend_([u' </tr>\n'])
extend_([u' <tr>\n'])
extend_([u' </th>\n'])
extend_([u' <th>\n'])
extend_([u' <label for="statebox">State</label>\n'])
extend_([u' </th>\n'])
extend_([u' <td>\n'])
extend_([u' <input type="textbox" id="statebox"></input>\n'])
extend_([u' </td>\n'])
extend_([u' </tr>\n'])
extend_([u' <tr>\n'])
extend_([u' <th>\n'])
extend_([u' <label for="textbox">Latitude</label>\n'])
extend_([u' </th>\n'])
extend_([u' <td>\n'])
extend_([u' <input type="textbox" id="latbox" disabled></input>\n'])
extend_([u' </td>\n'])
extend_([u' </tr>\n'])
extend_([u' <tr>\n'])
extend_([u' <th>\n'])
extend_([u' <label for="lonbox">Longitude</label>\n'])
extend_([u' </th>\n'])
extend_([u' <td>\n'])
extend_([u' <input type="textbox" id="lonbox" disabled></input>\n'])
extend_([u' </td>\n'])
extend_([u' </tr>\n'])
extend_([u' <tr>\n'])
extend_([u' <th>\n'])
extend_([u' <label for="zoomdrop" id="zoomlabel">Zoom</label>\n'])
extend_([u' </th>\n'])
extend_([u' <td>\n'])
extend_([u' <select id="zoomdrop">Zoom\n'])
extend_([u' <option value="5">5</option>\n'])
extend_([u' <option value="6">6</option>\n'])
extend_([u' <option value="7">7</option>\n'])
extend_([u' <option value="8">8</option>\n'])
extend_([u' <option value="9">9</option>\n'])
extend_([u' <option value="10">10</option>\n'])
extend_([u' <option value="11">11</option>\n'])
extend_([u' <option value="12">12</option>\n'])
extend_([u' <option value="13">13</option>\n'])
extend_([u' <option value="14">14</option>\n'])
extend_([u' <option value="15">15</option>\n'])
extend_([u' <option value="16">16</option>\n'])
extend_([u' <option value="17">17</option>\n'])
extend_([u' <option value="18">18</option>\n'])
extend_([u' <option value="19">19</option>\n'])
extend_([u' <option value="20">20</option>\n'])
extend_([u' </select>\n'])
extend_([u' </td>\n'])
extend_([u' </tr>\n'])
extend_([u' <tr>\n'])
extend_([u' <th>\n'])
extend_([u' <label for="textbox">Width and Height (meters)</label>\n'])
extend_([u' </th>\n'])
extend_([u' <td>\n'])
extend_([u' <input type="textbox" id="resultbox" disabled onclick="onSideLengthClick()" readonly="readonly"></input>\n'])
extend_([u' </td>\n'])
extend_([u' </tr>\n'])
extend_([u' <tr>\n'])
extend_([u' <th></th>\n'])
extend_([u' <td>\n'])
extend_([u' <button type="button" class="btn btn-default btn-lg" id="formButton" onclick="handleGetMap()" name="Get My Map">Get My Map</button>\n'])
extend_([u' </td>\n'])
extend_([u' </tr>\n'])
extend_([u' </table>\n'])
extend_([u' </form>\n'])
extend_([u'</div>\n'])
extend_([u'<div class="row">\n'])
extend_([u' <div id="mapimage" class="col-lg-12">\n'])
extend_([u' <img src="" id="mapresult" />\n'])
extend_([u' </div>\n'])
extend_([u'</div>\n'])
return self
index = CompiledTemplate(index, 'templates/index.html')
join_ = index._join; escape_ = index._escape
| 1.953125 | 2 |
crabageprediction/venv/Lib/site-packages/mpl_toolkits/axes_grid/angle_helper.py | 13rianlucero/CrabAgePrediction | 603 | 12764680 | <reponame>13rianlucero/CrabAgePrediction
from mpl_toolkits.axisartist.angle_helper import *
| 1.101563 | 1 |
gseapy/plot.py | jacobkimmel/GSEApy | 0 | 12764681 | # -*- coding: utf-8 -*-
import numpy as np
import logging, sys, operator
from matplotlib.colors import Normalize
from matplotlib.backends.backend_agg import FigureCanvasAgg as FigureCanvas
from matplotlib.figure import Figure
from matplotlib.ticker import MaxNLocator
from mpl_toolkits.axes_grid1 import make_axes_locatable
import matplotlib.pyplot as plt
import matplotlib.transforms as transforms
from gseapy.parser import unique
class _MidpointNormalize(Normalize):
def __init__(self, vmin=None, vmax=None, midpoint=None, clip=False):
self.midpoint = midpoint
Normalize.__init__(self, vmin, vmax, clip)
def __call__(self, value, clip=None):
# I'm ignoring masked values and all kinds of edge cases to make a
# simple example...
x, y = [self.vmin, self.midpoint, self.vmax], [0, 0.5, 1]
return np.ma.masked_array(np.interp(value, x, y))
def zscore(data2d, axis=0):
"""Standardize the mean and variance of the data axis Parameters.
:param data2d: DataFrame to normalize.
:param axis: int, Which axis to normalize across. If 0, normalize across rows,
if 1, normalize across columns. If None, don't change data
:Returns: Normalized DataFrame. Normalized data with a mean of 0 and variance of 1
across the specified axis.
"""
if axis is None:
# normalized to mean and std using entire matrix
# z_scored = (data2d - data2d.values.mean()) / data2d.values.std(ddof=1)
return data2d
assert axis in [0,1]
# if axis == 1:
# z_scored = data2d
# else:
# z_scored = data2d.T
# z_scored = (z_scored - z_scored.mean()) / z_scored.std(ddof=1)
# if axis == 1:
# return z_scored
# else:
# return z_scored.T
z_scored = data2d.apply(lambda x: (x-x.mean())/x.std(ddof=1),
axis=operator.xor(1, axis))
return z_scored
def colorbar(mappable):
ax = mappable.axes
fig = ax.figure
divider = make_axes_locatable(ax)
cax = divider.append_axes("right", size="2%", pad=0.05)
return fig.colorbar(mappable, cax=cax)
def heatmap(df, z_score=None, title='', figsize=(5,5), cmap='RdBu_r',
xticklabels=True, yticklabels=True, ofname=None, **kwargs):
"""Visualize the dataframe.
:param df: DataFrame from expression table.
:param z_score: z_score axis{0, 1}. If None, don't normalize data.
:param title: gene set name.
:param outdir: path to save heatmap.
:param figsize: heatmap figsize.
:param cmap: matplotlib colormap.
:param ofname: output file name. If None, don't save figure
"""
df = zscore(df, axis=z_score)
df = df.iloc[::-1]
# Get the positions and used label for the ticks
ny, nx = df.shape
xticks = np.arange(0, nx, 1) + .5
yticks = np.arange(0, ny, 1) + .5
# If working on commandline, don't show figure
if hasattr(sys, 'ps1') and (ofname is None):
fig = plt.figure(figsize=figsize)
else:
fig = Figure(figsize=figsize)
canvas = FigureCanvas(fig)
ax = fig.add_subplot(111)
vmin = np.percentile(df.min(), 2)
vmax = np.percentile(df.max(), 98)
matrix = ax.pcolormesh(df.values, cmap=cmap, vmin=vmin, vmax=vmax)
ax.set_ylim([0,len(df)])
ax.set(xticks=xticks, yticks=yticks)
ax.set_xticklabels(df.columns.values if xticklabels else '', fontsize=14, rotation=90)
ax.set_yticklabels(df.index.values if yticklabels else '', fontsize=14)
ax.set_title("%s\nHeatmap of the Analyzed Geneset"%title, fontsize=20)
ax.tick_params(axis='both', which='both', bottom=False, top=False,
right=False, left=False)
# cax=fig.add_axes([0.93,0.25,0.05,0.20])
# cbar = fig.colorbar(matrix, cax=cax)
cbar = colorbar(matrix)
cbar.ax.tick_params(axis='both', which='both', bottom=False, top=False,
right=False, left=False)
for side in ["top", "right", "left", "bottom"]:
ax.spines[side].set_visible(False)
cbar.ax.spines[side].set_visible(False)
# cbar.ax.set_title('',loc='left')
if ofname is not None:
# canvas.print_figure(ofname, bbox_inches='tight', dpi=300)
fig.savefig(ofname, bbox_inches='tight', dpi=300)
return
def gseaplot(rank_metric, term, hits_indices, nes, pval, fdr, RES,
pheno_pos='', pheno_neg='', figsize=(6,5.5),
cmap='seismic', ofname=None, **kwargs):
"""This is the main function for reproducing the gsea plot.
:param rank_metric: pd.Series for rankings, rank_metric.values.
:param term: gene_set name
:param hits_indices: hits indices of rank_metric.index presented in gene set S.
:param nes: Normalized enrichment scores.
:param pval: nominal p-value.
:param fdr: false discovery rate.
:param RES: running enrichment scores.
:param pheno_pos: phenotype label, positive correlated.
:param pheno_neg: phenotype label, negative correlated.
:param figsize: matplotlib figsize.
:param ofname: output file name. If None, don't save figure
"""
# plt.style.use('classic')
# center color map at midpoint = 0
norm = _MidpointNormalize(midpoint=0)
#dataFrame of ranked matrix scores
x = np.arange(len(rank_metric))
rankings = rank_metric.values
# figsize = (6,6)
phenoP_label = pheno_pos + ' (Positively Correlated)'
phenoN_label = pheno_neg + ' (Negatively Correlated)'
zero_score_ind = np.abs(rankings).argmin()
z_score_label = 'Zero score at ' + str(zero_score_ind)
nes_label = 'NES: '+ "{:.3f}".format(float(nes))
pval_label = 'Pval: '+ "{:.3f}".format(float(pval))
fdr_label = 'FDR: '+ "{:.3f}".format(float(fdr))
im_matrix = np.tile(rankings, (2,1))
# output truetype
plt.rcParams.update({'pdf.fonttype':42,'ps.fonttype':42})
# in most case, we will have many plots, so do not display plots
# It's also usefull to run this script on command line.
# GSEA Plots
gs = plt.GridSpec(16,1)
if hasattr(sys, 'ps1') and (ofname is None):
# working inside python console, show figure
fig = plt.figure(figsize=figsize)
else:
# If working on commandline, don't show figure
fig = Figure(figsize=figsize)
canvas = FigureCanvas(fig)
# Ranked Metric Scores Plot
ax1 = fig.add_subplot(gs[11:])
module = 'tmp' if ofname is None else ofname.split(".")[-2]
if module == 'ssgsea':
nes_label = 'ES: '+ "{:.3f}".format(float(nes))
pval_label='Pval: '
fdr_label='FDR: '
ax1.fill_between(x, y1=np.log(rankings), y2=0, color='#C9D3DB')
ax1.set_ylabel("log ranked metric", fontsize=14)
else:
ax1.fill_between(x, y1=rankings, y2=0, color='#C9D3DB')
ax1.set_ylabel("Ranked list metric", fontsize=14)
ax1.text(.05, .9, phenoP_label, color='red',
horizontalalignment='left', verticalalignment='top',
transform=ax1.transAxes)
ax1.text(.95, .05, phenoN_label, color='Blue',
horizontalalignment='right', verticalalignment='bottom',
transform=ax1.transAxes)
# the x coords of this transformation are data, and the y coord are axes
trans1 = transforms.blended_transform_factory(ax1.transData, ax1.transAxes)
if module != 'ssgsea':
ax1.vlines(zero_score_ind, 0, 1, linewidth=.5, transform=trans1, linestyles='--', color='grey')
ax1.text(zero_score_ind, 0.5, z_score_label,
horizontalalignment='center',
verticalalignment='center',
transform=trans1)
ax1.set_xlabel("Rank in Ordered Dataset", fontsize=14)
ax1.spines['top'].set_visible(False)
ax1.tick_params(axis='both', which='both', top=False, right=False, left=False)
ax1.locator_params(axis='y', nbins=5)
ax1.yaxis.set_major_formatter(plt.FuncFormatter(lambda tick_loc,tick_num : '{:.1f}'.format(tick_loc) ))
# use round method to control float number
# ax1.yaxis.set_major_formatter(plt.FuncFormatter(lambda tick_loc,tick_num : round(tick_loc, 1) ))
# gene hits
ax2 = fig.add_subplot(gs[8:10], sharex=ax1)
# the x coords of this transformation are data, and the y coord are axes
trans2 = transforms.blended_transform_factory(ax2.transData, ax2.transAxes)
ax2.vlines(hits_indices, 0, 1,linewidth=.5,transform=trans2)
ax2.spines['bottom'].set_visible(False)
ax2.tick_params(axis='both', which='both', bottom=False, top=False,
labelbottom=False, right=False, left=False, labelleft=False)
# colormap
ax3 = fig.add_subplot(gs[10], sharex=ax1)
ax3.imshow(im_matrix, aspect='auto', norm=norm, cmap=cmap, interpolation='none') # cm.coolwarm
ax3.spines['bottom'].set_visible(False)
ax3.tick_params(axis='both', which='both', bottom=False, top=False,
labelbottom=False, right=False, left=False,labelleft=False)
# Enrichment score plot
ax4 = fig.add_subplot(gs[:8], sharex=ax1)
ax4.plot(x, RES, linewidth=4, color ='#88C544')
ax4.text(.1, .1, fdr_label, transform=ax4.transAxes)
ax4.text(.1, .2, pval_label, transform=ax4.transAxes)
ax4.text(.1, .3, nes_label, transform=ax4.transAxes)
# the y coords of this transformation are data, and the x coord are axes
trans4 = transforms.blended_transform_factory(ax4.transAxes, ax4.transData)
ax4.hlines(0, 0, 1, linewidth=.5, transform=trans4, color='grey')
ax4.set_ylabel("Enrichment score (ES)", fontsize=14)
ax4.set_xlim(min(x), max(x))
ax4.tick_params(axis='both', which='both', bottom=False, top=False, labelbottom=False, right=False)
ax4.locator_params(axis='y', nbins=5)
# FuncFormatter need two argument, I don't know why. this lambda function used to format yaxis tick labels.
ax4.yaxis.set_major_formatter(plt.FuncFormatter(lambda tick_loc,tick_num : '{:.1f}'.format(tick_loc)) )
# fig adjustment
fig.suptitle(term, fontsize=16, fontweight='bold')
fig.subplots_adjust(hspace=0)
# fig.tight_layout()
if ofname is not None:
# canvas.print_figure(ofname, bbox_inches='tight', dpi=300)
fig.savefig(ofname, bbox_inches='tight', dpi=300)
return
def isfloat(x):
try:
float(x)
except:
return False
else:
return True
def dotplot(df, column='Adjusted P-value', title='', cutoff=0.05, top_term=10,
sizes=None, norm=None, legend=True, figsize=(6, 5.5),
cmap='RdBu_r', ofname=None, **kwargs):
"""Visualize enrichr results.
:param df: GSEApy DataFrame results.
:param column: which column of DataFrame to show. Default: Adjusted P-value
:param title: figure title
:param cutoff: p-adjust cut-off.
:param top_term: number of enriched terms to show.
:param ascending: bool, the order of y axis.
:param sizes: tuple, (min, max) scatter size. Not functional for now
:param norm: maplotlib.colors.Normalize object.
:param legend: bool, whether to show legend.
:param figsize: tuple, figure size.
:param cmap: matplotlib colormap
:param ofname: output file name. If None, don't save figure
"""
colname = column
# sorting the dataframe for better visualization
if colname in ['Adjusted P-value', 'P-value']:
# check if any values in `df[colname]` can't be coerced to floats
can_be_coerced = df[colname].map(isfloat)
if np.sum(~can_be_coerced) > 0:
raise ValueError('some value in %s could not be typecast to `float`'%colname)
else:
df.loc[:, colname] = df[colname].map(float)
df = df[df[colname] <= cutoff]
if len(df) < 1:
msg = "Warning: No enrich terms when cutoff = %s"%cutoff
return msg
df = df.assign(logAP=lambda x: - x[colname].apply(np.log10))
colname='logAP'
df = df.sort_values(by=colname).iloc[-top_term:,:]
#
temp = df['Overlap'].str.split("/", expand=True).astype(int)
df = df.assign(Hits=temp.iloc[:,0], Background=temp.iloc[:,1])
df = df.assign(Hits_ratio=lambda x:x.Hits / x.Background)
# x axis values
x = df.loc[:, colname].values
combined_score = df['Combined Score'].round().astype('int')
# y axis index and values
y = [i for i in range(0,len(df))]
ylabels = df['Term'].values
# Normalise to [0,1]
# b = (df['Count'] - df['Count'].min())/ np.ptp(df['Count'])
# area = 100 * b
# control the size of scatter and legend marker
levels = numbers = np.sort(df.Hits.unique())
if norm is None:
norm = Normalize()
elif isinstance(norm, tuple):
norm = Normalize(*norm)
elif not isinstance(norm, Normalize):
err = ("``size_norm`` must be None, tuple, "
"or Normalize object.")
raise ValueError(err)
min_width, max_width = np.r_[20, 100] * plt.rcParams["lines.linewidth"]
norm.clip = True
if not norm.scaled():
norm(np.asarray(numbers))
size_limits = norm.vmin, norm.vmax
scl = norm(numbers)
widths = np.asarray(min_width + scl * (max_width - min_width))
if scl.mask.any():
widths[scl.mask] = 0
sizes = dict(zip(levels, widths))
df['sizes'] = df.Hits.map(sizes)
area = df['sizes'].values
# creat scatter plot
if hasattr(sys, 'ps1') and (ofname is None):
# working inside python console, show figure
fig, ax = plt.subplots(figsize=figsize)
else:
# If working on commandline, don't show figure
fig = Figure(figsize=figsize)
canvas = FigureCanvas(fig)
ax = fig.add_subplot(111)
vmin = np.percentile(combined_score.min(), 2)
vmax = np.percentile(combined_score.max(), 98)
sc = ax.scatter(x=x, y=y, s=area, edgecolors='face', c=combined_score,
cmap=cmap, vmin=vmin, vmax=vmax)
if column in ['Adjusted P-value', 'P-value']:
xlabel = "-log$_{10}$(%s)"%column
else:
xlabel = column
ax.set_xlabel(xlabel, fontsize=14, fontweight='bold')
ax.yaxis.set_major_locator(plt.FixedLocator(y))
ax.yaxis.set_major_formatter(plt.FixedFormatter(ylabels))
ax.set_yticklabels(ylabels, fontsize=16)
# ax.set_ylim([-1, len(df)])
ax.grid()
# colorbar
cax=fig.add_axes([0.95,0.20,0.03,0.22])
cbar = fig.colorbar(sc, cax=cax,)
cbar.ax.tick_params(right=True)
cbar.ax.set_title('Combined\nScore',loc='left', fontsize=12)
# for terms less than 3
if len(df) >= 3:
# find the index of the closest value to the median
idx = [area.argmax(), np.abs(area - area.mean()).argmin(), area.argmin()]
idx = unique(idx)
else:
idx = df.index.values
label = df.iloc[idx, df.columns.get_loc('Hits')]
if legend:
handles, _ = ax.get_legend_handles_labels()
legend_markers = []
for ix in idx:
legend_markers.append(ax.scatter([],[], s=area[ix], c='b'))
# artist = ax.scatter([], [], s=size_levels,)
ax.legend(legend_markers, label, title='Hits')
ax.set_title(title, fontsize=20, fontweight='bold')
if ofname is not None:
# canvas.print_figure(ofname, bbox_inches='tight', dpi=300)
fig.savefig(ofname, bbox_inches='tight', dpi=300)
return
return ax
def barplot(df, column='Adjusted P-value', title="", cutoff=0.05, top_term=10,
figsize=(6.5,6), color='salmon', ofname=None, **kwargs):
"""Visualize enrichr results.
:param df: GSEApy DataFrame results.
:param column: which column of DataFrame to show. Default: Adjusted P-value
:param title: figure title.
:param cutoff: cut-off of the cloumn you've chosen.
:param top_term: number of top enriched terms to show.
:param figsize: tuple, matplotlib figsize.
:param color: color for bars.
:param ofname: output file name. If None, don't save figure
"""
colname = column
if colname in ['Adjusted P-value', 'P-value']:
df = df[df[colname] <= cutoff]
if len(df) < 1:
msg = "Warning: No enrich terms using library %s when cutoff = %s"%(title, cutoff)
return msg
df = df.assign(logAP = lambda x: - x[colname].apply(np.log10))
colname = 'logAP'
dd = df.sort_values(by=colname).iloc[-top_term:,:]
# dd = d.head(top_term).sort_values('logAP')
# create bar plot
if hasattr(sys, 'ps1') and (ofname is None):
# working inside python console, show (True) figure
fig = plt.figure(figsize=figsize)
else:
# If working on commandline, don't show figure
fig = Figure(figsize=figsize)
canvas = FigureCanvas(fig)
ax = fig.add_subplot(111)
bar = dd.plot.barh(x='Term', y=colname, color=color,
alpha=0.75, fontsize=16, ax=ax)
if column in ['Adjusted P-value', 'P-value']:
xlabel = "-log$_{10}$(%s)"%column
else:
xlabel = column
bar.set_xlabel(xlabel, fontsize=16, fontweight='bold')
bar.set_ylabel("")
bar.set_title(title, fontsize=24, fontweight='bold')
bar.xaxis.set_major_locator(MaxNLocator(integer=True))
bar.legend_.remove()
adjust_spines(ax, spines=['left','bottom'])
if ofname is not None:
# canvas.print_figure(ofname, bbox_inches='tight', dpi=300)
fig.savefig(ofname, bbox_inches='tight', dpi=300)
return
return ax
def adjust_spines(ax, spines):
"""function for removing spines and ticks.
:param ax: axes object
:param spines: a list of spines names to keep. e.g [left, right, top, bottom]
if spines = []. remove all spines and ticks.
"""
for loc, spine in ax.spines.items():
if loc in spines:
# spine.set_position(('outward', 10)) # outward by 10 points
# spine.set_smart_bounds(True)
continue
else:
spine.set_color('none') # don't draw spine
# turn off ticks where there is no spine
if 'left' in spines:
ax.yaxis.set_ticks_position('left')
else:
# no yaxis ticks
ax.yaxis.set_ticks([])
if 'bottom' in spines:
ax.xaxis.set_ticks_position('bottom')
else:
# no xaxis ticks
ax.xaxis.set_ticks([])
| 2.5625 | 3 |
lib/buildcommon.py | wgsyd/SCMReplication | 2 | 12764682 | '''some useful functions
'''
import contextlib
import os
import shutil
def generate_file_hash(filename):
'''generate hash of contents of file
@param filename [in] name of file to hash
'''
import hashlib
hasher = hashlib.sha256()
blocksize = 65536
with open(filename, 'rb') as fo:
buf = fo.read(blocksize)
while len(buf) > 0:
buf = buf.replace('\r\n', '\n')
buf = buf.replace('\r', '\n')
hasher.update(buf)
buf = fo.read(blocksize)
return hasher.hexdigest()
def generate_random_str(strlen=6):
import random
import string
return ''.join(random.choice(string.ascii_lowercase)
for _ in range(strlen))
@contextlib.contextmanager
def working_in_dir(working_dir):
'''change python cwd to working_dir and then change back to allow
caller to work temporarily in working_dir
'''
cwd = os.getcwd()
try:
os.chdir(working_dir)
yield
finally:
os.chdir(cwd)
def remove_dir_contents(directory, excludes=None):
'''remove contents of directory, but don't remove directory.
@param directory, string of path to cleanup
@param excludes, list of strings of path to exclude
'''
if excludes == None:
excludes = []
for file_name in os.listdir(directory):
if file_name in excludes:
continue
file_name = os.path.join(directory, file_name)
if os.path.isfile(file_name) or os.path.islink(file_name):
os.unlink(file_name)
else:
shutil.rmtree(file_name)
def get_list_attribute(list_of_dict, attr):
'''Get list of attributes from a list of dictionary
'''
list_of_attrs = map(lambda d: d.get(attr), list_of_dict)
list_of_attrs = filter(None, list_of_attrs)
return list_of_attrs
def get_file_exec_bits(fpath):
if os.path.isfile(fpath):
import stat
f_st = os.lstat(fpath)
st_exe_bits = stat.S_IXUSR | stat.S_IXGRP | stat.S_IXOTH
file_exe_bits = f_st.st_mode & st_exe_bits
return file_exe_bits
return 0
def get_dir_file_hash(dir_root, exclude=None, detect_dir=True, excluded_files=None):
file_comp_attr = {}
if not exclude:
exclude = []
exclude = [os.path.join(dir_root, exc_dir.lstrip('/')) if exc_dir.startswith('/') else exc_dir
for exc_dir in exclude]
def exclude_path(file_in_dir):
should_be_excluded = False
for exc_dir in exclude:
if exc_dir.startswith('/'):
should_be_excluded = file_in_dir.startswith(exc_dir + '/')
else:
should_be_excluded = exc_dir in file_in_dir
if should_be_excluded:
return True
if (excluded_files and
any([file_in_dir.endswith(ef) for ef in excluded_files])):
return True
len_dir_root = len(dir_root)
for walk_root, dirs, names in os.walk(dir_root):
if detect_dir:
for dir_name in dirs:
file_in_dir = os.path.join(walk_root, dir_name)
should_be_excluded = exclude_path(file_in_dir)
if should_be_excluded:
continue
dir_name = walk_root[len_dir_root:]
if dir_name:
file_comp_attr[dir_name] = 'is a directory'
for name in names:
file_in_dir = os.path.join(walk_root, name)
should_be_excluded = exclude_path(file_in_dir)
if should_be_excluded:
continue
# Include directories in the output dict, so that they could
# also be compared.
if detect_dir:
dir_name = walk_root[len_dir_root:]
if dir_name:
file_comp_attr[dir_name] = 'is a directory'
file_exec_bit = get_file_exec_bits(file_in_dir)
file_relative = '.' + file_in_dir[len(dir_root):]
if os.path.isfile(file_in_dir):
file_hash = generate_file_hash(file_in_dir)
file_comp_attr[file_relative] = [file_hash, file_exec_bit]
elif os.path.islink(file_in_dir):
link_to = os.readlink(file_in_dir)
file_comp_attr[file_relative] = [link_to, file_exec_bit]
return file_comp_attr
def get_common_stem(list_of_paths, wc_dir):
'''find common stem of paths
@param list_of_paths a list of path strings
'''
# sort the paths, from long paths to short paths
list_of_paths = [p[:-1] if p[-1] == '/' else p for p in list_of_paths]
list_of_paths = list(set(list_of_paths))
list_of_paths = sorted(list_of_paths, key=len)
should_be_removed = []
for idx, short_path in enumerate(list_of_paths):
if short_path in should_be_removed:
continue
for longer_path in list_of_paths[idx+1:]:
longer_path_dir, _ = os.path.split(longer_path)
if longer_path_dir.startswith(short_path):
should_be_removed.append(longer_path)
list_of_paths = list(set(list_of_paths) - set(should_be_removed))
return list_of_paths
def print_data(name, data):
'''try to print all the details of a data instance
@param name, string of name of data
@param data, any kind of object instance
'''
type_of_v = type(data)
if hasattr(data, 'keys'):
# could be a dictionary
for k in data.keys():
v = data.get(k)
print_data('%s.%s' % (name, k), v)
elif type_of_v is list:
for ve in data:
print_data('%s[]' % name, ve)
elif type_of_v is str:
print '%s: %s' % (name, data)
else:
print '%s: %s' % (name, data)
def sleep_until_interrupted(seconds=3600):
import time
try:
time.sleep(seconds)
except :
pass | 2.828125 | 3 |
tests/load/test_load_case.py | mhkc/scout | 111 | 12764683 | def test_load_case(case_obj, adapter):
## GIVEN a database with no cases
assert adapter.case_collection.find_one() is None
## WHEN loading a case
adapter._add_case(case_obj)
## THEN assert that the case have been loaded with correct info
assert adapter.case_collection.find_one()
def test_load_case_rank_model_version(case_obj, adapter):
## GIVEN a database with no cases
assert adapter.case_collection.find_one() is None
## WHEN loading a case
adapter._add_case(case_obj)
## THEN assert that the case have been loaded with rank_model
loaded_case = adapter.case_collection.find_one({"_id": case_obj["_id"]})
assert loaded_case["rank_model_version"] == case_obj["rank_model_version"]
assert loaded_case["sv_rank_model_version"] == case_obj["sv_rank_model_version"]
def test_load_case_limsid(case_obj, adapter):
"""Test loading a case with lims_id"""
## GIVEN a database with no cases
assert adapter.case_collection.find_one() is None
## WHEN loading a case
adapter._add_case(case_obj)
## THEN assert that the case have been loaded with lims id
loaded_case = adapter.case_collection.find_one({"_id": case_obj["_id"]})
assert loaded_case["lims_id"] == case_obj["lims_id"]
| 2.375 | 2 |
mes1052.py | SricardoSdSouza/LogicaDeProgramacao | 0 | 12764684 | <gh_stars>0
'''
Leia um valor inteiro entre 1 e 12, inclusive. Correspondente a este valor, deve ser apresentado como resposta o mês
do ano por extenso, em inglês, com a primeira letra maiúscula.
Entrada = A entrada contém um único valor inteiro.
Saída = Imprima por extenso o nome do mês correspondente ao número existente na entrada, com a primeira letra em maiúscula.
Exemplo de Entrada Exemplo de Saídanu
4 April
'''
meses = {1:'January', 2: 'February', 3: 'March', 4: 'April', 5: 'May', 6: 'June',
7: 'July', 8: 'August', 9: 'September', 10: 'October', 11: 'November', 12: 'December'}
mes = int(input())
if mes in meses.keys():
print(meses[mes]) | 3.765625 | 4 |
service/tests/fixtures/sword.py | tuub/jper-sword-out | 0 | 12764685 | <reponame>tuub/jper-sword-out<gh_stars>0
"""
Fixtures for testing sword features
"""
from copy import deepcopy
class SwordFactory(object):
"""
Class which provides access to the various fixtures used for testing the sword features
"""
@classmethod
def repository_status(cls):
"""
Example repository status
:return:
"""
return deepcopy(REPOSITORY_STATUS)
@classmethod
def repository_status_do_test(cls):
"""
Another example repository status
:return:
"""
return deepcopy(REPOSITORY_STATUS_DO)
@classmethod
def deposit_record(cls):
"""
Example deposit record
:return:
"""
return deepcopy(DEPOSIT_RECORD)
@classmethod
def deposit_record_do_test(cls):
"""
Another example deposit record
:return:
"""
return deepcopy(DEPOSIT_RECORD)
REPOSITORY_STATUS_DO = {
"id" : "12345",
"created_date" : "1970-01-01T00:00:00Z",
"last_updated" : "1971-01-01T00:00:00Z",
"last_deposit_date" : ("1972-01-01", "1972-01-01T00:00:00Z"),
"status" : "succeeding",
"last_tried" : "1971-01-01T00:00:00Z",
"retries" : 14
}
"""Example repository status"""
REPOSITORY_STATUS = {
"id" : "12345",
"last_updated" : "1970-01-01T00:00:00Z",
"created_date" : "1971-01-01T00:00:00Z",
"last_deposit_date" : "1972-01-01",
"status" : "succeeding",
"retries" : 14,
"last_tried" : "1971-01-01T00:00:00Z"
}
"""Another example repository status"""
DEPOSIT_RECORD_DO = {
"id" : "12345",
"created_date" : "1970-01-01T00:00:00Z",
"last_updated" : "1971-01-01T00:00:00Z",
"repository" : "12345",
"deposit_date" : "1972-01-01T00:00:00Z",
"metadata_status" : "deposited",
"content_status" : "none",
"completed_status" : "none"
}
"""Example deposit record"""
DEPOSIT_RECORD = {
"id" : "12345",
"last_updated" : "1970-01-01T00:00:00Z",
"created_date" : "1971-01-01T00:00:00Z",
"repository" : "12345",
"notification" : "abcde",
"deposit_date" : "1972-01-01T00:00:00Z",
"metadata_status" : "deposited",
"content_status" : "none",
"completed_status" : "none"
}
"""Another example deposit record""" | 2.5 | 2 |
erikutils/xkeckhelio.py | eteq/erikutils | 1 | 12764686 | #This is a direct port of x_keckhelio.pro from XIDL
from __future__ import division, print_function
from math import pi
from numpy import cos, sin
import numpy as np
def x_keckhelio(ra, dec, epoch=2000.0, jd=None, tai=None,
longitude=None, latitude=None, altitude=None, obs='keck'):
"""
`ra` and `dec` in degrees
Returns `vcorr`: "Velocity correction term, in km/s, to add to measured
radial velocity to convert it to the heliocentric frame."
but the sign seems to be backwards of what that says:
helio_shift = -1. * x_keckhelio(RA, DEC, 2000.0)
uses barvel and ct2lst functions from idlastro, also ported below
#NOTE: this seems to have some jitter about the IDL version at the .1 km/s level
"""
if longitude is not None and latitude is not None and altitude is not None:
print('using long/lat/alt instead of named observatory')
elif obs == 'keck':
longitude = 360. - 155.47220
latitude = 19.82656886
altitude = 4000. #meters
else:
print('Using observatory', obs)
if obs == 'vlt':
longitude = 360. - 70.40322
latitude = -24.6258
altitude = 2635. #meters
elif obs == 'mmt':
longitude = 360. - 110.88456
latitude = 31.688778
altitude = 2600. #meters
elif obs == 'lick':
longitude = 360. - 121.637222
latitude = 37.343056
altitude = 1283. #meters
else:
raise ValueError('unrecognized observatory' + obs)
if jd is None and tai is not None:
jd = 2400000.5 + tai / (24. * 3600.)
elif tai is None and jd is not None:
pass
else:
raise ValueError('Must specify either JD or TAI')
DRADEG = 180.0 / pi
# ----------
# Compute baryocentric velocity (Accurate only to 1m/s)
dvelh, dvelb = baryvel(jd, epoch)
#Project velocity toward star
vbarycen = dvelb[0]*cos(dec/DRADEG)*cos(ra/DRADEG) + \
dvelb[1]*cos(dec/DRADEG)*sin(ra/DRADEG) + dvelb[2]*sin(dec/DRADEG)
#----------
#Compute rotational velocity of observer on the Earth
#LAT is the latitude in radians.
latrad = latitude / DRADEG
#Reduction of geodetic latitude to geocentric latitude (radians).
#DLAT is in arcseconds.
dlat = -(11. * 60. + 32.743000) * sin(2. * latrad) + \
1.163300 * sin(4. * latrad) -0.002600 * sin(6. * latrad)
latrad = latrad + (dlat / 3600.) / DRADEG
#R is the radius vector from the Earth's center to the observer (meters).
#VC is the corresponding circular velocity
#(meters/sidereal day converted to km / sec).
#(sidereal day = 23.934469591229 hours (1986))
r = 6378160.0 * (0.998327073 + 0.00167643800 * cos(2. * latrad) - \
0.00000351 * cos(4. * latrad) + 0.000000008 * cos(6. * latrad)) \
+ altitude
vc = 2. * pi * (r / 1000.) / (23.934469591229 * 3600.)
#Compute the hour angle, HA, in degrees
LST = 15. * ct2lst(longitude, 'junk', jd) # convert from hours to degrees
HA = LST - ra
#Project the velocity onto the line of sight to the star.
vrotate = vc * cos(latrad) * cos(dec/DRADEG) * sin(HA/DRADEG)
return (-vbarycen + vrotate)
def ct2lst(lng, tz, jd, day=None, mon=None, year=None):
"""
# NAME:
# CT2LST
# PURPOSE:
# To convert from Local Civil Time to Local Mean Sidereal Time.
#
# CALLING SEQUENCE:
# CT2LST, Lst, Lng, Tz, Time, [Day, Mon, Year] #NOT SUPPORTED IN PYTHON PORT!
# or
# CT2LST, Lst, Lng, dummy, JD
#
# INPUTS:
# Lng - The longitude in degrees (east of Greenwich) of the place for
# which the local sidereal time is desired, scalar. The Greenwich
# mean sidereal time (GMST) can be found by setting Lng = 0.
# Tz - The time zone of the site in hours, positive East of the Greenwich
# meridian (ahead of GMT). Use this parameter to easily account
# for Daylight Savings time (e.g. -4=EDT, -5 = EST/CDT), scalar
# This parameter is not needed (and ignored) if Julian date is
# supplied. ***Note that the sign of TZ was changed in July 2008
# to match the standard definition.***
# Time or JD - If more than four parameters are specified, then this is
# the time of day of the specified date in decimal hours. If
# exactly four parameters are specified, then this is the
# Julian date of time in question, scalar or vector
#
# OPTIONAL INPUTS:
# Day - The day of the month (1-31),integer scalar or vector
# Mon - The month, in numerical format (1-12), integer scalar or vector
# Year - The 4 digit year (e.g. 2008), integer scalar or vector
#
# OUTPUTS:
# Lst The Local Sidereal Time for the date/time specified in hours.
#
# RESTRICTIONS:
# If specified, the date should be in numerical form. The year should
# appear as yyyy.
#
# PROCEDURE:
# The Julian date of the day and time is question is used to determine
# the number of days to have passed since 0 Jan 2000. This is used
# in conjunction with the GST of that date to extrapolate to the current
# GST# this is then used to get the LST. See Astronomical Algorithms
# by <NAME>, p. 84 (Eq. 11-4) for the constants used.
#
# EXAMPLE:
# Find the Greenwich mean sidereal time (GMST) on 2008 Jul 30 at 15:53 pm
# in Baltimore, Maryland (longitude=-76.72 degrees). The timezone is
# EDT or tz=-4
#
# IDL> CT2LST, lst, -76.72, -4,ten(15,53), 30, 07, 2008
#
# ==> lst = 11.356505 hours (= 11h 21m 23.418s)
#
# The Web site http://tycho.usno.navy.mil/sidereal.html contains more
# info on sidereal time, as well as an interactive calculator.
# PROCEDURES USED:
# jdcnv - Convert from year, month, day, hour to julian date
#
# MODIFICATION HISTORY:
# Adapted from the FORTRAN program GETSD by <NAME>, STX,
# 27 October 1988.
# Use IAU 1984 constants <NAME>, HSTX, April 1995, results
# differ by about 0.1 seconds
# Longitudes measured *east* of Greenwich <NAME> December 1998
# Time zone now measure positive East of Greenwich <NAME> July 2008
# Remove debugging print statement <NAME> April 2009
"""
# IF N_params() gt 4 THEN BEGIN
# time = tme - tz
# jdcnv, year, mon, day, time, jd
# ENDIF ELSE jd = double(tme)
#
# Useful constants, see Meeus, p.84
#
c = [280.46061837, 360.98564736629, 0.000387933, 38710000.0]
jd2000 = 2451545.0
t0 = jd - jd2000
t = t0 / 36525
#
# Compute GST in seconds.
#
theta = c[0] + (c[1] * t0) + t ** 2 * (c[2] - t / c[3])
#
# Compute LST in hours.
#
lst = np.array((theta + lng) / 15.0)
neg = lst < 0
if np.sum(neg) > 0:
if neg.shape == tuple():
lst = 24. + idl_like_mod(lst, 24.)
else:
lst[neg] = 24. + idl_like_mod(lst[neg], 24.)
return idl_like_mod(lst, 24.)
def baryvel(dje, deq):
#+
# NAME:
# BARYVEL
# PURPOSE:
# Calculates heliocentric and barycentric velocity components of Earth.
#
# EXPLANATION:
# BARYVEL takes into account the Earth-Moon motion, and is useful for
# radial velocity work to an accuracy of ~1 m/s.
#
# CALLING SEQUENCE:
# BARYVEL, dje, deq, dvelh, dvelb, [ JPL = ]
#
# INPUTS:
# DJE - (scalar) Julian ephemeris date.
# DEQ - (scalar) epoch of mean equinox of dvelh and dvelb. If deq=0
# then deq is assumed to be equal to dje.
# OUTPUTS:
# DVELH: (vector(3)) heliocentric velocity component. in km/s
# DVELB: (vector(3)) barycentric velocity component. in km/s
#
# The 3-vectors DVELH and DVELB are given in a right-handed coordinate
# system with the +X axis toward the Vernal Equinox, and +Z axis
# toward the celestial pole.
#
# OPTIONAL KEYWORD SET:
# JPL - if /JPL set, then BARYVEL will call the procedure JPLEPHINTERP
# to compute the Earth velocity using the full JPL ephemeris.
# The JPL ephemeris FITS file JPLEPH.405 must exist in either the
# current directory, or in the directory specified by the
# environment variable ASTRO_DATA. Alternatively, the JPL keyword
# can be set to the full path and name of the ephemeris file.
# A copy of the JPL ephemeris FITS file is available in
# http://idlastro.gsfc.nasa.gov/ftp/data/
# PROCEDURES CALLED:
# Function PREMAT() -- computes precession matrix
# JPLEPHREAD, JPLEPHINTERP, TDB2TDT - if /JPL keyword is set
# NOTES:
# Algorithm taken from FORTRAN program of Stumpff (1980, A&A Suppl, 41,1)
# Stumpf claimed an accuracy of 42 cm/s for the velocity. A
# comparison with the JPL FORTRAN planetary ephemeris program PLEPH
# found agreement to within about 65 cm/s between 1986 and 1994
#
# If /JPL is set (using JPLEPH.405 ephemeris file) then velocities are
# given in the ICRS system# otherwise in the FK4 system.
# EXAMPLE:
# Compute the radial velocity of the Earth toward Altair on 15-Feb-1994
# using both the original Stumpf algorithm and the JPL ephemeris
#
# IDL> jdcnv, 1994, 2, 15, 0, jd #==> JD = 2449398.5
# IDL> baryvel, jd, 2000, vh, vb #Original algorithm
# ==> vh = [-17.07243, -22.81121, -9.889315] #Heliocentric km/s
# ==> vb = [-17.08083, -22.80471, -9.886582] #Barycentric km/s
# IDL> baryvel, jd, 2000, vh, vb, /jpl #JPL ephemeris
# ==> vh = [-17.07236, -22.81126, -9.889419] #Heliocentric km/s
# ==> vb = [-17.08083, -22.80484, -9.886409] #Barycentric km/s
#
# IDL> ra = ten(19,50,46.77)*15/!RADEG #RA in radians
# IDL> dec = ten(08,52,3.5)/!RADEG #Dec in radians
# IDL> v = vb[0]*cos(dec)*cos(ra) + $ #Project velocity toward star
# vb[1]*cos(dec)*sin(ra) + vb[2]*sin(dec)
#
# REVISION HISTORY:
# <NAME>, U.C. Berkeley Translated BARVEL.FOR to IDL.
# <NAME>, Cleaned up program sent by <NAME> (SfSU) June 1994
# Converted to IDL V5.0 <NAME> September 1997
# Added /JPL keyword <NAME> July 2001
# Documentation update W. Landsman Dec 2005
#-
#Define constants
dc2pi = 2* pi
cc2pi = dc2pi
dc1 = 1.0
dcto = 2415020.0
dcjul = 36525.0 #days in Julian year
dcbes = 0.313
dctrop = 365.24219572 #days in tropical year (...572 insig)
dc1900 = 1900.0
AU = 1.4959787e8
#Constants dcfel(i,k) of fast changing elements.
dcfel = [1.7400353e00, 6.2833195099091e02, 5.2796e-6 \
,6.2565836e00, 6.2830194572674e02, -2.6180e-6 \
,4.7199666e00, 8.3997091449254e03, -1.9780e-5 \
,1.9636505e-1, 8.4334662911720e03, -5.6044e-5 \
,4.1547339e00, 5.2993466764997e01, 5.8845e-6 \
,4.6524223e00, 2.1354275911213e01, 5.6797e-6 \
,4.2620486e00, 7.5025342197656e00, 5.5317e-6 \
,1.4740694e00, 3.8377331909193e00, 5.6093e-6 ]
dcfel = np.array(dcfel).reshape(8,3)
#constants dceps and ccsel(i,k) of slowly changing elements.
dceps = [4.093198e-1, -2.271110e-4, -2.860401e-8 ]
ccsel = [1.675104E-2, -4.179579E-5, -1.260516E-7 \
,2.220221E-1, 2.809917E-2, 1.852532E-5 \
,1.589963E00, 3.418075E-2, 1.430200E-5 \
,2.994089E00, 2.590824E-2, 4.155840E-6 \
,8.155457E-1, 2.486352E-2, 6.836840E-6 \
,1.735614E00, 1.763719E-2, 6.370440E-6 \
,1.968564E00, 1.524020E-2, -2.517152E-6 \
,1.282417E00, 8.703393E-3, 2.289292E-5 \
,2.280820E00, 1.918010E-2, 4.484520E-6 \
,4.833473E-2, 1.641773E-4, -4.654200E-7 \
,5.589232E-2, -3.455092E-4, -7.388560E-7 \
,4.634443E-2, -2.658234E-5, 7.757000E-8 \
,8.997041E-3, 6.329728E-6, -1.939256E-9 \
,2.284178E-2, -9.941590E-5, 6.787400E-8 \
,4.350267E-2, -6.839749E-5, -2.714956E-7 \
,1.348204E-2, 1.091504E-5, 6.903760E-7 \
,3.106570E-2, -1.665665E-4, -1.590188E-7 ]
ccsel = np.array(ccsel).reshape(17,3)
#Constants of the arguments of the short-period perturbations.
dcargs = [5.0974222, -7.8604195454652e2 \
,3.9584962, -5.7533848094674e2 \
,1.6338070, -1.1506769618935e3 \
,2.5487111, -3.9302097727326e2 \
,4.9255514, -5.8849265665348e2 \
,1.3363463, -5.5076098609303e2 \
,1.6072053, -5.2237501616674e2 \
,1.3629480, -1.1790629318198e3 \
,5.5657014, -1.0977134971135e3 \
,5.0708205, -1.5774000881978e2 \
,3.9318944, 5.2963464780000e1 \
,4.8989497, 3.9809289073258e1 \
,1.3097446, 7.7540959633708e1 \
,3.5147141, 7.9618578146517e1 \
,3.5413158, -5.4868336758022e2 ]
dcargs = np.array(dcargs).reshape(15,2)
#Amplitudes ccamps(n,k) of the short-period perturbations.
ccamps = \
[-2.279594E-5, 1.407414E-5, 8.273188E-6, 1.340565E-5, -2.490817E-7 \
,-3.494537E-5, 2.860401E-7, 1.289448E-7, 1.627237E-5, -1.823138E-7 \
, 6.593466E-7, 1.322572E-5, 9.258695E-6, -4.674248E-7, -3.646275E-7 \
, 1.140767E-5, -2.049792E-5, -4.747930E-6, -2.638763E-6, -1.245408E-7 \
, 9.516893E-6, -2.748894E-6, -1.319381E-6, -4.549908E-6, -1.864821E-7 \
, 7.310990E-6, -1.924710E-6, -8.772849E-7, -3.334143E-6, -1.745256E-7 \
,-2.603449E-6, 7.359472E-6, 3.168357E-6, 1.119056E-6, -1.655307E-7 \
,-3.228859E-6, 1.308997E-7, 1.013137E-7, 2.403899E-6, -3.736225E-7 \
, 3.442177E-7, 2.671323E-6, 1.832858E-6, -2.394688E-7, -3.478444E-7 \
, 8.702406E-6, -8.421214E-6, -1.372341E-6, -1.455234E-6, -4.998479E-8 \
,-1.488378E-6, -1.251789E-5, 5.226868E-7, -2.049301E-7, 0.E0 \
,-8.043059E-6, -2.991300E-6, 1.473654E-7, -3.154542E-7, 0.E0 \
, 3.699128E-6, -3.316126E-6, 2.901257E-7, 3.407826E-7, 0.E0 \
, 2.550120E-6, -1.241123E-6, 9.901116E-8, 2.210482E-7, 0.E0 \
,-6.351059E-7, 2.341650E-6, 1.061492E-6, 2.878231E-7, 0.E0 ]
ccamps = np.array(ccamps).reshape(15,5)
#Constants csec3 and ccsec(n,k) of the secular perturbations in longitude.
ccsec3 = -7.757020E-8
ccsec = [1.289600E-6, 5.550147E-1, 2.076942E00 \
,3.102810E-5, 4.035027E00, 3.525565E-1 \
,9.124190E-6, 9.990265E-1, 2.622706E00 \
,9.793240E-7, 5.508259E00, 1.559103E01 ]
ccsec = np.array(ccsec).reshape(4,3)
#Sidereal rates.
dcsld = 1.990987e-7 #sidereal rate in longitude
ccsgd = 1.990969E-7 #sidereal rate in mean anomaly
#Constants used in the calculation of the lunar contribution.
cckm = 3.122140E-5
ccmld = 2.661699E-6
ccfdi = 2.399485E-7
#Constants dcargm(i,k) of the arguments of the perturbations of the motion
# of the moon.
dcargm = [5.1679830, 8.3286911095275e3 \
,5.4913150, -7.2140632838100e3 \
,5.9598530, 1.5542754389685e4 ]
dcargm = np.array(dcargm).reshape(3,2)
#Amplitudes ccampm(n,k) of the perturbations of the moon.
ccampm = [ 1.097594E-1, 2.896773E-7, 5.450474E-2, 1.438491E-7 \
,-2.223581E-2, 5.083103E-8, 1.002548E-2, -2.291823E-8 \
, 1.148966E-2, 5.658888E-8, 8.249439E-3, 4.063015E-8 ]
ccampm = np.array(ccampm).reshape(3,4)
#ccpamv(k)=a*m*dl,dt (planets), dc1mme=1-mass(earth+moon)
ccpamv = [8.326827E-11, 1.843484E-11, 1.988712E-12, 1.881276E-12]
dc1mme = 0.99999696
#Time arguments.
dt = (dje - dcto) / dcjul
tvec = np.array([1., dt, dt*dt])
#Values of all elements for the instant(aneous?) dje.
temp = idl_like_mod(idl_like_pound(tvec,dcfel), dc2pi)
#PROBLEM: the mod here is where the 100 m/s error slips in
dml = temp[:,0]
forbel = temp[:,1:8]
g = forbel[:,0] #old fortran equivalence
deps = idl_like_mod(np.sum(tvec*dceps), dc2pi)
sorbel = idl_like_mod(idl_like_pound(tvec, ccsel), dc2pi)
e = sorbel[:, 0] #old fortran equivalence
#Secular perturbations in longitude.
dummy=cos(2.0)
sn = sin(idl_like_mod(idl_like_pound(tvec.ravel()[0:2] , ccsec[:, 1:3]),cc2pi))
#Periodic perturbations of the emb (earth-moon barycenter).
pertl = np.sum(ccsec[:,0] * sn) + dt*ccsec3*sn.ravel()[2]
pertld = 0.0
pertr = 0.0
pertrd = 0.0
for k in range(14):
a = idl_like_mod((dcargs[k,0]+dt*dcargs[k,1]), dc2pi)
cosa = cos(a)
sina = sin(a)
pertl = pertl + ccamps[k,0]*cosa + ccamps[k,1]*sina
pertr = pertr + ccamps[k,2]*cosa + ccamps[k,3]*sina
if k < 11:
pertld = pertld + (ccamps[k,1]*cosa-ccamps[k,0]*sina)*ccamps[k,4]
pertrd = pertrd + (ccamps[k,3]*cosa-ccamps[k,2]*sina)*ccamps[k,4]
#Elliptic part of the motion of the emb.
phi = (e*e/4)*(((8/e)-e)*sin(g) +5*sin(2*g) +(13/3)*e*sin(3*g))
f = g + phi
sinf = sin(f)
cosf = cos(f)
dpsi = (dc1 - e*e) / (dc1 + e*cosf)
phid = 2*e*ccsgd*((1 + 1.5*e*e)*cosf + e*(1.25 - 0.5*sinf*sinf))
psid = ccsgd*e*sinf * (dc1 - e*e)**-0.5
#Perturbed heliocentric motion of the emb.
d1pdro = dc1+pertr
drd = d1pdro * (psid + dpsi*pertrd)
drld = d1pdro*dpsi * (dcsld+phid+pertld)
dtl = idl_like_mod((dml + phi + pertl), dc2pi)
dsinls = sin(dtl)
dcosls = cos(dtl)
dxhd = drd*dcosls - drld*dsinls
dyhd = drd*dsinls + drld*dcosls
#Influence of eccentricity, evection and variation on the geocentric
# motion of the moon.
pertl = 0.0
pertld = 0.0
pertp = 0.0
pertpd = 0.0
for k in range(2):
a = idl_like_mod((dcargm[k,0] + dt*dcargm[k,1]), dc2pi)
sina = sin(a)
cosa = cos(a)
pertl = pertl + ccampm[k,0]*sina
pertld = pertld + ccampm[k,1]*cosa
pertp = pertp + ccampm[k,2]*cosa
pertpd = pertpd - ccampm[k,3]*sina
#Heliocentric motion of the earth.
tl = forbel.ravel()[1] + pertl
sinlm = sin(tl)
coslm = cos(tl)
sigma = cckm / (1.0 + pertp)
a = sigma*(ccmld + pertld)
b = sigma*pertpd
dxhd = dxhd + a*sinlm + b*coslm
dyhd = dyhd - a*coslm + b*sinlm
dzhd= -sigma*ccfdi*cos(forbel.ravel()[2])
#Barycentric motion of the earth.
dxbd = dxhd*dc1mme
dybd = dyhd*dc1mme
dzbd = dzhd*dc1mme
for k in range(3):
plon = forbel.ravel()[k+3]
pomg = sorbel.ravel()[k+1]
pecc = sorbel.ravel()[k+9]
tl = idl_like_mod((plon + 2.0*pecc*sin(plon-pomg)), cc2pi)
dxbd = dxbd + ccpamv[k]*(sin(tl) + pecc*sin(pomg))
dybd = dybd - ccpamv[k]*(cos(tl) + pecc*cos(pomg))
dzbd = dzbd - ccpamv[k]*sorbel.ravel()[k+13]*cos(plon - sorbel.ravel()[k+5])
#Transition to mean equator of date.
dcosep = cos(deps)
dsinep = sin(deps)
dyahd = dcosep*dyhd - dsinep*dzhd
dzahd = dsinep*dyhd + dcosep*dzhd
dyabd = dcosep*dybd - dsinep*dzbd
dzabd = dsinep*dybd + dcosep*dzbd
#Epoch of mean equinox (deq) of zero implies that we should use
# Julian ephemeris date (dje) as epoch of mean equinox.
if deq == 0:
dvelh = AU * ([dxhd, dyahd, dzahd])
dvelb = AU * ([dxbd, dyabd, dzabd])
return dvelh, dvelb
#General precession from epoch dje to deq.
deqdat = (dje-dcto-dcbes) / dctrop + dc1900
prema = premat(deqdat,deq,FK4=True)
dvelh = AU * idl_like_pound( prema, [dxhd, dyahd, dzahd] )
dvelb = AU * idl_like_pound( prema, [dxbd, dyabd, dzabd] )
return dvelh, dvelb
def premat(equinox1, equinox2, FK4=False):
"""
#+
# NAME:
# PREMAT
# PURPOSE:
# Return the precession matrix needed to go from EQUINOX1 to EQUINOX2.
# EXPLANTION:
# This matrix is used by the procedures PRECESS and BARYVEL to precess
# astronomical coordinates
#
# CALLING SEQUENCE:
# matrix = PREMAT( equinox1, equinox2, [ /FK4 ] )
#
# INPUTS:
# EQUINOX1 - Original equinox of coordinates, numeric scalar.
# EQUINOX2 - Equinox of precessed coordinates.
#
# OUTPUT:
# matrix - double precision 3 x 3 precession matrix, used to precess
# equatorial rectangular coordinates
#
# OPTIONAL INPUT KEYWORDS:
# /FK4 - If this keyword is set, the FK4 (B1950.0) system precession
# angles are used to compute the precession matrix. The
# default is to use FK5 (J2000.0) precession angles
#
# EXAMPLES:
# Return the precession matrix from 1950.0 to 1975.0 in the FK4 system
#
# IDL> matrix = PREMAT( 1950.0, 1975.0, /FK4)
#
# PROCEDURE:
# FK4 constants from "Computational Spherical Astronomy" by Taff (1983),
# p. 24. (FK4). FK5 constants from "Astronomical Almanac Explanatory
# Supplement 1992, page 104 Table 3.211.1.
#
# REVISION HISTORY
# Written, <NAME>, HSTX Corporation, June 1994
# Converted to IDL V5.0 <NAME> September 1997
#-
"""
deg_to_rad = pi/180.0
sec_to_rad = deg_to_rad/3600.
T = 0.001 * ( equinox2 - equinox1)
if not FK4: # FK5
ST = 0.001*( equinox1 - 2000.)
# Compute 3 rotation angles
A = sec_to_rad * T * (23062.181 + ST*(139.656 +0.0139*ST) \
+ T*(30.188 - 0.344*ST+17.998*T))
B = sec_to_rad * T * T * (79.280 + 0.410*ST + 0.205*T) + A
C = sec_to_rad * T * (20043.109 - ST*(85.33 + 0.217*ST) \
+ T*(-42.665 - 0.217*ST -41.833*T))
else:
ST = 0.001*( equinox1 - 1900.)
# Compute 3 rotation angles
A = sec_to_rad * T * (23042.53 + ST*(139.75 +0.06*ST) \
+ T*(30.23 - 0.27*ST+18.0*T))
B = sec_to_rad * T * T * (79.27 + 0.66*ST + 0.32*T) + A
C = sec_to_rad * T * (20046.85 - ST*(85.33 + 0.37*ST) \
+ T*(-42.67 - 0.37*ST -41.8*T))
sina = sin(A)
sinb = sin(B)
sinc = sin(C)
cosa = cos(A)
cosb = cos(B)
cosc = cos(C)
r = np.empty([3, 3])
r[:,0] = [ cosa*cosb*cosc-sina*sinb, sina*cosb+cosa*sinb*cosc, cosa*sinc]
r[:,1] = [-cosa*sinb-sina*cosb*cosc, cosa*cosb-sina*sinb*cosc, -sina*sinc]
r[:,2] = [-cosb*sinc, -sinb*sinc, cosc]
return r
def idl_like_pound(a, b):
a = np.array(a, copy=False)
b = np.array(b, copy=False)
if len(a.shape) == 2 and len(b.shape) == 1:
return np.dot(a.T, b)
if len(a.shape) == 1 and len(b.shape) == 2:
res = np.dot(a, b.T)
return res.reshape(1, res.size)
else:
return np.dot(a, b)
def idl_like_mod(a, b):
a = np.array(a, copy=False)
b = np.array(b, copy=False)
res = np.abs(a) % b
if a.shape == tuple():
if a<0:
return -res
else:
return res
else:
res[a<0] *= -1
return res
| 2.578125 | 3 |
graph.py | RemainAplomb/Basic-Data-Structure-Training-using-Python-Tkinter | 1 | 12764687 | <reponame>RemainAplomb/Basic-Data-Structure-Training-using-Python-Tkinter
class graph1:
def __init__(self):
self.graph1 = { 1 : [ 2 , 3 ] ,
2 : [ 4 ] ,
3 : [ 6 ] ,
4 : [ 5 ] ,
5 : [ 2 ] ,
6 : [ 4 , 7 ] ,
7 : [ ] }
self.startingPoint = 1
def useBFS(self):
self.visited = []
self.queue = [ self.startingPoint ]
while self.queue:
self.node = self.queue.pop(0)
if self.node not in self.visited:
self.visited.append( self.node )
self.neighbours = self.graph1[ self.node ]
for neighbour in self.neighbours:
self.queue.append( neighbour )
return self.visited
def useDFS(self, node = 1, visited = []):
self.node = node
self.visited = visited
if self.node not in self.visited:
self.visited.append( self.node )
for nde in self.graph1[ self.node ] :
self.useDFS( nde , self.visited )
return self.visited
def searchGraph1 (self, vertex ):
self.node = 1
self.visited = []
self.vertex = vertex
self.queue = [1]
while self.queue:
self.node = self.queue.pop(0)
if self.node not in self.visited:
self.visited.append( self.node )
if int(self.vertex) == int(self.node):
return True
for nde in self.graph1[ self.node ] :
self.queue.append( nde)
return False
class graph2:
def __init__(self):
self.graph2 = { "A" : [ "B" ] ,
"B" : [ "E" ] ,
"E" : [ "C" , "D" ],
"C" : [] ,
"D" : [] }
def useBFS(self):
self.startingPoint = "A"
self.visited = []
self.queue = [ self.startingPoint ]
while self.queue:
self.node = self.queue.pop(0)
if self.node not in self.visited:
self.visited.append( self.node )
self.neighbours = self.graph2[ self.node ]
for neighbour in self.neighbours:
self.queue.append( neighbour )
return self.visited
def useDFS(self, node = "A", visited = []):
self.node = node
self.visited = visited
if self.node not in self.visited:
self.visited.append( self.node )
for nde in self.graph2[ self.node ] :
self.useDFS( nde , self.visited )
return self.visited
def searchGraph2(self, vertex):
self.startingPoint = "A"
self.vertex = vertex
self.visited = []
self.queue = [ self.startingPoint ]
while self.queue:
self.node = self.queue.pop(0)
if self.node not in self.visited:
if self.node == self.vertex:
return True
self.visited.append( self.node )
self.neighbours = self.graph2[ self.node ]
for neighbour in self.neighbours:
self.queue.append( neighbour )
return False
graph1 = graph1()
print( graph1.useDFS() )
print( graph1.searchGraph1(7) )
graph2 = graph2()
print( graph2.useBFS() )
print( graph2.searchGraph2("E") )
while True:
print( "====================================\n" )
print( " MENU \n" )
print( "====================================\n" )
print( " [1] Perform Depth First Traversal \n" )
print( " [2] Perform Breadth First Traversal\n")
print( " [3] Search Graph 1 ( DFS ) \n " )
print( " [4] Search Graph 2 ( BFS ) \n " )
print( " [5] Exit \n " )
print( "====================================\n" )
choice = eval( input ( " What is your choice : " ) )
if choice == 1 :
print( "====================================\n" )
print( " Choose a graph to DFT \n" )
print( "====================================\n" )
print( " [1] Graph 1 \n" )
print( " [2] Graph 2 \n" )
print( "====================================\n" )
choice2 = eval( input ( " What is your choice : " ) )
print( "====================================\n" )
if choice2 == 1:
print( " The result is : " + str(graph1.useDFS()) )
if choice2 == 2:
print( " The result is : " + str(graph2.useDFS()) )
elif choice == 2 :
print( "====================================\n" )
print( " Choose a graph to BFT \n" )
print( "====================================\n" )
print( " [1] Graph 1 \n" )
print( " [2] Graph 2 \n" )
print( "====================================\n" )
choice2 = eval( input ( " What is your choice : " ) )
print( "====================================\n" )
if choice2 == 1:
print( " The result is : " + str(graph1.useBFS()) )
if choice2 == 2:
print( " The result is : " + str(graph2.useBFS()) )
elif choice == 3:
print( "====================================\n" )
vertex = eval ( input ( " Enter a vertex : " ))
print( "====================================\n" )
print( " The result is : " + str( graph1.searchGraph1() ) )
print( "====================================\n" )
elif choice == 4:
print( "====================================\n" )
vertex = eval ( input ( " Enter a vertex : " ))
print( "====================================\n" )
print( " The result is : " + str( graph2.searchGraph2() ) )
print( "====================================\n" )
elif choice == 5:
break
else:
print ( " Error : Invalid Input " )
| 3.59375 | 4 |
ozone-framework-python-server/migration_owf/export.py | aamduka/ozone | 6 | 12764688 | import loader
from migration_tool.adapters.mssql import MSSQLAdapter
from migration_tool.adapters.mysql import MySQLAdapter
from migration_tool.adapters.postgres import PostgresAdapter
from migration_tool.adapters.oracle import OracleAdapter
from migration_tool.sql2json import SQLtoJSON
if __name__ == '__main__':
databases = [
# PostgresAdapter({
# 'host': 'localhost',
# 'database': 'owf',
# 'user': 'owf',
# 'password': 'password',
# }),
# MySQLAdapter({
# 'host': 'localhost',
# 'database': 'owf',
# 'user': 'root',
# 'password': 'password',
# # 'unix_socket': "/tmp/mysql.sock",
# }),
# OracleAdapter({
# 'host': 'localhost',
# 'database': 'ORCLCDB',
# 'user': 'system',
# 'password': '<PASSWORD>',
# 'port': '1521',
# 'client_path': 'C:\instantclient_19_5', # needed for windows.
# }),
MSSQLAdapter({
'host': 'localhost',
'database': 'owf',
'user': 'sa',
'password': '<PASSWORD>',
})
]
for adapter in databases:
SQLtoJSON(adapter) \
.with_tables() \
.with_schema() \
.to_json()
| 1.867188 | 2 |
tests/examples/minlplib/arki0003.py | ouyang-w-19/decogo | 2 | 12764689 | # NLP written by GAMS Convert at 04/21/18 13:50:54
#
# Equation counts
# Total E G L N X C B
# 2583 450 31 2102 0 0 0 0
#
# Variable counts
# x b i s1s s2s sc si
# Total cont binary integer sos1 sos2 scont sint
# 2283 2283 0 0 0 0 0 0
# FX 31 31 0 0 0 0 0 0
#
# Nonzero counts
# Total const NL DLL
# 12634 8554 4080 0
from pyomo.environ import *
model = m = ConcreteModel()
m.x1 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x2 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x3 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x4 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x5 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x6 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x7 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x8 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x9 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x10 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x11 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x12 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x13 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x14 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x15 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x16 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x17 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x18 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x19 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x20 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x21 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x22 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x23 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x24 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x25 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x26 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x27 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x28 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x29 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x30 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x31 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x32 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x33 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x34 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x35 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x36 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x37 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x38 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x39 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x40 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x41 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x42 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x43 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x44 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x45 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x46 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x47 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x48 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x49 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x50 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x51 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x52 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x53 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x54 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x55 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x56 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x57 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x58 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x59 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x60 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x61 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x62 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x63 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x64 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x65 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x66 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x67 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x68 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x69 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x70 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x71 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x72 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x73 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x74 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x75 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x76 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x77 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x78 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x79 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x80 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x81 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x82 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x83 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x84 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x85 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x86 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x87 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x88 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x89 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x90 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x91 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x92 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x93 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x94 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x95 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x96 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x97 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x98 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x99 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x100 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x101 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x102 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x103 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x104 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x105 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x106 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x107 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x108 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x109 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x110 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x111 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x112 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x113 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x114 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x115 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x116 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x117 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x118 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x119 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x120 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x121 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x122 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x123 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x124 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x125 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x126 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x127 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x128 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x129 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x130 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x131 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x132 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x133 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x134 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x135 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x136 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x137 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x138 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x139 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x140 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x141 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x142 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x143 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x144 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x145 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x146 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x147 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x148 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x149 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x150 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x151 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x152 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x153 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x154 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x155 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x156 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x157 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x158 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x159 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x160 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x161 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x162 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x163 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x164 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x165 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x166 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x167 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x168 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x169 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x170 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x171 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x172 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x173 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x174 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x175 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x176 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x177 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x178 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x179 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x180 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x181 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x182 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x183 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x184 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x185 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x186 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x187 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x188 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x189 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x190 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x191 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x192 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x193 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x194 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x195 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x196 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x197 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x198 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x199 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x200 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x201 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x202 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x203 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x204 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x205 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x206 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x207 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x208 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x209 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x210 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x211 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x212 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x213 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x214 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x215 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x216 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x217 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x218 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x219 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x220 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x221 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x222 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x223 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x224 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x225 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x226 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x227 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x228 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x229 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x230 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x231 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x232 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x233 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x234 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x235 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x236 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x237 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x238 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x239 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x240 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x241 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x242 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x243 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x244 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x245 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x246 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x247 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x248 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x249 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x250 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x251 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x252 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x253 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x254 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x255 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x256 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x257 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x258 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x259 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x260 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x261 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x262 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x263 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x264 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x265 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x266 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x267 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x268 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x269 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x270 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x271 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x272 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x273 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x274 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x275 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x276 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x277 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x278 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x279 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x280 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x281 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x282 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x283 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x284 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x285 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x286 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x287 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x288 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x289 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x290 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x291 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x292 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x293 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x294 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x295 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x296 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x297 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x298 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x299 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x300 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x301 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x302 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x303 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x304 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x305 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x306 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x307 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x308 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x309 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x310 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x311 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x312 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x313 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x314 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x315 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x316 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x317 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x318 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x319 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x320 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x321 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x322 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x323 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x324 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x325 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x326 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x327 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x328 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x329 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x330 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x331 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x332 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x333 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x334 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x335 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x336 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x337 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x338 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x339 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x340 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x341 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x342 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x343 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x344 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x345 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x346 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x347 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x348 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x349 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x350 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x351 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x352 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x353 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x354 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x355 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x356 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x357 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x358 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x359 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x360 = Var(within=Reals,bounds=(None,None),initialize=130)
m.x361 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x362 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x363 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x364 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x365 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x366 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x367 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x368 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x369 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x370 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x371 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x372 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x373 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x374 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x375 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x376 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x377 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x378 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x379 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x380 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x381 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x382 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x383 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x384 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x385 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x386 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x387 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x388 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x389 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x390 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x391 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x392 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x393 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x394 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x395 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x396 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x397 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x398 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x399 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x400 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x401 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x402 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x403 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x404 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x405 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x406 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x407 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x408 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x409 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x410 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x411 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x412 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x413 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x414 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x415 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x416 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x417 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x418 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x419 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x420 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x421 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x422 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x423 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x424 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x425 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x426 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x427 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x428 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x429 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x430 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x431 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x432 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x433 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x434 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x435 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x436 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x437 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x438 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x439 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x440 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x441 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x442 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x443 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x444 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x445 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x446 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x447 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x448 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x449 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x450 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x451 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x452 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x453 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x454 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x455 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x456 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x457 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x458 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x459 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x460 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x461 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x462 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x463 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x464 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x465 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x466 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x467 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x468 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x469 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x470 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x471 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x472 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x473 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x474 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x475 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x476 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x477 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x478 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x479 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x480 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x481 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x482 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x483 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x484 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x485 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x486 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x487 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x488 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x489 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x490 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x491 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x492 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x493 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x494 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x495 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x496 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x497 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x498 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x499 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x500 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x501 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x502 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x503 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x504 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x505 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x506 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x507 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x508 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x509 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x510 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x511 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x512 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x513 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x514 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x515 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x516 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x517 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x518 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x519 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x520 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x521 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x522 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x523 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x524 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x525 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x526 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x527 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x528 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x529 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x530 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x531 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x532 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x533 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x534 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x535 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x536 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x537 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x538 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x539 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x540 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x541 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x542 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x543 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x544 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x545 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x546 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x547 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x548 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x549 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x550 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x551 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x552 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x553 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x554 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x555 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x556 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x557 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x558 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x559 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x560 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x561 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x562 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x563 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x564 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x565 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x566 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x567 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x568 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x569 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x570 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x571 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x572 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x573 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x574 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x575 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x576 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x577 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x578 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x579 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x580 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x581 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x582 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x583 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x584 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x585 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x586 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x587 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x588 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x589 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x590 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x591 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x592 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x593 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x594 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x595 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x596 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x597 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x598 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x599 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x600 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x601 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x602 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x603 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x604 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x605 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x606 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x607 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x608 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x609 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x610 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x611 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x612 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x613 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x614 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x615 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x616 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x617 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x618 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x619 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x620 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x621 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x622 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x623 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x624 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x625 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x626 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x627 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x628 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x629 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x630 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x631 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x632 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x633 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x634 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x635 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x636 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x637 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x638 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x639 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x640 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x641 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x642 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x643 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x644 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x645 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x646 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x647 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x648 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x649 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x650 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x651 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x652 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x653 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x654 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x655 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x656 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x657 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x658 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x659 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x660 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x661 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x662 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x663 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x664 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x665 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x666 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x667 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x668 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x669 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x670 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x671 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x672 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x673 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x674 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x675 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x676 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x677 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x678 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x679 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x680 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x681 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x682 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x683 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x684 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x685 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x686 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x687 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x688 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x689 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x690 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x691 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x692 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x693 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x694 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x695 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x696 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x697 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x698 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x699 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x700 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x701 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x702 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x703 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x704 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x705 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x706 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x707 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x708 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x709 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x710 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x711 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x712 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x713 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x714 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x715 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x716 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x717 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x718 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x719 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x720 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x721 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x722 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x723 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x724 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x725 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x726 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x727 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x728 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x729 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x730 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x731 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x732 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x733 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x734 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x735 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x736 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x737 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x738 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x739 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x740 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x741 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x742 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x743 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x744 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x745 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x746 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x747 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x748 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x749 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x750 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x751 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x752 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x753 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x754 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x755 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x756 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x757 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x758 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x759 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x760 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x761 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x762 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x763 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x764 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x765 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x766 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x767 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x768 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x769 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x770 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x771 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x772 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x773 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x774 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x775 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x776 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x777 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x778 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x779 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x780 = Var(within=Reals,bounds=(0,None),initialize=130)
m.x781 = Var(within=Reals,bounds=(10,100000),initialize=2000)
m.x782 = Var(within=Reals,bounds=(10,100000),initialize=2000)
m.x783 = Var(within=Reals,bounds=(10,100000),initialize=2000)
m.x784 = Var(within=Reals,bounds=(10,100000),initialize=2000)
m.x785 = Var(within=Reals,bounds=(10,100000),initialize=2000)
m.x786 = Var(within=Reals,bounds=(10,100000),initialize=2000)
m.x787 = Var(within=Reals,bounds=(10,100000),initialize=2000)
m.x788 = Var(within=Reals,bounds=(10,100000),initialize=2000)
m.x789 = Var(within=Reals,bounds=(10,100000),initialize=2000)
m.x790 = Var(within=Reals,bounds=(10,100000),initialize=2000)
m.x791 = Var(within=Reals,bounds=(10,100000),initialize=2000)
m.x792 = Var(within=Reals,bounds=(10,100000),initialize=2000)
m.x793 = Var(within=Reals,bounds=(10,100000),initialize=2000)
m.x794 = Var(within=Reals,bounds=(10,100000),initialize=2000)
m.x795 = Var(within=Reals,bounds=(10,100000),initialize=2000)
m.x796 = Var(within=Reals,bounds=(10,100000),initialize=2000)
m.x797 = Var(within=Reals,bounds=(10,100000),initialize=2000)
m.x798 = Var(within=Reals,bounds=(10,100000),initialize=2000)
m.x799 = Var(within=Reals,bounds=(10,100000),initialize=2000)
m.x800 = Var(within=Reals,bounds=(10,100000),initialize=2000)
m.x801 = Var(within=Reals,bounds=(10,100000),initialize=2000)
m.x802 = Var(within=Reals,bounds=(10,100000),initialize=2000)
m.x803 = Var(within=Reals,bounds=(10,100000),initialize=2000)
m.x804 = Var(within=Reals,bounds=(10,100000),initialize=2000)
m.x805 = Var(within=Reals,bounds=(10,100000),initialize=2000)
m.x806 = Var(within=Reals,bounds=(10,100000),initialize=2000)
m.x807 = Var(within=Reals,bounds=(10,100000),initialize=2000)
m.x808 = Var(within=Reals,bounds=(10,100000),initialize=2000)
m.x809 = Var(within=Reals,bounds=(10,100000),initialize=2000)
m.x810 = Var(within=Reals,bounds=(10,100000),initialize=2000)
m.x811 = Var(within=Reals,bounds=(0,0),initialize=0)
m.x812 = Var(within=Reals,bounds=(0,0),initialize=0)
m.x813 = Var(within=Reals,bounds=(0,0),initialize=0)
m.x814 = Var(within=Reals,bounds=(0,0),initialize=0)
m.x815 = Var(within=Reals,bounds=(0,0),initialize=0)
m.x816 = Var(within=Reals,bounds=(0,0),initialize=0)
m.x817 = Var(within=Reals,bounds=(0,0),initialize=0)
m.x818 = Var(within=Reals,bounds=(0,0),initialize=0)
m.x819 = Var(within=Reals,bounds=(0,0),initialize=0)
m.x820 = Var(within=Reals,bounds=(0,0),initialize=0)
m.x821 = Var(within=Reals,bounds=(0,0),initialize=0)
m.x822 = Var(within=Reals,bounds=(0,0),initialize=0)
m.x823 = Var(within=Reals,bounds=(0,0),initialize=0)
m.x824 = Var(within=Reals,bounds=(0,0),initialize=0)
m.x825 = Var(within=Reals,bounds=(0,0),initialize=0)
m.x826 = Var(within=Reals,bounds=(0,0),initialize=0)
m.x827 = Var(within=Reals,bounds=(0,0),initialize=0)
m.x828 = Var(within=Reals,bounds=(0,0),initialize=0)
m.x829 = Var(within=Reals,bounds=(0,0),initialize=0)
m.x830 = Var(within=Reals,bounds=(0,0),initialize=0)
m.x831 = Var(within=Reals,bounds=(0,0),initialize=0)
m.x832 = Var(within=Reals,bounds=(0,0),initialize=0)
m.x833 = Var(within=Reals,bounds=(0,0),initialize=0)
m.x834 = Var(within=Reals,bounds=(0,0),initialize=0)
m.x835 = Var(within=Reals,bounds=(0,0),initialize=0)
m.x836 = Var(within=Reals,bounds=(0,0),initialize=0)
m.x837 = Var(within=Reals,bounds=(0,0),initialize=0)
m.x838 = Var(within=Reals,bounds=(0,0),initialize=0)
m.x839 = Var(within=Reals,bounds=(0,0),initialize=0)
m.x840 = Var(within=Reals,bounds=(0,0),initialize=0)
m.x841 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x842 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x843 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x844 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x845 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x846 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x847 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x848 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x849 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x850 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x851 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x852 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x853 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x854 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x855 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x856 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x857 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x858 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x859 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x860 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x861 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x862 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x863 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x864 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x865 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x866 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x867 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x868 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x869 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x870 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x871 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x872 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x873 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x874 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x875 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x876 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x877 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x878 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x879 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x880 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x881 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x882 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x883 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x884 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x885 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x886 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x887 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x888 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x889 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x890 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x891 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x892 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x893 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x894 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x895 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x896 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x897 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x898 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x899 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x900 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x901 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x902 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x903 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x904 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x905 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x906 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x907 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x908 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x909 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x910 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x911 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x912 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x913 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x914 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x915 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x916 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x917 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x918 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x919 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x920 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x921 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x922 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x923 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x924 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x925 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x926 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x927 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x928 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x929 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x930 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x931 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x932 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x933 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x934 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x935 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x936 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x937 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x938 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x939 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x940 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x941 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x942 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x943 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x944 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x945 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x946 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x947 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x948 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x949 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x950 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x951 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x952 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x953 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x954 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x955 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x956 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x957 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x958 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x959 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x960 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x961 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x962 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x963 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x964 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x965 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x966 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x967 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x968 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x969 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x970 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x971 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x972 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x973 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x974 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x975 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x976 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x977 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x978 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x979 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x980 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x981 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x982 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x983 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x984 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x985 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x986 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x987 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x988 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x989 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x990 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x991 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x992 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x993 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x994 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x995 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x996 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x997 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x998 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x999 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1000 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1001 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1002 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1003 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1004 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1005 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1006 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1007 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1008 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1009 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1010 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1011 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1012 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1013 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1014 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1015 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1016 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1017 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1018 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1019 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1020 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1021 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1022 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1023 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1024 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1025 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1026 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1027 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1028 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1029 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1030 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1031 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1032 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1033 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1034 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1035 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1036 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1037 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1038 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1039 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1040 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1041 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1042 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1043 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1044 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1045 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1046 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1047 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1048 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1049 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1050 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1051 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1052 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1053 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1054 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1055 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1056 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1057 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1058 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1059 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1060 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1061 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1062 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1063 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1064 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1065 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1066 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1067 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1068 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1069 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1070 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1071 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1072 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1073 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1074 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1075 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1076 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1077 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1078 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1079 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1080 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1081 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1082 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1083 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1084 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1085 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1086 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1087 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1088 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1089 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1090 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1091 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1092 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1093 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1094 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1095 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1096 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1097 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1098 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1099 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1100 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1101 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1102 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1103 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1104 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1105 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1106 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1107 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1108 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1109 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1110 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1111 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1112 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1113 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1114 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1115 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1116 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1117 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1118 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1119 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1120 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1121 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1122 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1123 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1124 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1125 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1126 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1127 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1128 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1129 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1130 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1131 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1132 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1133 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1134 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1135 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1136 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1137 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1138 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1139 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1140 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1141 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1142 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1143 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1144 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1145 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1146 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1147 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1148 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1149 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1150 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1151 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1152 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1153 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1154 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1155 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1156 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1157 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1158 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1159 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1160 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1161 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1162 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1163 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1164 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1165 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1166 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1167 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1168 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1169 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1170 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1171 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1172 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1173 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1174 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1175 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1176 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1177 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1178 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1179 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1180 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1181 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1182 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1183 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1184 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1185 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1186 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1187 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1188 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1189 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1190 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1191 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1192 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1193 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1194 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1195 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1196 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1197 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1198 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1199 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1200 = Var(within=Reals,bounds=(0,None),initialize=166.666666666667)
m.x1201 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1202 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1203 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1204 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1205 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1206 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1207 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1208 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1209 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1210 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1211 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1212 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1213 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1214 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1215 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1216 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1217 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1218 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1219 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1220 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1221 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1222 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1223 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1224 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1225 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1226 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1227 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1228 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1229 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1230 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1231 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1232 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1233 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1234 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1235 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1236 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1237 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1238 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1239 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1240 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1241 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1242 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1243 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1244 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1245 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1246 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1247 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1248 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1249 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1250 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1251 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1252 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1253 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1254 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1255 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1256 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1257 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1258 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1259 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1260 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1261 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1262 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1263 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1264 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1265 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1266 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1267 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1268 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1269 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1270 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1271 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1272 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1273 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1274 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1275 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1276 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1277 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1278 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1279 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1280 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1281 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1282 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1283 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1284 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1285 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1286 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1287 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1288 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1289 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1290 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1291 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1292 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1293 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1294 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1295 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1296 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1297 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1298 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1299 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1300 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1301 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1302 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1303 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1304 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1305 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1306 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1307 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1308 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1309 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1310 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1311 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1312 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1313 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1314 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1315 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1316 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1317 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1318 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1319 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1320 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1321 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1322 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1323 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1324 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1325 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1326 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1327 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1328 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1329 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1330 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1331 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1332 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1333 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1334 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1335 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1336 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1337 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1338 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1339 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1340 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1341 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1342 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1343 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1344 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1345 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1346 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1347 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1348 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1349 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1350 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1351 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1352 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1353 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1354 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1355 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1356 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1357 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1358 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1359 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1360 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1361 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1362 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1363 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1364 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1365 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1366 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1367 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1368 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1369 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1370 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1371 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1372 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1373 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1374 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1375 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1376 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1377 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1378 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1379 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1380 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1381 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1382 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1383 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1384 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1385 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1386 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1387 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1388 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1389 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1390 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1391 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1392 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1393 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1394 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1395 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1396 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1397 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1398 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1399 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1400 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1401 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1402 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1403 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1404 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1405 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1406 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1407 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1408 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1409 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1410 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1411 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1412 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1413 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1414 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1415 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1416 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1417 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1418 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1419 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1420 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1421 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1422 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1423 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1424 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1425 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1426 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1427 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1428 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1429 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1430 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1431 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1432 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1433 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1434 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1435 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1436 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1437 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1438 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1439 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1440 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1441 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1442 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1443 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1444 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1445 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1446 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1447 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1448 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1449 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1450 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1451 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1452 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1453 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1454 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1455 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1456 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1457 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1458 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1459 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1460 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1461 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1462 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1463 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1464 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1465 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1466 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1467 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1468 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1469 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1470 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1471 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1472 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1473 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1474 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1475 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1476 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1477 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1478 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1479 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1480 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1481 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1482 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1483 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1484 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1485 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1486 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1487 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1488 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1489 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1490 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1491 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1492 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1493 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1494 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1495 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1496 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1497 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1498 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1499 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1500 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1501 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1502 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1503 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1504 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1505 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1506 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1507 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1508 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1509 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1510 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1511 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1512 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1513 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1514 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1515 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1516 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1517 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1518 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1519 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1520 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1521 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1522 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1523 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1524 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1525 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1526 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1527 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1528 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1529 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1530 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1531 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1532 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1533 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1534 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1535 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1536 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1537 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1538 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1539 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1540 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1541 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1542 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1543 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1544 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1545 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1546 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1547 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1548 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1549 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1550 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1551 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1552 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1553 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1554 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1555 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1556 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1557 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1558 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1559 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1560 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1561 = Var(within=Reals,bounds=(0,None),initialize=10000000)
m.x1562 = Var(within=Reals,bounds=(0,None),initialize=10000000)
m.x1563 = Var(within=Reals,bounds=(0,None),initialize=10000000)
m.x1564 = Var(within=Reals,bounds=(0,None),initialize=10000000)
m.x1565 = Var(within=Reals,bounds=(0,None),initialize=10000000)
m.x1566 = Var(within=Reals,bounds=(0,None),initialize=10000000)
m.x1567 = Var(within=Reals,bounds=(0,None),initialize=10000000)
m.x1568 = Var(within=Reals,bounds=(0,None),initialize=10000000)
m.x1569 = Var(within=Reals,bounds=(0,None),initialize=10000000)
m.x1570 = Var(within=Reals,bounds=(0,None),initialize=10000000)
m.x1571 = Var(within=Reals,bounds=(0,None),initialize=10000000)
m.x1572 = Var(within=Reals,bounds=(0,None),initialize=10000000)
m.x1573 = Var(within=Reals,bounds=(0,None),initialize=10000000)
m.x1574 = Var(within=Reals,bounds=(0,None),initialize=10000000)
m.x1575 = Var(within=Reals,bounds=(0,None),initialize=10000000)
m.x1576 = Var(within=Reals,bounds=(0,None),initialize=10000000)
m.x1577 = Var(within=Reals,bounds=(0,None),initialize=10000000)
m.x1578 = Var(within=Reals,bounds=(0,None),initialize=10000000)
m.x1579 = Var(within=Reals,bounds=(0,None),initialize=10000000)
m.x1580 = Var(within=Reals,bounds=(0,None),initialize=10000000)
m.x1581 = Var(within=Reals,bounds=(0,None),initialize=10000000)
m.x1582 = Var(within=Reals,bounds=(0,None),initialize=10000000)
m.x1583 = Var(within=Reals,bounds=(0,None),initialize=10000000)
m.x1584 = Var(within=Reals,bounds=(0,None),initialize=10000000)
m.x1585 = Var(within=Reals,bounds=(0,None),initialize=10000000)
m.x1586 = Var(within=Reals,bounds=(0,None),initialize=10000000)
m.x1587 = Var(within=Reals,bounds=(0,None),initialize=10000000)
m.x1588 = Var(within=Reals,bounds=(0,None),initialize=10000000)
m.x1589 = Var(within=Reals,bounds=(0,None),initialize=10000000)
m.x1590 = Var(within=Reals,bounds=(0,None),initialize=10000000)
m.x1591 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x1592 = Var(within=Reals,bounds=(13,100),initialize=13)
m.x1593 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1594 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1595 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1596 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1597 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1598 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1599 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1600 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1601 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1602 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1603 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1604 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1605 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1606 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1607 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1608 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1609 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1610 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1611 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1612 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1613 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1614 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1615 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1616 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1617 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1618 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1619 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1620 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1621 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1622 = Var(within=Reals,bounds=(13,100),initialize=13)
m.x1623 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1624 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1625 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1626 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1627 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1628 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1629 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1630 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1631 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1632 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1633 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1634 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1635 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1636 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1637 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1638 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1639 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1640 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1641 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1642 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1643 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1644 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1645 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1646 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1647 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1648 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1649 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1650 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1651 = Var(within=Reals,bounds=(0,100),initialize=13)
m.x1652 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1653 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1654 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1655 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1656 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1657 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1658 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1659 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1660 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1661 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1662 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1663 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1664 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1665 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1666 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1667 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1668 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1669 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1670 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1671 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1672 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1673 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1674 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1675 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1676 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1677 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1678 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1679 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1680 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1681 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1682 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1683 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1684 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1685 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1686 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1687 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1688 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1689 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1690 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1691 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1692 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1693 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1694 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1695 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1696 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1697 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1698 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1699 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1700 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1701 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1702 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1703 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1704 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1705 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1706 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1707 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1708 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1709 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1710 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1711 = Var(within=Reals,bounds=(0,None),initialize=2000)
m.x1712 = Var(within=Reals,bounds=(0,2),initialize=2)
m.x1713 = Var(within=Reals,bounds=(0,2),initialize=2)
m.x1714 = Var(within=Reals,bounds=(0,2),initialize=2)
m.x1715 = Var(within=Reals,bounds=(0,2),initialize=2)
m.x1716 = Var(within=Reals,bounds=(0,2),initialize=2)
m.x1717 = Var(within=Reals,bounds=(0,2),initialize=2)
m.x1718 = Var(within=Reals,bounds=(0,2),initialize=2)
m.x1719 = Var(within=Reals,bounds=(0,2),initialize=2)
m.x1720 = Var(within=Reals,bounds=(0,2),initialize=2)
m.x1721 = Var(within=Reals,bounds=(0,2),initialize=2)
m.x1722 = Var(within=Reals,bounds=(0,2),initialize=2)
m.x1723 = Var(within=Reals,bounds=(0,2),initialize=2)
m.x1724 = Var(within=Reals,bounds=(0,2),initialize=2)
m.x1725 = Var(within=Reals,bounds=(0,2),initialize=2)
m.x1726 = Var(within=Reals,bounds=(0,2),initialize=2)
m.x1727 = Var(within=Reals,bounds=(0,2),initialize=2)
m.x1728 = Var(within=Reals,bounds=(0,2),initialize=2)
m.x1729 = Var(within=Reals,bounds=(0,2),initialize=2)
m.x1730 = Var(within=Reals,bounds=(0,2),initialize=2)
m.x1731 = Var(within=Reals,bounds=(0,2),initialize=2)
m.x1732 = Var(within=Reals,bounds=(0,2),initialize=2)
m.x1733 = Var(within=Reals,bounds=(0,2),initialize=2)
m.x1734 = Var(within=Reals,bounds=(0,2),initialize=2)
m.x1735 = Var(within=Reals,bounds=(0,2),initialize=2)
m.x1736 = Var(within=Reals,bounds=(0,2),initialize=2)
m.x1737 = Var(within=Reals,bounds=(0,2),initialize=2)
m.x1738 = Var(within=Reals,bounds=(0,2),initialize=2)
m.x1739 = Var(within=Reals,bounds=(0,2),initialize=2)
m.x1740 = Var(within=Reals,bounds=(0,2),initialize=2)
m.x1741 = Var(within=Reals,bounds=(0,2),initialize=2)
m.x1742 = Var(within=Reals,bounds=(0,1341),initialize=800)
m.x1743 = Var(within=Reals,bounds=(0,1341),initialize=800)
m.x1744 = Var(within=Reals,bounds=(0,1341),initialize=800)
m.x1745 = Var(within=Reals,bounds=(0,1341),initialize=800)
m.x1746 = Var(within=Reals,bounds=(0,1341),initialize=800)
m.x1747 = Var(within=Reals,bounds=(0,1341),initialize=800)
m.x1748 = Var(within=Reals,bounds=(0,1341),initialize=800)
m.x1749 = Var(within=Reals,bounds=(0,1341),initialize=800)
m.x1750 = Var(within=Reals,bounds=(0,1341),initialize=800)
m.x1751 = Var(within=Reals,bounds=(0,1341),initialize=800)
m.x1752 = Var(within=Reals,bounds=(0,1341),initialize=800)
m.x1753 = Var(within=Reals,bounds=(0,1341),initialize=800)
m.x1754 = Var(within=Reals,bounds=(0,1341),initialize=800)
m.x1755 = Var(within=Reals,bounds=(0,1341),initialize=800)
m.x1756 = Var(within=Reals,bounds=(0,1341),initialize=800)
m.x1757 = Var(within=Reals,bounds=(0,1341),initialize=800)
m.x1758 = Var(within=Reals,bounds=(0,1341),initialize=800)
m.x1759 = Var(within=Reals,bounds=(0,1341),initialize=800)
m.x1760 = Var(within=Reals,bounds=(0,1341),initialize=800)
m.x1761 = Var(within=Reals,bounds=(0,1341),initialize=800)
m.x1762 = Var(within=Reals,bounds=(0,1341),initialize=800)
m.x1763 = Var(within=Reals,bounds=(0,1341),initialize=800)
m.x1764 = Var(within=Reals,bounds=(0,1341),initialize=800)
m.x1765 = Var(within=Reals,bounds=(0,1341),initialize=800)
m.x1766 = Var(within=Reals,bounds=(0,1341),initialize=800)
m.x1767 = Var(within=Reals,bounds=(0,1341),initialize=800)
m.x1768 = Var(within=Reals,bounds=(0,1341),initialize=800)
m.x1769 = Var(within=Reals,bounds=(0,1341),initialize=800)
m.x1770 = Var(within=Reals,bounds=(0,1341),initialize=800)
m.x1771 = Var(within=Reals,bounds=(0,1341),initialize=800)
m.x1772 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x1773 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x1774 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x1775 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x1776 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x1777 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x1778 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x1779 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x1780 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x1781 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x1782 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x1783 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x1784 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x1785 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x1786 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x1787 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x1788 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x1789 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x1790 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x1791 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x1792 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x1793 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x1794 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x1795 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x1796 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x1797 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x1798 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x1799 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x1800 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x1801 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x1802 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1803 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1804 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1805 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1806 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1807 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1808 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1809 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1810 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1811 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1812 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1813 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1814 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1815 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1816 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1817 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1818 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1819 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1820 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1821 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1822 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1823 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1824 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1825 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1826 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1827 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1828 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1829 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1830 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1831 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1832 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1833 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1834 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1835 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1836 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1837 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1838 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1839 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1840 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1841 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1842 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1843 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1844 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1845 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1846 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1847 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1848 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1849 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1850 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1851 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1852 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1853 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1854 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1855 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1856 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1857 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1858 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1859 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1860 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1861 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1862 = Var(within=Reals,bounds=(0,None),initialize=0)
m.x1863 = Var(within=Reals,bounds=(1341,1341),initialize=1341)
m.x1864 = Var(within=Reals,bounds=(0,1375),initialize=1300)
m.x1865 = Var(within=Reals,bounds=(0,1375),initialize=1300)
m.x1866 = Var(within=Reals,bounds=(0,1375),initialize=1300)
m.x1867 = Var(within=Reals,bounds=(0,1375),initialize=1300)
m.x1868 = Var(within=Reals,bounds=(0,1375),initialize=1300)
m.x1869 = Var(within=Reals,bounds=(0,1375),initialize=1300)
m.x1870 = Var(within=Reals,bounds=(0,1375),initialize=1300)
m.x1871 = Var(within=Reals,bounds=(0,1375),initialize=1300)
m.x1872 = Var(within=Reals,bounds=(0,1375),initialize=1300)
m.x1873 = Var(within=Reals,bounds=(0,1375),initialize=1300)
m.x1874 = Var(within=Reals,bounds=(0,1375),initialize=1300)
m.x1875 = Var(within=Reals,bounds=(0,1375),initialize=1300)
m.x1876 = Var(within=Reals,bounds=(0,1375),initialize=1300)
m.x1877 = Var(within=Reals,bounds=(0,1375),initialize=1300)
m.x1878 = Var(within=Reals,bounds=(0,1375),initialize=1300)
m.x1879 = Var(within=Reals,bounds=(0,1375),initialize=1300)
m.x1880 = Var(within=Reals,bounds=(0,1375),initialize=1300)
m.x1881 = Var(within=Reals,bounds=(0,1375),initialize=1300)
m.x1882 = Var(within=Reals,bounds=(0,1375),initialize=1300)
m.x1883 = Var(within=Reals,bounds=(0,1375),initialize=1300)
m.x1884 = Var(within=Reals,bounds=(0,1375),initialize=1300)
m.x1885 = Var(within=Reals,bounds=(0,1375),initialize=1300)
m.x1886 = Var(within=Reals,bounds=(0,1375),initialize=1300)
m.x1887 = Var(within=Reals,bounds=(0,1375),initialize=1300)
m.x1888 = Var(within=Reals,bounds=(0,1375),initialize=1300)
m.x1889 = Var(within=Reals,bounds=(0,1375),initialize=1300)
m.x1890 = Var(within=Reals,bounds=(0,1375),initialize=1300)
m.x1891 = Var(within=Reals,bounds=(0,1375),initialize=1300)
m.x1892 = Var(within=Reals,bounds=(0,1375),initialize=1300)
m.x1893 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1894 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1895 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1896 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1897 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1898 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1899 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1900 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1901 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1902 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1903 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1904 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1905 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1906 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1907 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1908 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1909 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1910 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1911 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1912 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1913 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1914 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1915 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1916 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1917 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1918 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1919 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1920 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1921 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1922 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1923 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1924 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1925 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1926 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1927 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1928 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1929 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1930 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1931 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1932 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1933 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1934 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1935 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1936 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1937 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1938 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1939 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1940 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1941 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1942 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1943 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1944 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1945 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1946 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1947 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1948 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1949 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1950 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1951 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1952 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1953 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1954 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1955 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1956 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1957 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1958 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1959 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1960 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1961 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1962 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1963 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1964 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1965 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1966 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1967 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1968 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1969 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1970 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1971 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1972 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1973 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1974 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1975 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1976 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1977 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1978 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1979 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1980 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1981 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1982 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1983 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1984 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1985 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1986 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1987 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1988 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1989 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1990 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1991 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1992 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1993 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1994 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1995 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1996 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1997 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1998 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x1999 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2000 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2001 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2002 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2003 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2004 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2005 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2006 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2007 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2008 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2009 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2010 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2011 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2012 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2013 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2014 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2015 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2016 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2017 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2018 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2019 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2020 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2021 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2022 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2023 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2024 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2025 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2026 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2027 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2028 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2029 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2030 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2031 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2032 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2033 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2034 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2035 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2036 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2037 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2038 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2039 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2040 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2041 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2042 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2043 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2044 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2045 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2046 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2047 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2048 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2049 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2050 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2051 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2052 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2053 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2054 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2055 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2056 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2057 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2058 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2059 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2060 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2061 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2062 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2063 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2064 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2065 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2066 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2067 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2068 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2069 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2070 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2071 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2072 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2073 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2074 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2075 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2076 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2077 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2078 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2079 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2080 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2081 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2082 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2083 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2084 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2085 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2086 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2087 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2088 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2089 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2090 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2091 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2092 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2093 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2094 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2095 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2096 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2097 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2098 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2099 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2100 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2101 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2102 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2103 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2104 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2105 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2106 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2107 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2108 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2109 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2110 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2111 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2112 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2113 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2114 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2115 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2116 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2117 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2118 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2119 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2120 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2121 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2122 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2123 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2124 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2125 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2126 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2127 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2128 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2129 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2130 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2131 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2132 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2133 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2134 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2135 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2136 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2137 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2138 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2139 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2140 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2141 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2142 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2143 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2144 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2145 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2146 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2147 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2148 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2149 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2150 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2151 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2152 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2153 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2154 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2155 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2156 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2157 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2158 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2159 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2160 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2161 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2162 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2163 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2164 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2165 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2166 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2167 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2168 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2169 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2170 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2171 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2172 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2173 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2174 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2175 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2176 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2177 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2178 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2179 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2180 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2181 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2182 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2183 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2184 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2185 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2186 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2187 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2188 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2189 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2190 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2191 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2192 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2193 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2194 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2195 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2196 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2197 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2198 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2199 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2200 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2201 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2202 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2203 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2204 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2205 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2206 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2207 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2208 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2209 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2210 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2211 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2212 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2213 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2214 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2215 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2216 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2217 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2218 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2219 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2220 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2221 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2222 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2223 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2224 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2225 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2226 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2227 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2228 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2229 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2230 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2231 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2232 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2233 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2234 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2235 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2236 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2237 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2238 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2239 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2240 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2241 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2242 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2243 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2244 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2245 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2246 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2247 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2248 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2249 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2250 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2251 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2252 = Var(within=Reals,bounds=(0,1375),initialize=17)
m.x2253 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x2254 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x2255 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x2256 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x2257 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x2258 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x2259 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x2260 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x2261 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x2262 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x2263 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x2264 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x2265 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x2266 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x2267 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x2268 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x2269 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x2270 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x2271 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x2272 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x2273 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x2274 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x2275 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x2276 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x2277 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x2278 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x2279 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x2280 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x2281 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x2282 = Var(within=Reals,bounds=(0,None),initialize=500000)
m.x2283 = Var(within=Reals,bounds=(None,None),initialize=0)
m.obj = Objective(expr=m.x2283, sense=minimize)
m.c1 = Constraint(expr= m.x1561 + 0.925925925925926*m.x1562 + 0.857338820301783*m.x1563 + 0.793832241020169*m.x1564
+ 0.735029852796453*m.x1565 + 0.680583197033753*m.x1566 + 0.630169626883105*m.x1567
+ 0.583490395262134*m.x1568 + 0.540268884501976*m.x1569 + 0.500248967131459*m.x1570
+ 0.463193488084684*m.x1571 + 0.428882859337671*m.x1572 + 0.397113758645991*m.x1573
+ 0.367697924672214*m.x1574 + 0.340461041363161*m.x1575 + 0.31524170496589*m.x1576
+ 0.291890467561009*m.x1577 + 0.270268951445379*m.x1578 + 0.250249029116091*m.x1579
+ 0.231712063996381*m.x1580 + 0.214548207404056*m.x1581 + 0.198655747596349*m.x1582
+ 0.183940507033656*m.x1583 + 0.170315284290422*m.x1584 + 0.157699337305947*m.x1585
+ 0.146017904912913*m.x1586 + 0.135201763808253*m.x1587 + 0.125186818340975*m.x1588
+ 0.115913720686088*m.x1589 + 0.107327519153785*m.x1590 + m.x1591 - m.x1772
- 0.925925925925926*m.x1773 - 0.857338820301783*m.x1774 - 0.793832241020169*m.x1775
- 0.735029852796453*m.x1776 - 0.680583197033753*m.x1777 - 0.630169626883105*m.x1778
- 0.583490395262134*m.x1779 - 0.540268884501976*m.x1780 - 0.500248967131459*m.x1781
- 0.463193488084684*m.x1782 - 0.428882859337671*m.x1783 - 0.397113758645991*m.x1784
- 0.367697924672214*m.x1785 - 0.340461041363161*m.x1786 - 0.31524170496589*m.x1787
- 0.291890467561009*m.x1788 - 0.270268951445379*m.x1789 - 0.250249029116091*m.x1790
- 0.231712063996381*m.x1791 - 0.214548207404056*m.x1792 - 0.198655747596349*m.x1793
- 0.183940507033656*m.x1794 - 0.170315284290422*m.x1795 - 0.157699337305947*m.x1796
- 0.146017904912913*m.x1797 - 0.135201763808253*m.x1798 - 0.125186818340975*m.x1799
- 0.115913720686088*m.x1800 - 0.107327519153785*m.x1801 - m.x1862 - m.x2283 <= 0)
m.c2 = Constraint(expr=-(0.0775*m.x1893*(1 - 0.000727272727272727*m.x1893) + 0.003003125*m.x1893*(1 -
0.000727272727272727*m.x1893)*(1 - 0.00145454545454545*m.x1893) + 6.0669191919192e-8*(1189.2375*
m.x1893*(1 - 0.000727272727272727*m.x1893)*(1 - 0.00145454545454545*m.x1893) - 1.86*(0.93*m.x1893
*(1 - 0.000727272727272727*m.x1893))**2 - 1.49610402*m.x1893*m.x1893*(1 - 0.000727272727272727*
m.x1893)*(1 - 0.00145454545454545*m.x1893)*(1 - 0.00145454545454545*m.x1893))) + m.x1 == 0)
m.c3 = Constraint(expr=-(0.0775*m.x1894*(1 - 0.000727272727272727*m.x1894) + 0.003003125*m.x1894*(1 -
0.000727272727272727*m.x1894)*(1 - 0.00145454545454545*m.x1894) + 6.0669191919192e-8*(1189.2375*
m.x1894*(1 - 0.000727272727272727*m.x1894)*(1 - 0.00145454545454545*m.x1894) - 1.86*(0.93*m.x1894
*(1 - 0.000727272727272727*m.x1894))**2 - 1.49610402*m.x1894*m.x1894*(1 - 0.000727272727272727*
m.x1894)*(1 - 0.00145454545454545*m.x1894)*(1 - 0.00145454545454545*m.x1894))) + m.x2 == 0)
m.c4 = Constraint(expr=-(0.0775*m.x1895*(1 - 0.000727272727272727*m.x1895) + 0.003003125*m.x1895*(1 -
0.000727272727272727*m.x1895)*(1 - 0.00145454545454545*m.x1895) + 6.0669191919192e-8*(1189.2375*
m.x1895*(1 - 0.000727272727272727*m.x1895)*(1 - 0.00145454545454545*m.x1895) - 1.86*(0.93*m.x1895
*(1 - 0.000727272727272727*m.x1895))**2 - 1.49610402*m.x1895*m.x1895*(1 - 0.000727272727272727*
m.x1895)*(1 - 0.00145454545454545*m.x1895)*(1 - 0.00145454545454545*m.x1895))) + m.x3 == 0)
m.c5 = Constraint(expr=-(0.0775*m.x1896*(1 - 0.000727272727272727*m.x1896) + 0.003003125*m.x1896*(1 -
0.000727272727272727*m.x1896)*(1 - 0.00145454545454545*m.x1896) + 6.0669191919192e-8*(1189.2375*
m.x1896*(1 - 0.000727272727272727*m.x1896)*(1 - 0.00145454545454545*m.x1896) - 1.86*(0.93*m.x1896
*(1 - 0.000727272727272727*m.x1896))**2 - 1.49610402*m.x1896*m.x1896*(1 - 0.000727272727272727*
m.x1896)*(1 - 0.00145454545454545*m.x1896)*(1 - 0.00145454545454545*m.x1896))) + m.x4 == 0)
m.c6 = Constraint(expr=-(0.0775*m.x1897*(1 - 0.000727272727272727*m.x1897) + 0.003003125*m.x1897*(1 -
0.000727272727272727*m.x1897)*(1 - 0.00145454545454545*m.x1897) + 6.0669191919192e-8*(1189.2375*
m.x1897*(1 - 0.000727272727272727*m.x1897)*(1 - 0.00145454545454545*m.x1897) - 1.86*(0.93*m.x1897
*(1 - 0.000727272727272727*m.x1897))**2 - 1.49610402*m.x1897*m.x1897*(1 - 0.000727272727272727*
m.x1897)*(1 - 0.00145454545454545*m.x1897)*(1 - 0.00145454545454545*m.x1897))) + m.x5 == 0)
m.c7 = Constraint(expr=-(0.0775*m.x1898*(1 - 0.000727272727272727*m.x1898) + 0.003003125*m.x1898*(1 -
0.000727272727272727*m.x1898)*(1 - 0.00145454545454545*m.x1898) + 6.0669191919192e-8*(1189.2375*
m.x1898*(1 - 0.000727272727272727*m.x1898)*(1 - 0.00145454545454545*m.x1898) - 1.86*(0.93*m.x1898
*(1 - 0.000727272727272727*m.x1898))**2 - 1.49610402*m.x1898*m.x1898*(1 - 0.000727272727272727*
m.x1898)*(1 - 0.00145454545454545*m.x1898)*(1 - 0.00145454545454545*m.x1898))) + m.x6 == 0)
m.c8 = Constraint(expr=-(0.0775*m.x1899*(1 - 0.000727272727272727*m.x1899) + 0.003003125*m.x1899*(1 -
0.000727272727272727*m.x1899)*(1 - 0.00145454545454545*m.x1899) + 6.0669191919192e-8*(1189.2375*
m.x1899*(1 - 0.000727272727272727*m.x1899)*(1 - 0.00145454545454545*m.x1899) - 1.86*(0.93*m.x1899
*(1 - 0.000727272727272727*m.x1899))**2 - 1.49610402*m.x1899*m.x1899*(1 - 0.000727272727272727*
m.x1899)*(1 - 0.00145454545454545*m.x1899)*(1 - 0.00145454545454545*m.x1899))) + m.x7 == 0)
m.c9 = Constraint(expr=-(0.0775*m.x1900*(1 - 0.000727272727272727*m.x1900) + 0.003003125*m.x1900*(1 -
0.000727272727272727*m.x1900)*(1 - 0.00145454545454545*m.x1900) + 6.0669191919192e-8*(1189.2375*
m.x1900*(1 - 0.000727272727272727*m.x1900)*(1 - 0.00145454545454545*m.x1900) - 1.86*(0.93*m.x1900
*(1 - 0.000727272727272727*m.x1900))**2 - 1.49610402*m.x1900*m.x1900*(1 - 0.000727272727272727*
m.x1900)*(1 - 0.00145454545454545*m.x1900)*(1 - 0.00145454545454545*m.x1900))) + m.x8 == 0)
m.c10 = Constraint(expr=-(0.0775*m.x1901*(1 - 0.000727272727272727*m.x1901) + 0.003003125*m.x1901*(1 -
0.000727272727272727*m.x1901)*(1 - 0.00145454545454545*m.x1901) + 6.0669191919192e-8*(1189.2375*
m.x1901*(1 - 0.000727272727272727*m.x1901)*(1 - 0.00145454545454545*m.x1901) - 1.86*(0.93*
m.x1901*(1 - 0.000727272727272727*m.x1901))**2 - 1.49610402*m.x1901*m.x1901*(1 -
0.000727272727272727*m.x1901)*(1 - 0.00145454545454545*m.x1901)*(1 - 0.00145454545454545*m.x1901
))) + m.x9 == 0)
m.c11 = Constraint(expr=-(0.0775*m.x1902*(1 - 0.000727272727272727*m.x1902) + 0.003003125*m.x1902*(1 -
0.000727272727272727*m.x1902)*(1 - 0.00145454545454545*m.x1902) + 6.0669191919192e-8*(1189.2375*
m.x1902*(1 - 0.000727272727272727*m.x1902)*(1 - 0.00145454545454545*m.x1902) - 1.86*(0.93*
m.x1902*(1 - 0.000727272727272727*m.x1902))**2 - 1.49610402*m.x1902*m.x1902*(1 -
0.000727272727272727*m.x1902)*(1 - 0.00145454545454545*m.x1902)*(1 - 0.00145454545454545*m.x1902
))) + m.x10 == 0)
m.c12 = Constraint(expr=-(0.0775*m.x1903*(1 - 0.000727272727272727*m.x1903) + 0.003003125*m.x1903*(1 -
0.000727272727272727*m.x1903)*(1 - 0.00145454545454545*m.x1903) + 6.0669191919192e-8*(1189.2375*
m.x1903*(1 - 0.000727272727272727*m.x1903)*(1 - 0.00145454545454545*m.x1903) - 1.86*(0.93*
m.x1903*(1 - 0.000727272727272727*m.x1903))**2 - 1.49610402*m.x1903*m.x1903*(1 -
0.000727272727272727*m.x1903)*(1 - 0.00145454545454545*m.x1903)*(1 - 0.00145454545454545*m.x1903
))) + m.x11 == 0)
m.c13 = Constraint(expr=-(0.0775*m.x1904*(1 - 0.000727272727272727*m.x1904) + 0.003003125*m.x1904*(1 -
0.000727272727272727*m.x1904)*(1 - 0.00145454545454545*m.x1904) + 6.0669191919192e-8*(1189.2375*
m.x1904*(1 - 0.000727272727272727*m.x1904)*(1 - 0.00145454545454545*m.x1904) - 1.86*(0.93*
m.x1904*(1 - 0.000727272727272727*m.x1904))**2 - 1.49610402*m.x1904*m.x1904*(1 -
0.000727272727272727*m.x1904)*(1 - 0.00145454545454545*m.x1904)*(1 - 0.00145454545454545*m.x1904
))) + m.x12 == 0)
m.c14 = Constraint(expr=-(0.0775*m.x1905*(1 - 0.000727272727272727*m.x1905) + 0.003003125*m.x1905*(1 -
0.000727272727272727*m.x1905)*(1 - 0.00145454545454545*m.x1905) + 6.0669191919192e-8*(1189.2375*
m.x1905*(1 - 0.000727272727272727*m.x1905)*(1 - 0.00145454545454545*m.x1905) - 1.86*(0.93*
m.x1905*(1 - 0.000727272727272727*m.x1905))**2 - 1.49610402*m.x1905*m.x1905*(1 -
0.000727272727272727*m.x1905)*(1 - 0.00145454545454545*m.x1905)*(1 - 0.00145454545454545*m.x1905
))) + m.x13 == 0)
m.c15 = Constraint(expr=-(0.0775*m.x1906*(1 - 0.000727272727272727*m.x1906) + 0.003003125*m.x1906*(1 -
0.000727272727272727*m.x1906)*(1 - 0.00145454545454545*m.x1906) + 6.0669191919192e-8*(1189.2375*
m.x1906*(1 - 0.000727272727272727*m.x1906)*(1 - 0.00145454545454545*m.x1906) - 1.86*(0.93*
m.x1906*(1 - 0.000727272727272727*m.x1906))**2 - 1.49610402*m.x1906*m.x1906*(1 -
0.000727272727272727*m.x1906)*(1 - 0.00145454545454545*m.x1906)*(1 - 0.00145454545454545*m.x1906
))) + m.x14 == 0)
m.c16 = Constraint(expr=-(0.0775*m.x1907*(1 - 0.000727272727272727*m.x1907) + 0.003003125*m.x1907*(1 -
0.000727272727272727*m.x1907)*(1 - 0.00145454545454545*m.x1907) + 6.0669191919192e-8*(1189.2375*
m.x1907*(1 - 0.000727272727272727*m.x1907)*(1 - 0.00145454545454545*m.x1907) - 1.86*(0.93*
m.x1907*(1 - 0.000727272727272727*m.x1907))**2 - 1.49610402*m.x1907*m.x1907*(1 -
0.000727272727272727*m.x1907)*(1 - 0.00145454545454545*m.x1907)*(1 - 0.00145454545454545*m.x1907
))) + m.x15 == 0)
m.c17 = Constraint(expr=-(0.0775*m.x1908*(1 - 0.000727272727272727*m.x1908) + 0.003003125*m.x1908*(1 -
0.000727272727272727*m.x1908)*(1 - 0.00145454545454545*m.x1908) + 6.0669191919192e-8*(1189.2375*
m.x1908*(1 - 0.000727272727272727*m.x1908)*(1 - 0.00145454545454545*m.x1908) - 1.86*(0.93*
m.x1908*(1 - 0.000727272727272727*m.x1908))**2 - 1.49610402*m.x1908*m.x1908*(1 -
0.000727272727272727*m.x1908)*(1 - 0.00145454545454545*m.x1908)*(1 - 0.00145454545454545*m.x1908
))) + m.x16 == 0)
m.c18 = Constraint(expr=-(0.0775*m.x1909*(1 - 0.000727272727272727*m.x1909) + 0.003003125*m.x1909*(1 -
0.000727272727272727*m.x1909)*(1 - 0.00145454545454545*m.x1909) + 6.0669191919192e-8*(1189.2375*
m.x1909*(1 - 0.000727272727272727*m.x1909)*(1 - 0.00145454545454545*m.x1909) - 1.86*(0.93*
m.x1909*(1 - 0.000727272727272727*m.x1909))**2 - 1.49610402*m.x1909*m.x1909*(1 -
0.000727272727272727*m.x1909)*(1 - 0.00145454545454545*m.x1909)*(1 - 0.00145454545454545*m.x1909
))) + m.x17 == 0)
m.c19 = Constraint(expr=-(0.0775*m.x1910*(1 - 0.000727272727272727*m.x1910) + 0.003003125*m.x1910*(1 -
0.000727272727272727*m.x1910)*(1 - 0.00145454545454545*m.x1910) + 6.0669191919192e-8*(1189.2375*
m.x1910*(1 - 0.000727272727272727*m.x1910)*(1 - 0.00145454545454545*m.x1910) - 1.86*(0.93*
m.x1910*(1 - 0.000727272727272727*m.x1910))**2 - 1.49610402*m.x1910*m.x1910*(1 -
0.000727272727272727*m.x1910)*(1 - 0.00145454545454545*m.x1910)*(1 - 0.00145454545454545*m.x1910
))) + m.x18 == 0)
m.c20 = Constraint(expr=-(0.0775*m.x1911*(1 - 0.000727272727272727*m.x1911) + 0.003003125*m.x1911*(1 -
0.000727272727272727*m.x1911)*(1 - 0.00145454545454545*m.x1911) + 6.0669191919192e-8*(1189.2375*
m.x1911*(1 - 0.000727272727272727*m.x1911)*(1 - 0.00145454545454545*m.x1911) - 1.86*(0.93*
m.x1911*(1 - 0.000727272727272727*m.x1911))**2 - 1.49610402*m.x1911*m.x1911*(1 -
0.000727272727272727*m.x1911)*(1 - 0.00145454545454545*m.x1911)*(1 - 0.00145454545454545*m.x1911
))) + m.x19 == 0)
m.c21 = Constraint(expr=-(0.0775*m.x1912*(1 - 0.000727272727272727*m.x1912) + 0.003003125*m.x1912*(1 -
0.000727272727272727*m.x1912)*(1 - 0.00145454545454545*m.x1912) + 6.0669191919192e-8*(1189.2375*
m.x1912*(1 - 0.000727272727272727*m.x1912)*(1 - 0.00145454545454545*m.x1912) - 1.86*(0.93*
m.x1912*(1 - 0.000727272727272727*m.x1912))**2 - 1.49610402*m.x1912*m.x1912*(1 -
0.000727272727272727*m.x1912)*(1 - 0.00145454545454545*m.x1912)*(1 - 0.00145454545454545*m.x1912
))) + m.x20 == 0)
m.c22 = Constraint(expr=-(0.0775*m.x1913*(1 - 0.000727272727272727*m.x1913) + 0.003003125*m.x1913*(1 -
0.000727272727272727*m.x1913)*(1 - 0.00145454545454545*m.x1913) + 6.0669191919192e-8*(1189.2375*
m.x1913*(1 - 0.000727272727272727*m.x1913)*(1 - 0.00145454545454545*m.x1913) - 1.86*(0.93*
m.x1913*(1 - 0.000727272727272727*m.x1913))**2 - 1.49610402*m.x1913*m.x1913*(1 -
0.000727272727272727*m.x1913)*(1 - 0.00145454545454545*m.x1913)*(1 - 0.00145454545454545*m.x1913
))) + m.x21 == 0)
m.c23 = Constraint(expr=-(0.0775*m.x1914*(1 - 0.000727272727272727*m.x1914) + 0.003003125*m.x1914*(1 -
0.000727272727272727*m.x1914)*(1 - 0.00145454545454545*m.x1914) + 6.0669191919192e-8*(1189.2375*
m.x1914*(1 - 0.000727272727272727*m.x1914)*(1 - 0.00145454545454545*m.x1914) - 1.86*(0.93*
m.x1914*(1 - 0.000727272727272727*m.x1914))**2 - 1.49610402*m.x1914*m.x1914*(1 -
0.000727272727272727*m.x1914)*(1 - 0.00145454545454545*m.x1914)*(1 - 0.00145454545454545*m.x1914
))) + m.x22 == 0)
m.c24 = Constraint(expr=-(0.0775*m.x1915*(1 - 0.000727272727272727*m.x1915) + 0.003003125*m.x1915*(1 -
0.000727272727272727*m.x1915)*(1 - 0.00145454545454545*m.x1915) + 6.0669191919192e-8*(1189.2375*
m.x1915*(1 - 0.000727272727272727*m.x1915)*(1 - 0.00145454545454545*m.x1915) - 1.86*(0.93*
m.x1915*(1 - 0.000727272727272727*m.x1915))**2 - 1.49610402*m.x1915*m.x1915*(1 -
0.000727272727272727*m.x1915)*(1 - 0.00145454545454545*m.x1915)*(1 - 0.00145454545454545*m.x1915
))) + m.x23 == 0)
m.c25 = Constraint(expr=-(0.0775*m.x1916*(1 - 0.000727272727272727*m.x1916) + 0.003003125*m.x1916*(1 -
0.000727272727272727*m.x1916)*(1 - 0.00145454545454545*m.x1916) + 6.0669191919192e-8*(1189.2375*
m.x1916*(1 - 0.000727272727272727*m.x1916)*(1 - 0.00145454545454545*m.x1916) - 1.86*(0.93*
m.x1916*(1 - 0.000727272727272727*m.x1916))**2 - 1.49610402*m.x1916*m.x1916*(1 -
0.000727272727272727*m.x1916)*(1 - 0.00145454545454545*m.x1916)*(1 - 0.00145454545454545*m.x1916
))) + m.x24 == 0)
m.c26 = Constraint(expr=-(0.0775*m.x1917*(1 - 0.000727272727272727*m.x1917) + 0.003003125*m.x1917*(1 -
0.000727272727272727*m.x1917)*(1 - 0.00145454545454545*m.x1917) + 6.0669191919192e-8*(1189.2375*
m.x1917*(1 - 0.000727272727272727*m.x1917)*(1 - 0.00145454545454545*m.x1917) - 1.86*(0.93*
m.x1917*(1 - 0.000727272727272727*m.x1917))**2 - 1.49610402*m.x1917*m.x1917*(1 -
0.000727272727272727*m.x1917)*(1 - 0.00145454545454545*m.x1917)*(1 - 0.00145454545454545*m.x1917
))) + m.x25 == 0)
m.c27 = Constraint(expr=-(0.0775*m.x1918*(1 - 0.000727272727272727*m.x1918) + 0.003003125*m.x1918*(1 -
0.000727272727272727*m.x1918)*(1 - 0.00145454545454545*m.x1918) + 6.0669191919192e-8*(1189.2375*
m.x1918*(1 - 0.000727272727272727*m.x1918)*(1 - 0.00145454545454545*m.x1918) - 1.86*(0.93*
m.x1918*(1 - 0.000727272727272727*m.x1918))**2 - 1.49610402*m.x1918*m.x1918*(1 -
0.000727272727272727*m.x1918)*(1 - 0.00145454545454545*m.x1918)*(1 - 0.00145454545454545*m.x1918
))) + m.x26 == 0)
m.c28 = Constraint(expr=-(0.0775*m.x1919*(1 - 0.000727272727272727*m.x1919) + 0.003003125*m.x1919*(1 -
0.000727272727272727*m.x1919)*(1 - 0.00145454545454545*m.x1919) + 6.0669191919192e-8*(1189.2375*
m.x1919*(1 - 0.000727272727272727*m.x1919)*(1 - 0.00145454545454545*m.x1919) - 1.86*(0.93*
m.x1919*(1 - 0.000727272727272727*m.x1919))**2 - 1.49610402*m.x1919*m.x1919*(1 -
0.000727272727272727*m.x1919)*(1 - 0.00145454545454545*m.x1919)*(1 - 0.00145454545454545*m.x1919
))) + m.x27 == 0)
m.c29 = Constraint(expr=-(0.0775*m.x1920*(1 - 0.000727272727272727*m.x1920) + 0.003003125*m.x1920*(1 -
0.000727272727272727*m.x1920)*(1 - 0.00145454545454545*m.x1920) + 6.0669191919192e-8*(1189.2375*
m.x1920*(1 - 0.000727272727272727*m.x1920)*(1 - 0.00145454545454545*m.x1920) - 1.86*(0.93*
m.x1920*(1 - 0.000727272727272727*m.x1920))**2 - 1.49610402*m.x1920*m.x1920*(1 -
0.000727272727272727*m.x1920)*(1 - 0.00145454545454545*m.x1920)*(1 - 0.00145454545454545*m.x1920
))) + m.x28 == 0)
m.c30 = Constraint(expr=-(0.0775*m.x1921*(1 - 0.000727272727272727*m.x1921) + 0.003003125*m.x1921*(1 -
0.000727272727272727*m.x1921)*(1 - 0.00145454545454545*m.x1921) + 6.0669191919192e-8*(1189.2375*
m.x1921*(1 - 0.000727272727272727*m.x1921)*(1 - 0.00145454545454545*m.x1921) - 1.86*(0.93*
m.x1921*(1 - 0.000727272727272727*m.x1921))**2 - 1.49610402*m.x1921*m.x1921*(1 -
0.000727272727272727*m.x1921)*(1 - 0.00145454545454545*m.x1921)*(1 - 0.00145454545454545*m.x1921
))) + m.x29 == 0)
m.c31 = Constraint(expr=-(0.0775*m.x1922*(1 - 0.000727272727272727*m.x1922) + 0.003003125*m.x1922*(1 -
0.000727272727272727*m.x1922)*(1 - 0.00145454545454545*m.x1922) + 6.0669191919192e-8*(1189.2375*
m.x1922*(1 - 0.000727272727272727*m.x1922)*(1 - 0.00145454545454545*m.x1922) - 1.86*(0.93*
m.x1922*(1 - 0.000727272727272727*m.x1922))**2 - 1.49610402*m.x1922*m.x1922*(1 -
0.000727272727272727*m.x1922)*(1 - 0.00145454545454545*m.x1922)*(1 - 0.00145454545454545*m.x1922
))) + m.x30 == 0)
m.c32 = Constraint(expr=-(0.0775*m.x1923*(1 - 0.000727272727272727*m.x1923) + 0.003003125*m.x1923*(1 -
0.000727272727272727*m.x1923)*(1 - 0.00145454545454545*m.x1923) + 6.0669191919192e-8*(1189.2375*
m.x1923*(1 - 0.000727272727272727*m.x1923)*(1 - 0.00145454545454545*m.x1923) - 1.86*(0.93*
m.x1923*(1 - 0.000727272727272727*m.x1923))**2 - 1.49610402*m.x1923*m.x1923*(1 -
0.000727272727272727*m.x1923)*(1 - 0.00145454545454545*m.x1923)*(1 - 0.00145454545454545*m.x1923
))) + m.x31 == 0)
m.c33 = Constraint(expr=-(0.0775*m.x1924*(1 - 0.000727272727272727*m.x1924) + 0.003003125*m.x1924*(1 -
0.000727272727272727*m.x1924)*(1 - 0.00145454545454545*m.x1924) + 6.0669191919192e-8*(1189.2375*
m.x1924*(1 - 0.000727272727272727*m.x1924)*(1 - 0.00145454545454545*m.x1924) - 1.86*(0.93*
m.x1924*(1 - 0.000727272727272727*m.x1924))**2 - 1.49610402*m.x1924*m.x1924*(1 -
0.000727272727272727*m.x1924)*(1 - 0.00145454545454545*m.x1924)*(1 - 0.00145454545454545*m.x1924
))) + m.x32 == 0)
m.c34 = Constraint(expr=-(0.0775*m.x1925*(1 - 0.000727272727272727*m.x1925) + 0.003003125*m.x1925*(1 -
0.000727272727272727*m.x1925)*(1 - 0.00145454545454545*m.x1925) + 6.0669191919192e-8*(1189.2375*
m.x1925*(1 - 0.000727272727272727*m.x1925)*(1 - 0.00145454545454545*m.x1925) - 1.86*(0.93*
m.x1925*(1 - 0.000727272727272727*m.x1925))**2 - 1.49610402*m.x1925*m.x1925*(1 -
0.000727272727272727*m.x1925)*(1 - 0.00145454545454545*m.x1925)*(1 - 0.00145454545454545*m.x1925
))) + m.x33 == 0)
m.c35 = Constraint(expr=-(0.0775*m.x1926*(1 - 0.000727272727272727*m.x1926) + 0.003003125*m.x1926*(1 -
0.000727272727272727*m.x1926)*(1 - 0.00145454545454545*m.x1926) + 6.0669191919192e-8*(1189.2375*
m.x1926*(1 - 0.000727272727272727*m.x1926)*(1 - 0.00145454545454545*m.x1926) - 1.86*(0.93*
m.x1926*(1 - 0.000727272727272727*m.x1926))**2 - 1.49610402*m.x1926*m.x1926*(1 -
0.000727272727272727*m.x1926)*(1 - 0.00145454545454545*m.x1926)*(1 - 0.00145454545454545*m.x1926
))) + m.x34 == 0)
m.c36 = Constraint(expr=-(0.0775*m.x1927*(1 - 0.000727272727272727*m.x1927) + 0.003003125*m.x1927*(1 -
0.000727272727272727*m.x1927)*(1 - 0.00145454545454545*m.x1927) + 6.0669191919192e-8*(1189.2375*
m.x1927*(1 - 0.000727272727272727*m.x1927)*(1 - 0.00145454545454545*m.x1927) - 1.86*(0.93*
m.x1927*(1 - 0.000727272727272727*m.x1927))**2 - 1.49610402*m.x1927*m.x1927*(1 -
0.000727272727272727*m.x1927)*(1 - 0.00145454545454545*m.x1927)*(1 - 0.00145454545454545*m.x1927
))) + m.x35 == 0)
m.c37 = Constraint(expr=-(0.0775*m.x1928*(1 - 0.000727272727272727*m.x1928) + 0.003003125*m.x1928*(1 -
0.000727272727272727*m.x1928)*(1 - 0.00145454545454545*m.x1928) + 6.0669191919192e-8*(1189.2375*
m.x1928*(1 - 0.000727272727272727*m.x1928)*(1 - 0.00145454545454545*m.x1928) - 1.86*(0.93*
m.x1928*(1 - 0.000727272727272727*m.x1928))**2 - 1.49610402*m.x1928*m.x1928*(1 -
0.000727272727272727*m.x1928)*(1 - 0.00145454545454545*m.x1928)*(1 - 0.00145454545454545*m.x1928
))) + m.x36 == 0)
m.c38 = Constraint(expr=-(0.0775*m.x1929*(1 - 0.000727272727272727*m.x1929) + 0.003003125*m.x1929*(1 -
0.000727272727272727*m.x1929)*(1 - 0.00145454545454545*m.x1929) + 6.0669191919192e-8*(1189.2375*
m.x1929*(1 - 0.000727272727272727*m.x1929)*(1 - 0.00145454545454545*m.x1929) - 1.86*(0.93*
m.x1929*(1 - 0.000727272727272727*m.x1929))**2 - 1.49610402*m.x1929*m.x1929*(1 -
0.000727272727272727*m.x1929)*(1 - 0.00145454545454545*m.x1929)*(1 - 0.00145454545454545*m.x1929
))) + m.x37 == 0)
m.c39 = Constraint(expr=-(0.0775*m.x1930*(1 - 0.000727272727272727*m.x1930) + 0.003003125*m.x1930*(1 -
0.000727272727272727*m.x1930)*(1 - 0.00145454545454545*m.x1930) + 6.0669191919192e-8*(1189.2375*
m.x1930*(1 - 0.000727272727272727*m.x1930)*(1 - 0.00145454545454545*m.x1930) - 1.86*(0.93*
m.x1930*(1 - 0.000727272727272727*m.x1930))**2 - 1.49610402*m.x1930*m.x1930*(1 -
0.000727272727272727*m.x1930)*(1 - 0.00145454545454545*m.x1930)*(1 - 0.00145454545454545*m.x1930
))) + m.x38 == 0)
m.c40 = Constraint(expr=-(0.0775*m.x1931*(1 - 0.000727272727272727*m.x1931) + 0.003003125*m.x1931*(1 -
0.000727272727272727*m.x1931)*(1 - 0.00145454545454545*m.x1931) + 6.0669191919192e-8*(1189.2375*
m.x1931*(1 - 0.000727272727272727*m.x1931)*(1 - 0.00145454545454545*m.x1931) - 1.86*(0.93*
m.x1931*(1 - 0.000727272727272727*m.x1931))**2 - 1.49610402*m.x1931*m.x1931*(1 -
0.000727272727272727*m.x1931)*(1 - 0.00145454545454545*m.x1931)*(1 - 0.00145454545454545*m.x1931
))) + m.x39 == 0)
m.c41 = Constraint(expr=-(0.0775*m.x1932*(1 - 0.000727272727272727*m.x1932) + 0.003003125*m.x1932*(1 -
0.000727272727272727*m.x1932)*(1 - 0.00145454545454545*m.x1932) + 6.0669191919192e-8*(1189.2375*
m.x1932*(1 - 0.000727272727272727*m.x1932)*(1 - 0.00145454545454545*m.x1932) - 1.86*(0.93*
m.x1932*(1 - 0.000727272727272727*m.x1932))**2 - 1.49610402*m.x1932*m.x1932*(1 -
0.000727272727272727*m.x1932)*(1 - 0.00145454545454545*m.x1932)*(1 - 0.00145454545454545*m.x1932
))) + m.x40 == 0)
m.c42 = Constraint(expr=-(0.0775*m.x1933*(1 - 0.000727272727272727*m.x1933) + 0.003003125*m.x1933*(1 -
0.000727272727272727*m.x1933)*(1 - 0.00145454545454545*m.x1933) + 6.0669191919192e-8*(1189.2375*
m.x1933*(1 - 0.000727272727272727*m.x1933)*(1 - 0.00145454545454545*m.x1933) - 1.86*(0.93*
m.x1933*(1 - 0.000727272727272727*m.x1933))**2 - 1.49610402*m.x1933*m.x1933*(1 -
0.000727272727272727*m.x1933)*(1 - 0.00145454545454545*m.x1933)*(1 - 0.00145454545454545*m.x1933
))) + m.x41 == 0)
m.c43 = Constraint(expr=-(0.0775*m.x1934*(1 - 0.000727272727272727*m.x1934) + 0.003003125*m.x1934*(1 -
0.000727272727272727*m.x1934)*(1 - 0.00145454545454545*m.x1934) + 6.0669191919192e-8*(1189.2375*
m.x1934*(1 - 0.000727272727272727*m.x1934)*(1 - 0.00145454545454545*m.x1934) - 1.86*(0.93*
m.x1934*(1 - 0.000727272727272727*m.x1934))**2 - 1.49610402*m.x1934*m.x1934*(1 -
0.000727272727272727*m.x1934)*(1 - 0.00145454545454545*m.x1934)*(1 - 0.00145454545454545*m.x1934
))) + m.x42 == 0)
m.c44 = Constraint(expr=-(0.0775*m.x1935*(1 - 0.000727272727272727*m.x1935) + 0.003003125*m.x1935*(1 -
0.000727272727272727*m.x1935)*(1 - 0.00145454545454545*m.x1935) + 6.0669191919192e-8*(1189.2375*
m.x1935*(1 - 0.000727272727272727*m.x1935)*(1 - 0.00145454545454545*m.x1935) - 1.86*(0.93*
m.x1935*(1 - 0.000727272727272727*m.x1935))**2 - 1.49610402*m.x1935*m.x1935*(1 -
0.000727272727272727*m.x1935)*(1 - 0.00145454545454545*m.x1935)*(1 - 0.00145454545454545*m.x1935
))) + m.x43 == 0)
m.c45 = Constraint(expr=-(0.0775*m.x1936*(1 - 0.000727272727272727*m.x1936) + 0.003003125*m.x1936*(1 -
0.000727272727272727*m.x1936)*(1 - 0.00145454545454545*m.x1936) + 6.0669191919192e-8*(1189.2375*
m.x1936*(1 - 0.000727272727272727*m.x1936)*(1 - 0.00145454545454545*m.x1936) - 1.86*(0.93*
m.x1936*(1 - 0.000727272727272727*m.x1936))**2 - 1.49610402*m.x1936*m.x1936*(1 -
0.000727272727272727*m.x1936)*(1 - 0.00145454545454545*m.x1936)*(1 - 0.00145454545454545*m.x1936
))) + m.x44 == 0)
m.c46 = Constraint(expr=-(0.0775*m.x1937*(1 - 0.000727272727272727*m.x1937) + 0.003003125*m.x1937*(1 -
0.000727272727272727*m.x1937)*(1 - 0.00145454545454545*m.x1937) + 6.0669191919192e-8*(1189.2375*
m.x1937*(1 - 0.000727272727272727*m.x1937)*(1 - 0.00145454545454545*m.x1937) - 1.86*(0.93*
m.x1937*(1 - 0.000727272727272727*m.x1937))**2 - 1.49610402*m.x1937*m.x1937*(1 -
0.000727272727272727*m.x1937)*(1 - 0.00145454545454545*m.x1937)*(1 - 0.00145454545454545*m.x1937
))) + m.x45 == 0)
m.c47 = Constraint(expr=-(0.0775*m.x1938*(1 - 0.000727272727272727*m.x1938) + 0.003003125*m.x1938*(1 -
0.000727272727272727*m.x1938)*(1 - 0.00145454545454545*m.x1938) + 6.0669191919192e-8*(1189.2375*
m.x1938*(1 - 0.000727272727272727*m.x1938)*(1 - 0.00145454545454545*m.x1938) - 1.86*(0.93*
m.x1938*(1 - 0.000727272727272727*m.x1938))**2 - 1.49610402*m.x1938*m.x1938*(1 -
0.000727272727272727*m.x1938)*(1 - 0.00145454545454545*m.x1938)*(1 - 0.00145454545454545*m.x1938
))) + m.x46 == 0)
m.c48 = Constraint(expr=-(0.0775*m.x1939*(1 - 0.000727272727272727*m.x1939) + 0.003003125*m.x1939*(1 -
0.000727272727272727*m.x1939)*(1 - 0.00145454545454545*m.x1939) + 6.0669191919192e-8*(1189.2375*
m.x1939*(1 - 0.000727272727272727*m.x1939)*(1 - 0.00145454545454545*m.x1939) - 1.86*(0.93*
m.x1939*(1 - 0.000727272727272727*m.x1939))**2 - 1.49610402*m.x1939*m.x1939*(1 -
0.000727272727272727*m.x1939)*(1 - 0.00145454545454545*m.x1939)*(1 - 0.00145454545454545*m.x1939
))) + m.x47 == 0)
m.c49 = Constraint(expr=-(0.0775*m.x1940*(1 - 0.000727272727272727*m.x1940) + 0.003003125*m.x1940*(1 -
0.000727272727272727*m.x1940)*(1 - 0.00145454545454545*m.x1940) + 6.0669191919192e-8*(1189.2375*
m.x1940*(1 - 0.000727272727272727*m.x1940)*(1 - 0.00145454545454545*m.x1940) - 1.86*(0.93*
m.x1940*(1 - 0.000727272727272727*m.x1940))**2 - 1.49610402*m.x1940*m.x1940*(1 -
0.000727272727272727*m.x1940)*(1 - 0.00145454545454545*m.x1940)*(1 - 0.00145454545454545*m.x1940
))) + m.x48 == 0)
m.c50 = Constraint(expr=-(0.0775*m.x1941*(1 - 0.000727272727272727*m.x1941) + 0.003003125*m.x1941*(1 -
0.000727272727272727*m.x1941)*(1 - 0.00145454545454545*m.x1941) + 6.0669191919192e-8*(1189.2375*
m.x1941*(1 - 0.000727272727272727*m.x1941)*(1 - 0.00145454545454545*m.x1941) - 1.86*(0.93*
m.x1941*(1 - 0.000727272727272727*m.x1941))**2 - 1.49610402*m.x1941*m.x1941*(1 -
0.000727272727272727*m.x1941)*(1 - 0.00145454545454545*m.x1941)*(1 - 0.00145454545454545*m.x1941
))) + m.x49 == 0)
m.c51 = Constraint(expr=-(0.0775*m.x1942*(1 - 0.000727272727272727*m.x1942) + 0.003003125*m.x1942*(1 -
0.000727272727272727*m.x1942)*(1 - 0.00145454545454545*m.x1942) + 6.0669191919192e-8*(1189.2375*
m.x1942*(1 - 0.000727272727272727*m.x1942)*(1 - 0.00145454545454545*m.x1942) - 1.86*(0.93*
m.x1942*(1 - 0.000727272727272727*m.x1942))**2 - 1.49610402*m.x1942*m.x1942*(1 -
0.000727272727272727*m.x1942)*(1 - 0.00145454545454545*m.x1942)*(1 - 0.00145454545454545*m.x1942
))) + m.x50 == 0)
m.c52 = Constraint(expr=-(0.0775*m.x1943*(1 - 0.000727272727272727*m.x1943) + 0.003003125*m.x1943*(1 -
0.000727272727272727*m.x1943)*(1 - 0.00145454545454545*m.x1943) + 6.0669191919192e-8*(1189.2375*
m.x1943*(1 - 0.000727272727272727*m.x1943)*(1 - 0.00145454545454545*m.x1943) - 1.86*(0.93*
m.x1943*(1 - 0.000727272727272727*m.x1943))**2 - 1.49610402*m.x1943*m.x1943*(1 -
0.000727272727272727*m.x1943)*(1 - 0.00145454545454545*m.x1943)*(1 - 0.00145454545454545*m.x1943
))) + m.x51 == 0)
m.c53 = Constraint(expr=-(0.0775*m.x1944*(1 - 0.000727272727272727*m.x1944) + 0.003003125*m.x1944*(1 -
0.000727272727272727*m.x1944)*(1 - 0.00145454545454545*m.x1944) + 6.0669191919192e-8*(1189.2375*
m.x1944*(1 - 0.000727272727272727*m.x1944)*(1 - 0.00145454545454545*m.x1944) - 1.86*(0.93*
m.x1944*(1 - 0.000727272727272727*m.x1944))**2 - 1.49610402*m.x1944*m.x1944*(1 -
0.000727272727272727*m.x1944)*(1 - 0.00145454545454545*m.x1944)*(1 - 0.00145454545454545*m.x1944
))) + m.x52 == 0)
m.c54 = Constraint(expr=-(0.0775*m.x1945*(1 - 0.000727272727272727*m.x1945) + 0.003003125*m.x1945*(1 -
0.000727272727272727*m.x1945)*(1 - 0.00145454545454545*m.x1945) + 6.0669191919192e-8*(1189.2375*
m.x1945*(1 - 0.000727272727272727*m.x1945)*(1 - 0.00145454545454545*m.x1945) - 1.86*(0.93*
m.x1945*(1 - 0.000727272727272727*m.x1945))**2 - 1.49610402*m.x1945*m.x1945*(1 -
0.000727272727272727*m.x1945)*(1 - 0.00145454545454545*m.x1945)*(1 - 0.00145454545454545*m.x1945
))) + m.x53 == 0)
m.c55 = Constraint(expr=-(0.0775*m.x1946*(1 - 0.000727272727272727*m.x1946) + 0.003003125*m.x1946*(1 -
0.000727272727272727*m.x1946)*(1 - 0.00145454545454545*m.x1946) + 6.0669191919192e-8*(1189.2375*
m.x1946*(1 - 0.000727272727272727*m.x1946)*(1 - 0.00145454545454545*m.x1946) - 1.86*(0.93*
m.x1946*(1 - 0.000727272727272727*m.x1946))**2 - 1.49610402*m.x1946*m.x1946*(1 -
0.000727272727272727*m.x1946)*(1 - 0.00145454545454545*m.x1946)*(1 - 0.00145454545454545*m.x1946
))) + m.x54 == 0)
m.c56 = Constraint(expr=-(0.0775*m.x1947*(1 - 0.000727272727272727*m.x1947) + 0.003003125*m.x1947*(1 -
0.000727272727272727*m.x1947)*(1 - 0.00145454545454545*m.x1947) + 6.0669191919192e-8*(1189.2375*
m.x1947*(1 - 0.000727272727272727*m.x1947)*(1 - 0.00145454545454545*m.x1947) - 1.86*(0.93*
m.x1947*(1 - 0.000727272727272727*m.x1947))**2 - 1.49610402*m.x1947*m.x1947*(1 -
0.000727272727272727*m.x1947)*(1 - 0.00145454545454545*m.x1947)*(1 - 0.00145454545454545*m.x1947
))) + m.x55 == 0)
m.c57 = Constraint(expr=-(0.0775*m.x1948*(1 - 0.000727272727272727*m.x1948) + 0.003003125*m.x1948*(1 -
0.000727272727272727*m.x1948)*(1 - 0.00145454545454545*m.x1948) + 6.0669191919192e-8*(1189.2375*
m.x1948*(1 - 0.000727272727272727*m.x1948)*(1 - 0.00145454545454545*m.x1948) - 1.86*(0.93*
m.x1948*(1 - 0.000727272727272727*m.x1948))**2 - 1.49610402*m.x1948*m.x1948*(1 -
0.000727272727272727*m.x1948)*(1 - 0.00145454545454545*m.x1948)*(1 - 0.00145454545454545*m.x1948
))) + m.x56 == 0)
m.c58 = Constraint(expr=-(0.0775*m.x1949*(1 - 0.000727272727272727*m.x1949) + 0.003003125*m.x1949*(1 -
0.000727272727272727*m.x1949)*(1 - 0.00145454545454545*m.x1949) + 6.0669191919192e-8*(1189.2375*
m.x1949*(1 - 0.000727272727272727*m.x1949)*(1 - 0.00145454545454545*m.x1949) - 1.86*(0.93*
m.x1949*(1 - 0.000727272727272727*m.x1949))**2 - 1.49610402*m.x1949*m.x1949*(1 -
0.000727272727272727*m.x1949)*(1 - 0.00145454545454545*m.x1949)*(1 - 0.00145454545454545*m.x1949
))) + m.x57 == 0)
m.c59 = Constraint(expr=-(0.0775*m.x1950*(1 - 0.000727272727272727*m.x1950) + 0.003003125*m.x1950*(1 -
0.000727272727272727*m.x1950)*(1 - 0.00145454545454545*m.x1950) + 6.0669191919192e-8*(1189.2375*
m.x1950*(1 - 0.000727272727272727*m.x1950)*(1 - 0.00145454545454545*m.x1950) - 1.86*(0.93*
m.x1950*(1 - 0.000727272727272727*m.x1950))**2 - 1.49610402*m.x1950*m.x1950*(1 -
0.000727272727272727*m.x1950)*(1 - 0.00145454545454545*m.x1950)*(1 - 0.00145454545454545*m.x1950
))) + m.x58 == 0)
m.c60 = Constraint(expr=-(0.0775*m.x1951*(1 - 0.000727272727272727*m.x1951) + 0.003003125*m.x1951*(1 -
0.000727272727272727*m.x1951)*(1 - 0.00145454545454545*m.x1951) + 6.0669191919192e-8*(1189.2375*
m.x1951*(1 - 0.000727272727272727*m.x1951)*(1 - 0.00145454545454545*m.x1951) - 1.86*(0.93*
m.x1951*(1 - 0.000727272727272727*m.x1951))**2 - 1.49610402*m.x1951*m.x1951*(1 -
0.000727272727272727*m.x1951)*(1 - 0.00145454545454545*m.x1951)*(1 - 0.00145454545454545*m.x1951
))) + m.x59 == 0)
m.c61 = Constraint(expr=-(0.0775*m.x1952*(1 - 0.000727272727272727*m.x1952) + 0.003003125*m.x1952*(1 -
0.000727272727272727*m.x1952)*(1 - 0.00145454545454545*m.x1952) + 6.0669191919192e-8*(1189.2375*
m.x1952*(1 - 0.000727272727272727*m.x1952)*(1 - 0.00145454545454545*m.x1952) - 1.86*(0.93*
m.x1952*(1 - 0.000727272727272727*m.x1952))**2 - 1.49610402*m.x1952*m.x1952*(1 -
0.000727272727272727*m.x1952)*(1 - 0.00145454545454545*m.x1952)*(1 - 0.00145454545454545*m.x1952
))) + m.x60 == 0)
m.c62 = Constraint(expr=-(0.0775*m.x1953*(1 - 0.000727272727272727*m.x1953) + 0.003003125*m.x1953*(1 -
0.000727272727272727*m.x1953)*(1 - 0.00145454545454545*m.x1953) + 6.0669191919192e-8*(1189.2375*
m.x1953*(1 - 0.000727272727272727*m.x1953)*(1 - 0.00145454545454545*m.x1953) - 1.86*(0.93*
m.x1953*(1 - 0.000727272727272727*m.x1953))**2 - 1.49610402*m.x1953*m.x1953*(1 -
0.000727272727272727*m.x1953)*(1 - 0.00145454545454545*m.x1953)*(1 - 0.00145454545454545*m.x1953
))) + m.x61 == 0)
m.c63 = Constraint(expr=-(0.0775*m.x1954*(1 - 0.000727272727272727*m.x1954) + 0.003003125*m.x1954*(1 -
0.000727272727272727*m.x1954)*(1 - 0.00145454545454545*m.x1954) + 6.0669191919192e-8*(1189.2375*
m.x1954*(1 - 0.000727272727272727*m.x1954)*(1 - 0.00145454545454545*m.x1954) - 1.86*(0.93*
m.x1954*(1 - 0.000727272727272727*m.x1954))**2 - 1.49610402*m.x1954*m.x1954*(1 -
0.000727272727272727*m.x1954)*(1 - 0.00145454545454545*m.x1954)*(1 - 0.00145454545454545*m.x1954
))) + m.x62 == 0)
m.c64 = Constraint(expr=-(0.0775*m.x1955*(1 - 0.000727272727272727*m.x1955) + 0.003003125*m.x1955*(1 -
0.000727272727272727*m.x1955)*(1 - 0.00145454545454545*m.x1955) + 6.0669191919192e-8*(1189.2375*
m.x1955*(1 - 0.000727272727272727*m.x1955)*(1 - 0.00145454545454545*m.x1955) - 1.86*(0.93*
m.x1955*(1 - 0.000727272727272727*m.x1955))**2 - 1.49610402*m.x1955*m.x1955*(1 -
0.000727272727272727*m.x1955)*(1 - 0.00145454545454545*m.x1955)*(1 - 0.00145454545454545*m.x1955
))) + m.x63 == 0)
m.c65 = Constraint(expr=-(0.0775*m.x1956*(1 - 0.000727272727272727*m.x1956) + 0.003003125*m.x1956*(1 -
0.000727272727272727*m.x1956)*(1 - 0.00145454545454545*m.x1956) + 6.0669191919192e-8*(1189.2375*
m.x1956*(1 - 0.000727272727272727*m.x1956)*(1 - 0.00145454545454545*m.x1956) - 1.86*(0.93*
m.x1956*(1 - 0.000727272727272727*m.x1956))**2 - 1.49610402*m.x1956*m.x1956*(1 -
0.000727272727272727*m.x1956)*(1 - 0.00145454545454545*m.x1956)*(1 - 0.00145454545454545*m.x1956
))) + m.x64 == 0)
m.c66 = Constraint(expr=-(0.0775*m.x1957*(1 - 0.000727272727272727*m.x1957) + 0.003003125*m.x1957*(1 -
0.000727272727272727*m.x1957)*(1 - 0.00145454545454545*m.x1957) + 6.0669191919192e-8*(1189.2375*
m.x1957*(1 - 0.000727272727272727*m.x1957)*(1 - 0.00145454545454545*m.x1957) - 1.86*(0.93*
m.x1957*(1 - 0.000727272727272727*m.x1957))**2 - 1.49610402*m.x1957*m.x1957*(1 -
0.000727272727272727*m.x1957)*(1 - 0.00145454545454545*m.x1957)*(1 - 0.00145454545454545*m.x1957
))) + m.x65 == 0)
m.c67 = Constraint(expr=-(0.0775*m.x1958*(1 - 0.000727272727272727*m.x1958) + 0.003003125*m.x1958*(1 -
0.000727272727272727*m.x1958)*(1 - 0.00145454545454545*m.x1958) + 6.0669191919192e-8*(1189.2375*
m.x1958*(1 - 0.000727272727272727*m.x1958)*(1 - 0.00145454545454545*m.x1958) - 1.86*(0.93*
m.x1958*(1 - 0.000727272727272727*m.x1958))**2 - 1.49610402*m.x1958*m.x1958*(1 -
0.000727272727272727*m.x1958)*(1 - 0.00145454545454545*m.x1958)*(1 - 0.00145454545454545*m.x1958
))) + m.x66 == 0)
m.c68 = Constraint(expr=-(0.0775*m.x1959*(1 - 0.000727272727272727*m.x1959) + 0.003003125*m.x1959*(1 -
0.000727272727272727*m.x1959)*(1 - 0.00145454545454545*m.x1959) + 6.0669191919192e-8*(1189.2375*
m.x1959*(1 - 0.000727272727272727*m.x1959)*(1 - 0.00145454545454545*m.x1959) - 1.86*(0.93*
m.x1959*(1 - 0.000727272727272727*m.x1959))**2 - 1.49610402*m.x1959*m.x1959*(1 -
0.000727272727272727*m.x1959)*(1 - 0.00145454545454545*m.x1959)*(1 - 0.00145454545454545*m.x1959
))) + m.x67 == 0)
m.c69 = Constraint(expr=-(0.0775*m.x1960*(1 - 0.000727272727272727*m.x1960) + 0.003003125*m.x1960*(1 -
0.000727272727272727*m.x1960)*(1 - 0.00145454545454545*m.x1960) + 6.0669191919192e-8*(1189.2375*
m.x1960*(1 - 0.000727272727272727*m.x1960)*(1 - 0.00145454545454545*m.x1960) - 1.86*(0.93*
m.x1960*(1 - 0.000727272727272727*m.x1960))**2 - 1.49610402*m.x1960*m.x1960*(1 -
0.000727272727272727*m.x1960)*(1 - 0.00145454545454545*m.x1960)*(1 - 0.00145454545454545*m.x1960
))) + m.x68 == 0)
m.c70 = Constraint(expr=-(0.0775*m.x1961*(1 - 0.000727272727272727*m.x1961) + 0.003003125*m.x1961*(1 -
0.000727272727272727*m.x1961)*(1 - 0.00145454545454545*m.x1961) + 6.0669191919192e-8*(1189.2375*
m.x1961*(1 - 0.000727272727272727*m.x1961)*(1 - 0.00145454545454545*m.x1961) - 1.86*(0.93*
m.x1961*(1 - 0.000727272727272727*m.x1961))**2 - 1.49610402*m.x1961*m.x1961*(1 -
0.000727272727272727*m.x1961)*(1 - 0.00145454545454545*m.x1961)*(1 - 0.00145454545454545*m.x1961
))) + m.x69 == 0)
m.c71 = Constraint(expr=-(0.0775*m.x1962*(1 - 0.000727272727272727*m.x1962) + 0.003003125*m.x1962*(1 -
0.000727272727272727*m.x1962)*(1 - 0.00145454545454545*m.x1962) + 6.0669191919192e-8*(1189.2375*
m.x1962*(1 - 0.000727272727272727*m.x1962)*(1 - 0.00145454545454545*m.x1962) - 1.86*(0.93*
m.x1962*(1 - 0.000727272727272727*m.x1962))**2 - 1.49610402*m.x1962*m.x1962*(1 -
0.000727272727272727*m.x1962)*(1 - 0.00145454545454545*m.x1962)*(1 - 0.00145454545454545*m.x1962
))) + m.x70 == 0)
m.c72 = Constraint(expr=-(0.0775*m.x1963*(1 - 0.000727272727272727*m.x1963) + 0.003003125*m.x1963*(1 -
0.000727272727272727*m.x1963)*(1 - 0.00145454545454545*m.x1963) + 6.0669191919192e-8*(1189.2375*
m.x1963*(1 - 0.000727272727272727*m.x1963)*(1 - 0.00145454545454545*m.x1963) - 1.86*(0.93*
m.x1963*(1 - 0.000727272727272727*m.x1963))**2 - 1.49610402*m.x1963*m.x1963*(1 -
0.000727272727272727*m.x1963)*(1 - 0.00145454545454545*m.x1963)*(1 - 0.00145454545454545*m.x1963
))) + m.x71 == 0)
m.c73 = Constraint(expr=-(0.0775*m.x1964*(1 - 0.000727272727272727*m.x1964) + 0.003003125*m.x1964*(1 -
0.000727272727272727*m.x1964)*(1 - 0.00145454545454545*m.x1964) + 6.0669191919192e-8*(1189.2375*
m.x1964*(1 - 0.000727272727272727*m.x1964)*(1 - 0.00145454545454545*m.x1964) - 1.86*(0.93*
m.x1964*(1 - 0.000727272727272727*m.x1964))**2 - 1.49610402*m.x1964*m.x1964*(1 -
0.000727272727272727*m.x1964)*(1 - 0.00145454545454545*m.x1964)*(1 - 0.00145454545454545*m.x1964
))) + m.x72 == 0)
m.c74 = Constraint(expr=-(0.0775*m.x1965*(1 - 0.000727272727272727*m.x1965) + 0.003003125*m.x1965*(1 -
0.000727272727272727*m.x1965)*(1 - 0.00145454545454545*m.x1965) + 6.0669191919192e-8*(1189.2375*
m.x1965*(1 - 0.000727272727272727*m.x1965)*(1 - 0.00145454545454545*m.x1965) - 1.86*(0.93*
m.x1965*(1 - 0.000727272727272727*m.x1965))**2 - 1.49610402*m.x1965*m.x1965*(1 -
0.000727272727272727*m.x1965)*(1 - 0.00145454545454545*m.x1965)*(1 - 0.00145454545454545*m.x1965
))) + m.x73 == 0)
m.c75 = Constraint(expr=-(0.0775*m.x1966*(1 - 0.000727272727272727*m.x1966) + 0.003003125*m.x1966*(1 -
0.000727272727272727*m.x1966)*(1 - 0.00145454545454545*m.x1966) + 6.0669191919192e-8*(1189.2375*
m.x1966*(1 - 0.000727272727272727*m.x1966)*(1 - 0.00145454545454545*m.x1966) - 1.86*(0.93*
m.x1966*(1 - 0.000727272727272727*m.x1966))**2 - 1.49610402*m.x1966*m.x1966*(1 -
0.000727272727272727*m.x1966)*(1 - 0.00145454545454545*m.x1966)*(1 - 0.00145454545454545*m.x1966
))) + m.x74 == 0)
m.c76 = Constraint(expr=-(0.0775*m.x1967*(1 - 0.000727272727272727*m.x1967) + 0.003003125*m.x1967*(1 -
0.000727272727272727*m.x1967)*(1 - 0.00145454545454545*m.x1967) + 6.0669191919192e-8*(1189.2375*
m.x1967*(1 - 0.000727272727272727*m.x1967)*(1 - 0.00145454545454545*m.x1967) - 1.86*(0.93*
m.x1967*(1 - 0.000727272727272727*m.x1967))**2 - 1.49610402*m.x1967*m.x1967*(1 -
0.000727272727272727*m.x1967)*(1 - 0.00145454545454545*m.x1967)*(1 - 0.00145454545454545*m.x1967
))) + m.x75 == 0)
m.c77 = Constraint(expr=-(0.0775*m.x1968*(1 - 0.000727272727272727*m.x1968) + 0.003003125*m.x1968*(1 -
0.000727272727272727*m.x1968)*(1 - 0.00145454545454545*m.x1968) + 6.0669191919192e-8*(1189.2375*
m.x1968*(1 - 0.000727272727272727*m.x1968)*(1 - 0.00145454545454545*m.x1968) - 1.86*(0.93*
m.x1968*(1 - 0.000727272727272727*m.x1968))**2 - 1.49610402*m.x1968*m.x1968*(1 -
0.000727272727272727*m.x1968)*(1 - 0.00145454545454545*m.x1968)*(1 - 0.00145454545454545*m.x1968
))) + m.x76 == 0)
m.c78 = Constraint(expr=-(0.0775*m.x1969*(1 - 0.000727272727272727*m.x1969) + 0.003003125*m.x1969*(1 -
0.000727272727272727*m.x1969)*(1 - 0.00145454545454545*m.x1969) + 6.0669191919192e-8*(1189.2375*
m.x1969*(1 - 0.000727272727272727*m.x1969)*(1 - 0.00145454545454545*m.x1969) - 1.86*(0.93*
m.x1969*(1 - 0.000727272727272727*m.x1969))**2 - 1.49610402*m.x1969*m.x1969*(1 -
0.000727272727272727*m.x1969)*(1 - 0.00145454545454545*m.x1969)*(1 - 0.00145454545454545*m.x1969
))) + m.x77 == 0)
m.c79 = Constraint(expr=-(0.0775*m.x1970*(1 - 0.000727272727272727*m.x1970) + 0.003003125*m.x1970*(1 -
0.000727272727272727*m.x1970)*(1 - 0.00145454545454545*m.x1970) + 6.0669191919192e-8*(1189.2375*
m.x1970*(1 - 0.000727272727272727*m.x1970)*(1 - 0.00145454545454545*m.x1970) - 1.86*(0.93*
m.x1970*(1 - 0.000727272727272727*m.x1970))**2 - 1.49610402*m.x1970*m.x1970*(1 -
0.000727272727272727*m.x1970)*(1 - 0.00145454545454545*m.x1970)*(1 - 0.00145454545454545*m.x1970
))) + m.x78 == 0)
m.c80 = Constraint(expr=-(0.0775*m.x1971*(1 - 0.000727272727272727*m.x1971) + 0.003003125*m.x1971*(1 -
0.000727272727272727*m.x1971)*(1 - 0.00145454545454545*m.x1971) + 6.0669191919192e-8*(1189.2375*
m.x1971*(1 - 0.000727272727272727*m.x1971)*(1 - 0.00145454545454545*m.x1971) - 1.86*(0.93*
m.x1971*(1 - 0.000727272727272727*m.x1971))**2 - 1.49610402*m.x1971*m.x1971*(1 -
0.000727272727272727*m.x1971)*(1 - 0.00145454545454545*m.x1971)*(1 - 0.00145454545454545*m.x1971
))) + m.x79 == 0)
m.c81 = Constraint(expr=-(0.0775*m.x1972*(1 - 0.000727272727272727*m.x1972) + 0.003003125*m.x1972*(1 -
0.000727272727272727*m.x1972)*(1 - 0.00145454545454545*m.x1972) + 6.0669191919192e-8*(1189.2375*
m.x1972*(1 - 0.000727272727272727*m.x1972)*(1 - 0.00145454545454545*m.x1972) - 1.86*(0.93*
m.x1972*(1 - 0.000727272727272727*m.x1972))**2 - 1.49610402*m.x1972*m.x1972*(1 -
0.000727272727272727*m.x1972)*(1 - 0.00145454545454545*m.x1972)*(1 - 0.00145454545454545*m.x1972
))) + m.x80 == 0)
m.c82 = Constraint(expr=-(0.0775*m.x1973*(1 - 0.000727272727272727*m.x1973) + 0.003003125*m.x1973*(1 -
0.000727272727272727*m.x1973)*(1 - 0.00145454545454545*m.x1973) + 6.0669191919192e-8*(1189.2375*
m.x1973*(1 - 0.000727272727272727*m.x1973)*(1 - 0.00145454545454545*m.x1973) - 1.86*(0.93*
m.x1973*(1 - 0.000727272727272727*m.x1973))**2 - 1.49610402*m.x1973*m.x1973*(1 -
0.000727272727272727*m.x1973)*(1 - 0.00145454545454545*m.x1973)*(1 - 0.00145454545454545*m.x1973
))) + m.x81 == 0)
m.c83 = Constraint(expr=-(0.0775*m.x1974*(1 - 0.000727272727272727*m.x1974) + 0.003003125*m.x1974*(1 -
0.000727272727272727*m.x1974)*(1 - 0.00145454545454545*m.x1974) + 6.0669191919192e-8*(1189.2375*
m.x1974*(1 - 0.000727272727272727*m.x1974)*(1 - 0.00145454545454545*m.x1974) - 1.86*(0.93*
m.x1974*(1 - 0.000727272727272727*m.x1974))**2 - 1.49610402*m.x1974*m.x1974*(1 -
0.000727272727272727*m.x1974)*(1 - 0.00145454545454545*m.x1974)*(1 - 0.00145454545454545*m.x1974
))) + m.x82 == 0)
m.c84 = Constraint(expr=-(0.0775*m.x1975*(1 - 0.000727272727272727*m.x1975) + 0.003003125*m.x1975*(1 -
0.000727272727272727*m.x1975)*(1 - 0.00145454545454545*m.x1975) + 6.0669191919192e-8*(1189.2375*
m.x1975*(1 - 0.000727272727272727*m.x1975)*(1 - 0.00145454545454545*m.x1975) - 1.86*(0.93*
m.x1975*(1 - 0.000727272727272727*m.x1975))**2 - 1.49610402*m.x1975*m.x1975*(1 -
0.000727272727272727*m.x1975)*(1 - 0.00145454545454545*m.x1975)*(1 - 0.00145454545454545*m.x1975
))) + m.x83 == 0)
m.c85 = Constraint(expr=-(0.0775*m.x1976*(1 - 0.000727272727272727*m.x1976) + 0.003003125*m.x1976*(1 -
0.000727272727272727*m.x1976)*(1 - 0.00145454545454545*m.x1976) + 6.0669191919192e-8*(1189.2375*
m.x1976*(1 - 0.000727272727272727*m.x1976)*(1 - 0.00145454545454545*m.x1976) - 1.86*(0.93*
m.x1976*(1 - 0.000727272727272727*m.x1976))**2 - 1.49610402*m.x1976*m.x1976*(1 -
0.000727272727272727*m.x1976)*(1 - 0.00145454545454545*m.x1976)*(1 - 0.00145454545454545*m.x1976
))) + m.x84 == 0)
m.c86 = Constraint(expr=-(0.0775*m.x1977*(1 - 0.000727272727272727*m.x1977) + 0.003003125*m.x1977*(1 -
0.000727272727272727*m.x1977)*(1 - 0.00145454545454545*m.x1977) + 6.0669191919192e-8*(1189.2375*
m.x1977*(1 - 0.000727272727272727*m.x1977)*(1 - 0.00145454545454545*m.x1977) - 1.86*(0.93*
m.x1977*(1 - 0.000727272727272727*m.x1977))**2 - 1.49610402*m.x1977*m.x1977*(1 -
0.000727272727272727*m.x1977)*(1 - 0.00145454545454545*m.x1977)*(1 - 0.00145454545454545*m.x1977
))) + m.x85 == 0)
m.c87 = Constraint(expr=-(0.0775*m.x1978*(1 - 0.000727272727272727*m.x1978) + 0.003003125*m.x1978*(1 -
0.000727272727272727*m.x1978)*(1 - 0.00145454545454545*m.x1978) + 6.0669191919192e-8*(1189.2375*
m.x1978*(1 - 0.000727272727272727*m.x1978)*(1 - 0.00145454545454545*m.x1978) - 1.86*(0.93*
m.x1978*(1 - 0.000727272727272727*m.x1978))**2 - 1.49610402*m.x1978*m.x1978*(1 -
0.000727272727272727*m.x1978)*(1 - 0.00145454545454545*m.x1978)*(1 - 0.00145454545454545*m.x1978
))) + m.x86 == 0)
m.c88 = Constraint(expr=-(0.0775*m.x1979*(1 - 0.000727272727272727*m.x1979) + 0.003003125*m.x1979*(1 -
0.000727272727272727*m.x1979)*(1 - 0.00145454545454545*m.x1979) + 6.0669191919192e-8*(1189.2375*
m.x1979*(1 - 0.000727272727272727*m.x1979)*(1 - 0.00145454545454545*m.x1979) - 1.86*(0.93*
m.x1979*(1 - 0.000727272727272727*m.x1979))**2 - 1.49610402*m.x1979*m.x1979*(1 -
0.000727272727272727*m.x1979)*(1 - 0.00145454545454545*m.x1979)*(1 - 0.00145454545454545*m.x1979
))) + m.x87 == 0)
m.c89 = Constraint(expr=-(0.0775*m.x1980*(1 - 0.000727272727272727*m.x1980) + 0.003003125*m.x1980*(1 -
0.000727272727272727*m.x1980)*(1 - 0.00145454545454545*m.x1980) + 6.0669191919192e-8*(1189.2375*
m.x1980*(1 - 0.000727272727272727*m.x1980)*(1 - 0.00145454545454545*m.x1980) - 1.86*(0.93*
m.x1980*(1 - 0.000727272727272727*m.x1980))**2 - 1.49610402*m.x1980*m.x1980*(1 -
0.000727272727272727*m.x1980)*(1 - 0.00145454545454545*m.x1980)*(1 - 0.00145454545454545*m.x1980
))) + m.x88 == 0)
m.c90 = Constraint(expr=-(0.0775*m.x1981*(1 - 0.000727272727272727*m.x1981) + 0.003003125*m.x1981*(1 -
0.000727272727272727*m.x1981)*(1 - 0.00145454545454545*m.x1981) + 6.0669191919192e-8*(1189.2375*
m.x1981*(1 - 0.000727272727272727*m.x1981)*(1 - 0.00145454545454545*m.x1981) - 1.86*(0.93*
m.x1981*(1 - 0.000727272727272727*m.x1981))**2 - 1.49610402*m.x1981*m.x1981*(1 -
0.000727272727272727*m.x1981)*(1 - 0.00145454545454545*m.x1981)*(1 - 0.00145454545454545*m.x1981
))) + m.x89 == 0)
m.c91 = Constraint(expr=-(0.0775*m.x1982*(1 - 0.000727272727272727*m.x1982) + 0.003003125*m.x1982*(1 -
0.000727272727272727*m.x1982)*(1 - 0.00145454545454545*m.x1982) + 6.0669191919192e-8*(1189.2375*
m.x1982*(1 - 0.000727272727272727*m.x1982)*(1 - 0.00145454545454545*m.x1982) - 1.86*(0.93*
m.x1982*(1 - 0.000727272727272727*m.x1982))**2 - 1.49610402*m.x1982*m.x1982*(1 -
0.000727272727272727*m.x1982)*(1 - 0.00145454545454545*m.x1982)*(1 - 0.00145454545454545*m.x1982
))) + m.x90 == 0)
m.c92 = Constraint(expr=-(0.0775*m.x1983*(1 - 0.000727272727272727*m.x1983) + 0.003003125*m.x1983*(1 -
0.000727272727272727*m.x1983)*(1 - 0.00145454545454545*m.x1983) + 6.0669191919192e-8*(1189.2375*
m.x1983*(1 - 0.000727272727272727*m.x1983)*(1 - 0.00145454545454545*m.x1983) - 1.86*(0.93*
m.x1983*(1 - 0.000727272727272727*m.x1983))**2 - 1.49610402*m.x1983*m.x1983*(1 -
0.000727272727272727*m.x1983)*(1 - 0.00145454545454545*m.x1983)*(1 - 0.00145454545454545*m.x1983
))) + m.x91 == 0)
m.c93 = Constraint(expr=-(0.0775*m.x1984*(1 - 0.000727272727272727*m.x1984) + 0.003003125*m.x1984*(1 -
0.000727272727272727*m.x1984)*(1 - 0.00145454545454545*m.x1984) + 6.0669191919192e-8*(1189.2375*
m.x1984*(1 - 0.000727272727272727*m.x1984)*(1 - 0.00145454545454545*m.x1984) - 1.86*(0.93*
m.x1984*(1 - 0.000727272727272727*m.x1984))**2 - 1.49610402*m.x1984*m.x1984*(1 -
0.000727272727272727*m.x1984)*(1 - 0.00145454545454545*m.x1984)*(1 - 0.00145454545454545*m.x1984
))) + m.x92 == 0)
m.c94 = Constraint(expr=-(0.0775*m.x1985*(1 - 0.000727272727272727*m.x1985) + 0.003003125*m.x1985*(1 -
0.000727272727272727*m.x1985)*(1 - 0.00145454545454545*m.x1985) + 6.0669191919192e-8*(1189.2375*
m.x1985*(1 - 0.000727272727272727*m.x1985)*(1 - 0.00145454545454545*m.x1985) - 1.86*(0.93*
m.x1985*(1 - 0.000727272727272727*m.x1985))**2 - 1.49610402*m.x1985*m.x1985*(1 -
0.000727272727272727*m.x1985)*(1 - 0.00145454545454545*m.x1985)*(1 - 0.00145454545454545*m.x1985
))) + m.x93 == 0)
m.c95 = Constraint(expr=-(0.0775*m.x1986*(1 - 0.000727272727272727*m.x1986) + 0.003003125*m.x1986*(1 -
0.000727272727272727*m.x1986)*(1 - 0.00145454545454545*m.x1986) + 6.0669191919192e-8*(1189.2375*
m.x1986*(1 - 0.000727272727272727*m.x1986)*(1 - 0.00145454545454545*m.x1986) - 1.86*(0.93*
m.x1986*(1 - 0.000727272727272727*m.x1986))**2 - 1.49610402*m.x1986*m.x1986*(1 -
0.000727272727272727*m.x1986)*(1 - 0.00145454545454545*m.x1986)*(1 - 0.00145454545454545*m.x1986
))) + m.x94 == 0)
m.c96 = Constraint(expr=-(0.0775*m.x1987*(1 - 0.000727272727272727*m.x1987) + 0.003003125*m.x1987*(1 -
0.000727272727272727*m.x1987)*(1 - 0.00145454545454545*m.x1987) + 6.0669191919192e-8*(1189.2375*
m.x1987*(1 - 0.000727272727272727*m.x1987)*(1 - 0.00145454545454545*m.x1987) - 1.86*(0.93*
m.x1987*(1 - 0.000727272727272727*m.x1987))**2 - 1.49610402*m.x1987*m.x1987*(1 -
0.000727272727272727*m.x1987)*(1 - 0.00145454545454545*m.x1987)*(1 - 0.00145454545454545*m.x1987
))) + m.x95 == 0)
m.c97 = Constraint(expr=-(0.0775*m.x1988*(1 - 0.000727272727272727*m.x1988) + 0.003003125*m.x1988*(1 -
0.000727272727272727*m.x1988)*(1 - 0.00145454545454545*m.x1988) + 6.0669191919192e-8*(1189.2375*
m.x1988*(1 - 0.000727272727272727*m.x1988)*(1 - 0.00145454545454545*m.x1988) - 1.86*(0.93*
m.x1988*(1 - 0.000727272727272727*m.x1988))**2 - 1.49610402*m.x1988*m.x1988*(1 -
0.000727272727272727*m.x1988)*(1 - 0.00145454545454545*m.x1988)*(1 - 0.00145454545454545*m.x1988
))) + m.x96 == 0)
m.c98 = Constraint(expr=-(0.0775*m.x1989*(1 - 0.000727272727272727*m.x1989) + 0.003003125*m.x1989*(1 -
0.000727272727272727*m.x1989)*(1 - 0.00145454545454545*m.x1989) + 6.0669191919192e-8*(1189.2375*
m.x1989*(1 - 0.000727272727272727*m.x1989)*(1 - 0.00145454545454545*m.x1989) - 1.86*(0.93*
m.x1989*(1 - 0.000727272727272727*m.x1989))**2 - 1.49610402*m.x1989*m.x1989*(1 -
0.000727272727272727*m.x1989)*(1 - 0.00145454545454545*m.x1989)*(1 - 0.00145454545454545*m.x1989
))) + m.x97 == 0)
m.c99 = Constraint(expr=-(0.0775*m.x1990*(1 - 0.000727272727272727*m.x1990) + 0.003003125*m.x1990*(1 -
0.000727272727272727*m.x1990)*(1 - 0.00145454545454545*m.x1990) + 6.0669191919192e-8*(1189.2375*
m.x1990*(1 - 0.000727272727272727*m.x1990)*(1 - 0.00145454545454545*m.x1990) - 1.86*(0.93*
m.x1990*(1 - 0.000727272727272727*m.x1990))**2 - 1.49610402*m.x1990*m.x1990*(1 -
0.000727272727272727*m.x1990)*(1 - 0.00145454545454545*m.x1990)*(1 - 0.00145454545454545*m.x1990
))) + m.x98 == 0)
m.c100 = Constraint(expr=-(0.0775*m.x1991*(1 - 0.000727272727272727*m.x1991) + 0.003003125*m.x1991*(1 -
0.000727272727272727*m.x1991)*(1 - 0.00145454545454545*m.x1991) + 6.0669191919192e-8*(1189.2375
*m.x1991*(1 - 0.000727272727272727*m.x1991)*(1 - 0.00145454545454545*m.x1991) - 1.86*(0.93*
m.x1991*(1 - 0.000727272727272727*m.x1991))**2 - 1.49610402*m.x1991*m.x1991*(1 -
0.000727272727272727*m.x1991)*(1 - 0.00145454545454545*m.x1991)*(1 - 0.00145454545454545*
m.x1991))) + m.x99 == 0)
m.c101 = Constraint(expr=-(0.0775*m.x1992*(1 - 0.000727272727272727*m.x1992) + 0.003003125*m.x1992*(1 -
0.000727272727272727*m.x1992)*(1 - 0.00145454545454545*m.x1992) + 6.0669191919192e-8*(1189.2375
*m.x1992*(1 - 0.000727272727272727*m.x1992)*(1 - 0.00145454545454545*m.x1992) - 1.86*(0.93*
m.x1992*(1 - 0.000727272727272727*m.x1992))**2 - 1.49610402*m.x1992*m.x1992*(1 -
0.000727272727272727*m.x1992)*(1 - 0.00145454545454545*m.x1992)*(1 - 0.00145454545454545*
m.x1992))) + m.x100 == 0)
m.c102 = Constraint(expr=-(0.0775*m.x1993*(1 - 0.000727272727272727*m.x1993) + 0.003003125*m.x1993*(1 -
0.000727272727272727*m.x1993)*(1 - 0.00145454545454545*m.x1993) + 6.0669191919192e-8*(1189.2375
*m.x1993*(1 - 0.000727272727272727*m.x1993)*(1 - 0.00145454545454545*m.x1993) - 1.86*(0.93*
m.x1993*(1 - 0.000727272727272727*m.x1993))**2 - 1.49610402*m.x1993*m.x1993*(1 -
0.000727272727272727*m.x1993)*(1 - 0.00145454545454545*m.x1993)*(1 - 0.00145454545454545*
m.x1993))) + m.x101 == 0)
m.c103 = Constraint(expr=-(0.0775*m.x1994*(1 - 0.000727272727272727*m.x1994) + 0.003003125*m.x1994*(1 -
0.000727272727272727*m.x1994)*(1 - 0.00145454545454545*m.x1994) + 6.0669191919192e-8*(1189.2375
*m.x1994*(1 - 0.000727272727272727*m.x1994)*(1 - 0.00145454545454545*m.x1994) - 1.86*(0.93*
m.x1994*(1 - 0.000727272727272727*m.x1994))**2 - 1.49610402*m.x1994*m.x1994*(1 -
0.000727272727272727*m.x1994)*(1 - 0.00145454545454545*m.x1994)*(1 - 0.00145454545454545*
m.x1994))) + m.x102 == 0)
m.c104 = Constraint(expr=-(0.0775*m.x1995*(1 - 0.000727272727272727*m.x1995) + 0.003003125*m.x1995*(1 -
0.000727272727272727*m.x1995)*(1 - 0.00145454545454545*m.x1995) + 6.0669191919192e-8*(1189.2375
*m.x1995*(1 - 0.000727272727272727*m.x1995)*(1 - 0.00145454545454545*m.x1995) - 1.86*(0.93*
m.x1995*(1 - 0.000727272727272727*m.x1995))**2 - 1.49610402*m.x1995*m.x1995*(1 -
0.000727272727272727*m.x1995)*(1 - 0.00145454545454545*m.x1995)*(1 - 0.00145454545454545*
m.x1995))) + m.x103 == 0)
m.c105 = Constraint(expr=-(0.0775*m.x1996*(1 - 0.000727272727272727*m.x1996) + 0.003003125*m.x1996*(1 -
0.000727272727272727*m.x1996)*(1 - 0.00145454545454545*m.x1996) + 6.0669191919192e-8*(1189.2375
*m.x1996*(1 - 0.000727272727272727*m.x1996)*(1 - 0.00145454545454545*m.x1996) - 1.86*(0.93*
m.x1996*(1 - 0.000727272727272727*m.x1996))**2 - 1.49610402*m.x1996*m.x1996*(1 -
0.000727272727272727*m.x1996)*(1 - 0.00145454545454545*m.x1996)*(1 - 0.00145454545454545*
m.x1996))) + m.x104 == 0)
m.c106 = Constraint(expr=-(0.0775*m.x1997*(1 - 0.000727272727272727*m.x1997) + 0.003003125*m.x1997*(1 -
0.000727272727272727*m.x1997)*(1 - 0.00145454545454545*m.x1997) + 6.0669191919192e-8*(1189.2375
*m.x1997*(1 - 0.000727272727272727*m.x1997)*(1 - 0.00145454545454545*m.x1997) - 1.86*(0.93*
m.x1997*(1 - 0.000727272727272727*m.x1997))**2 - 1.49610402*m.x1997*m.x1997*(1 -
0.000727272727272727*m.x1997)*(1 - 0.00145454545454545*m.x1997)*(1 - 0.00145454545454545*
m.x1997))) + m.x105 == 0)
m.c107 = Constraint(expr=-(0.0775*m.x1998*(1 - 0.000727272727272727*m.x1998) + 0.003003125*m.x1998*(1 -
0.000727272727272727*m.x1998)*(1 - 0.00145454545454545*m.x1998) + 6.0669191919192e-8*(1189.2375
*m.x1998*(1 - 0.000727272727272727*m.x1998)*(1 - 0.00145454545454545*m.x1998) - 1.86*(0.93*
m.x1998*(1 - 0.000727272727272727*m.x1998))**2 - 1.49610402*m.x1998*m.x1998*(1 -
0.000727272727272727*m.x1998)*(1 - 0.00145454545454545*m.x1998)*(1 - 0.00145454545454545*
m.x1998))) + m.x106 == 0)
m.c108 = Constraint(expr=-(0.0775*m.x1999*(1 - 0.000727272727272727*m.x1999) + 0.003003125*m.x1999*(1 -
0.000727272727272727*m.x1999)*(1 - 0.00145454545454545*m.x1999) + 6.0669191919192e-8*(1189.2375
*m.x1999*(1 - 0.000727272727272727*m.x1999)*(1 - 0.00145454545454545*m.x1999) - 1.86*(0.93*
m.x1999*(1 - 0.000727272727272727*m.x1999))**2 - 1.49610402*m.x1999*m.x1999*(1 -
0.000727272727272727*m.x1999)*(1 - 0.00145454545454545*m.x1999)*(1 - 0.00145454545454545*
m.x1999))) + m.x107 == 0)
m.c109 = Constraint(expr=-(0.0775*m.x2000*(1 - 0.000727272727272727*m.x2000) + 0.003003125*m.x2000*(1 -
0.000727272727272727*m.x2000)*(1 - 0.00145454545454545*m.x2000) + 6.0669191919192e-8*(1189.2375
*m.x2000*(1 - 0.000727272727272727*m.x2000)*(1 - 0.00145454545454545*m.x2000) - 1.86*(0.93*
m.x2000*(1 - 0.000727272727272727*m.x2000))**2 - 1.49610402*m.x2000*m.x2000*(1 -
0.000727272727272727*m.x2000)*(1 - 0.00145454545454545*m.x2000)*(1 - 0.00145454545454545*
m.x2000))) + m.x108 == 0)
m.c110 = Constraint(expr=-(0.0775*m.x2001*(1 - 0.000727272727272727*m.x2001) + 0.003003125*m.x2001*(1 -
0.000727272727272727*m.x2001)*(1 - 0.00145454545454545*m.x2001) + 6.0669191919192e-8*(1189.2375
*m.x2001*(1 - 0.000727272727272727*m.x2001)*(1 - 0.00145454545454545*m.x2001) - 1.86*(0.93*
m.x2001*(1 - 0.000727272727272727*m.x2001))**2 - 1.49610402*m.x2001*m.x2001*(1 -
0.000727272727272727*m.x2001)*(1 - 0.00145454545454545*m.x2001)*(1 - 0.00145454545454545*
m.x2001))) + m.x109 == 0)
m.c111 = Constraint(expr=-(0.0775*m.x2002*(1 - 0.000727272727272727*m.x2002) + 0.003003125*m.x2002*(1 -
0.000727272727272727*m.x2002)*(1 - 0.00145454545454545*m.x2002) + 6.0669191919192e-8*(1189.2375
*m.x2002*(1 - 0.000727272727272727*m.x2002)*(1 - 0.00145454545454545*m.x2002) - 1.86*(0.93*
m.x2002*(1 - 0.000727272727272727*m.x2002))**2 - 1.49610402*m.x2002*m.x2002*(1 -
0.000727272727272727*m.x2002)*(1 - 0.00145454545454545*m.x2002)*(1 - 0.00145454545454545*
m.x2002))) + m.x110 == 0)
m.c112 = Constraint(expr=-(0.0775*m.x2003*(1 - 0.000727272727272727*m.x2003) + 0.003003125*m.x2003*(1 -
0.000727272727272727*m.x2003)*(1 - 0.00145454545454545*m.x2003) + 6.0669191919192e-8*(1189.2375
*m.x2003*(1 - 0.000727272727272727*m.x2003)*(1 - 0.00145454545454545*m.x2003) - 1.86*(0.93*
m.x2003*(1 - 0.000727272727272727*m.x2003))**2 - 1.49610402*m.x2003*m.x2003*(1 -
0.000727272727272727*m.x2003)*(1 - 0.00145454545454545*m.x2003)*(1 - 0.00145454545454545*
m.x2003))) + m.x111 == 0)
m.c113 = Constraint(expr=-(0.0775*m.x2004*(1 - 0.000727272727272727*m.x2004) + 0.003003125*m.x2004*(1 -
0.000727272727272727*m.x2004)*(1 - 0.00145454545454545*m.x2004) + 6.0669191919192e-8*(1189.2375
*m.x2004*(1 - 0.000727272727272727*m.x2004)*(1 - 0.00145454545454545*m.x2004) - 1.86*(0.93*
m.x2004*(1 - 0.000727272727272727*m.x2004))**2 - 1.49610402*m.x2004*m.x2004*(1 -
0.000727272727272727*m.x2004)*(1 - 0.00145454545454545*m.x2004)*(1 - 0.00145454545454545*
m.x2004))) + m.x112 == 0)
m.c114 = Constraint(expr=-(0.0775*m.x2005*(1 - 0.000727272727272727*m.x2005) + 0.003003125*m.x2005*(1 -
0.000727272727272727*m.x2005)*(1 - 0.00145454545454545*m.x2005) + 6.0669191919192e-8*(1189.2375
*m.x2005*(1 - 0.000727272727272727*m.x2005)*(1 - 0.00145454545454545*m.x2005) - 1.86*(0.93*
m.x2005*(1 - 0.000727272727272727*m.x2005))**2 - 1.49610402*m.x2005*m.x2005*(1 -
0.000727272727272727*m.x2005)*(1 - 0.00145454545454545*m.x2005)*(1 - 0.00145454545454545*
m.x2005))) + m.x113 == 0)
m.c115 = Constraint(expr=-(0.0775*m.x2006*(1 - 0.000727272727272727*m.x2006) + 0.003003125*m.x2006*(1 -
0.000727272727272727*m.x2006)*(1 - 0.00145454545454545*m.x2006) + 6.0669191919192e-8*(1189.2375
*m.x2006*(1 - 0.000727272727272727*m.x2006)*(1 - 0.00145454545454545*m.x2006) - 1.86*(0.93*
m.x2006*(1 - 0.000727272727272727*m.x2006))**2 - 1.49610402*m.x2006*m.x2006*(1 -
0.000727272727272727*m.x2006)*(1 - 0.00145454545454545*m.x2006)*(1 - 0.00145454545454545*
m.x2006))) + m.x114 == 0)
m.c116 = Constraint(expr=-(0.0775*m.x2007*(1 - 0.000727272727272727*m.x2007) + 0.003003125*m.x2007*(1 -
0.000727272727272727*m.x2007)*(1 - 0.00145454545454545*m.x2007) + 6.0669191919192e-8*(1189.2375
*m.x2007*(1 - 0.000727272727272727*m.x2007)*(1 - 0.00145454545454545*m.x2007) - 1.86*(0.93*
m.x2007*(1 - 0.000727272727272727*m.x2007))**2 - 1.49610402*m.x2007*m.x2007*(1 -
0.000727272727272727*m.x2007)*(1 - 0.00145454545454545*m.x2007)*(1 - 0.00145454545454545*
m.x2007))) + m.x115 == 0)
m.c117 = Constraint(expr=-(0.0775*m.x2008*(1 - 0.000727272727272727*m.x2008) + 0.003003125*m.x2008*(1 -
0.000727272727272727*m.x2008)*(1 - 0.00145454545454545*m.x2008) + 6.0669191919192e-8*(1189.2375
*m.x2008*(1 - 0.000727272727272727*m.x2008)*(1 - 0.00145454545454545*m.x2008) - 1.86*(0.93*
m.x2008*(1 - 0.000727272727272727*m.x2008))**2 - 1.49610402*m.x2008*m.x2008*(1 -
0.000727272727272727*m.x2008)*(1 - 0.00145454545454545*m.x2008)*(1 - 0.00145454545454545*
m.x2008))) + m.x116 == 0)
m.c118 = Constraint(expr=-(0.0775*m.x2009*(1 - 0.000727272727272727*m.x2009) + 0.003003125*m.x2009*(1 -
0.000727272727272727*m.x2009)*(1 - 0.00145454545454545*m.x2009) + 6.0669191919192e-8*(1189.2375
*m.x2009*(1 - 0.000727272727272727*m.x2009)*(1 - 0.00145454545454545*m.x2009) - 1.86*(0.93*
m.x2009*(1 - 0.000727272727272727*m.x2009))**2 - 1.49610402*m.x2009*m.x2009*(1 -
0.000727272727272727*m.x2009)*(1 - 0.00145454545454545*m.x2009)*(1 - 0.00145454545454545*
m.x2009))) + m.x117 == 0)
m.c119 = Constraint(expr=-(0.0775*m.x2010*(1 - 0.000727272727272727*m.x2010) + 0.003003125*m.x2010*(1 -
0.000727272727272727*m.x2010)*(1 - 0.00145454545454545*m.x2010) + 6.0669191919192e-8*(1189.2375
*m.x2010*(1 - 0.000727272727272727*m.x2010)*(1 - 0.00145454545454545*m.x2010) - 1.86*(0.93*
m.x2010*(1 - 0.000727272727272727*m.x2010))**2 - 1.49610402*m.x2010*m.x2010*(1 -
0.000727272727272727*m.x2010)*(1 - 0.00145454545454545*m.x2010)*(1 - 0.00145454545454545*
m.x2010))) + m.x118 == 0)
m.c120 = Constraint(expr=-(0.0775*m.x2011*(1 - 0.000727272727272727*m.x2011) + 0.003003125*m.x2011*(1 -
0.000727272727272727*m.x2011)*(1 - 0.00145454545454545*m.x2011) + 6.0669191919192e-8*(1189.2375
*m.x2011*(1 - 0.000727272727272727*m.x2011)*(1 - 0.00145454545454545*m.x2011) - 1.86*(0.93*
m.x2011*(1 - 0.000727272727272727*m.x2011))**2 - 1.49610402*m.x2011*m.x2011*(1 -
0.000727272727272727*m.x2011)*(1 - 0.00145454545454545*m.x2011)*(1 - 0.00145454545454545*
m.x2011))) + m.x119 == 0)
m.c121 = Constraint(expr=-(0.0775*m.x2012*(1 - 0.000727272727272727*m.x2012) + 0.003003125*m.x2012*(1 -
0.000727272727272727*m.x2012)*(1 - 0.00145454545454545*m.x2012) + 6.0669191919192e-8*(1189.2375
*m.x2012*(1 - 0.000727272727272727*m.x2012)*(1 - 0.00145454545454545*m.x2012) - 1.86*(0.93*
m.x2012*(1 - 0.000727272727272727*m.x2012))**2 - 1.49610402*m.x2012*m.x2012*(1 -
0.000727272727272727*m.x2012)*(1 - 0.00145454545454545*m.x2012)*(1 - 0.00145454545454545*
m.x2012))) + m.x120 == 0)
m.c122 = Constraint(expr=-(0.0775*m.x2013*(1 - 0.000727272727272727*m.x2013) + 0.003003125*m.x2013*(1 -
0.000727272727272727*m.x2013)*(1 - 0.00145454545454545*m.x2013) + 6.0669191919192e-8*(1189.2375
*m.x2013*(1 - 0.000727272727272727*m.x2013)*(1 - 0.00145454545454545*m.x2013) - 1.86*(0.93*
m.x2013*(1 - 0.000727272727272727*m.x2013))**2 - 1.49610402*m.x2013*m.x2013*(1 -
0.000727272727272727*m.x2013)*(1 - 0.00145454545454545*m.x2013)*(1 - 0.00145454545454545*
m.x2013))) + m.x121 == 0)
m.c123 = Constraint(expr=-(0.0775*m.x2014*(1 - 0.000727272727272727*m.x2014) + 0.003003125*m.x2014*(1 -
0.000727272727272727*m.x2014)*(1 - 0.00145454545454545*m.x2014) + 6.0669191919192e-8*(1189.2375
*m.x2014*(1 - 0.000727272727272727*m.x2014)*(1 - 0.00145454545454545*m.x2014) - 1.86*(0.93*
m.x2014*(1 - 0.000727272727272727*m.x2014))**2 - 1.49610402*m.x2014*m.x2014*(1 -
0.000727272727272727*m.x2014)*(1 - 0.00145454545454545*m.x2014)*(1 - 0.00145454545454545*
m.x2014))) + m.x122 == 0)
m.c124 = Constraint(expr=-(0.0775*m.x2015*(1 - 0.000727272727272727*m.x2015) + 0.003003125*m.x2015*(1 -
0.000727272727272727*m.x2015)*(1 - 0.00145454545454545*m.x2015) + 6.0669191919192e-8*(1189.2375
*m.x2015*(1 - 0.000727272727272727*m.x2015)*(1 - 0.00145454545454545*m.x2015) - 1.86*(0.93*
m.x2015*(1 - 0.000727272727272727*m.x2015))**2 - 1.49610402*m.x2015*m.x2015*(1 -
0.000727272727272727*m.x2015)*(1 - 0.00145454545454545*m.x2015)*(1 - 0.00145454545454545*
m.x2015))) + m.x123 == 0)
m.c125 = Constraint(expr=-(0.0775*m.x2016*(1 - 0.000727272727272727*m.x2016) + 0.003003125*m.x2016*(1 -
0.000727272727272727*m.x2016)*(1 - 0.00145454545454545*m.x2016) + 6.0669191919192e-8*(1189.2375
*m.x2016*(1 - 0.000727272727272727*m.x2016)*(1 - 0.00145454545454545*m.x2016) - 1.86*(0.93*
m.x2016*(1 - 0.000727272727272727*m.x2016))**2 - 1.49610402*m.x2016*m.x2016*(1 -
0.000727272727272727*m.x2016)*(1 - 0.00145454545454545*m.x2016)*(1 - 0.00145454545454545*
m.x2016))) + m.x124 == 0)
m.c126 = Constraint(expr=-(0.0775*m.x2017*(1 - 0.000727272727272727*m.x2017) + 0.003003125*m.x2017*(1 -
0.000727272727272727*m.x2017)*(1 - 0.00145454545454545*m.x2017) + 6.0669191919192e-8*(1189.2375
*m.x2017*(1 - 0.000727272727272727*m.x2017)*(1 - 0.00145454545454545*m.x2017) - 1.86*(0.93*
m.x2017*(1 - 0.000727272727272727*m.x2017))**2 - 1.49610402*m.x2017*m.x2017*(1 -
0.000727272727272727*m.x2017)*(1 - 0.00145454545454545*m.x2017)*(1 - 0.00145454545454545*
m.x2017))) + m.x125 == 0)
m.c127 = Constraint(expr=-(0.0775*m.x2018*(1 - 0.000727272727272727*m.x2018) + 0.003003125*m.x2018*(1 -
0.000727272727272727*m.x2018)*(1 - 0.00145454545454545*m.x2018) + 6.0669191919192e-8*(1189.2375
*m.x2018*(1 - 0.000727272727272727*m.x2018)*(1 - 0.00145454545454545*m.x2018) - 1.86*(0.93*
m.x2018*(1 - 0.000727272727272727*m.x2018))**2 - 1.49610402*m.x2018*m.x2018*(1 -
0.000727272727272727*m.x2018)*(1 - 0.00145454545454545*m.x2018)*(1 - 0.00145454545454545*
m.x2018))) + m.x126 == 0)
m.c128 = Constraint(expr=-(0.0775*m.x2019*(1 - 0.000727272727272727*m.x2019) + 0.003003125*m.x2019*(1 -
0.000727272727272727*m.x2019)*(1 - 0.00145454545454545*m.x2019) + 6.0669191919192e-8*(1189.2375
*m.x2019*(1 - 0.000727272727272727*m.x2019)*(1 - 0.00145454545454545*m.x2019) - 1.86*(0.93*
m.x2019*(1 - 0.000727272727272727*m.x2019))**2 - 1.49610402*m.x2019*m.x2019*(1 -
0.000727272727272727*m.x2019)*(1 - 0.00145454545454545*m.x2019)*(1 - 0.00145454545454545*
m.x2019))) + m.x127 == 0)
m.c129 = Constraint(expr=-(0.0775*m.x2020*(1 - 0.000727272727272727*m.x2020) + 0.003003125*m.x2020*(1 -
0.000727272727272727*m.x2020)*(1 - 0.00145454545454545*m.x2020) + 6.0669191919192e-8*(1189.2375
*m.x2020*(1 - 0.000727272727272727*m.x2020)*(1 - 0.00145454545454545*m.x2020) - 1.86*(0.93*
m.x2020*(1 - 0.000727272727272727*m.x2020))**2 - 1.49610402*m.x2020*m.x2020*(1 -
0.000727272727272727*m.x2020)*(1 - 0.00145454545454545*m.x2020)*(1 - 0.00145454545454545*
m.x2020))) + m.x128 == 0)
m.c130 = Constraint(expr=-(0.0775*m.x2021*(1 - 0.000727272727272727*m.x2021) + 0.003003125*m.x2021*(1 -
0.000727272727272727*m.x2021)*(1 - 0.00145454545454545*m.x2021) + 6.0669191919192e-8*(1189.2375
*m.x2021*(1 - 0.000727272727272727*m.x2021)*(1 - 0.00145454545454545*m.x2021) - 1.86*(0.93*
m.x2021*(1 - 0.000727272727272727*m.x2021))**2 - 1.49610402*m.x2021*m.x2021*(1 -
0.000727272727272727*m.x2021)*(1 - 0.00145454545454545*m.x2021)*(1 - 0.00145454545454545*
m.x2021))) + m.x129 == 0)
m.c131 = Constraint(expr=-(0.0775*m.x2022*(1 - 0.000727272727272727*m.x2022) + 0.003003125*m.x2022*(1 -
0.000727272727272727*m.x2022)*(1 - 0.00145454545454545*m.x2022) + 6.0669191919192e-8*(1189.2375
*m.x2022*(1 - 0.000727272727272727*m.x2022)*(1 - 0.00145454545454545*m.x2022) - 1.86*(0.93*
m.x2022*(1 - 0.000727272727272727*m.x2022))**2 - 1.49610402*m.x2022*m.x2022*(1 -
0.000727272727272727*m.x2022)*(1 - 0.00145454545454545*m.x2022)*(1 - 0.00145454545454545*
m.x2022))) + m.x130 == 0)
m.c132 = Constraint(expr=-(0.0775*m.x2023*(1 - 0.000727272727272727*m.x2023) + 0.003003125*m.x2023*(1 -
0.000727272727272727*m.x2023)*(1 - 0.00145454545454545*m.x2023) + 6.0669191919192e-8*(1189.2375
*m.x2023*(1 - 0.000727272727272727*m.x2023)*(1 - 0.00145454545454545*m.x2023) - 1.86*(0.93*
m.x2023*(1 - 0.000727272727272727*m.x2023))**2 - 1.49610402*m.x2023*m.x2023*(1 -
0.000727272727272727*m.x2023)*(1 - 0.00145454545454545*m.x2023)*(1 - 0.00145454545454545*
m.x2023))) + m.x131 == 0)
m.c133 = Constraint(expr=-(0.0775*m.x2024*(1 - 0.000727272727272727*m.x2024) + 0.003003125*m.x2024*(1 -
0.000727272727272727*m.x2024)*(1 - 0.00145454545454545*m.x2024) + 6.0669191919192e-8*(1189.2375
*m.x2024*(1 - 0.000727272727272727*m.x2024)*(1 - 0.00145454545454545*m.x2024) - 1.86*(0.93*
m.x2024*(1 - 0.000727272727272727*m.x2024))**2 - 1.49610402*m.x2024*m.x2024*(1 -
0.000727272727272727*m.x2024)*(1 - 0.00145454545454545*m.x2024)*(1 - 0.00145454545454545*
m.x2024))) + m.x132 == 0)
m.c134 = Constraint(expr=-(0.0775*m.x2025*(1 - 0.000727272727272727*m.x2025) + 0.003003125*m.x2025*(1 -
0.000727272727272727*m.x2025)*(1 - 0.00145454545454545*m.x2025) + 6.0669191919192e-8*(1189.2375
*m.x2025*(1 - 0.000727272727272727*m.x2025)*(1 - 0.00145454545454545*m.x2025) - 1.86*(0.93*
m.x2025*(1 - 0.000727272727272727*m.x2025))**2 - 1.49610402*m.x2025*m.x2025*(1 -
0.000727272727272727*m.x2025)*(1 - 0.00145454545454545*m.x2025)*(1 - 0.00145454545454545*
m.x2025))) + m.x133 == 0)
m.c135 = Constraint(expr=-(0.0775*m.x2026*(1 - 0.000727272727272727*m.x2026) + 0.003003125*m.x2026*(1 -
0.000727272727272727*m.x2026)*(1 - 0.00145454545454545*m.x2026) + 6.0669191919192e-8*(1189.2375
*m.x2026*(1 - 0.000727272727272727*m.x2026)*(1 - 0.00145454545454545*m.x2026) - 1.86*(0.93*
m.x2026*(1 - 0.000727272727272727*m.x2026))**2 - 1.49610402*m.x2026*m.x2026*(1 -
0.000727272727272727*m.x2026)*(1 - 0.00145454545454545*m.x2026)*(1 - 0.00145454545454545*
m.x2026))) + m.x134 == 0)
m.c136 = Constraint(expr=-(0.0775*m.x2027*(1 - 0.000727272727272727*m.x2027) + 0.003003125*m.x2027*(1 -
0.000727272727272727*m.x2027)*(1 - 0.00145454545454545*m.x2027) + 6.0669191919192e-8*(1189.2375
*m.x2027*(1 - 0.000727272727272727*m.x2027)*(1 - 0.00145454545454545*m.x2027) - 1.86*(0.93*
m.x2027*(1 - 0.000727272727272727*m.x2027))**2 - 1.49610402*m.x2027*m.x2027*(1 -
0.000727272727272727*m.x2027)*(1 - 0.00145454545454545*m.x2027)*(1 - 0.00145454545454545*
m.x2027))) + m.x135 == 0)
m.c137 = Constraint(expr=-(0.0775*m.x2028*(1 - 0.000727272727272727*m.x2028) + 0.003003125*m.x2028*(1 -
0.000727272727272727*m.x2028)*(1 - 0.00145454545454545*m.x2028) + 6.0669191919192e-8*(1189.2375
*m.x2028*(1 - 0.000727272727272727*m.x2028)*(1 - 0.00145454545454545*m.x2028) - 1.86*(0.93*
m.x2028*(1 - 0.000727272727272727*m.x2028))**2 - 1.49610402*m.x2028*m.x2028*(1 -
0.000727272727272727*m.x2028)*(1 - 0.00145454545454545*m.x2028)*(1 - 0.00145454545454545*
m.x2028))) + m.x136 == 0)
m.c138 = Constraint(expr=-(0.0775*m.x2029*(1 - 0.000727272727272727*m.x2029) + 0.003003125*m.x2029*(1 -
0.000727272727272727*m.x2029)*(1 - 0.00145454545454545*m.x2029) + 6.0669191919192e-8*(1189.2375
*m.x2029*(1 - 0.000727272727272727*m.x2029)*(1 - 0.00145454545454545*m.x2029) - 1.86*(0.93*
m.x2029*(1 - 0.000727272727272727*m.x2029))**2 - 1.49610402*m.x2029*m.x2029*(1 -
0.000727272727272727*m.x2029)*(1 - 0.00145454545454545*m.x2029)*(1 - 0.00145454545454545*
m.x2029))) + m.x137 == 0)
m.c139 = Constraint(expr=-(0.0775*m.x2030*(1 - 0.000727272727272727*m.x2030) + 0.003003125*m.x2030*(1 -
0.000727272727272727*m.x2030)*(1 - 0.00145454545454545*m.x2030) + 6.0669191919192e-8*(1189.2375
*m.x2030*(1 - 0.000727272727272727*m.x2030)*(1 - 0.00145454545454545*m.x2030) - 1.86*(0.93*
m.x2030*(1 - 0.000727272727272727*m.x2030))**2 - 1.49610402*m.x2030*m.x2030*(1 -
0.000727272727272727*m.x2030)*(1 - 0.00145454545454545*m.x2030)*(1 - 0.00145454545454545*
m.x2030))) + m.x138 == 0)
m.c140 = Constraint(expr=-(0.0775*m.x2031*(1 - 0.000727272727272727*m.x2031) + 0.003003125*m.x2031*(1 -
0.000727272727272727*m.x2031)*(1 - 0.00145454545454545*m.x2031) + 6.0669191919192e-8*(1189.2375
*m.x2031*(1 - 0.000727272727272727*m.x2031)*(1 - 0.00145454545454545*m.x2031) - 1.86*(0.93*
m.x2031*(1 - 0.000727272727272727*m.x2031))**2 - 1.49610402*m.x2031*m.x2031*(1 -
0.000727272727272727*m.x2031)*(1 - 0.00145454545454545*m.x2031)*(1 - 0.00145454545454545*
m.x2031))) + m.x139 == 0)
m.c141 = Constraint(expr=-(0.0775*m.x2032*(1 - 0.000727272727272727*m.x2032) + 0.003003125*m.x2032*(1 -
0.000727272727272727*m.x2032)*(1 - 0.00145454545454545*m.x2032) + 6.0669191919192e-8*(1189.2375
*m.x2032*(1 - 0.000727272727272727*m.x2032)*(1 - 0.00145454545454545*m.x2032) - 1.86*(0.93*
m.x2032*(1 - 0.000727272727272727*m.x2032))**2 - 1.49610402*m.x2032*m.x2032*(1 -
0.000727272727272727*m.x2032)*(1 - 0.00145454545454545*m.x2032)*(1 - 0.00145454545454545*
m.x2032))) + m.x140 == 0)
m.c142 = Constraint(expr=-(0.0775*m.x2033*(1 - 0.000727272727272727*m.x2033) + 0.003003125*m.x2033*(1 -
0.000727272727272727*m.x2033)*(1 - 0.00145454545454545*m.x2033) + 6.0669191919192e-8*(1189.2375
*m.x2033*(1 - 0.000727272727272727*m.x2033)*(1 - 0.00145454545454545*m.x2033) - 1.86*(0.93*
m.x2033*(1 - 0.000727272727272727*m.x2033))**2 - 1.49610402*m.x2033*m.x2033*(1 -
0.000727272727272727*m.x2033)*(1 - 0.00145454545454545*m.x2033)*(1 - 0.00145454545454545*
m.x2033))) + m.x141 == 0)
m.c143 = Constraint(expr=-(0.0775*m.x2034*(1 - 0.000727272727272727*m.x2034) + 0.003003125*m.x2034*(1 -
0.000727272727272727*m.x2034)*(1 - 0.00145454545454545*m.x2034) + 6.0669191919192e-8*(1189.2375
*m.x2034*(1 - 0.000727272727272727*m.x2034)*(1 - 0.00145454545454545*m.x2034) - 1.86*(0.93*
m.x2034*(1 - 0.000727272727272727*m.x2034))**2 - 1.49610402*m.x2034*m.x2034*(1 -
0.000727272727272727*m.x2034)*(1 - 0.00145454545454545*m.x2034)*(1 - 0.00145454545454545*
m.x2034))) + m.x142 == 0)
m.c144 = Constraint(expr=-(0.0775*m.x2035*(1 - 0.000727272727272727*m.x2035) + 0.003003125*m.x2035*(1 -
0.000727272727272727*m.x2035)*(1 - 0.00145454545454545*m.x2035) + 6.0669191919192e-8*(1189.2375
*m.x2035*(1 - 0.000727272727272727*m.x2035)*(1 - 0.00145454545454545*m.x2035) - 1.86*(0.93*
m.x2035*(1 - 0.000727272727272727*m.x2035))**2 - 1.49610402*m.x2035*m.x2035*(1 -
0.000727272727272727*m.x2035)*(1 - 0.00145454545454545*m.x2035)*(1 - 0.00145454545454545*
m.x2035))) + m.x143 == 0)
m.c145 = Constraint(expr=-(0.0775*m.x2036*(1 - 0.000727272727272727*m.x2036) + 0.003003125*m.x2036*(1 -
0.000727272727272727*m.x2036)*(1 - 0.00145454545454545*m.x2036) + 6.0669191919192e-8*(1189.2375
*m.x2036*(1 - 0.000727272727272727*m.x2036)*(1 - 0.00145454545454545*m.x2036) - 1.86*(0.93*
m.x2036*(1 - 0.000727272727272727*m.x2036))**2 - 1.49610402*m.x2036*m.x2036*(1 -
0.000727272727272727*m.x2036)*(1 - 0.00145454545454545*m.x2036)*(1 - 0.00145454545454545*
m.x2036))) + m.x144 == 0)
m.c146 = Constraint(expr=-(0.0775*m.x2037*(1 - 0.000727272727272727*m.x2037) + 0.003003125*m.x2037*(1 -
0.000727272727272727*m.x2037)*(1 - 0.00145454545454545*m.x2037) + 6.0669191919192e-8*(1189.2375
*m.x2037*(1 - 0.000727272727272727*m.x2037)*(1 - 0.00145454545454545*m.x2037) - 1.86*(0.93*
m.x2037*(1 - 0.000727272727272727*m.x2037))**2 - 1.49610402*m.x2037*m.x2037*(1 -
0.000727272727272727*m.x2037)*(1 - 0.00145454545454545*m.x2037)*(1 - 0.00145454545454545*
m.x2037))) + m.x145 == 0)
m.c147 = Constraint(expr=-(0.0775*m.x2038*(1 - 0.000727272727272727*m.x2038) + 0.003003125*m.x2038*(1 -
0.000727272727272727*m.x2038)*(1 - 0.00145454545454545*m.x2038) + 6.0669191919192e-8*(1189.2375
*m.x2038*(1 - 0.000727272727272727*m.x2038)*(1 - 0.00145454545454545*m.x2038) - 1.86*(0.93*
m.x2038*(1 - 0.000727272727272727*m.x2038))**2 - 1.49610402*m.x2038*m.x2038*(1 -
0.000727272727272727*m.x2038)*(1 - 0.00145454545454545*m.x2038)*(1 - 0.00145454545454545*
m.x2038))) + m.x146 == 0)
m.c148 = Constraint(expr=-(0.0775*m.x2039*(1 - 0.000727272727272727*m.x2039) + 0.003003125*m.x2039*(1 -
0.000727272727272727*m.x2039)*(1 - 0.00145454545454545*m.x2039) + 6.0669191919192e-8*(1189.2375
*m.x2039*(1 - 0.000727272727272727*m.x2039)*(1 - 0.00145454545454545*m.x2039) - 1.86*(0.93*
m.x2039*(1 - 0.000727272727272727*m.x2039))**2 - 1.49610402*m.x2039*m.x2039*(1 -
0.000727272727272727*m.x2039)*(1 - 0.00145454545454545*m.x2039)*(1 - 0.00145454545454545*
m.x2039))) + m.x147 == 0)
m.c149 = Constraint(expr=-(0.0775*m.x2040*(1 - 0.000727272727272727*m.x2040) + 0.003003125*m.x2040*(1 -
0.000727272727272727*m.x2040)*(1 - 0.00145454545454545*m.x2040) + 6.0669191919192e-8*(1189.2375
*m.x2040*(1 - 0.000727272727272727*m.x2040)*(1 - 0.00145454545454545*m.x2040) - 1.86*(0.93*
m.x2040*(1 - 0.000727272727272727*m.x2040))**2 - 1.49610402*m.x2040*m.x2040*(1 -
0.000727272727272727*m.x2040)*(1 - 0.00145454545454545*m.x2040)*(1 - 0.00145454545454545*
m.x2040))) + m.x148 == 0)
m.c150 = Constraint(expr=-(0.0775*m.x2041*(1 - 0.000727272727272727*m.x2041) + 0.003003125*m.x2041*(1 -
0.000727272727272727*m.x2041)*(1 - 0.00145454545454545*m.x2041) + 6.0669191919192e-8*(1189.2375
*m.x2041*(1 - 0.000727272727272727*m.x2041)*(1 - 0.00145454545454545*m.x2041) - 1.86*(0.93*
m.x2041*(1 - 0.000727272727272727*m.x2041))**2 - 1.49610402*m.x2041*m.x2041*(1 -
0.000727272727272727*m.x2041)*(1 - 0.00145454545454545*m.x2041)*(1 - 0.00145454545454545*
m.x2041))) + m.x149 == 0)
m.c151 = Constraint(expr=-(0.0775*m.x2042*(1 - 0.000727272727272727*m.x2042) + 0.003003125*m.x2042*(1 -
0.000727272727272727*m.x2042)*(1 - 0.00145454545454545*m.x2042) + 6.0669191919192e-8*(1189.2375
*m.x2042*(1 - 0.000727272727272727*m.x2042)*(1 - 0.00145454545454545*m.x2042) - 1.86*(0.93*
m.x2042*(1 - 0.000727272727272727*m.x2042))**2 - 1.49610402*m.x2042*m.x2042*(1 -
0.000727272727272727*m.x2042)*(1 - 0.00145454545454545*m.x2042)*(1 - 0.00145454545454545*
m.x2042))) + m.x150 == 0)
m.c152 = Constraint(expr=-(0.0775*m.x2043*(1 - 0.000727272727272727*m.x2043) + 0.003003125*m.x2043*(1 -
0.000727272727272727*m.x2043)*(1 - 0.00145454545454545*m.x2043) + 6.0669191919192e-8*(1189.2375
*m.x2043*(1 - 0.000727272727272727*m.x2043)*(1 - 0.00145454545454545*m.x2043) - 1.86*(0.93*
m.x2043*(1 - 0.000727272727272727*m.x2043))**2 - 1.49610402*m.x2043*m.x2043*(1 -
0.000727272727272727*m.x2043)*(1 - 0.00145454545454545*m.x2043)*(1 - 0.00145454545454545*
m.x2043))) + m.x151 == 0)
m.c153 = Constraint(expr=-(0.0775*m.x2044*(1 - 0.000727272727272727*m.x2044) + 0.003003125*m.x2044*(1 -
0.000727272727272727*m.x2044)*(1 - 0.00145454545454545*m.x2044) + 6.0669191919192e-8*(1189.2375
*m.x2044*(1 - 0.000727272727272727*m.x2044)*(1 - 0.00145454545454545*m.x2044) - 1.86*(0.93*
m.x2044*(1 - 0.000727272727272727*m.x2044))**2 - 1.49610402*m.x2044*m.x2044*(1 -
0.000727272727272727*m.x2044)*(1 - 0.00145454545454545*m.x2044)*(1 - 0.00145454545454545*
m.x2044))) + m.x152 == 0)
m.c154 = Constraint(expr=-(0.0775*m.x2045*(1 - 0.000727272727272727*m.x2045) + 0.003003125*m.x2045*(1 -
0.000727272727272727*m.x2045)*(1 - 0.00145454545454545*m.x2045) + 6.0669191919192e-8*(1189.2375
*m.x2045*(1 - 0.000727272727272727*m.x2045)*(1 - 0.00145454545454545*m.x2045) - 1.86*(0.93*
m.x2045*(1 - 0.000727272727272727*m.x2045))**2 - 1.49610402*m.x2045*m.x2045*(1 -
0.000727272727272727*m.x2045)*(1 - 0.00145454545454545*m.x2045)*(1 - 0.00145454545454545*
m.x2045))) + m.x153 == 0)
m.c155 = Constraint(expr=-(0.0775*m.x2046*(1 - 0.000727272727272727*m.x2046) + 0.003003125*m.x2046*(1 -
0.000727272727272727*m.x2046)*(1 - 0.00145454545454545*m.x2046) + 6.0669191919192e-8*(1189.2375
*m.x2046*(1 - 0.000727272727272727*m.x2046)*(1 - 0.00145454545454545*m.x2046) - 1.86*(0.93*
m.x2046*(1 - 0.000727272727272727*m.x2046))**2 - 1.49610402*m.x2046*m.x2046*(1 -
0.000727272727272727*m.x2046)*(1 - 0.00145454545454545*m.x2046)*(1 - 0.00145454545454545*
m.x2046))) + m.x154 == 0)
m.c156 = Constraint(expr=-(0.0775*m.x2047*(1 - 0.000727272727272727*m.x2047) + 0.003003125*m.x2047*(1 -
0.000727272727272727*m.x2047)*(1 - 0.00145454545454545*m.x2047) + 6.0669191919192e-8*(1189.2375
*m.x2047*(1 - 0.000727272727272727*m.x2047)*(1 - 0.00145454545454545*m.x2047) - 1.86*(0.93*
m.x2047*(1 - 0.000727272727272727*m.x2047))**2 - 1.49610402*m.x2047*m.x2047*(1 -
0.000727272727272727*m.x2047)*(1 - 0.00145454545454545*m.x2047)*(1 - 0.00145454545454545*
m.x2047))) + m.x155 == 0)
m.c157 = Constraint(expr=-(0.0775*m.x2048*(1 - 0.000727272727272727*m.x2048) + 0.003003125*m.x2048*(1 -
0.000727272727272727*m.x2048)*(1 - 0.00145454545454545*m.x2048) + 6.0669191919192e-8*(1189.2375
*m.x2048*(1 - 0.000727272727272727*m.x2048)*(1 - 0.00145454545454545*m.x2048) - 1.86*(0.93*
m.x2048*(1 - 0.000727272727272727*m.x2048))**2 - 1.49610402*m.x2048*m.x2048*(1 -
0.000727272727272727*m.x2048)*(1 - 0.00145454545454545*m.x2048)*(1 - 0.00145454545454545*
m.x2048))) + m.x156 == 0)
m.c158 = Constraint(expr=-(0.0775*m.x2049*(1 - 0.000727272727272727*m.x2049) + 0.003003125*m.x2049*(1 -
0.000727272727272727*m.x2049)*(1 - 0.00145454545454545*m.x2049) + 6.0669191919192e-8*(1189.2375
*m.x2049*(1 - 0.000727272727272727*m.x2049)*(1 - 0.00145454545454545*m.x2049) - 1.86*(0.93*
m.x2049*(1 - 0.000727272727272727*m.x2049))**2 - 1.49610402*m.x2049*m.x2049*(1 -
0.000727272727272727*m.x2049)*(1 - 0.00145454545454545*m.x2049)*(1 - 0.00145454545454545*
m.x2049))) + m.x157 == 0)
m.c159 = Constraint(expr=-(0.0775*m.x2050*(1 - 0.000727272727272727*m.x2050) + 0.003003125*m.x2050*(1 -
0.000727272727272727*m.x2050)*(1 - 0.00145454545454545*m.x2050) + 6.0669191919192e-8*(1189.2375
*m.x2050*(1 - 0.000727272727272727*m.x2050)*(1 - 0.00145454545454545*m.x2050) - 1.86*(0.93*
m.x2050*(1 - 0.000727272727272727*m.x2050))**2 - 1.49610402*m.x2050*m.x2050*(1 -
0.000727272727272727*m.x2050)*(1 - 0.00145454545454545*m.x2050)*(1 - 0.00145454545454545*
m.x2050))) + m.x158 == 0)
m.c160 = Constraint(expr=-(0.0775*m.x2051*(1 - 0.000727272727272727*m.x2051) + 0.003003125*m.x2051*(1 -
0.000727272727272727*m.x2051)*(1 - 0.00145454545454545*m.x2051) + 6.0669191919192e-8*(1189.2375
*m.x2051*(1 - 0.000727272727272727*m.x2051)*(1 - 0.00145454545454545*m.x2051) - 1.86*(0.93*
m.x2051*(1 - 0.000727272727272727*m.x2051))**2 - 1.49610402*m.x2051*m.x2051*(1 -
0.000727272727272727*m.x2051)*(1 - 0.00145454545454545*m.x2051)*(1 - 0.00145454545454545*
m.x2051))) + m.x159 == 0)
m.c161 = Constraint(expr=-(0.0775*m.x2052*(1 - 0.000727272727272727*m.x2052) + 0.003003125*m.x2052*(1 -
0.000727272727272727*m.x2052)*(1 - 0.00145454545454545*m.x2052) + 6.0669191919192e-8*(1189.2375
*m.x2052*(1 - 0.000727272727272727*m.x2052)*(1 - 0.00145454545454545*m.x2052) - 1.86*(0.93*
m.x2052*(1 - 0.000727272727272727*m.x2052))**2 - 1.49610402*m.x2052*m.x2052*(1 -
0.000727272727272727*m.x2052)*(1 - 0.00145454545454545*m.x2052)*(1 - 0.00145454545454545*
m.x2052))) + m.x160 == 0)
m.c162 = Constraint(expr=-(0.0775*m.x2053*(1 - 0.000727272727272727*m.x2053) + 0.003003125*m.x2053*(1 -
0.000727272727272727*m.x2053)*(1 - 0.00145454545454545*m.x2053) + 6.0669191919192e-8*(1189.2375
*m.x2053*(1 - 0.000727272727272727*m.x2053)*(1 - 0.00145454545454545*m.x2053) - 1.86*(0.93*
m.x2053*(1 - 0.000727272727272727*m.x2053))**2 - 1.49610402*m.x2053*m.x2053*(1 -
0.000727272727272727*m.x2053)*(1 - 0.00145454545454545*m.x2053)*(1 - 0.00145454545454545*
m.x2053))) + m.x161 == 0)
m.c163 = Constraint(expr=-(0.0775*m.x2054*(1 - 0.000727272727272727*m.x2054) + 0.003003125*m.x2054*(1 -
0.000727272727272727*m.x2054)*(1 - 0.00145454545454545*m.x2054) + 6.0669191919192e-8*(1189.2375
*m.x2054*(1 - 0.000727272727272727*m.x2054)*(1 - 0.00145454545454545*m.x2054) - 1.86*(0.93*
m.x2054*(1 - 0.000727272727272727*m.x2054))**2 - 1.49610402*m.x2054*m.x2054*(1 -
0.000727272727272727*m.x2054)*(1 - 0.00145454545454545*m.x2054)*(1 - 0.00145454545454545*
m.x2054))) + m.x162 == 0)
m.c164 = Constraint(expr=-(0.0775*m.x2055*(1 - 0.000727272727272727*m.x2055) + 0.003003125*m.x2055*(1 -
0.000727272727272727*m.x2055)*(1 - 0.00145454545454545*m.x2055) + 6.0669191919192e-8*(1189.2375
*m.x2055*(1 - 0.000727272727272727*m.x2055)*(1 - 0.00145454545454545*m.x2055) - 1.86*(0.93*
m.x2055*(1 - 0.000727272727272727*m.x2055))**2 - 1.49610402*m.x2055*m.x2055*(1 -
0.000727272727272727*m.x2055)*(1 - 0.00145454545454545*m.x2055)*(1 - 0.00145454545454545*
m.x2055))) + m.x163 == 0)
m.c165 = Constraint(expr=-(0.0775*m.x2056*(1 - 0.000727272727272727*m.x2056) + 0.003003125*m.x2056*(1 -
0.000727272727272727*m.x2056)*(1 - 0.00145454545454545*m.x2056) + 6.0669191919192e-8*(1189.2375
*m.x2056*(1 - 0.000727272727272727*m.x2056)*(1 - 0.00145454545454545*m.x2056) - 1.86*(0.93*
m.x2056*(1 - 0.000727272727272727*m.x2056))**2 - 1.49610402*m.x2056*m.x2056*(1 -
0.000727272727272727*m.x2056)*(1 - 0.00145454545454545*m.x2056)*(1 - 0.00145454545454545*
m.x2056))) + m.x164 == 0)
m.c166 = Constraint(expr=-(0.0775*m.x2057*(1 - 0.000727272727272727*m.x2057) + 0.003003125*m.x2057*(1 -
0.000727272727272727*m.x2057)*(1 - 0.00145454545454545*m.x2057) + 6.0669191919192e-8*(1189.2375
*m.x2057*(1 - 0.000727272727272727*m.x2057)*(1 - 0.00145454545454545*m.x2057) - 1.86*(0.93*
m.x2057*(1 - 0.000727272727272727*m.x2057))**2 - 1.49610402*m.x2057*m.x2057*(1 -
0.000727272727272727*m.x2057)*(1 - 0.00145454545454545*m.x2057)*(1 - 0.00145454545454545*
m.x2057))) + m.x165 == 0)
m.c167 = Constraint(expr=-(0.0775*m.x2058*(1 - 0.000727272727272727*m.x2058) + 0.003003125*m.x2058*(1 -
0.000727272727272727*m.x2058)*(1 - 0.00145454545454545*m.x2058) + 6.0669191919192e-8*(1189.2375
*m.x2058*(1 - 0.000727272727272727*m.x2058)*(1 - 0.00145454545454545*m.x2058) - 1.86*(0.93*
m.x2058*(1 - 0.000727272727272727*m.x2058))**2 - 1.49610402*m.x2058*m.x2058*(1 -
0.000727272727272727*m.x2058)*(1 - 0.00145454545454545*m.x2058)*(1 - 0.00145454545454545*
m.x2058))) + m.x166 == 0)
m.c168 = Constraint(expr=-(0.0775*m.x2059*(1 - 0.000727272727272727*m.x2059) + 0.003003125*m.x2059*(1 -
0.000727272727272727*m.x2059)*(1 - 0.00145454545454545*m.x2059) + 6.0669191919192e-8*(1189.2375
*m.x2059*(1 - 0.000727272727272727*m.x2059)*(1 - 0.00145454545454545*m.x2059) - 1.86*(0.93*
m.x2059*(1 - 0.000727272727272727*m.x2059))**2 - 1.49610402*m.x2059*m.x2059*(1 -
0.000727272727272727*m.x2059)*(1 - 0.00145454545454545*m.x2059)*(1 - 0.00145454545454545*
m.x2059))) + m.x167 == 0)
m.c169 = Constraint(expr=-(0.0775*m.x2060*(1 - 0.000727272727272727*m.x2060) + 0.003003125*m.x2060*(1 -
0.000727272727272727*m.x2060)*(1 - 0.00145454545454545*m.x2060) + 6.0669191919192e-8*(1189.2375
*m.x2060*(1 - 0.000727272727272727*m.x2060)*(1 - 0.00145454545454545*m.x2060) - 1.86*(0.93*
m.x2060*(1 - 0.000727272727272727*m.x2060))**2 - 1.49610402*m.x2060*m.x2060*(1 -
0.000727272727272727*m.x2060)*(1 - 0.00145454545454545*m.x2060)*(1 - 0.00145454545454545*
m.x2060))) + m.x168 == 0)
m.c170 = Constraint(expr=-(0.0775*m.x2061*(1 - 0.000727272727272727*m.x2061) + 0.003003125*m.x2061*(1 -
0.000727272727272727*m.x2061)*(1 - 0.00145454545454545*m.x2061) + 6.0669191919192e-8*(1189.2375
*m.x2061*(1 - 0.000727272727272727*m.x2061)*(1 - 0.00145454545454545*m.x2061) - 1.86*(0.93*
m.x2061*(1 - 0.000727272727272727*m.x2061))**2 - 1.49610402*m.x2061*m.x2061*(1 -
0.000727272727272727*m.x2061)*(1 - 0.00145454545454545*m.x2061)*(1 - 0.00145454545454545*
m.x2061))) + m.x169 == 0)
m.c171 = Constraint(expr=-(0.0775*m.x2062*(1 - 0.000727272727272727*m.x2062) + 0.003003125*m.x2062*(1 -
0.000727272727272727*m.x2062)*(1 - 0.00145454545454545*m.x2062) + 6.0669191919192e-8*(1189.2375
*m.x2062*(1 - 0.000727272727272727*m.x2062)*(1 - 0.00145454545454545*m.x2062) - 1.86*(0.93*
m.x2062*(1 - 0.000727272727272727*m.x2062))**2 - 1.49610402*m.x2062*m.x2062*(1 -
0.000727272727272727*m.x2062)*(1 - 0.00145454545454545*m.x2062)*(1 - 0.00145454545454545*
m.x2062))) + m.x170 == 0)
m.c172 = Constraint(expr=-(0.0775*m.x2063*(1 - 0.000727272727272727*m.x2063) + 0.003003125*m.x2063*(1 -
0.000727272727272727*m.x2063)*(1 - 0.00145454545454545*m.x2063) + 6.0669191919192e-8*(1189.2375
*m.x2063*(1 - 0.000727272727272727*m.x2063)*(1 - 0.00145454545454545*m.x2063) - 1.86*(0.93*
m.x2063*(1 - 0.000727272727272727*m.x2063))**2 - 1.49610402*m.x2063*m.x2063*(1 -
0.000727272727272727*m.x2063)*(1 - 0.00145454545454545*m.x2063)*(1 - 0.00145454545454545*
m.x2063))) + m.x171 == 0)
m.c173 = Constraint(expr=-(0.0775*m.x2064*(1 - 0.000727272727272727*m.x2064) + 0.003003125*m.x2064*(1 -
0.000727272727272727*m.x2064)*(1 - 0.00145454545454545*m.x2064) + 6.0669191919192e-8*(1189.2375
*m.x2064*(1 - 0.000727272727272727*m.x2064)*(1 - 0.00145454545454545*m.x2064) - 1.86*(0.93*
m.x2064*(1 - 0.000727272727272727*m.x2064))**2 - 1.49610402*m.x2064*m.x2064*(1 -
0.000727272727272727*m.x2064)*(1 - 0.00145454545454545*m.x2064)*(1 - 0.00145454545454545*
m.x2064))) + m.x172 == 0)
m.c174 = Constraint(expr=-(0.0775*m.x2065*(1 - 0.000727272727272727*m.x2065) + 0.003003125*m.x2065*(1 -
0.000727272727272727*m.x2065)*(1 - 0.00145454545454545*m.x2065) + 6.0669191919192e-8*(1189.2375
*m.x2065*(1 - 0.000727272727272727*m.x2065)*(1 - 0.00145454545454545*m.x2065) - 1.86*(0.93*
m.x2065*(1 - 0.000727272727272727*m.x2065))**2 - 1.49610402*m.x2065*m.x2065*(1 -
0.000727272727272727*m.x2065)*(1 - 0.00145454545454545*m.x2065)*(1 - 0.00145454545454545*
m.x2065))) + m.x173 == 0)
m.c175 = Constraint(expr=-(0.0775*m.x2066*(1 - 0.000727272727272727*m.x2066) + 0.003003125*m.x2066*(1 -
0.000727272727272727*m.x2066)*(1 - 0.00145454545454545*m.x2066) + 6.0669191919192e-8*(1189.2375
*m.x2066*(1 - 0.000727272727272727*m.x2066)*(1 - 0.00145454545454545*m.x2066) - 1.86*(0.93*
m.x2066*(1 - 0.000727272727272727*m.x2066))**2 - 1.49610402*m.x2066*m.x2066*(1 -
0.000727272727272727*m.x2066)*(1 - 0.00145454545454545*m.x2066)*(1 - 0.00145454545454545*
m.x2066))) + m.x174 == 0)
m.c176 = Constraint(expr=-(0.0775*m.x2067*(1 - 0.000727272727272727*m.x2067) + 0.003003125*m.x2067*(1 -
0.000727272727272727*m.x2067)*(1 - 0.00145454545454545*m.x2067) + 6.0669191919192e-8*(1189.2375
*m.x2067*(1 - 0.000727272727272727*m.x2067)*(1 - 0.00145454545454545*m.x2067) - 1.86*(0.93*
m.x2067*(1 - 0.000727272727272727*m.x2067))**2 - 1.49610402*m.x2067*m.x2067*(1 -
0.000727272727272727*m.x2067)*(1 - 0.00145454545454545*m.x2067)*(1 - 0.00145454545454545*
m.x2067))) + m.x175 == 0)
m.c177 = Constraint(expr=-(0.0775*m.x2068*(1 - 0.000727272727272727*m.x2068) + 0.003003125*m.x2068*(1 -
0.000727272727272727*m.x2068)*(1 - 0.00145454545454545*m.x2068) + 6.0669191919192e-8*(1189.2375
*m.x2068*(1 - 0.000727272727272727*m.x2068)*(1 - 0.00145454545454545*m.x2068) - 1.86*(0.93*
m.x2068*(1 - 0.000727272727272727*m.x2068))**2 - 1.49610402*m.x2068*m.x2068*(1 -
0.000727272727272727*m.x2068)*(1 - 0.00145454545454545*m.x2068)*(1 - 0.00145454545454545*
m.x2068))) + m.x176 == 0)
m.c178 = Constraint(expr=-(0.0775*m.x2069*(1 - 0.000727272727272727*m.x2069) + 0.003003125*m.x2069*(1 -
0.000727272727272727*m.x2069)*(1 - 0.00145454545454545*m.x2069) + 6.0669191919192e-8*(1189.2375
*m.x2069*(1 - 0.000727272727272727*m.x2069)*(1 - 0.00145454545454545*m.x2069) - 1.86*(0.93*
m.x2069*(1 - 0.000727272727272727*m.x2069))**2 - 1.49610402*m.x2069*m.x2069*(1 -
0.000727272727272727*m.x2069)*(1 - 0.00145454545454545*m.x2069)*(1 - 0.00145454545454545*
m.x2069))) + m.x177 == 0)
m.c179 = Constraint(expr=-(0.0775*m.x2070*(1 - 0.000727272727272727*m.x2070) + 0.003003125*m.x2070*(1 -
0.000727272727272727*m.x2070)*(1 - 0.00145454545454545*m.x2070) + 6.0669191919192e-8*(1189.2375
*m.x2070*(1 - 0.000727272727272727*m.x2070)*(1 - 0.00145454545454545*m.x2070) - 1.86*(0.93*
m.x2070*(1 - 0.000727272727272727*m.x2070))**2 - 1.49610402*m.x2070*m.x2070*(1 -
0.000727272727272727*m.x2070)*(1 - 0.00145454545454545*m.x2070)*(1 - 0.00145454545454545*
m.x2070))) + m.x178 == 0)
m.c180 = Constraint(expr=-(0.0775*m.x2071*(1 - 0.000727272727272727*m.x2071) + 0.003003125*m.x2071*(1 -
0.000727272727272727*m.x2071)*(1 - 0.00145454545454545*m.x2071) + 6.0669191919192e-8*(1189.2375
*m.x2071*(1 - 0.000727272727272727*m.x2071)*(1 - 0.00145454545454545*m.x2071) - 1.86*(0.93*
m.x2071*(1 - 0.000727272727272727*m.x2071))**2 - 1.49610402*m.x2071*m.x2071*(1 -
0.000727272727272727*m.x2071)*(1 - 0.00145454545454545*m.x2071)*(1 - 0.00145454545454545*
m.x2071))) + m.x179 == 0)
m.c181 = Constraint(expr=-(0.0775*m.x2072*(1 - 0.000727272727272727*m.x2072) + 0.003003125*m.x2072*(1 -
0.000727272727272727*m.x2072)*(1 - 0.00145454545454545*m.x2072) + 6.0669191919192e-8*(1189.2375
*m.x2072*(1 - 0.000727272727272727*m.x2072)*(1 - 0.00145454545454545*m.x2072) - 1.86*(0.93*
m.x2072*(1 - 0.000727272727272727*m.x2072))**2 - 1.49610402*m.x2072*m.x2072*(1 -
0.000727272727272727*m.x2072)*(1 - 0.00145454545454545*m.x2072)*(1 - 0.00145454545454545*
m.x2072))) + m.x180 == 0)
m.c182 = Constraint(expr=-(0.0775*m.x2073*(1 - 0.000727272727272727*m.x2073) + 0.003003125*m.x2073*(1 -
0.000727272727272727*m.x2073)*(1 - 0.00145454545454545*m.x2073) + 6.0669191919192e-8*(1189.2375
*m.x2073*(1 - 0.000727272727272727*m.x2073)*(1 - 0.00145454545454545*m.x2073) - 1.86*(0.93*
m.x2073*(1 - 0.000727272727272727*m.x2073))**2 - 1.49610402*m.x2073*m.x2073*(1 -
0.000727272727272727*m.x2073)*(1 - 0.00145454545454545*m.x2073)*(1 - 0.00145454545454545*
m.x2073))) + m.x181 == 0)
m.c183 = Constraint(expr=-(0.0775*m.x2074*(1 - 0.000727272727272727*m.x2074) + 0.003003125*m.x2074*(1 -
0.000727272727272727*m.x2074)*(1 - 0.00145454545454545*m.x2074) + 6.0669191919192e-8*(1189.2375
*m.x2074*(1 - 0.000727272727272727*m.x2074)*(1 - 0.00145454545454545*m.x2074) - 1.86*(0.93*
m.x2074*(1 - 0.000727272727272727*m.x2074))**2 - 1.49610402*m.x2074*m.x2074*(1 -
0.000727272727272727*m.x2074)*(1 - 0.00145454545454545*m.x2074)*(1 - 0.00145454545454545*
m.x2074))) + m.x182 == 0)
m.c184 = Constraint(expr=-(0.0775*m.x2075*(1 - 0.000727272727272727*m.x2075) + 0.003003125*m.x2075*(1 -
0.000727272727272727*m.x2075)*(1 - 0.00145454545454545*m.x2075) + 6.0669191919192e-8*(1189.2375
*m.x2075*(1 - 0.000727272727272727*m.x2075)*(1 - 0.00145454545454545*m.x2075) - 1.86*(0.93*
m.x2075*(1 - 0.000727272727272727*m.x2075))**2 - 1.49610402*m.x2075*m.x2075*(1 -
0.000727272727272727*m.x2075)*(1 - 0.00145454545454545*m.x2075)*(1 - 0.00145454545454545*
m.x2075))) + m.x183 == 0)
m.c185 = Constraint(expr=-(0.0775*m.x2076*(1 - 0.000727272727272727*m.x2076) + 0.003003125*m.x2076*(1 -
0.000727272727272727*m.x2076)*(1 - 0.00145454545454545*m.x2076) + 6.0669191919192e-8*(1189.2375
*m.x2076*(1 - 0.000727272727272727*m.x2076)*(1 - 0.00145454545454545*m.x2076) - 1.86*(0.93*
m.x2076*(1 - 0.000727272727272727*m.x2076))**2 - 1.49610402*m.x2076*m.x2076*(1 -
0.000727272727272727*m.x2076)*(1 - 0.00145454545454545*m.x2076)*(1 - 0.00145454545454545*
m.x2076))) + m.x184 == 0)
m.c186 = Constraint(expr=-(0.0775*m.x2077*(1 - 0.000727272727272727*m.x2077) + 0.003003125*m.x2077*(1 -
0.000727272727272727*m.x2077)*(1 - 0.00145454545454545*m.x2077) + 6.0669191919192e-8*(1189.2375
*m.x2077*(1 - 0.000727272727272727*m.x2077)*(1 - 0.00145454545454545*m.x2077) - 1.86*(0.93*
m.x2077*(1 - 0.000727272727272727*m.x2077))**2 - 1.49610402*m.x2077*m.x2077*(1 -
0.000727272727272727*m.x2077)*(1 - 0.00145454545454545*m.x2077)*(1 - 0.00145454545454545*
m.x2077))) + m.x185 == 0)
m.c187 = Constraint(expr=-(0.0775*m.x2078*(1 - 0.000727272727272727*m.x2078) + 0.003003125*m.x2078*(1 -
0.000727272727272727*m.x2078)*(1 - 0.00145454545454545*m.x2078) + 6.0669191919192e-8*(1189.2375
*m.x2078*(1 - 0.000727272727272727*m.x2078)*(1 - 0.00145454545454545*m.x2078) - 1.86*(0.93*
m.x2078*(1 - 0.000727272727272727*m.x2078))**2 - 1.49610402*m.x2078*m.x2078*(1 -
0.000727272727272727*m.x2078)*(1 - 0.00145454545454545*m.x2078)*(1 - 0.00145454545454545*
m.x2078))) + m.x186 == 0)
m.c188 = Constraint(expr=-(0.0775*m.x2079*(1 - 0.000727272727272727*m.x2079) + 0.003003125*m.x2079*(1 -
0.000727272727272727*m.x2079)*(1 - 0.00145454545454545*m.x2079) + 6.0669191919192e-8*(1189.2375
*m.x2079*(1 - 0.000727272727272727*m.x2079)*(1 - 0.00145454545454545*m.x2079) - 1.86*(0.93*
m.x2079*(1 - 0.000727272727272727*m.x2079))**2 - 1.49610402*m.x2079*m.x2079*(1 -
0.000727272727272727*m.x2079)*(1 - 0.00145454545454545*m.x2079)*(1 - 0.00145454545454545*
m.x2079))) + m.x187 == 0)
m.c189 = Constraint(expr=-(0.0775*m.x2080*(1 - 0.000727272727272727*m.x2080) + 0.003003125*m.x2080*(1 -
0.000727272727272727*m.x2080)*(1 - 0.00145454545454545*m.x2080) + 6.0669191919192e-8*(1189.2375
*m.x2080*(1 - 0.000727272727272727*m.x2080)*(1 - 0.00145454545454545*m.x2080) - 1.86*(0.93*
m.x2080*(1 - 0.000727272727272727*m.x2080))**2 - 1.49610402*m.x2080*m.x2080*(1 -
0.000727272727272727*m.x2080)*(1 - 0.00145454545454545*m.x2080)*(1 - 0.00145454545454545*
m.x2080))) + m.x188 == 0)
m.c190 = Constraint(expr=-(0.0775*m.x2081*(1 - 0.000727272727272727*m.x2081) + 0.003003125*m.x2081*(1 -
0.000727272727272727*m.x2081)*(1 - 0.00145454545454545*m.x2081) + 6.0669191919192e-8*(1189.2375
*m.x2081*(1 - 0.000727272727272727*m.x2081)*(1 - 0.00145454545454545*m.x2081) - 1.86*(0.93*
m.x2081*(1 - 0.000727272727272727*m.x2081))**2 - 1.49610402*m.x2081*m.x2081*(1 -
0.000727272727272727*m.x2081)*(1 - 0.00145454545454545*m.x2081)*(1 - 0.00145454545454545*
m.x2081))) + m.x189 == 0)
m.c191 = Constraint(expr=-(0.0775*m.x2082*(1 - 0.000727272727272727*m.x2082) + 0.003003125*m.x2082*(1 -
0.000727272727272727*m.x2082)*(1 - 0.00145454545454545*m.x2082) + 6.0669191919192e-8*(1189.2375
*m.x2082*(1 - 0.000727272727272727*m.x2082)*(1 - 0.00145454545454545*m.x2082) - 1.86*(0.93*
m.x2082*(1 - 0.000727272727272727*m.x2082))**2 - 1.49610402*m.x2082*m.x2082*(1 -
0.000727272727272727*m.x2082)*(1 - 0.00145454545454545*m.x2082)*(1 - 0.00145454545454545*
m.x2082))) + m.x190 == 0)
m.c192 = Constraint(expr=-(0.0775*m.x2083*(1 - 0.000727272727272727*m.x2083) + 0.003003125*m.x2083*(1 -
0.000727272727272727*m.x2083)*(1 - 0.00145454545454545*m.x2083) + 6.0669191919192e-8*(1189.2375
*m.x2083*(1 - 0.000727272727272727*m.x2083)*(1 - 0.00145454545454545*m.x2083) - 1.86*(0.93*
m.x2083*(1 - 0.000727272727272727*m.x2083))**2 - 1.49610402*m.x2083*m.x2083*(1 -
0.000727272727272727*m.x2083)*(1 - 0.00145454545454545*m.x2083)*(1 - 0.00145454545454545*
m.x2083))) + m.x191 == 0)
m.c193 = Constraint(expr=-(0.0775*m.x2084*(1 - 0.000727272727272727*m.x2084) + 0.003003125*m.x2084*(1 -
0.000727272727272727*m.x2084)*(1 - 0.00145454545454545*m.x2084) + 6.0669191919192e-8*(1189.2375
*m.x2084*(1 - 0.000727272727272727*m.x2084)*(1 - 0.00145454545454545*m.x2084) - 1.86*(0.93*
m.x2084*(1 - 0.000727272727272727*m.x2084))**2 - 1.49610402*m.x2084*m.x2084*(1 -
0.000727272727272727*m.x2084)*(1 - 0.00145454545454545*m.x2084)*(1 - 0.00145454545454545*
m.x2084))) + m.x192 == 0)
m.c194 = Constraint(expr=-(0.0775*m.x2085*(1 - 0.000727272727272727*m.x2085) + 0.003003125*m.x2085*(1 -
0.000727272727272727*m.x2085)*(1 - 0.00145454545454545*m.x2085) + 6.0669191919192e-8*(1189.2375
*m.x2085*(1 - 0.000727272727272727*m.x2085)*(1 - 0.00145454545454545*m.x2085) - 1.86*(0.93*
m.x2085*(1 - 0.000727272727272727*m.x2085))**2 - 1.49610402*m.x2085*m.x2085*(1 -
0.000727272727272727*m.x2085)*(1 - 0.00145454545454545*m.x2085)*(1 - 0.00145454545454545*
m.x2085))) + m.x193 == 0)
m.c195 = Constraint(expr=-(0.0775*m.x2086*(1 - 0.000727272727272727*m.x2086) + 0.003003125*m.x2086*(1 -
0.000727272727272727*m.x2086)*(1 - 0.00145454545454545*m.x2086) + 6.0669191919192e-8*(1189.2375
*m.x2086*(1 - 0.000727272727272727*m.x2086)*(1 - 0.00145454545454545*m.x2086) - 1.86*(0.93*
m.x2086*(1 - 0.000727272727272727*m.x2086))**2 - 1.49610402*m.x2086*m.x2086*(1 -
0.000727272727272727*m.x2086)*(1 - 0.00145454545454545*m.x2086)*(1 - 0.00145454545454545*
m.x2086))) + m.x194 == 0)
m.c196 = Constraint(expr=-(0.0775*m.x2087*(1 - 0.000727272727272727*m.x2087) + 0.003003125*m.x2087*(1 -
0.000727272727272727*m.x2087)*(1 - 0.00145454545454545*m.x2087) + 6.0669191919192e-8*(1189.2375
*m.x2087*(1 - 0.000727272727272727*m.x2087)*(1 - 0.00145454545454545*m.x2087) - 1.86*(0.93*
m.x2087*(1 - 0.000727272727272727*m.x2087))**2 - 1.49610402*m.x2087*m.x2087*(1 -
0.000727272727272727*m.x2087)*(1 - 0.00145454545454545*m.x2087)*(1 - 0.00145454545454545*
m.x2087))) + m.x195 == 0)
m.c197 = Constraint(expr=-(0.0775*m.x2088*(1 - 0.000727272727272727*m.x2088) + 0.003003125*m.x2088*(1 -
0.000727272727272727*m.x2088)*(1 - 0.00145454545454545*m.x2088) + 6.0669191919192e-8*(1189.2375
*m.x2088*(1 - 0.000727272727272727*m.x2088)*(1 - 0.00145454545454545*m.x2088) - 1.86*(0.93*
m.x2088*(1 - 0.000727272727272727*m.x2088))**2 - 1.49610402*m.x2088*m.x2088*(1 -
0.000727272727272727*m.x2088)*(1 - 0.00145454545454545*m.x2088)*(1 - 0.00145454545454545*
m.x2088))) + m.x196 == 0)
m.c198 = Constraint(expr=-(0.0775*m.x2089*(1 - 0.000727272727272727*m.x2089) + 0.003003125*m.x2089*(1 -
0.000727272727272727*m.x2089)*(1 - 0.00145454545454545*m.x2089) + 6.0669191919192e-8*(1189.2375
*m.x2089*(1 - 0.000727272727272727*m.x2089)*(1 - 0.00145454545454545*m.x2089) - 1.86*(0.93*
m.x2089*(1 - 0.000727272727272727*m.x2089))**2 - 1.49610402*m.x2089*m.x2089*(1 -
0.000727272727272727*m.x2089)*(1 - 0.00145454545454545*m.x2089)*(1 - 0.00145454545454545*
m.x2089))) + m.x197 == 0)
m.c199 = Constraint(expr=-(0.0775*m.x2090*(1 - 0.000727272727272727*m.x2090) + 0.003003125*m.x2090*(1 -
0.000727272727272727*m.x2090)*(1 - 0.00145454545454545*m.x2090) + 6.0669191919192e-8*(1189.2375
*m.x2090*(1 - 0.000727272727272727*m.x2090)*(1 - 0.00145454545454545*m.x2090) - 1.86*(0.93*
m.x2090*(1 - 0.000727272727272727*m.x2090))**2 - 1.49610402*m.x2090*m.x2090*(1 -
0.000727272727272727*m.x2090)*(1 - 0.00145454545454545*m.x2090)*(1 - 0.00145454545454545*
m.x2090))) + m.x198 == 0)
m.c200 = Constraint(expr=-(0.0775*m.x2091*(1 - 0.000727272727272727*m.x2091) + 0.003003125*m.x2091*(1 -
0.000727272727272727*m.x2091)*(1 - 0.00145454545454545*m.x2091) + 6.0669191919192e-8*(1189.2375
*m.x2091*(1 - 0.000727272727272727*m.x2091)*(1 - 0.00145454545454545*m.x2091) - 1.86*(0.93*
m.x2091*(1 - 0.000727272727272727*m.x2091))**2 - 1.49610402*m.x2091*m.x2091*(1 -
0.000727272727272727*m.x2091)*(1 - 0.00145454545454545*m.x2091)*(1 - 0.00145454545454545*
m.x2091))) + m.x199 == 0)
m.c201 = Constraint(expr=-(0.0775*m.x2092*(1 - 0.000727272727272727*m.x2092) + 0.003003125*m.x2092*(1 -
0.000727272727272727*m.x2092)*(1 - 0.00145454545454545*m.x2092) + 6.0669191919192e-8*(1189.2375
*m.x2092*(1 - 0.000727272727272727*m.x2092)*(1 - 0.00145454545454545*m.x2092) - 1.86*(0.93*
m.x2092*(1 - 0.000727272727272727*m.x2092))**2 - 1.49610402*m.x2092*m.x2092*(1 -
0.000727272727272727*m.x2092)*(1 - 0.00145454545454545*m.x2092)*(1 - 0.00145454545454545*
m.x2092))) + m.x200 == 0)
m.c202 = Constraint(expr=-(0.0775*m.x2093*(1 - 0.000727272727272727*m.x2093) + 0.003003125*m.x2093*(1 -
0.000727272727272727*m.x2093)*(1 - 0.00145454545454545*m.x2093) + 6.0669191919192e-8*(1189.2375
*m.x2093*(1 - 0.000727272727272727*m.x2093)*(1 - 0.00145454545454545*m.x2093) - 1.86*(0.93*
m.x2093*(1 - 0.000727272727272727*m.x2093))**2 - 1.49610402*m.x2093*m.x2093*(1 -
0.000727272727272727*m.x2093)*(1 - 0.00145454545454545*m.x2093)*(1 - 0.00145454545454545*
m.x2093))) + m.x201 == 0)
m.c203 = Constraint(expr=-(0.0775*m.x2094*(1 - 0.000727272727272727*m.x2094) + 0.003003125*m.x2094*(1 -
0.000727272727272727*m.x2094)*(1 - 0.00145454545454545*m.x2094) + 6.0669191919192e-8*(1189.2375
*m.x2094*(1 - 0.000727272727272727*m.x2094)*(1 - 0.00145454545454545*m.x2094) - 1.86*(0.93*
m.x2094*(1 - 0.000727272727272727*m.x2094))**2 - 1.49610402*m.x2094*m.x2094*(1 -
0.000727272727272727*m.x2094)*(1 - 0.00145454545454545*m.x2094)*(1 - 0.00145454545454545*
m.x2094))) + m.x202 == 0)
m.c204 = Constraint(expr=-(0.0775*m.x2095*(1 - 0.000727272727272727*m.x2095) + 0.003003125*m.x2095*(1 -
0.000727272727272727*m.x2095)*(1 - 0.00145454545454545*m.x2095) + 6.0669191919192e-8*(1189.2375
*m.x2095*(1 - 0.000727272727272727*m.x2095)*(1 - 0.00145454545454545*m.x2095) - 1.86*(0.93*
m.x2095*(1 - 0.000727272727272727*m.x2095))**2 - 1.49610402*m.x2095*m.x2095*(1 -
0.000727272727272727*m.x2095)*(1 - 0.00145454545454545*m.x2095)*(1 - 0.00145454545454545*
m.x2095))) + m.x203 == 0)
m.c205 = Constraint(expr=-(0.0775*m.x2096*(1 - 0.000727272727272727*m.x2096) + 0.003003125*m.x2096*(1 -
0.000727272727272727*m.x2096)*(1 - 0.00145454545454545*m.x2096) + 6.0669191919192e-8*(1189.2375
*m.x2096*(1 - 0.000727272727272727*m.x2096)*(1 - 0.00145454545454545*m.x2096) - 1.86*(0.93*
m.x2096*(1 - 0.000727272727272727*m.x2096))**2 - 1.49610402*m.x2096*m.x2096*(1 -
0.000727272727272727*m.x2096)*(1 - 0.00145454545454545*m.x2096)*(1 - 0.00145454545454545*
m.x2096))) + m.x204 == 0)
m.c206 = Constraint(expr=-(0.0775*m.x2097*(1 - 0.000727272727272727*m.x2097) + 0.003003125*m.x2097*(1 -
0.000727272727272727*m.x2097)*(1 - 0.00145454545454545*m.x2097) + 6.0669191919192e-8*(1189.2375
*m.x2097*(1 - 0.000727272727272727*m.x2097)*(1 - 0.00145454545454545*m.x2097) - 1.86*(0.93*
m.x2097*(1 - 0.000727272727272727*m.x2097))**2 - 1.49610402*m.x2097*m.x2097*(1 -
0.000727272727272727*m.x2097)*(1 - 0.00145454545454545*m.x2097)*(1 - 0.00145454545454545*
m.x2097))) + m.x205 == 0)
m.c207 = Constraint(expr=-(0.0775*m.x2098*(1 - 0.000727272727272727*m.x2098) + 0.003003125*m.x2098*(1 -
0.000727272727272727*m.x2098)*(1 - 0.00145454545454545*m.x2098) + 6.0669191919192e-8*(1189.2375
*m.x2098*(1 - 0.000727272727272727*m.x2098)*(1 - 0.00145454545454545*m.x2098) - 1.86*(0.93*
m.x2098*(1 - 0.000727272727272727*m.x2098))**2 - 1.49610402*m.x2098*m.x2098*(1 -
0.000727272727272727*m.x2098)*(1 - 0.00145454545454545*m.x2098)*(1 - 0.00145454545454545*
m.x2098))) + m.x206 == 0)
m.c208 = Constraint(expr=-(0.0775*m.x2099*(1 - 0.000727272727272727*m.x2099) + 0.003003125*m.x2099*(1 -
0.000727272727272727*m.x2099)*(1 - 0.00145454545454545*m.x2099) + 6.0669191919192e-8*(1189.2375
*m.x2099*(1 - 0.000727272727272727*m.x2099)*(1 - 0.00145454545454545*m.x2099) - 1.86*(0.93*
m.x2099*(1 - 0.000727272727272727*m.x2099))**2 - 1.49610402*m.x2099*m.x2099*(1 -
0.000727272727272727*m.x2099)*(1 - 0.00145454545454545*m.x2099)*(1 - 0.00145454545454545*
m.x2099))) + m.x207 == 0)
m.c209 = Constraint(expr=-(0.0775*m.x2100*(1 - 0.000727272727272727*m.x2100) + 0.003003125*m.x2100*(1 -
0.000727272727272727*m.x2100)*(1 - 0.00145454545454545*m.x2100) + 6.0669191919192e-8*(1189.2375
*m.x2100*(1 - 0.000727272727272727*m.x2100)*(1 - 0.00145454545454545*m.x2100) - 1.86*(0.93*
m.x2100*(1 - 0.000727272727272727*m.x2100))**2 - 1.49610402*m.x2100*m.x2100*(1 -
0.000727272727272727*m.x2100)*(1 - 0.00145454545454545*m.x2100)*(1 - 0.00145454545454545*
m.x2100))) + m.x208 == 0)
m.c210 = Constraint(expr=-(0.0775*m.x2101*(1 - 0.000727272727272727*m.x2101) + 0.003003125*m.x2101*(1 -
0.000727272727272727*m.x2101)*(1 - 0.00145454545454545*m.x2101) + 6.0669191919192e-8*(1189.2375
*m.x2101*(1 - 0.000727272727272727*m.x2101)*(1 - 0.00145454545454545*m.x2101) - 1.86*(0.93*
m.x2101*(1 - 0.000727272727272727*m.x2101))**2 - 1.49610402*m.x2101*m.x2101*(1 -
0.000727272727272727*m.x2101)*(1 - 0.00145454545454545*m.x2101)*(1 - 0.00145454545454545*
m.x2101))) + m.x209 == 0)
m.c211 = Constraint(expr=-(0.0775*m.x2102*(1 - 0.000727272727272727*m.x2102) + 0.003003125*m.x2102*(1 -
0.000727272727272727*m.x2102)*(1 - 0.00145454545454545*m.x2102) + 6.0669191919192e-8*(1189.2375
*m.x2102*(1 - 0.000727272727272727*m.x2102)*(1 - 0.00145454545454545*m.x2102) - 1.86*(0.93*
m.x2102*(1 - 0.000727272727272727*m.x2102))**2 - 1.49610402*m.x2102*m.x2102*(1 -
0.000727272727272727*m.x2102)*(1 - 0.00145454545454545*m.x2102)*(1 - 0.00145454545454545*
m.x2102))) + m.x210 == 0)
m.c212 = Constraint(expr=-(0.0775*m.x2103*(1 - 0.000727272727272727*m.x2103) + 0.003003125*m.x2103*(1 -
0.000727272727272727*m.x2103)*(1 - 0.00145454545454545*m.x2103) + 6.0669191919192e-8*(1189.2375
*m.x2103*(1 - 0.000727272727272727*m.x2103)*(1 - 0.00145454545454545*m.x2103) - 1.86*(0.93*
m.x2103*(1 - 0.000727272727272727*m.x2103))**2 - 1.49610402*m.x2103*m.x2103*(1 -
0.000727272727272727*m.x2103)*(1 - 0.00145454545454545*m.x2103)*(1 - 0.00145454545454545*
m.x2103))) + m.x211 == 0)
m.c213 = Constraint(expr=-(0.0775*m.x2104*(1 - 0.000727272727272727*m.x2104) + 0.003003125*m.x2104*(1 -
0.000727272727272727*m.x2104)*(1 - 0.00145454545454545*m.x2104) + 6.0669191919192e-8*(1189.2375
*m.x2104*(1 - 0.000727272727272727*m.x2104)*(1 - 0.00145454545454545*m.x2104) - 1.86*(0.93*
m.x2104*(1 - 0.000727272727272727*m.x2104))**2 - 1.49610402*m.x2104*m.x2104*(1 -
0.000727272727272727*m.x2104)*(1 - 0.00145454545454545*m.x2104)*(1 - 0.00145454545454545*
m.x2104))) + m.x212 == 0)
m.c214 = Constraint(expr=-(0.0775*m.x2105*(1 - 0.000727272727272727*m.x2105) + 0.003003125*m.x2105*(1 -
0.000727272727272727*m.x2105)*(1 - 0.00145454545454545*m.x2105) + 6.0669191919192e-8*(1189.2375
*m.x2105*(1 - 0.000727272727272727*m.x2105)*(1 - 0.00145454545454545*m.x2105) - 1.86*(0.93*
m.x2105*(1 - 0.000727272727272727*m.x2105))**2 - 1.49610402*m.x2105*m.x2105*(1 -
0.000727272727272727*m.x2105)*(1 - 0.00145454545454545*m.x2105)*(1 - 0.00145454545454545*
m.x2105))) + m.x213 == 0)
m.c215 = Constraint(expr=-(0.0775*m.x2106*(1 - 0.000727272727272727*m.x2106) + 0.003003125*m.x2106*(1 -
0.000727272727272727*m.x2106)*(1 - 0.00145454545454545*m.x2106) + 6.0669191919192e-8*(1189.2375
*m.x2106*(1 - 0.000727272727272727*m.x2106)*(1 - 0.00145454545454545*m.x2106) - 1.86*(0.93*
m.x2106*(1 - 0.000727272727272727*m.x2106))**2 - 1.49610402*m.x2106*m.x2106*(1 -
0.000727272727272727*m.x2106)*(1 - 0.00145454545454545*m.x2106)*(1 - 0.00145454545454545*
m.x2106))) + m.x214 == 0)
m.c216 = Constraint(expr=-(0.0775*m.x2107*(1 - 0.000727272727272727*m.x2107) + 0.003003125*m.x2107*(1 -
0.000727272727272727*m.x2107)*(1 - 0.00145454545454545*m.x2107) + 6.0669191919192e-8*(1189.2375
*m.x2107*(1 - 0.000727272727272727*m.x2107)*(1 - 0.00145454545454545*m.x2107) - 1.86*(0.93*
m.x2107*(1 - 0.000727272727272727*m.x2107))**2 - 1.49610402*m.x2107*m.x2107*(1 -
0.000727272727272727*m.x2107)*(1 - 0.00145454545454545*m.x2107)*(1 - 0.00145454545454545*
m.x2107))) + m.x215 == 0)
m.c217 = Constraint(expr=-(0.0775*m.x2108*(1 - 0.000727272727272727*m.x2108) + 0.003003125*m.x2108*(1 -
0.000727272727272727*m.x2108)*(1 - 0.00145454545454545*m.x2108) + 6.0669191919192e-8*(1189.2375
*m.x2108*(1 - 0.000727272727272727*m.x2108)*(1 - 0.00145454545454545*m.x2108) - 1.86*(0.93*
m.x2108*(1 - 0.000727272727272727*m.x2108))**2 - 1.49610402*m.x2108*m.x2108*(1 -
0.000727272727272727*m.x2108)*(1 - 0.00145454545454545*m.x2108)*(1 - 0.00145454545454545*
m.x2108))) + m.x216 == 0)
m.c218 = Constraint(expr=-(0.0775*m.x2109*(1 - 0.000727272727272727*m.x2109) + 0.003003125*m.x2109*(1 -
0.000727272727272727*m.x2109)*(1 - 0.00145454545454545*m.x2109) + 6.0669191919192e-8*(1189.2375
*m.x2109*(1 - 0.000727272727272727*m.x2109)*(1 - 0.00145454545454545*m.x2109) - 1.86*(0.93*
m.x2109*(1 - 0.000727272727272727*m.x2109))**2 - 1.49610402*m.x2109*m.x2109*(1 -
0.000727272727272727*m.x2109)*(1 - 0.00145454545454545*m.x2109)*(1 - 0.00145454545454545*
m.x2109))) + m.x217 == 0)
m.c219 = Constraint(expr=-(0.0775*m.x2110*(1 - 0.000727272727272727*m.x2110) + 0.003003125*m.x2110*(1 -
0.000727272727272727*m.x2110)*(1 - 0.00145454545454545*m.x2110) + 6.0669191919192e-8*(1189.2375
*m.x2110*(1 - 0.000727272727272727*m.x2110)*(1 - 0.00145454545454545*m.x2110) - 1.86*(0.93*
m.x2110*(1 - 0.000727272727272727*m.x2110))**2 - 1.49610402*m.x2110*m.x2110*(1 -
0.000727272727272727*m.x2110)*(1 - 0.00145454545454545*m.x2110)*(1 - 0.00145454545454545*
m.x2110))) + m.x218 == 0)
m.c220 = Constraint(expr=-(0.0775*m.x2111*(1 - 0.000727272727272727*m.x2111) + 0.003003125*m.x2111*(1 -
0.000727272727272727*m.x2111)*(1 - 0.00145454545454545*m.x2111) + 6.0669191919192e-8*(1189.2375
*m.x2111*(1 - 0.000727272727272727*m.x2111)*(1 - 0.00145454545454545*m.x2111) - 1.86*(0.93*
m.x2111*(1 - 0.000727272727272727*m.x2111))**2 - 1.49610402*m.x2111*m.x2111*(1 -
0.000727272727272727*m.x2111)*(1 - 0.00145454545454545*m.x2111)*(1 - 0.00145454545454545*
m.x2111))) + m.x219 == 0)
m.c221 = Constraint(expr=-(0.0775*m.x2112*(1 - 0.000727272727272727*m.x2112) + 0.003003125*m.x2112*(1 -
0.000727272727272727*m.x2112)*(1 - 0.00145454545454545*m.x2112) + 6.0669191919192e-8*(1189.2375
*m.x2112*(1 - 0.000727272727272727*m.x2112)*(1 - 0.00145454545454545*m.x2112) - 1.86*(0.93*
m.x2112*(1 - 0.000727272727272727*m.x2112))**2 - 1.49610402*m.x2112*m.x2112*(1 -
0.000727272727272727*m.x2112)*(1 - 0.00145454545454545*m.x2112)*(1 - 0.00145454545454545*
m.x2112))) + m.x220 == 0)
m.c222 = Constraint(expr=-(0.0775*m.x2113*(1 - 0.000727272727272727*m.x2113) + 0.003003125*m.x2113*(1 -
0.000727272727272727*m.x2113)*(1 - 0.00145454545454545*m.x2113) + 6.0669191919192e-8*(1189.2375
*m.x2113*(1 - 0.000727272727272727*m.x2113)*(1 - 0.00145454545454545*m.x2113) - 1.86*(0.93*
m.x2113*(1 - 0.000727272727272727*m.x2113))**2 - 1.49610402*m.x2113*m.x2113*(1 -
0.000727272727272727*m.x2113)*(1 - 0.00145454545454545*m.x2113)*(1 - 0.00145454545454545*
m.x2113))) + m.x221 == 0)
m.c223 = Constraint(expr=-(0.0775*m.x2114*(1 - 0.000727272727272727*m.x2114) + 0.003003125*m.x2114*(1 -
0.000727272727272727*m.x2114)*(1 - 0.00145454545454545*m.x2114) + 6.0669191919192e-8*(1189.2375
*m.x2114*(1 - 0.000727272727272727*m.x2114)*(1 - 0.00145454545454545*m.x2114) - 1.86*(0.93*
m.x2114*(1 - 0.000727272727272727*m.x2114))**2 - 1.49610402*m.x2114*m.x2114*(1 -
0.000727272727272727*m.x2114)*(1 - 0.00145454545454545*m.x2114)*(1 - 0.00145454545454545*
m.x2114))) + m.x222 == 0)
m.c224 = Constraint(expr=-(0.0775*m.x2115*(1 - 0.000727272727272727*m.x2115) + 0.003003125*m.x2115*(1 -
0.000727272727272727*m.x2115)*(1 - 0.00145454545454545*m.x2115) + 6.0669191919192e-8*(1189.2375
*m.x2115*(1 - 0.000727272727272727*m.x2115)*(1 - 0.00145454545454545*m.x2115) - 1.86*(0.93*
m.x2115*(1 - 0.000727272727272727*m.x2115))**2 - 1.49610402*m.x2115*m.x2115*(1 -
0.000727272727272727*m.x2115)*(1 - 0.00145454545454545*m.x2115)*(1 - 0.00145454545454545*
m.x2115))) + m.x223 == 0)
m.c225 = Constraint(expr=-(0.0775*m.x2116*(1 - 0.000727272727272727*m.x2116) + 0.003003125*m.x2116*(1 -
0.000727272727272727*m.x2116)*(1 - 0.00145454545454545*m.x2116) + 6.0669191919192e-8*(1189.2375
*m.x2116*(1 - 0.000727272727272727*m.x2116)*(1 - 0.00145454545454545*m.x2116) - 1.86*(0.93*
m.x2116*(1 - 0.000727272727272727*m.x2116))**2 - 1.49610402*m.x2116*m.x2116*(1 -
0.000727272727272727*m.x2116)*(1 - 0.00145454545454545*m.x2116)*(1 - 0.00145454545454545*
m.x2116))) + m.x224 == 0)
m.c226 = Constraint(expr=-(0.0775*m.x2117*(1 - 0.000727272727272727*m.x2117) + 0.003003125*m.x2117*(1 -
0.000727272727272727*m.x2117)*(1 - 0.00145454545454545*m.x2117) + 6.0669191919192e-8*(1189.2375
*m.x2117*(1 - 0.000727272727272727*m.x2117)*(1 - 0.00145454545454545*m.x2117) - 1.86*(0.93*
m.x2117*(1 - 0.000727272727272727*m.x2117))**2 - 1.49610402*m.x2117*m.x2117*(1 -
0.000727272727272727*m.x2117)*(1 - 0.00145454545454545*m.x2117)*(1 - 0.00145454545454545*
m.x2117))) + m.x225 == 0)
m.c227 = Constraint(expr=-(0.0775*m.x2118*(1 - 0.000727272727272727*m.x2118) + 0.003003125*m.x2118*(1 -
0.000727272727272727*m.x2118)*(1 - 0.00145454545454545*m.x2118) + 6.0669191919192e-8*(1189.2375
*m.x2118*(1 - 0.000727272727272727*m.x2118)*(1 - 0.00145454545454545*m.x2118) - 1.86*(0.93*
m.x2118*(1 - 0.000727272727272727*m.x2118))**2 - 1.49610402*m.x2118*m.x2118*(1 -
0.000727272727272727*m.x2118)*(1 - 0.00145454545454545*m.x2118)*(1 - 0.00145454545454545*
m.x2118))) + m.x226 == 0)
m.c228 = Constraint(expr=-(0.0775*m.x2119*(1 - 0.000727272727272727*m.x2119) + 0.003003125*m.x2119*(1 -
0.000727272727272727*m.x2119)*(1 - 0.00145454545454545*m.x2119) + 6.0669191919192e-8*(1189.2375
*m.x2119*(1 - 0.000727272727272727*m.x2119)*(1 - 0.00145454545454545*m.x2119) - 1.86*(0.93*
m.x2119*(1 - 0.000727272727272727*m.x2119))**2 - 1.49610402*m.x2119*m.x2119*(1 -
0.000727272727272727*m.x2119)*(1 - 0.00145454545454545*m.x2119)*(1 - 0.00145454545454545*
m.x2119))) + m.x227 == 0)
m.c229 = Constraint(expr=-(0.0775*m.x2120*(1 - 0.000727272727272727*m.x2120) + 0.003003125*m.x2120*(1 -
0.000727272727272727*m.x2120)*(1 - 0.00145454545454545*m.x2120) + 6.0669191919192e-8*(1189.2375
*m.x2120*(1 - 0.000727272727272727*m.x2120)*(1 - 0.00145454545454545*m.x2120) - 1.86*(0.93*
m.x2120*(1 - 0.000727272727272727*m.x2120))**2 - 1.49610402*m.x2120*m.x2120*(1 -
0.000727272727272727*m.x2120)*(1 - 0.00145454545454545*m.x2120)*(1 - 0.00145454545454545*
m.x2120))) + m.x228 == 0)
m.c230 = Constraint(expr=-(0.0775*m.x2121*(1 - 0.000727272727272727*m.x2121) + 0.003003125*m.x2121*(1 -
0.000727272727272727*m.x2121)*(1 - 0.00145454545454545*m.x2121) + 6.0669191919192e-8*(1189.2375
*m.x2121*(1 - 0.000727272727272727*m.x2121)*(1 - 0.00145454545454545*m.x2121) - 1.86*(0.93*
m.x2121*(1 - 0.000727272727272727*m.x2121))**2 - 1.49610402*m.x2121*m.x2121*(1 -
0.000727272727272727*m.x2121)*(1 - 0.00145454545454545*m.x2121)*(1 - 0.00145454545454545*
m.x2121))) + m.x229 == 0)
m.c231 = Constraint(expr=-(0.0775*m.x2122*(1 - 0.000727272727272727*m.x2122) + 0.003003125*m.x2122*(1 -
0.000727272727272727*m.x2122)*(1 - 0.00145454545454545*m.x2122) + 6.0669191919192e-8*(1189.2375
*m.x2122*(1 - 0.000727272727272727*m.x2122)*(1 - 0.00145454545454545*m.x2122) - 1.86*(0.93*
m.x2122*(1 - 0.000727272727272727*m.x2122))**2 - 1.49610402*m.x2122*m.x2122*(1 -
0.000727272727272727*m.x2122)*(1 - 0.00145454545454545*m.x2122)*(1 - 0.00145454545454545*
m.x2122))) + m.x230 == 0)
m.c232 = Constraint(expr=-(0.0775*m.x2123*(1 - 0.000727272727272727*m.x2123) + 0.003003125*m.x2123*(1 -
0.000727272727272727*m.x2123)*(1 - 0.00145454545454545*m.x2123) + 6.0669191919192e-8*(1189.2375
*m.x2123*(1 - 0.000727272727272727*m.x2123)*(1 - 0.00145454545454545*m.x2123) - 1.86*(0.93*
m.x2123*(1 - 0.000727272727272727*m.x2123))**2 - 1.49610402*m.x2123*m.x2123*(1 -
0.000727272727272727*m.x2123)*(1 - 0.00145454545454545*m.x2123)*(1 - 0.00145454545454545*
m.x2123))) + m.x231 == 0)
m.c233 = Constraint(expr=-(0.0775*m.x2124*(1 - 0.000727272727272727*m.x2124) + 0.003003125*m.x2124*(1 -
0.000727272727272727*m.x2124)*(1 - 0.00145454545454545*m.x2124) + 6.0669191919192e-8*(1189.2375
*m.x2124*(1 - 0.000727272727272727*m.x2124)*(1 - 0.00145454545454545*m.x2124) - 1.86*(0.93*
m.x2124*(1 - 0.000727272727272727*m.x2124))**2 - 1.49610402*m.x2124*m.x2124*(1 -
0.000727272727272727*m.x2124)*(1 - 0.00145454545454545*m.x2124)*(1 - 0.00145454545454545*
m.x2124))) + m.x232 == 0)
m.c234 = Constraint(expr=-(0.0775*m.x2125*(1 - 0.000727272727272727*m.x2125) + 0.003003125*m.x2125*(1 -
0.000727272727272727*m.x2125)*(1 - 0.00145454545454545*m.x2125) + 6.0669191919192e-8*(1189.2375
*m.x2125*(1 - 0.000727272727272727*m.x2125)*(1 - 0.00145454545454545*m.x2125) - 1.86*(0.93*
m.x2125*(1 - 0.000727272727272727*m.x2125))**2 - 1.49610402*m.x2125*m.x2125*(1 -
0.000727272727272727*m.x2125)*(1 - 0.00145454545454545*m.x2125)*(1 - 0.00145454545454545*
m.x2125))) + m.x233 == 0)
m.c235 = Constraint(expr=-(0.0775*m.x2126*(1 - 0.000727272727272727*m.x2126) + 0.003003125*m.x2126*(1 -
0.000727272727272727*m.x2126)*(1 - 0.00145454545454545*m.x2126) + 6.0669191919192e-8*(1189.2375
*m.x2126*(1 - 0.000727272727272727*m.x2126)*(1 - 0.00145454545454545*m.x2126) - 1.86*(0.93*
m.x2126*(1 - 0.000727272727272727*m.x2126))**2 - 1.49610402*m.x2126*m.x2126*(1 -
0.000727272727272727*m.x2126)*(1 - 0.00145454545454545*m.x2126)*(1 - 0.00145454545454545*
m.x2126))) + m.x234 == 0)
m.c236 = Constraint(expr=-(0.0775*m.x2127*(1 - 0.000727272727272727*m.x2127) + 0.003003125*m.x2127*(1 -
0.000727272727272727*m.x2127)*(1 - 0.00145454545454545*m.x2127) + 6.0669191919192e-8*(1189.2375
*m.x2127*(1 - 0.000727272727272727*m.x2127)*(1 - 0.00145454545454545*m.x2127) - 1.86*(0.93*
m.x2127*(1 - 0.000727272727272727*m.x2127))**2 - 1.49610402*m.x2127*m.x2127*(1 -
0.000727272727272727*m.x2127)*(1 - 0.00145454545454545*m.x2127)*(1 - 0.00145454545454545*
m.x2127))) + m.x235 == 0)
m.c237 = Constraint(expr=-(0.0775*m.x2128*(1 - 0.000727272727272727*m.x2128) + 0.003003125*m.x2128*(1 -
0.000727272727272727*m.x2128)*(1 - 0.00145454545454545*m.x2128) + 6.0669191919192e-8*(1189.2375
*m.x2128*(1 - 0.000727272727272727*m.x2128)*(1 - 0.00145454545454545*m.x2128) - 1.86*(0.93*
m.x2128*(1 - 0.000727272727272727*m.x2128))**2 - 1.49610402*m.x2128*m.x2128*(1 -
0.000727272727272727*m.x2128)*(1 - 0.00145454545454545*m.x2128)*(1 - 0.00145454545454545*
m.x2128))) + m.x236 == 0)
m.c238 = Constraint(expr=-(0.0775*m.x2129*(1 - 0.000727272727272727*m.x2129) + 0.003003125*m.x2129*(1 -
0.000727272727272727*m.x2129)*(1 - 0.00145454545454545*m.x2129) + 6.0669191919192e-8*(1189.2375
*m.x2129*(1 - 0.000727272727272727*m.x2129)*(1 - 0.00145454545454545*m.x2129) - 1.86*(0.93*
m.x2129*(1 - 0.000727272727272727*m.x2129))**2 - 1.49610402*m.x2129*m.x2129*(1 -
0.000727272727272727*m.x2129)*(1 - 0.00145454545454545*m.x2129)*(1 - 0.00145454545454545*
m.x2129))) + m.x237 == 0)
m.c239 = Constraint(expr=-(0.0775*m.x2130*(1 - 0.000727272727272727*m.x2130) + 0.003003125*m.x2130*(1 -
0.000727272727272727*m.x2130)*(1 - 0.00145454545454545*m.x2130) + 6.0669191919192e-8*(1189.2375
*m.x2130*(1 - 0.000727272727272727*m.x2130)*(1 - 0.00145454545454545*m.x2130) - 1.86*(0.93*
m.x2130*(1 - 0.000727272727272727*m.x2130))**2 - 1.49610402*m.x2130*m.x2130*(1 -
0.000727272727272727*m.x2130)*(1 - 0.00145454545454545*m.x2130)*(1 - 0.00145454545454545*
m.x2130))) + m.x238 == 0)
m.c240 = Constraint(expr=-(0.0775*m.x2131*(1 - 0.000727272727272727*m.x2131) + 0.003003125*m.x2131*(1 -
0.000727272727272727*m.x2131)*(1 - 0.00145454545454545*m.x2131) + 6.0669191919192e-8*(1189.2375
*m.x2131*(1 - 0.000727272727272727*m.x2131)*(1 - 0.00145454545454545*m.x2131) - 1.86*(0.93*
m.x2131*(1 - 0.000727272727272727*m.x2131))**2 - 1.49610402*m.x2131*m.x2131*(1 -
0.000727272727272727*m.x2131)*(1 - 0.00145454545454545*m.x2131)*(1 - 0.00145454545454545*
m.x2131))) + m.x239 == 0)
m.c241 = Constraint(expr=-(0.0775*m.x2132*(1 - 0.000727272727272727*m.x2132) + 0.003003125*m.x2132*(1 -
0.000727272727272727*m.x2132)*(1 - 0.00145454545454545*m.x2132) + 6.0669191919192e-8*(1189.2375
*m.x2132*(1 - 0.000727272727272727*m.x2132)*(1 - 0.00145454545454545*m.x2132) - 1.86*(0.93*
m.x2132*(1 - 0.000727272727272727*m.x2132))**2 - 1.49610402*m.x2132*m.x2132*(1 -
0.000727272727272727*m.x2132)*(1 - 0.00145454545454545*m.x2132)*(1 - 0.00145454545454545*
m.x2132))) + m.x240 == 0)
m.c242 = Constraint(expr=-(0.0775*m.x2133*(1 - 0.000727272727272727*m.x2133) + 0.003003125*m.x2133*(1 -
0.000727272727272727*m.x2133)*(1 - 0.00145454545454545*m.x2133) + 6.0669191919192e-8*(1189.2375
*m.x2133*(1 - 0.000727272727272727*m.x2133)*(1 - 0.00145454545454545*m.x2133) - 1.86*(0.93*
m.x2133*(1 - 0.000727272727272727*m.x2133))**2 - 1.49610402*m.x2133*m.x2133*(1 -
0.000727272727272727*m.x2133)*(1 - 0.00145454545454545*m.x2133)*(1 - 0.00145454545454545*
m.x2133))) + m.x241 == 0)
m.c243 = Constraint(expr=-(0.0775*m.x2134*(1 - 0.000727272727272727*m.x2134) + 0.003003125*m.x2134*(1 -
0.000727272727272727*m.x2134)*(1 - 0.00145454545454545*m.x2134) + 6.0669191919192e-8*(1189.2375
*m.x2134*(1 - 0.000727272727272727*m.x2134)*(1 - 0.00145454545454545*m.x2134) - 1.86*(0.93*
m.x2134*(1 - 0.000727272727272727*m.x2134))**2 - 1.49610402*m.x2134*m.x2134*(1 -
0.000727272727272727*m.x2134)*(1 - 0.00145454545454545*m.x2134)*(1 - 0.00145454545454545*
m.x2134))) + m.x242 == 0)
m.c244 = Constraint(expr=-(0.0775*m.x2135*(1 - 0.000727272727272727*m.x2135) + 0.003003125*m.x2135*(1 -
0.000727272727272727*m.x2135)*(1 - 0.00145454545454545*m.x2135) + 6.0669191919192e-8*(1189.2375
*m.x2135*(1 - 0.000727272727272727*m.x2135)*(1 - 0.00145454545454545*m.x2135) - 1.86*(0.93*
m.x2135*(1 - 0.000727272727272727*m.x2135))**2 - 1.49610402*m.x2135*m.x2135*(1 -
0.000727272727272727*m.x2135)*(1 - 0.00145454545454545*m.x2135)*(1 - 0.00145454545454545*
m.x2135))) + m.x243 == 0)
m.c245 = Constraint(expr=-(0.0775*m.x2136*(1 - 0.000727272727272727*m.x2136) + 0.003003125*m.x2136*(1 -
0.000727272727272727*m.x2136)*(1 - 0.00145454545454545*m.x2136) + 6.0669191919192e-8*(1189.2375
*m.x2136*(1 - 0.000727272727272727*m.x2136)*(1 - 0.00145454545454545*m.x2136) - 1.86*(0.93*
m.x2136*(1 - 0.000727272727272727*m.x2136))**2 - 1.49610402*m.x2136*m.x2136*(1 -
0.000727272727272727*m.x2136)*(1 - 0.00145454545454545*m.x2136)*(1 - 0.00145454545454545*
m.x2136))) + m.x244 == 0)
m.c246 = Constraint(expr=-(0.0775*m.x2137*(1 - 0.000727272727272727*m.x2137) + 0.003003125*m.x2137*(1 -
0.000727272727272727*m.x2137)*(1 - 0.00145454545454545*m.x2137) + 6.0669191919192e-8*(1189.2375
*m.x2137*(1 - 0.000727272727272727*m.x2137)*(1 - 0.00145454545454545*m.x2137) - 1.86*(0.93*
m.x2137*(1 - 0.000727272727272727*m.x2137))**2 - 1.49610402*m.x2137*m.x2137*(1 -
0.000727272727272727*m.x2137)*(1 - 0.00145454545454545*m.x2137)*(1 - 0.00145454545454545*
m.x2137))) + m.x245 == 0)
m.c247 = Constraint(expr=-(0.0775*m.x2138*(1 - 0.000727272727272727*m.x2138) + 0.003003125*m.x2138*(1 -
0.000727272727272727*m.x2138)*(1 - 0.00145454545454545*m.x2138) + 6.0669191919192e-8*(1189.2375
*m.x2138*(1 - 0.000727272727272727*m.x2138)*(1 - 0.00145454545454545*m.x2138) - 1.86*(0.93*
m.x2138*(1 - 0.000727272727272727*m.x2138))**2 - 1.49610402*m.x2138*m.x2138*(1 -
0.000727272727272727*m.x2138)*(1 - 0.00145454545454545*m.x2138)*(1 - 0.00145454545454545*
m.x2138))) + m.x246 == 0)
m.c248 = Constraint(expr=-(0.0775*m.x2139*(1 - 0.000727272727272727*m.x2139) + 0.003003125*m.x2139*(1 -
0.000727272727272727*m.x2139)*(1 - 0.00145454545454545*m.x2139) + 6.0669191919192e-8*(1189.2375
*m.x2139*(1 - 0.000727272727272727*m.x2139)*(1 - 0.00145454545454545*m.x2139) - 1.86*(0.93*
m.x2139*(1 - 0.000727272727272727*m.x2139))**2 - 1.49610402*m.x2139*m.x2139*(1 -
0.000727272727272727*m.x2139)*(1 - 0.00145454545454545*m.x2139)*(1 - 0.00145454545454545*
m.x2139))) + m.x247 == 0)
m.c249 = Constraint(expr=-(0.0775*m.x2140*(1 - 0.000727272727272727*m.x2140) + 0.003003125*m.x2140*(1 -
0.000727272727272727*m.x2140)*(1 - 0.00145454545454545*m.x2140) + 6.0669191919192e-8*(1189.2375
*m.x2140*(1 - 0.000727272727272727*m.x2140)*(1 - 0.00145454545454545*m.x2140) - 1.86*(0.93*
m.x2140*(1 - 0.000727272727272727*m.x2140))**2 - 1.49610402*m.x2140*m.x2140*(1 -
0.000727272727272727*m.x2140)*(1 - 0.00145454545454545*m.x2140)*(1 - 0.00145454545454545*
m.x2140))) + m.x248 == 0)
m.c250 = Constraint(expr=-(0.0775*m.x2141*(1 - 0.000727272727272727*m.x2141) + 0.003003125*m.x2141*(1 -
0.000727272727272727*m.x2141)*(1 - 0.00145454545454545*m.x2141) + 6.0669191919192e-8*(1189.2375
*m.x2141*(1 - 0.000727272727272727*m.x2141)*(1 - 0.00145454545454545*m.x2141) - 1.86*(0.93*
m.x2141*(1 - 0.000727272727272727*m.x2141))**2 - 1.49610402*m.x2141*m.x2141*(1 -
0.000727272727272727*m.x2141)*(1 - 0.00145454545454545*m.x2141)*(1 - 0.00145454545454545*
m.x2141))) + m.x249 == 0)
m.c251 = Constraint(expr=-(0.0775*m.x2142*(1 - 0.000727272727272727*m.x2142) + 0.003003125*m.x2142*(1 -
0.000727272727272727*m.x2142)*(1 - 0.00145454545454545*m.x2142) + 6.0669191919192e-8*(1189.2375
*m.x2142*(1 - 0.000727272727272727*m.x2142)*(1 - 0.00145454545454545*m.x2142) - 1.86*(0.93*
m.x2142*(1 - 0.000727272727272727*m.x2142))**2 - 1.49610402*m.x2142*m.x2142*(1 -
0.000727272727272727*m.x2142)*(1 - 0.00145454545454545*m.x2142)*(1 - 0.00145454545454545*
m.x2142))) + m.x250 == 0)
m.c252 = Constraint(expr=-(0.0775*m.x2143*(1 - 0.000727272727272727*m.x2143) + 0.003003125*m.x2143*(1 -
0.000727272727272727*m.x2143)*(1 - 0.00145454545454545*m.x2143) + 6.0669191919192e-8*(1189.2375
*m.x2143*(1 - 0.000727272727272727*m.x2143)*(1 - 0.00145454545454545*m.x2143) - 1.86*(0.93*
m.x2143*(1 - 0.000727272727272727*m.x2143))**2 - 1.49610402*m.x2143*m.x2143*(1 -
0.000727272727272727*m.x2143)*(1 - 0.00145454545454545*m.x2143)*(1 - 0.00145454545454545*
m.x2143))) + m.x251 == 0)
m.c253 = Constraint(expr=-(0.0775*m.x2144*(1 - 0.000727272727272727*m.x2144) + 0.003003125*m.x2144*(1 -
0.000727272727272727*m.x2144)*(1 - 0.00145454545454545*m.x2144) + 6.0669191919192e-8*(1189.2375
*m.x2144*(1 - 0.000727272727272727*m.x2144)*(1 - 0.00145454545454545*m.x2144) - 1.86*(0.93*
m.x2144*(1 - 0.000727272727272727*m.x2144))**2 - 1.49610402*m.x2144*m.x2144*(1 -
0.000727272727272727*m.x2144)*(1 - 0.00145454545454545*m.x2144)*(1 - 0.00145454545454545*
m.x2144))) + m.x252 == 0)
m.c254 = Constraint(expr=-(0.0775*m.x2145*(1 - 0.000727272727272727*m.x2145) + 0.003003125*m.x2145*(1 -
0.000727272727272727*m.x2145)*(1 - 0.00145454545454545*m.x2145) + 6.0669191919192e-8*(1189.2375
*m.x2145*(1 - 0.000727272727272727*m.x2145)*(1 - 0.00145454545454545*m.x2145) - 1.86*(0.93*
m.x2145*(1 - 0.000727272727272727*m.x2145))**2 - 1.49610402*m.x2145*m.x2145*(1 -
0.000727272727272727*m.x2145)*(1 - 0.00145454545454545*m.x2145)*(1 - 0.00145454545454545*
m.x2145))) + m.x253 == 0)
m.c255 = Constraint(expr=-(0.0775*m.x2146*(1 - 0.000727272727272727*m.x2146) + 0.003003125*m.x2146*(1 -
0.000727272727272727*m.x2146)*(1 - 0.00145454545454545*m.x2146) + 6.0669191919192e-8*(1189.2375
*m.x2146*(1 - 0.000727272727272727*m.x2146)*(1 - 0.00145454545454545*m.x2146) - 1.86*(0.93*
m.x2146*(1 - 0.000727272727272727*m.x2146))**2 - 1.49610402*m.x2146*m.x2146*(1 -
0.000727272727272727*m.x2146)*(1 - 0.00145454545454545*m.x2146)*(1 - 0.00145454545454545*
m.x2146))) + m.x254 == 0)
m.c256 = Constraint(expr=-(0.0775*m.x2147*(1 - 0.000727272727272727*m.x2147) + 0.003003125*m.x2147*(1 -
0.000727272727272727*m.x2147)*(1 - 0.00145454545454545*m.x2147) + 6.0669191919192e-8*(1189.2375
*m.x2147*(1 - 0.000727272727272727*m.x2147)*(1 - 0.00145454545454545*m.x2147) - 1.86*(0.93*
m.x2147*(1 - 0.000727272727272727*m.x2147))**2 - 1.49610402*m.x2147*m.x2147*(1 -
0.000727272727272727*m.x2147)*(1 - 0.00145454545454545*m.x2147)*(1 - 0.00145454545454545*
m.x2147))) + m.x255 == 0)
m.c257 = Constraint(expr=-(0.0775*m.x2148*(1 - 0.000727272727272727*m.x2148) + 0.003003125*m.x2148*(1 -
0.000727272727272727*m.x2148)*(1 - 0.00145454545454545*m.x2148) + 6.0669191919192e-8*(1189.2375
*m.x2148*(1 - 0.000727272727272727*m.x2148)*(1 - 0.00145454545454545*m.x2148) - 1.86*(0.93*
m.x2148*(1 - 0.000727272727272727*m.x2148))**2 - 1.49610402*m.x2148*m.x2148*(1 -
0.000727272727272727*m.x2148)*(1 - 0.00145454545454545*m.x2148)*(1 - 0.00145454545454545*
m.x2148))) + m.x256 == 0)
m.c258 = Constraint(expr=-(0.0775*m.x2149*(1 - 0.000727272727272727*m.x2149) + 0.003003125*m.x2149*(1 -
0.000727272727272727*m.x2149)*(1 - 0.00145454545454545*m.x2149) + 6.0669191919192e-8*(1189.2375
*m.x2149*(1 - 0.000727272727272727*m.x2149)*(1 - 0.00145454545454545*m.x2149) - 1.86*(0.93*
m.x2149*(1 - 0.000727272727272727*m.x2149))**2 - 1.49610402*m.x2149*m.x2149*(1 -
0.000727272727272727*m.x2149)*(1 - 0.00145454545454545*m.x2149)*(1 - 0.00145454545454545*
m.x2149))) + m.x257 == 0)
m.c259 = Constraint(expr=-(0.0775*m.x2150*(1 - 0.000727272727272727*m.x2150) + 0.003003125*m.x2150*(1 -
0.000727272727272727*m.x2150)*(1 - 0.00145454545454545*m.x2150) + 6.0669191919192e-8*(1189.2375
*m.x2150*(1 - 0.000727272727272727*m.x2150)*(1 - 0.00145454545454545*m.x2150) - 1.86*(0.93*
m.x2150*(1 - 0.000727272727272727*m.x2150))**2 - 1.49610402*m.x2150*m.x2150*(1 -
0.000727272727272727*m.x2150)*(1 - 0.00145454545454545*m.x2150)*(1 - 0.00145454545454545*
m.x2150))) + m.x258 == 0)
m.c260 = Constraint(expr=-(0.0775*m.x2151*(1 - 0.000727272727272727*m.x2151) + 0.003003125*m.x2151*(1 -
0.000727272727272727*m.x2151)*(1 - 0.00145454545454545*m.x2151) + 6.0669191919192e-8*(1189.2375
*m.x2151*(1 - 0.000727272727272727*m.x2151)*(1 - 0.00145454545454545*m.x2151) - 1.86*(0.93*
m.x2151*(1 - 0.000727272727272727*m.x2151))**2 - 1.49610402*m.x2151*m.x2151*(1 -
0.000727272727272727*m.x2151)*(1 - 0.00145454545454545*m.x2151)*(1 - 0.00145454545454545*
m.x2151))) + m.x259 == 0)
m.c261 = Constraint(expr=-(0.0775*m.x2152*(1 - 0.000727272727272727*m.x2152) + 0.003003125*m.x2152*(1 -
0.000727272727272727*m.x2152)*(1 - 0.00145454545454545*m.x2152) + 6.0669191919192e-8*(1189.2375
*m.x2152*(1 - 0.000727272727272727*m.x2152)*(1 - 0.00145454545454545*m.x2152) - 1.86*(0.93*
m.x2152*(1 - 0.000727272727272727*m.x2152))**2 - 1.49610402*m.x2152*m.x2152*(1 -
0.000727272727272727*m.x2152)*(1 - 0.00145454545454545*m.x2152)*(1 - 0.00145454545454545*
m.x2152))) + m.x260 == 0)
m.c262 = Constraint(expr=-(0.0775*m.x2153*(1 - 0.000727272727272727*m.x2153) + 0.003003125*m.x2153*(1 -
0.000727272727272727*m.x2153)*(1 - 0.00145454545454545*m.x2153) + 6.0669191919192e-8*(1189.2375
*m.x2153*(1 - 0.000727272727272727*m.x2153)*(1 - 0.00145454545454545*m.x2153) - 1.86*(0.93*
m.x2153*(1 - 0.000727272727272727*m.x2153))**2 - 1.49610402*m.x2153*m.x2153*(1 -
0.000727272727272727*m.x2153)*(1 - 0.00145454545454545*m.x2153)*(1 - 0.00145454545454545*
m.x2153))) + m.x261 == 0)
m.c263 = Constraint(expr=-(0.0775*m.x2154*(1 - 0.000727272727272727*m.x2154) + 0.003003125*m.x2154*(1 -
0.000727272727272727*m.x2154)*(1 - 0.00145454545454545*m.x2154) + 6.0669191919192e-8*(1189.2375
*m.x2154*(1 - 0.000727272727272727*m.x2154)*(1 - 0.00145454545454545*m.x2154) - 1.86*(0.93*
m.x2154*(1 - 0.000727272727272727*m.x2154))**2 - 1.49610402*m.x2154*m.x2154*(1 -
0.000727272727272727*m.x2154)*(1 - 0.00145454545454545*m.x2154)*(1 - 0.00145454545454545*
m.x2154))) + m.x262 == 0)
m.c264 = Constraint(expr=-(0.0775*m.x2155*(1 - 0.000727272727272727*m.x2155) + 0.003003125*m.x2155*(1 -
0.000727272727272727*m.x2155)*(1 - 0.00145454545454545*m.x2155) + 6.0669191919192e-8*(1189.2375
*m.x2155*(1 - 0.000727272727272727*m.x2155)*(1 - 0.00145454545454545*m.x2155) - 1.86*(0.93*
m.x2155*(1 - 0.000727272727272727*m.x2155))**2 - 1.49610402*m.x2155*m.x2155*(1 -
0.000727272727272727*m.x2155)*(1 - 0.00145454545454545*m.x2155)*(1 - 0.00145454545454545*
m.x2155))) + m.x263 == 0)
m.c265 = Constraint(expr=-(0.0775*m.x2156*(1 - 0.000727272727272727*m.x2156) + 0.003003125*m.x2156*(1 -
0.000727272727272727*m.x2156)*(1 - 0.00145454545454545*m.x2156) + 6.0669191919192e-8*(1189.2375
*m.x2156*(1 - 0.000727272727272727*m.x2156)*(1 - 0.00145454545454545*m.x2156) - 1.86*(0.93*
m.x2156*(1 - 0.000727272727272727*m.x2156))**2 - 1.49610402*m.x2156*m.x2156*(1 -
0.000727272727272727*m.x2156)*(1 - 0.00145454545454545*m.x2156)*(1 - 0.00145454545454545*
m.x2156))) + m.x264 == 0)
m.c266 = Constraint(expr=-(0.0775*m.x2157*(1 - 0.000727272727272727*m.x2157) + 0.003003125*m.x2157*(1 -
0.000727272727272727*m.x2157)*(1 - 0.00145454545454545*m.x2157) + 6.0669191919192e-8*(1189.2375
*m.x2157*(1 - 0.000727272727272727*m.x2157)*(1 - 0.00145454545454545*m.x2157) - 1.86*(0.93*
m.x2157*(1 - 0.000727272727272727*m.x2157))**2 - 1.49610402*m.x2157*m.x2157*(1 -
0.000727272727272727*m.x2157)*(1 - 0.00145454545454545*m.x2157)*(1 - 0.00145454545454545*
m.x2157))) + m.x265 == 0)
m.c267 = Constraint(expr=-(0.0775*m.x2158*(1 - 0.000727272727272727*m.x2158) + 0.003003125*m.x2158*(1 -
0.000727272727272727*m.x2158)*(1 - 0.00145454545454545*m.x2158) + 6.0669191919192e-8*(1189.2375
*m.x2158*(1 - 0.000727272727272727*m.x2158)*(1 - 0.00145454545454545*m.x2158) - 1.86*(0.93*
m.x2158*(1 - 0.000727272727272727*m.x2158))**2 - 1.49610402*m.x2158*m.x2158*(1 -
0.000727272727272727*m.x2158)*(1 - 0.00145454545454545*m.x2158)*(1 - 0.00145454545454545*
m.x2158))) + m.x266 == 0)
m.c268 = Constraint(expr=-(0.0775*m.x2159*(1 - 0.000727272727272727*m.x2159) + 0.003003125*m.x2159*(1 -
0.000727272727272727*m.x2159)*(1 - 0.00145454545454545*m.x2159) + 6.0669191919192e-8*(1189.2375
*m.x2159*(1 - 0.000727272727272727*m.x2159)*(1 - 0.00145454545454545*m.x2159) - 1.86*(0.93*
m.x2159*(1 - 0.000727272727272727*m.x2159))**2 - 1.49610402*m.x2159*m.x2159*(1 -
0.000727272727272727*m.x2159)*(1 - 0.00145454545454545*m.x2159)*(1 - 0.00145454545454545*
m.x2159))) + m.x267 == 0)
m.c269 = Constraint(expr=-(0.0775*m.x2160*(1 - 0.000727272727272727*m.x2160) + 0.003003125*m.x2160*(1 -
0.000727272727272727*m.x2160)*(1 - 0.00145454545454545*m.x2160) + 6.0669191919192e-8*(1189.2375
*m.x2160*(1 - 0.000727272727272727*m.x2160)*(1 - 0.00145454545454545*m.x2160) - 1.86*(0.93*
m.x2160*(1 - 0.000727272727272727*m.x2160))**2 - 1.49610402*m.x2160*m.x2160*(1 -
0.000727272727272727*m.x2160)*(1 - 0.00145454545454545*m.x2160)*(1 - 0.00145454545454545*
m.x2160))) + m.x268 == 0)
m.c270 = Constraint(expr=-(0.0775*m.x2161*(1 - 0.000727272727272727*m.x2161) + 0.003003125*m.x2161*(1 -
0.000727272727272727*m.x2161)*(1 - 0.00145454545454545*m.x2161) + 6.0669191919192e-8*(1189.2375
*m.x2161*(1 - 0.000727272727272727*m.x2161)*(1 - 0.00145454545454545*m.x2161) - 1.86*(0.93*
m.x2161*(1 - 0.000727272727272727*m.x2161))**2 - 1.49610402*m.x2161*m.x2161*(1 -
0.000727272727272727*m.x2161)*(1 - 0.00145454545454545*m.x2161)*(1 - 0.00145454545454545*
m.x2161))) + m.x269 == 0)
m.c271 = Constraint(expr=-(0.0775*m.x2162*(1 - 0.000727272727272727*m.x2162) + 0.003003125*m.x2162*(1 -
0.000727272727272727*m.x2162)*(1 - 0.00145454545454545*m.x2162) + 6.0669191919192e-8*(1189.2375
*m.x2162*(1 - 0.000727272727272727*m.x2162)*(1 - 0.00145454545454545*m.x2162) - 1.86*(0.93*
m.x2162*(1 - 0.000727272727272727*m.x2162))**2 - 1.49610402*m.x2162*m.x2162*(1 -
0.000727272727272727*m.x2162)*(1 - 0.00145454545454545*m.x2162)*(1 - 0.00145454545454545*
m.x2162))) + m.x270 == 0)
m.c272 = Constraint(expr=-(0.0775*m.x2163*(1 - 0.000727272727272727*m.x2163) + 0.003003125*m.x2163*(1 -
0.000727272727272727*m.x2163)*(1 - 0.00145454545454545*m.x2163) + 6.0669191919192e-8*(1189.2375
*m.x2163*(1 - 0.000727272727272727*m.x2163)*(1 - 0.00145454545454545*m.x2163) - 1.86*(0.93*
m.x2163*(1 - 0.000727272727272727*m.x2163))**2 - 1.49610402*m.x2163*m.x2163*(1 -
0.000727272727272727*m.x2163)*(1 - 0.00145454545454545*m.x2163)*(1 - 0.00145454545454545*
m.x2163))) + m.x271 == 0)
m.c273 = Constraint(expr=-(0.0775*m.x2164*(1 - 0.000727272727272727*m.x2164) + 0.003003125*m.x2164*(1 -
0.000727272727272727*m.x2164)*(1 - 0.00145454545454545*m.x2164) + 6.0669191919192e-8*(1189.2375
*m.x2164*(1 - 0.000727272727272727*m.x2164)*(1 - 0.00145454545454545*m.x2164) - 1.86*(0.93*
m.x2164*(1 - 0.000727272727272727*m.x2164))**2 - 1.49610402*m.x2164*m.x2164*(1 -
0.000727272727272727*m.x2164)*(1 - 0.00145454545454545*m.x2164)*(1 - 0.00145454545454545*
m.x2164))) + m.x272 == 0)
m.c274 = Constraint(expr=-(0.0775*m.x2165*(1 - 0.000727272727272727*m.x2165) + 0.003003125*m.x2165*(1 -
0.000727272727272727*m.x2165)*(1 - 0.00145454545454545*m.x2165) + 6.0669191919192e-8*(1189.2375
*m.x2165*(1 - 0.000727272727272727*m.x2165)*(1 - 0.00145454545454545*m.x2165) - 1.86*(0.93*
m.x2165*(1 - 0.000727272727272727*m.x2165))**2 - 1.49610402*m.x2165*m.x2165*(1 -
0.000727272727272727*m.x2165)*(1 - 0.00145454545454545*m.x2165)*(1 - 0.00145454545454545*
m.x2165))) + m.x273 == 0)
m.c275 = Constraint(expr=-(0.0775*m.x2166*(1 - 0.000727272727272727*m.x2166) + 0.003003125*m.x2166*(1 -
0.000727272727272727*m.x2166)*(1 - 0.00145454545454545*m.x2166) + 6.0669191919192e-8*(1189.2375
*m.x2166*(1 - 0.000727272727272727*m.x2166)*(1 - 0.00145454545454545*m.x2166) - 1.86*(0.93*
m.x2166*(1 - 0.000727272727272727*m.x2166))**2 - 1.49610402*m.x2166*m.x2166*(1 -
0.000727272727272727*m.x2166)*(1 - 0.00145454545454545*m.x2166)*(1 - 0.00145454545454545*
m.x2166))) + m.x274 == 0)
m.c276 = Constraint(expr=-(0.0775*m.x2167*(1 - 0.000727272727272727*m.x2167) + 0.003003125*m.x2167*(1 -
0.000727272727272727*m.x2167)*(1 - 0.00145454545454545*m.x2167) + 6.0669191919192e-8*(1189.2375
*m.x2167*(1 - 0.000727272727272727*m.x2167)*(1 - 0.00145454545454545*m.x2167) - 1.86*(0.93*
m.x2167*(1 - 0.000727272727272727*m.x2167))**2 - 1.49610402*m.x2167*m.x2167*(1 -
0.000727272727272727*m.x2167)*(1 - 0.00145454545454545*m.x2167)*(1 - 0.00145454545454545*
m.x2167))) + m.x275 == 0)
m.c277 = Constraint(expr=-(0.0775*m.x2168*(1 - 0.000727272727272727*m.x2168) + 0.003003125*m.x2168*(1 -
0.000727272727272727*m.x2168)*(1 - 0.00145454545454545*m.x2168) + 6.0669191919192e-8*(1189.2375
*m.x2168*(1 - 0.000727272727272727*m.x2168)*(1 - 0.00145454545454545*m.x2168) - 1.86*(0.93*
m.x2168*(1 - 0.000727272727272727*m.x2168))**2 - 1.49610402*m.x2168*m.x2168*(1 -
0.000727272727272727*m.x2168)*(1 - 0.00145454545454545*m.x2168)*(1 - 0.00145454545454545*
m.x2168))) + m.x276 == 0)
m.c278 = Constraint(expr=-(0.0775*m.x2169*(1 - 0.000727272727272727*m.x2169) + 0.003003125*m.x2169*(1 -
0.000727272727272727*m.x2169)*(1 - 0.00145454545454545*m.x2169) + 6.0669191919192e-8*(1189.2375
*m.x2169*(1 - 0.000727272727272727*m.x2169)*(1 - 0.00145454545454545*m.x2169) - 1.86*(0.93*
m.x2169*(1 - 0.000727272727272727*m.x2169))**2 - 1.49610402*m.x2169*m.x2169*(1 -
0.000727272727272727*m.x2169)*(1 - 0.00145454545454545*m.x2169)*(1 - 0.00145454545454545*
m.x2169))) + m.x277 == 0)
m.c279 = Constraint(expr=-(0.0775*m.x2170*(1 - 0.000727272727272727*m.x2170) + 0.003003125*m.x2170*(1 -
0.000727272727272727*m.x2170)*(1 - 0.00145454545454545*m.x2170) + 6.0669191919192e-8*(1189.2375
*m.x2170*(1 - 0.000727272727272727*m.x2170)*(1 - 0.00145454545454545*m.x2170) - 1.86*(0.93*
m.x2170*(1 - 0.000727272727272727*m.x2170))**2 - 1.49610402*m.x2170*m.x2170*(1 -
0.000727272727272727*m.x2170)*(1 - 0.00145454545454545*m.x2170)*(1 - 0.00145454545454545*
m.x2170))) + m.x278 == 0)
m.c280 = Constraint(expr=-(0.0775*m.x2171*(1 - 0.000727272727272727*m.x2171) + 0.003003125*m.x2171*(1 -
0.000727272727272727*m.x2171)*(1 - 0.00145454545454545*m.x2171) + 6.0669191919192e-8*(1189.2375
*m.x2171*(1 - 0.000727272727272727*m.x2171)*(1 - 0.00145454545454545*m.x2171) - 1.86*(0.93*
m.x2171*(1 - 0.000727272727272727*m.x2171))**2 - 1.49610402*m.x2171*m.x2171*(1 -
0.000727272727272727*m.x2171)*(1 - 0.00145454545454545*m.x2171)*(1 - 0.00145454545454545*
m.x2171))) + m.x279 == 0)
m.c281 = Constraint(expr=-(0.0775*m.x2172*(1 - 0.000727272727272727*m.x2172) + 0.003003125*m.x2172*(1 -
0.000727272727272727*m.x2172)*(1 - 0.00145454545454545*m.x2172) + 6.0669191919192e-8*(1189.2375
*m.x2172*(1 - 0.000727272727272727*m.x2172)*(1 - 0.00145454545454545*m.x2172) - 1.86*(0.93*
m.x2172*(1 - 0.000727272727272727*m.x2172))**2 - 1.49610402*m.x2172*m.x2172*(1 -
0.000727272727272727*m.x2172)*(1 - 0.00145454545454545*m.x2172)*(1 - 0.00145454545454545*
m.x2172))) + m.x280 == 0)
m.c282 = Constraint(expr=-(0.0775*m.x2173*(1 - 0.000727272727272727*m.x2173) + 0.003003125*m.x2173*(1 -
0.000727272727272727*m.x2173)*(1 - 0.00145454545454545*m.x2173) + 6.0669191919192e-8*(1189.2375
*m.x2173*(1 - 0.000727272727272727*m.x2173)*(1 - 0.00145454545454545*m.x2173) - 1.86*(0.93*
m.x2173*(1 - 0.000727272727272727*m.x2173))**2 - 1.49610402*m.x2173*m.x2173*(1 -
0.000727272727272727*m.x2173)*(1 - 0.00145454545454545*m.x2173)*(1 - 0.00145454545454545*
m.x2173))) + m.x281 == 0)
m.c283 = Constraint(expr=-(0.0775*m.x2174*(1 - 0.000727272727272727*m.x2174) + 0.003003125*m.x2174*(1 -
0.000727272727272727*m.x2174)*(1 - 0.00145454545454545*m.x2174) + 6.0669191919192e-8*(1189.2375
*m.x2174*(1 - 0.000727272727272727*m.x2174)*(1 - 0.00145454545454545*m.x2174) - 1.86*(0.93*
m.x2174*(1 - 0.000727272727272727*m.x2174))**2 - 1.49610402*m.x2174*m.x2174*(1 -
0.000727272727272727*m.x2174)*(1 - 0.00145454545454545*m.x2174)*(1 - 0.00145454545454545*
m.x2174))) + m.x282 == 0)
m.c284 = Constraint(expr=-(0.0775*m.x2175*(1 - 0.000727272727272727*m.x2175) + 0.003003125*m.x2175*(1 -
0.000727272727272727*m.x2175)*(1 - 0.00145454545454545*m.x2175) + 6.0669191919192e-8*(1189.2375
*m.x2175*(1 - 0.000727272727272727*m.x2175)*(1 - 0.00145454545454545*m.x2175) - 1.86*(0.93*
m.x2175*(1 - 0.000727272727272727*m.x2175))**2 - 1.49610402*m.x2175*m.x2175*(1 -
0.000727272727272727*m.x2175)*(1 - 0.00145454545454545*m.x2175)*(1 - 0.00145454545454545*
m.x2175))) + m.x283 == 0)
m.c285 = Constraint(expr=-(0.0775*m.x2176*(1 - 0.000727272727272727*m.x2176) + 0.003003125*m.x2176*(1 -
0.000727272727272727*m.x2176)*(1 - 0.00145454545454545*m.x2176) + 6.0669191919192e-8*(1189.2375
*m.x2176*(1 - 0.000727272727272727*m.x2176)*(1 - 0.00145454545454545*m.x2176) - 1.86*(0.93*
m.x2176*(1 - 0.000727272727272727*m.x2176))**2 - 1.49610402*m.x2176*m.x2176*(1 -
0.000727272727272727*m.x2176)*(1 - 0.00145454545454545*m.x2176)*(1 - 0.00145454545454545*
m.x2176))) + m.x284 == 0)
m.c286 = Constraint(expr=-(0.0775*m.x2177*(1 - 0.000727272727272727*m.x2177) + 0.003003125*m.x2177*(1 -
0.000727272727272727*m.x2177)*(1 - 0.00145454545454545*m.x2177) + 6.0669191919192e-8*(1189.2375
*m.x2177*(1 - 0.000727272727272727*m.x2177)*(1 - 0.00145454545454545*m.x2177) - 1.86*(0.93*
m.x2177*(1 - 0.000727272727272727*m.x2177))**2 - 1.49610402*m.x2177*m.x2177*(1 -
0.000727272727272727*m.x2177)*(1 - 0.00145454545454545*m.x2177)*(1 - 0.00145454545454545*
m.x2177))) + m.x285 == 0)
m.c287 = Constraint(expr=-(0.0775*m.x2178*(1 - 0.000727272727272727*m.x2178) + 0.003003125*m.x2178*(1 -
0.000727272727272727*m.x2178)*(1 - 0.00145454545454545*m.x2178) + 6.0669191919192e-8*(1189.2375
*m.x2178*(1 - 0.000727272727272727*m.x2178)*(1 - 0.00145454545454545*m.x2178) - 1.86*(0.93*
m.x2178*(1 - 0.000727272727272727*m.x2178))**2 - 1.49610402*m.x2178*m.x2178*(1 -
0.000727272727272727*m.x2178)*(1 - 0.00145454545454545*m.x2178)*(1 - 0.00145454545454545*
m.x2178))) + m.x286 == 0)
m.c288 = Constraint(expr=-(0.0775*m.x2179*(1 - 0.000727272727272727*m.x2179) + 0.003003125*m.x2179*(1 -
0.000727272727272727*m.x2179)*(1 - 0.00145454545454545*m.x2179) + 6.0669191919192e-8*(1189.2375
*m.x2179*(1 - 0.000727272727272727*m.x2179)*(1 - 0.00145454545454545*m.x2179) - 1.86*(0.93*
m.x2179*(1 - 0.000727272727272727*m.x2179))**2 - 1.49610402*m.x2179*m.x2179*(1 -
0.000727272727272727*m.x2179)*(1 - 0.00145454545454545*m.x2179)*(1 - 0.00145454545454545*
m.x2179))) + m.x287 == 0)
m.c289 = Constraint(expr=-(0.0775*m.x2180*(1 - 0.000727272727272727*m.x2180) + 0.003003125*m.x2180*(1 -
0.000727272727272727*m.x2180)*(1 - 0.00145454545454545*m.x2180) + 6.0669191919192e-8*(1189.2375
*m.x2180*(1 - 0.000727272727272727*m.x2180)*(1 - 0.00145454545454545*m.x2180) - 1.86*(0.93*
m.x2180*(1 - 0.000727272727272727*m.x2180))**2 - 1.49610402*m.x2180*m.x2180*(1 -
0.000727272727272727*m.x2180)*(1 - 0.00145454545454545*m.x2180)*(1 - 0.00145454545454545*
m.x2180))) + m.x288 == 0)
m.c290 = Constraint(expr=-(0.0775*m.x2181*(1 - 0.000727272727272727*m.x2181) + 0.003003125*m.x2181*(1 -
0.000727272727272727*m.x2181)*(1 - 0.00145454545454545*m.x2181) + 6.0669191919192e-8*(1189.2375
*m.x2181*(1 - 0.000727272727272727*m.x2181)*(1 - 0.00145454545454545*m.x2181) - 1.86*(0.93*
m.x2181*(1 - 0.000727272727272727*m.x2181))**2 - 1.49610402*m.x2181*m.x2181*(1 -
0.000727272727272727*m.x2181)*(1 - 0.00145454545454545*m.x2181)*(1 - 0.00145454545454545*
m.x2181))) + m.x289 == 0)
m.c291 = Constraint(expr=-(0.0775*m.x2182*(1 - 0.000727272727272727*m.x2182) + 0.003003125*m.x2182*(1 -
0.000727272727272727*m.x2182)*(1 - 0.00145454545454545*m.x2182) + 6.0669191919192e-8*(1189.2375
*m.x2182*(1 - 0.000727272727272727*m.x2182)*(1 - 0.00145454545454545*m.x2182) - 1.86*(0.93*
m.x2182*(1 - 0.000727272727272727*m.x2182))**2 - 1.49610402*m.x2182*m.x2182*(1 -
0.000727272727272727*m.x2182)*(1 - 0.00145454545454545*m.x2182)*(1 - 0.00145454545454545*
m.x2182))) + m.x290 == 0)
m.c292 = Constraint(expr=-(0.0775*m.x2183*(1 - 0.000727272727272727*m.x2183) + 0.003003125*m.x2183*(1 -
0.000727272727272727*m.x2183)*(1 - 0.00145454545454545*m.x2183) + 6.0669191919192e-8*(1189.2375
*m.x2183*(1 - 0.000727272727272727*m.x2183)*(1 - 0.00145454545454545*m.x2183) - 1.86*(0.93*
m.x2183*(1 - 0.000727272727272727*m.x2183))**2 - 1.49610402*m.x2183*m.x2183*(1 -
0.000727272727272727*m.x2183)*(1 - 0.00145454545454545*m.x2183)*(1 - 0.00145454545454545*
m.x2183))) + m.x291 == 0)
m.c293 = Constraint(expr=-(0.0775*m.x2184*(1 - 0.000727272727272727*m.x2184) + 0.003003125*m.x2184*(1 -
0.000727272727272727*m.x2184)*(1 - 0.00145454545454545*m.x2184) + 6.0669191919192e-8*(1189.2375
*m.x2184*(1 - 0.000727272727272727*m.x2184)*(1 - 0.00145454545454545*m.x2184) - 1.86*(0.93*
m.x2184*(1 - 0.000727272727272727*m.x2184))**2 - 1.49610402*m.x2184*m.x2184*(1 -
0.000727272727272727*m.x2184)*(1 - 0.00145454545454545*m.x2184)*(1 - 0.00145454545454545*
m.x2184))) + m.x292 == 0)
m.c294 = Constraint(expr=-(0.0775*m.x2185*(1 - 0.000727272727272727*m.x2185) + 0.003003125*m.x2185*(1 -
0.000727272727272727*m.x2185)*(1 - 0.00145454545454545*m.x2185) + 6.0669191919192e-8*(1189.2375
*m.x2185*(1 - 0.000727272727272727*m.x2185)*(1 - 0.00145454545454545*m.x2185) - 1.86*(0.93*
m.x2185*(1 - 0.000727272727272727*m.x2185))**2 - 1.49610402*m.x2185*m.x2185*(1 -
0.000727272727272727*m.x2185)*(1 - 0.00145454545454545*m.x2185)*(1 - 0.00145454545454545*
m.x2185))) + m.x293 == 0)
m.c295 = Constraint(expr=-(0.0775*m.x2186*(1 - 0.000727272727272727*m.x2186) + 0.003003125*m.x2186*(1 -
0.000727272727272727*m.x2186)*(1 - 0.00145454545454545*m.x2186) + 6.0669191919192e-8*(1189.2375
*m.x2186*(1 - 0.000727272727272727*m.x2186)*(1 - 0.00145454545454545*m.x2186) - 1.86*(0.93*
m.x2186*(1 - 0.000727272727272727*m.x2186))**2 - 1.49610402*m.x2186*m.x2186*(1 -
0.000727272727272727*m.x2186)*(1 - 0.00145454545454545*m.x2186)*(1 - 0.00145454545454545*
m.x2186))) + m.x294 == 0)
m.c296 = Constraint(expr=-(0.0775*m.x2187*(1 - 0.000727272727272727*m.x2187) + 0.003003125*m.x2187*(1 -
0.000727272727272727*m.x2187)*(1 - 0.00145454545454545*m.x2187) + 6.0669191919192e-8*(1189.2375
*m.x2187*(1 - 0.000727272727272727*m.x2187)*(1 - 0.00145454545454545*m.x2187) - 1.86*(0.93*
m.x2187*(1 - 0.000727272727272727*m.x2187))**2 - 1.49610402*m.x2187*m.x2187*(1 -
0.000727272727272727*m.x2187)*(1 - 0.00145454545454545*m.x2187)*(1 - 0.00145454545454545*
m.x2187))) + m.x295 == 0)
m.c297 = Constraint(expr=-(0.0775*m.x2188*(1 - 0.000727272727272727*m.x2188) + 0.003003125*m.x2188*(1 -
0.000727272727272727*m.x2188)*(1 - 0.00145454545454545*m.x2188) + 6.0669191919192e-8*(1189.2375
*m.x2188*(1 - 0.000727272727272727*m.x2188)*(1 - 0.00145454545454545*m.x2188) - 1.86*(0.93*
m.x2188*(1 - 0.000727272727272727*m.x2188))**2 - 1.49610402*m.x2188*m.x2188*(1 -
0.000727272727272727*m.x2188)*(1 - 0.00145454545454545*m.x2188)*(1 - 0.00145454545454545*
m.x2188))) + m.x296 == 0)
m.c298 = Constraint(expr=-(0.0775*m.x2189*(1 - 0.000727272727272727*m.x2189) + 0.003003125*m.x2189*(1 -
0.000727272727272727*m.x2189)*(1 - 0.00145454545454545*m.x2189) + 6.0669191919192e-8*(1189.2375
*m.x2189*(1 - 0.000727272727272727*m.x2189)*(1 - 0.00145454545454545*m.x2189) - 1.86*(0.93*
m.x2189*(1 - 0.000727272727272727*m.x2189))**2 - 1.49610402*m.x2189*m.x2189*(1 -
0.000727272727272727*m.x2189)*(1 - 0.00145454545454545*m.x2189)*(1 - 0.00145454545454545*
m.x2189))) + m.x297 == 0)
m.c299 = Constraint(expr=-(0.0775*m.x2190*(1 - 0.000727272727272727*m.x2190) + 0.003003125*m.x2190*(1 -
0.000727272727272727*m.x2190)*(1 - 0.00145454545454545*m.x2190) + 6.0669191919192e-8*(1189.2375
*m.x2190*(1 - 0.000727272727272727*m.x2190)*(1 - 0.00145454545454545*m.x2190) - 1.86*(0.93*
m.x2190*(1 - 0.000727272727272727*m.x2190))**2 - 1.49610402*m.x2190*m.x2190*(1 -
0.000727272727272727*m.x2190)*(1 - 0.00145454545454545*m.x2190)*(1 - 0.00145454545454545*
m.x2190))) + m.x298 == 0)
m.c300 = Constraint(expr=-(0.0775*m.x2191*(1 - 0.000727272727272727*m.x2191) + 0.003003125*m.x2191*(1 -
0.000727272727272727*m.x2191)*(1 - 0.00145454545454545*m.x2191) + 6.0669191919192e-8*(1189.2375
*m.x2191*(1 - 0.000727272727272727*m.x2191)*(1 - 0.00145454545454545*m.x2191) - 1.86*(0.93*
m.x2191*(1 - 0.000727272727272727*m.x2191))**2 - 1.49610402*m.x2191*m.x2191*(1 -
0.000727272727272727*m.x2191)*(1 - 0.00145454545454545*m.x2191)*(1 - 0.00145454545454545*
m.x2191))) + m.x299 == 0)
m.c301 = Constraint(expr=-(0.0775*m.x2192*(1 - 0.000727272727272727*m.x2192) + 0.003003125*m.x2192*(1 -
0.000727272727272727*m.x2192)*(1 - 0.00145454545454545*m.x2192) + 6.0669191919192e-8*(1189.2375
*m.x2192*(1 - 0.000727272727272727*m.x2192)*(1 - 0.00145454545454545*m.x2192) - 1.86*(0.93*
m.x2192*(1 - 0.000727272727272727*m.x2192))**2 - 1.49610402*m.x2192*m.x2192*(1 -
0.000727272727272727*m.x2192)*(1 - 0.00145454545454545*m.x2192)*(1 - 0.00145454545454545*
m.x2192))) + m.x300 == 0)
m.c302 = Constraint(expr=-(0.0775*m.x2193*(1 - 0.000727272727272727*m.x2193) + 0.003003125*m.x2193*(1 -
0.000727272727272727*m.x2193)*(1 - 0.00145454545454545*m.x2193) + 6.0669191919192e-8*(1189.2375
*m.x2193*(1 - 0.000727272727272727*m.x2193)*(1 - 0.00145454545454545*m.x2193) - 1.86*(0.93*
m.x2193*(1 - 0.000727272727272727*m.x2193))**2 - 1.49610402*m.x2193*m.x2193*(1 -
0.000727272727272727*m.x2193)*(1 - 0.00145454545454545*m.x2193)*(1 - 0.00145454545454545*
m.x2193))) + m.x301 == 0)
m.c303 = Constraint(expr=-(0.0775*m.x2194*(1 - 0.000727272727272727*m.x2194) + 0.003003125*m.x2194*(1 -
0.000727272727272727*m.x2194)*(1 - 0.00145454545454545*m.x2194) + 6.0669191919192e-8*(1189.2375
*m.x2194*(1 - 0.000727272727272727*m.x2194)*(1 - 0.00145454545454545*m.x2194) - 1.86*(0.93*
m.x2194*(1 - 0.000727272727272727*m.x2194))**2 - 1.49610402*m.x2194*m.x2194*(1 -
0.000727272727272727*m.x2194)*(1 - 0.00145454545454545*m.x2194)*(1 - 0.00145454545454545*
m.x2194))) + m.x302 == 0)
m.c304 = Constraint(expr=-(0.0775*m.x2195*(1 - 0.000727272727272727*m.x2195) + 0.003003125*m.x2195*(1 -
0.000727272727272727*m.x2195)*(1 - 0.00145454545454545*m.x2195) + 6.0669191919192e-8*(1189.2375
*m.x2195*(1 - 0.000727272727272727*m.x2195)*(1 - 0.00145454545454545*m.x2195) - 1.86*(0.93*
m.x2195*(1 - 0.000727272727272727*m.x2195))**2 - 1.49610402*m.x2195*m.x2195*(1 -
0.000727272727272727*m.x2195)*(1 - 0.00145454545454545*m.x2195)*(1 - 0.00145454545454545*
m.x2195))) + m.x303 == 0)
m.c305 = Constraint(expr=-(0.0775*m.x2196*(1 - 0.000727272727272727*m.x2196) + 0.003003125*m.x2196*(1 -
0.000727272727272727*m.x2196)*(1 - 0.00145454545454545*m.x2196) + 6.0669191919192e-8*(1189.2375
*m.x2196*(1 - 0.000727272727272727*m.x2196)*(1 - 0.00145454545454545*m.x2196) - 1.86*(0.93*
m.x2196*(1 - 0.000727272727272727*m.x2196))**2 - 1.49610402*m.x2196*m.x2196*(1 -
0.000727272727272727*m.x2196)*(1 - 0.00145454545454545*m.x2196)*(1 - 0.00145454545454545*
m.x2196))) + m.x304 == 0)
m.c306 = Constraint(expr=-(0.0775*m.x2197*(1 - 0.000727272727272727*m.x2197) + 0.003003125*m.x2197*(1 -
0.000727272727272727*m.x2197)*(1 - 0.00145454545454545*m.x2197) + 6.0669191919192e-8*(1189.2375
*m.x2197*(1 - 0.000727272727272727*m.x2197)*(1 - 0.00145454545454545*m.x2197) - 1.86*(0.93*
m.x2197*(1 - 0.000727272727272727*m.x2197))**2 - 1.49610402*m.x2197*m.x2197*(1 -
0.000727272727272727*m.x2197)*(1 - 0.00145454545454545*m.x2197)*(1 - 0.00145454545454545*
m.x2197))) + m.x305 == 0)
m.c307 = Constraint(expr=-(0.0775*m.x2198*(1 - 0.000727272727272727*m.x2198) + 0.003003125*m.x2198*(1 -
0.000727272727272727*m.x2198)*(1 - 0.00145454545454545*m.x2198) + 6.0669191919192e-8*(1189.2375
*m.x2198*(1 - 0.000727272727272727*m.x2198)*(1 - 0.00145454545454545*m.x2198) - 1.86*(0.93*
m.x2198*(1 - 0.000727272727272727*m.x2198))**2 - 1.49610402*m.x2198*m.x2198*(1 -
0.000727272727272727*m.x2198)*(1 - 0.00145454545454545*m.x2198)*(1 - 0.00145454545454545*
m.x2198))) + m.x306 == 0)
m.c308 = Constraint(expr=-(0.0775*m.x2199*(1 - 0.000727272727272727*m.x2199) + 0.003003125*m.x2199*(1 -
0.000727272727272727*m.x2199)*(1 - 0.00145454545454545*m.x2199) + 6.0669191919192e-8*(1189.2375
*m.x2199*(1 - 0.000727272727272727*m.x2199)*(1 - 0.00145454545454545*m.x2199) - 1.86*(0.93*
m.x2199*(1 - 0.000727272727272727*m.x2199))**2 - 1.49610402*m.x2199*m.x2199*(1 -
0.000727272727272727*m.x2199)*(1 - 0.00145454545454545*m.x2199)*(1 - 0.00145454545454545*
m.x2199))) + m.x307 == 0)
m.c309 = Constraint(expr=-(0.0775*m.x2200*(1 - 0.000727272727272727*m.x2200) + 0.003003125*m.x2200*(1 -
0.000727272727272727*m.x2200)*(1 - 0.00145454545454545*m.x2200) + 6.0669191919192e-8*(1189.2375
*m.x2200*(1 - 0.000727272727272727*m.x2200)*(1 - 0.00145454545454545*m.x2200) - 1.86*(0.93*
m.x2200*(1 - 0.000727272727272727*m.x2200))**2 - 1.49610402*m.x2200*m.x2200*(1 -
0.000727272727272727*m.x2200)*(1 - 0.00145454545454545*m.x2200)*(1 - 0.00145454545454545*
m.x2200))) + m.x308 == 0)
m.c310 = Constraint(expr=-(0.0775*m.x2201*(1 - 0.000727272727272727*m.x2201) + 0.003003125*m.x2201*(1 -
0.000727272727272727*m.x2201)*(1 - 0.00145454545454545*m.x2201) + 6.0669191919192e-8*(1189.2375
*m.x2201*(1 - 0.000727272727272727*m.x2201)*(1 - 0.00145454545454545*m.x2201) - 1.86*(0.93*
m.x2201*(1 - 0.000727272727272727*m.x2201))**2 - 1.49610402*m.x2201*m.x2201*(1 -
0.000727272727272727*m.x2201)*(1 - 0.00145454545454545*m.x2201)*(1 - 0.00145454545454545*
m.x2201))) + m.x309 == 0)
m.c311 = Constraint(expr=-(0.0775*m.x2202*(1 - 0.000727272727272727*m.x2202) + 0.003003125*m.x2202*(1 -
0.000727272727272727*m.x2202)*(1 - 0.00145454545454545*m.x2202) + 6.0669191919192e-8*(1189.2375
*m.x2202*(1 - 0.000727272727272727*m.x2202)*(1 - 0.00145454545454545*m.x2202) - 1.86*(0.93*
m.x2202*(1 - 0.000727272727272727*m.x2202))**2 - 1.49610402*m.x2202*m.x2202*(1 -
0.000727272727272727*m.x2202)*(1 - 0.00145454545454545*m.x2202)*(1 - 0.00145454545454545*
m.x2202))) + m.x310 == 0)
m.c312 = Constraint(expr=-(0.0775*m.x2203*(1 - 0.000727272727272727*m.x2203) + 0.003003125*m.x2203*(1 -
0.000727272727272727*m.x2203)*(1 - 0.00145454545454545*m.x2203) + 6.0669191919192e-8*(1189.2375
*m.x2203*(1 - 0.000727272727272727*m.x2203)*(1 - 0.00145454545454545*m.x2203) - 1.86*(0.93*
m.x2203*(1 - 0.000727272727272727*m.x2203))**2 - 1.49610402*m.x2203*m.x2203*(1 -
0.000727272727272727*m.x2203)*(1 - 0.00145454545454545*m.x2203)*(1 - 0.00145454545454545*
m.x2203))) + m.x311 == 0)
m.c313 = Constraint(expr=-(0.0775*m.x2204*(1 - 0.000727272727272727*m.x2204) + 0.003003125*m.x2204*(1 -
0.000727272727272727*m.x2204)*(1 - 0.00145454545454545*m.x2204) + 6.0669191919192e-8*(1189.2375
*m.x2204*(1 - 0.000727272727272727*m.x2204)*(1 - 0.00145454545454545*m.x2204) - 1.86*(0.93*
m.x2204*(1 - 0.000727272727272727*m.x2204))**2 - 1.49610402*m.x2204*m.x2204*(1 -
0.000727272727272727*m.x2204)*(1 - 0.00145454545454545*m.x2204)*(1 - 0.00145454545454545*
m.x2204))) + m.x312 == 0)
m.c314 = Constraint(expr=-(0.0775*m.x2205*(1 - 0.000727272727272727*m.x2205) + 0.003003125*m.x2205*(1 -
0.000727272727272727*m.x2205)*(1 - 0.00145454545454545*m.x2205) + 6.0669191919192e-8*(1189.2375
*m.x2205*(1 - 0.000727272727272727*m.x2205)*(1 - 0.00145454545454545*m.x2205) - 1.86*(0.93*
m.x2205*(1 - 0.000727272727272727*m.x2205))**2 - 1.49610402*m.x2205*m.x2205*(1 -
0.000727272727272727*m.x2205)*(1 - 0.00145454545454545*m.x2205)*(1 - 0.00145454545454545*
m.x2205))) + m.x313 == 0)
m.c315 = Constraint(expr=-(0.0775*m.x2206*(1 - 0.000727272727272727*m.x2206) + 0.003003125*m.x2206*(1 -
0.000727272727272727*m.x2206)*(1 - 0.00145454545454545*m.x2206) + 6.0669191919192e-8*(1189.2375
*m.x2206*(1 - 0.000727272727272727*m.x2206)*(1 - 0.00145454545454545*m.x2206) - 1.86*(0.93*
m.x2206*(1 - 0.000727272727272727*m.x2206))**2 - 1.49610402*m.x2206*m.x2206*(1 -
0.000727272727272727*m.x2206)*(1 - 0.00145454545454545*m.x2206)*(1 - 0.00145454545454545*
m.x2206))) + m.x314 == 0)
m.c316 = Constraint(expr=-(0.0775*m.x2207*(1 - 0.000727272727272727*m.x2207) + 0.003003125*m.x2207*(1 -
0.000727272727272727*m.x2207)*(1 - 0.00145454545454545*m.x2207) + 6.0669191919192e-8*(1189.2375
*m.x2207*(1 - 0.000727272727272727*m.x2207)*(1 - 0.00145454545454545*m.x2207) - 1.86*(0.93*
m.x2207*(1 - 0.000727272727272727*m.x2207))**2 - 1.49610402*m.x2207*m.x2207*(1 -
0.000727272727272727*m.x2207)*(1 - 0.00145454545454545*m.x2207)*(1 - 0.00145454545454545*
m.x2207))) + m.x315 == 0)
m.c317 = Constraint(expr=-(0.0775*m.x2208*(1 - 0.000727272727272727*m.x2208) + 0.003003125*m.x2208*(1 -
0.000727272727272727*m.x2208)*(1 - 0.00145454545454545*m.x2208) + 6.0669191919192e-8*(1189.2375
*m.x2208*(1 - 0.000727272727272727*m.x2208)*(1 - 0.00145454545454545*m.x2208) - 1.86*(0.93*
m.x2208*(1 - 0.000727272727272727*m.x2208))**2 - 1.49610402*m.x2208*m.x2208*(1 -
0.000727272727272727*m.x2208)*(1 - 0.00145454545454545*m.x2208)*(1 - 0.00145454545454545*
m.x2208))) + m.x316 == 0)
m.c318 = Constraint(expr=-(0.0775*m.x2209*(1 - 0.000727272727272727*m.x2209) + 0.003003125*m.x2209*(1 -
0.000727272727272727*m.x2209)*(1 - 0.00145454545454545*m.x2209) + 6.0669191919192e-8*(1189.2375
*m.x2209*(1 - 0.000727272727272727*m.x2209)*(1 - 0.00145454545454545*m.x2209) - 1.86*(0.93*
m.x2209*(1 - 0.000727272727272727*m.x2209))**2 - 1.49610402*m.x2209*m.x2209*(1 -
0.000727272727272727*m.x2209)*(1 - 0.00145454545454545*m.x2209)*(1 - 0.00145454545454545*
m.x2209))) + m.x317 == 0)
m.c319 = Constraint(expr=-(0.0775*m.x2210*(1 - 0.000727272727272727*m.x2210) + 0.003003125*m.x2210*(1 -
0.000727272727272727*m.x2210)*(1 - 0.00145454545454545*m.x2210) + 6.0669191919192e-8*(1189.2375
*m.x2210*(1 - 0.000727272727272727*m.x2210)*(1 - 0.00145454545454545*m.x2210) - 1.86*(0.93*
m.x2210*(1 - 0.000727272727272727*m.x2210))**2 - 1.49610402*m.x2210*m.x2210*(1 -
0.000727272727272727*m.x2210)*(1 - 0.00145454545454545*m.x2210)*(1 - 0.00145454545454545*
m.x2210))) + m.x318 == 0)
m.c320 = Constraint(expr=-(0.0775*m.x2211*(1 - 0.000727272727272727*m.x2211) + 0.003003125*m.x2211*(1 -
0.000727272727272727*m.x2211)*(1 - 0.00145454545454545*m.x2211) + 6.0669191919192e-8*(1189.2375
*m.x2211*(1 - 0.000727272727272727*m.x2211)*(1 - 0.00145454545454545*m.x2211) - 1.86*(0.93*
m.x2211*(1 - 0.000727272727272727*m.x2211))**2 - 1.49610402*m.x2211*m.x2211*(1 -
0.000727272727272727*m.x2211)*(1 - 0.00145454545454545*m.x2211)*(1 - 0.00145454545454545*
m.x2211))) + m.x319 == 0)
m.c321 = Constraint(expr=-(0.0775*m.x2212*(1 - 0.000727272727272727*m.x2212) + 0.003003125*m.x2212*(1 -
0.000727272727272727*m.x2212)*(1 - 0.00145454545454545*m.x2212) + 6.0669191919192e-8*(1189.2375
*m.x2212*(1 - 0.000727272727272727*m.x2212)*(1 - 0.00145454545454545*m.x2212) - 1.86*(0.93*
m.x2212*(1 - 0.000727272727272727*m.x2212))**2 - 1.49610402*m.x2212*m.x2212*(1 -
0.000727272727272727*m.x2212)*(1 - 0.00145454545454545*m.x2212)*(1 - 0.00145454545454545*
m.x2212))) + m.x320 == 0)
m.c322 = Constraint(expr=-(0.0775*m.x2213*(1 - 0.000727272727272727*m.x2213) + 0.003003125*m.x2213*(1 -
0.000727272727272727*m.x2213)*(1 - 0.00145454545454545*m.x2213) + 6.0669191919192e-8*(1189.2375
*m.x2213*(1 - 0.000727272727272727*m.x2213)*(1 - 0.00145454545454545*m.x2213) - 1.86*(0.93*
m.x2213*(1 - 0.000727272727272727*m.x2213))**2 - 1.49610402*m.x2213*m.x2213*(1 -
0.000727272727272727*m.x2213)*(1 - 0.00145454545454545*m.x2213)*(1 - 0.00145454545454545*
m.x2213))) + m.x321 == 0)
m.c323 = Constraint(expr=-(0.0775*m.x2214*(1 - 0.000727272727272727*m.x2214) + 0.003003125*m.x2214*(1 -
0.000727272727272727*m.x2214)*(1 - 0.00145454545454545*m.x2214) + 6.0669191919192e-8*(1189.2375
*m.x2214*(1 - 0.000727272727272727*m.x2214)*(1 - 0.00145454545454545*m.x2214) - 1.86*(0.93*
m.x2214*(1 - 0.000727272727272727*m.x2214))**2 - 1.49610402*m.x2214*m.x2214*(1 -
0.000727272727272727*m.x2214)*(1 - 0.00145454545454545*m.x2214)*(1 - 0.00145454545454545*
m.x2214))) + m.x322 == 0)
m.c324 = Constraint(expr=-(0.0775*m.x2215*(1 - 0.000727272727272727*m.x2215) + 0.003003125*m.x2215*(1 -
0.000727272727272727*m.x2215)*(1 - 0.00145454545454545*m.x2215) + 6.0669191919192e-8*(1189.2375
*m.x2215*(1 - 0.000727272727272727*m.x2215)*(1 - 0.00145454545454545*m.x2215) - 1.86*(0.93*
m.x2215*(1 - 0.000727272727272727*m.x2215))**2 - 1.49610402*m.x2215*m.x2215*(1 -
0.000727272727272727*m.x2215)*(1 - 0.00145454545454545*m.x2215)*(1 - 0.00145454545454545*
m.x2215))) + m.x323 == 0)
m.c325 = Constraint(expr=-(0.0775*m.x2216*(1 - 0.000727272727272727*m.x2216) + 0.003003125*m.x2216*(1 -
0.000727272727272727*m.x2216)*(1 - 0.00145454545454545*m.x2216) + 6.0669191919192e-8*(1189.2375
*m.x2216*(1 - 0.000727272727272727*m.x2216)*(1 - 0.00145454545454545*m.x2216) - 1.86*(0.93*
m.x2216*(1 - 0.000727272727272727*m.x2216))**2 - 1.49610402*m.x2216*m.x2216*(1 -
0.000727272727272727*m.x2216)*(1 - 0.00145454545454545*m.x2216)*(1 - 0.00145454545454545*
m.x2216))) + m.x324 == 0)
m.c326 = Constraint(expr=-(0.0775*m.x2217*(1 - 0.000727272727272727*m.x2217) + 0.003003125*m.x2217*(1 -
0.000727272727272727*m.x2217)*(1 - 0.00145454545454545*m.x2217) + 6.0669191919192e-8*(1189.2375
*m.x2217*(1 - 0.000727272727272727*m.x2217)*(1 - 0.00145454545454545*m.x2217) - 1.86*(0.93*
m.x2217*(1 - 0.000727272727272727*m.x2217))**2 - 1.49610402*m.x2217*m.x2217*(1 -
0.000727272727272727*m.x2217)*(1 - 0.00145454545454545*m.x2217)*(1 - 0.00145454545454545*
m.x2217))) + m.x325 == 0)
m.c327 = Constraint(expr=-(0.0775*m.x2218*(1 - 0.000727272727272727*m.x2218) + 0.003003125*m.x2218*(1 -
0.000727272727272727*m.x2218)*(1 - 0.00145454545454545*m.x2218) + 6.0669191919192e-8*(1189.2375
*m.x2218*(1 - 0.000727272727272727*m.x2218)*(1 - 0.00145454545454545*m.x2218) - 1.86*(0.93*
m.x2218*(1 - 0.000727272727272727*m.x2218))**2 - 1.49610402*m.x2218*m.x2218*(1 -
0.000727272727272727*m.x2218)*(1 - 0.00145454545454545*m.x2218)*(1 - 0.00145454545454545*
m.x2218))) + m.x326 == 0)
m.c328 = Constraint(expr=-(0.0775*m.x2219*(1 - 0.000727272727272727*m.x2219) + 0.003003125*m.x2219*(1 -
0.000727272727272727*m.x2219)*(1 - 0.00145454545454545*m.x2219) + 6.0669191919192e-8*(1189.2375
*m.x2219*(1 - 0.000727272727272727*m.x2219)*(1 - 0.00145454545454545*m.x2219) - 1.86*(0.93*
m.x2219*(1 - 0.000727272727272727*m.x2219))**2 - 1.49610402*m.x2219*m.x2219*(1 -
0.000727272727272727*m.x2219)*(1 - 0.00145454545454545*m.x2219)*(1 - 0.00145454545454545*
m.x2219))) + m.x327 == 0)
m.c329 = Constraint(expr=-(0.0775*m.x2220*(1 - 0.000727272727272727*m.x2220) + 0.003003125*m.x2220*(1 -
0.000727272727272727*m.x2220)*(1 - 0.00145454545454545*m.x2220) + 6.0669191919192e-8*(1189.2375
*m.x2220*(1 - 0.000727272727272727*m.x2220)*(1 - 0.00145454545454545*m.x2220) - 1.86*(0.93*
m.x2220*(1 - 0.000727272727272727*m.x2220))**2 - 1.49610402*m.x2220*m.x2220*(1 -
0.000727272727272727*m.x2220)*(1 - 0.00145454545454545*m.x2220)*(1 - 0.00145454545454545*
m.x2220))) + m.x328 == 0)
m.c330 = Constraint(expr=-(0.0775*m.x2221*(1 - 0.000727272727272727*m.x2221) + 0.003003125*m.x2221*(1 -
0.000727272727272727*m.x2221)*(1 - 0.00145454545454545*m.x2221) + 6.0669191919192e-8*(1189.2375
*m.x2221*(1 - 0.000727272727272727*m.x2221)*(1 - 0.00145454545454545*m.x2221) - 1.86*(0.93*
m.x2221*(1 - 0.000727272727272727*m.x2221))**2 - 1.49610402*m.x2221*m.x2221*(1 -
0.000727272727272727*m.x2221)*(1 - 0.00145454545454545*m.x2221)*(1 - 0.00145454545454545*
m.x2221))) + m.x329 == 0)
m.c331 = Constraint(expr=-(0.0775*m.x2222*(1 - 0.000727272727272727*m.x2222) + 0.003003125*m.x2222*(1 -
0.000727272727272727*m.x2222)*(1 - 0.00145454545454545*m.x2222) + 6.0669191919192e-8*(1189.2375
*m.x2222*(1 - 0.000727272727272727*m.x2222)*(1 - 0.00145454545454545*m.x2222) - 1.86*(0.93*
m.x2222*(1 - 0.000727272727272727*m.x2222))**2 - 1.49610402*m.x2222*m.x2222*(1 -
0.000727272727272727*m.x2222)*(1 - 0.00145454545454545*m.x2222)*(1 - 0.00145454545454545*
m.x2222))) + m.x330 == 0)
m.c332 = Constraint(expr=-(0.0775*m.x2223*(1 - 0.000727272727272727*m.x2223) + 0.003003125*m.x2223*(1 -
0.000727272727272727*m.x2223)*(1 - 0.00145454545454545*m.x2223) + 6.0669191919192e-8*(1189.2375
*m.x2223*(1 - 0.000727272727272727*m.x2223)*(1 - 0.00145454545454545*m.x2223) - 1.86*(0.93*
m.x2223*(1 - 0.000727272727272727*m.x2223))**2 - 1.49610402*m.x2223*m.x2223*(1 -
0.000727272727272727*m.x2223)*(1 - 0.00145454545454545*m.x2223)*(1 - 0.00145454545454545*
m.x2223))) + m.x331 == 0)
m.c333 = Constraint(expr=-(0.0775*m.x2224*(1 - 0.000727272727272727*m.x2224) + 0.003003125*m.x2224*(1 -
0.000727272727272727*m.x2224)*(1 - 0.00145454545454545*m.x2224) + 6.0669191919192e-8*(1189.2375
*m.x2224*(1 - 0.000727272727272727*m.x2224)*(1 - 0.00145454545454545*m.x2224) - 1.86*(0.93*
m.x2224*(1 - 0.000727272727272727*m.x2224))**2 - 1.49610402*m.x2224*m.x2224*(1 -
0.000727272727272727*m.x2224)*(1 - 0.00145454545454545*m.x2224)*(1 - 0.00145454545454545*
m.x2224))) + m.x332 == 0)
m.c334 = Constraint(expr=-(0.0775*m.x2225*(1 - 0.000727272727272727*m.x2225) + 0.003003125*m.x2225*(1 -
0.000727272727272727*m.x2225)*(1 - 0.00145454545454545*m.x2225) + 6.0669191919192e-8*(1189.2375
*m.x2225*(1 - 0.000727272727272727*m.x2225)*(1 - 0.00145454545454545*m.x2225) - 1.86*(0.93*
m.x2225*(1 - 0.000727272727272727*m.x2225))**2 - 1.49610402*m.x2225*m.x2225*(1 -
0.000727272727272727*m.x2225)*(1 - 0.00145454545454545*m.x2225)*(1 - 0.00145454545454545*
m.x2225))) + m.x333 == 0)
m.c335 = Constraint(expr=-(0.0775*m.x2226*(1 - 0.000727272727272727*m.x2226) + 0.003003125*m.x2226*(1 -
0.000727272727272727*m.x2226)*(1 - 0.00145454545454545*m.x2226) + 6.0669191919192e-8*(1189.2375
*m.x2226*(1 - 0.000727272727272727*m.x2226)*(1 - 0.00145454545454545*m.x2226) - 1.86*(0.93*
m.x2226*(1 - 0.000727272727272727*m.x2226))**2 - 1.49610402*m.x2226*m.x2226*(1 -
0.000727272727272727*m.x2226)*(1 - 0.00145454545454545*m.x2226)*(1 - 0.00145454545454545*
m.x2226))) + m.x334 == 0)
m.c336 = Constraint(expr=-(0.0775*m.x2227*(1 - 0.000727272727272727*m.x2227) + 0.003003125*m.x2227*(1 -
0.000727272727272727*m.x2227)*(1 - 0.00145454545454545*m.x2227) + 6.0669191919192e-8*(1189.2375
*m.x2227*(1 - 0.000727272727272727*m.x2227)*(1 - 0.00145454545454545*m.x2227) - 1.86*(0.93*
m.x2227*(1 - 0.000727272727272727*m.x2227))**2 - 1.49610402*m.x2227*m.x2227*(1 -
0.000727272727272727*m.x2227)*(1 - 0.00145454545454545*m.x2227)*(1 - 0.00145454545454545*
m.x2227))) + m.x335 == 0)
m.c337 = Constraint(expr=-(0.0775*m.x2228*(1 - 0.000727272727272727*m.x2228) + 0.003003125*m.x2228*(1 -
0.000727272727272727*m.x2228)*(1 - 0.00145454545454545*m.x2228) + 6.0669191919192e-8*(1189.2375
*m.x2228*(1 - 0.000727272727272727*m.x2228)*(1 - 0.00145454545454545*m.x2228) - 1.86*(0.93*
m.x2228*(1 - 0.000727272727272727*m.x2228))**2 - 1.49610402*m.x2228*m.x2228*(1 -
0.000727272727272727*m.x2228)*(1 - 0.00145454545454545*m.x2228)*(1 - 0.00145454545454545*
m.x2228))) + m.x336 == 0)
m.c338 = Constraint(expr=-(0.0775*m.x2229*(1 - 0.000727272727272727*m.x2229) + 0.003003125*m.x2229*(1 -
0.000727272727272727*m.x2229)*(1 - 0.00145454545454545*m.x2229) + 6.0669191919192e-8*(1189.2375
*m.x2229*(1 - 0.000727272727272727*m.x2229)*(1 - 0.00145454545454545*m.x2229) - 1.86*(0.93*
m.x2229*(1 - 0.000727272727272727*m.x2229))**2 - 1.49610402*m.x2229*m.x2229*(1 -
0.000727272727272727*m.x2229)*(1 - 0.00145454545454545*m.x2229)*(1 - 0.00145454545454545*
m.x2229))) + m.x337 == 0)
m.c339 = Constraint(expr=-(0.0775*m.x2230*(1 - 0.000727272727272727*m.x2230) + 0.003003125*m.x2230*(1 -
0.000727272727272727*m.x2230)*(1 - 0.00145454545454545*m.x2230) + 6.0669191919192e-8*(1189.2375
*m.x2230*(1 - 0.000727272727272727*m.x2230)*(1 - 0.00145454545454545*m.x2230) - 1.86*(0.93*
m.x2230*(1 - 0.000727272727272727*m.x2230))**2 - 1.49610402*m.x2230*m.x2230*(1 -
0.000727272727272727*m.x2230)*(1 - 0.00145454545454545*m.x2230)*(1 - 0.00145454545454545*
m.x2230))) + m.x338 == 0)
m.c340 = Constraint(expr=-(0.0775*m.x2231*(1 - 0.000727272727272727*m.x2231) + 0.003003125*m.x2231*(1 -
0.000727272727272727*m.x2231)*(1 - 0.00145454545454545*m.x2231) + 6.0669191919192e-8*(1189.2375
*m.x2231*(1 - 0.000727272727272727*m.x2231)*(1 - 0.00145454545454545*m.x2231) - 1.86*(0.93*
m.x2231*(1 - 0.000727272727272727*m.x2231))**2 - 1.49610402*m.x2231*m.x2231*(1 -
0.000727272727272727*m.x2231)*(1 - 0.00145454545454545*m.x2231)*(1 - 0.00145454545454545*
m.x2231))) + m.x339 == 0)
m.c341 = Constraint(expr=-(0.0775*m.x2232*(1 - 0.000727272727272727*m.x2232) + 0.003003125*m.x2232*(1 -
0.000727272727272727*m.x2232)*(1 - 0.00145454545454545*m.x2232) + 6.0669191919192e-8*(1189.2375
*m.x2232*(1 - 0.000727272727272727*m.x2232)*(1 - 0.00145454545454545*m.x2232) - 1.86*(0.93*
m.x2232*(1 - 0.000727272727272727*m.x2232))**2 - 1.49610402*m.x2232*m.x2232*(1 -
0.000727272727272727*m.x2232)*(1 - 0.00145454545454545*m.x2232)*(1 - 0.00145454545454545*
m.x2232))) + m.x340 == 0)
m.c342 = Constraint(expr=-(0.0775*m.x2233*(1 - 0.000727272727272727*m.x2233) + 0.003003125*m.x2233*(1 -
0.000727272727272727*m.x2233)*(1 - 0.00145454545454545*m.x2233) + 6.0669191919192e-8*(1189.2375
*m.x2233*(1 - 0.000727272727272727*m.x2233)*(1 - 0.00145454545454545*m.x2233) - 1.86*(0.93*
m.x2233*(1 - 0.000727272727272727*m.x2233))**2 - 1.49610402*m.x2233*m.x2233*(1 -
0.000727272727272727*m.x2233)*(1 - 0.00145454545454545*m.x2233)*(1 - 0.00145454545454545*
m.x2233))) + m.x341 == 0)
m.c343 = Constraint(expr=-(0.0775*m.x2234*(1 - 0.000727272727272727*m.x2234) + 0.003003125*m.x2234*(1 -
0.000727272727272727*m.x2234)*(1 - 0.00145454545454545*m.x2234) + 6.0669191919192e-8*(1189.2375
*m.x2234*(1 - 0.000727272727272727*m.x2234)*(1 - 0.00145454545454545*m.x2234) - 1.86*(0.93*
m.x2234*(1 - 0.000727272727272727*m.x2234))**2 - 1.49610402*m.x2234*m.x2234*(1 -
0.000727272727272727*m.x2234)*(1 - 0.00145454545454545*m.x2234)*(1 - 0.00145454545454545*
m.x2234))) + m.x342 == 0)
m.c344 = Constraint(expr=-(0.0775*m.x2235*(1 - 0.000727272727272727*m.x2235) + 0.003003125*m.x2235*(1 -
0.000727272727272727*m.x2235)*(1 - 0.00145454545454545*m.x2235) + 6.0669191919192e-8*(1189.2375
*m.x2235*(1 - 0.000727272727272727*m.x2235)*(1 - 0.00145454545454545*m.x2235) - 1.86*(0.93*
m.x2235*(1 - 0.000727272727272727*m.x2235))**2 - 1.49610402*m.x2235*m.x2235*(1 -
0.000727272727272727*m.x2235)*(1 - 0.00145454545454545*m.x2235)*(1 - 0.00145454545454545*
m.x2235))) + m.x343 == 0)
m.c345 = Constraint(expr=-(0.0775*m.x2236*(1 - 0.000727272727272727*m.x2236) + 0.003003125*m.x2236*(1 -
0.000727272727272727*m.x2236)*(1 - 0.00145454545454545*m.x2236) + 6.0669191919192e-8*(1189.2375
*m.x2236*(1 - 0.000727272727272727*m.x2236)*(1 - 0.00145454545454545*m.x2236) - 1.86*(0.93*
m.x2236*(1 - 0.000727272727272727*m.x2236))**2 - 1.49610402*m.x2236*m.x2236*(1 -
0.000727272727272727*m.x2236)*(1 - 0.00145454545454545*m.x2236)*(1 - 0.00145454545454545*
m.x2236))) + m.x344 == 0)
m.c346 = Constraint(expr=-(0.0775*m.x2237*(1 - 0.000727272727272727*m.x2237) + 0.003003125*m.x2237*(1 -
0.000727272727272727*m.x2237)*(1 - 0.00145454545454545*m.x2237) + 6.0669191919192e-8*(1189.2375
*m.x2237*(1 - 0.000727272727272727*m.x2237)*(1 - 0.00145454545454545*m.x2237) - 1.86*(0.93*
m.x2237*(1 - 0.000727272727272727*m.x2237))**2 - 1.49610402*m.x2237*m.x2237*(1 -
0.000727272727272727*m.x2237)*(1 - 0.00145454545454545*m.x2237)*(1 - 0.00145454545454545*
m.x2237))) + m.x345 == 0)
m.c347 = Constraint(expr=-(0.0775*m.x2238*(1 - 0.000727272727272727*m.x2238) + 0.003003125*m.x2238*(1 -
0.000727272727272727*m.x2238)*(1 - 0.00145454545454545*m.x2238) + 6.0669191919192e-8*(1189.2375
*m.x2238*(1 - 0.000727272727272727*m.x2238)*(1 - 0.00145454545454545*m.x2238) - 1.86*(0.93*
m.x2238*(1 - 0.000727272727272727*m.x2238))**2 - 1.49610402*m.x2238*m.x2238*(1 -
0.000727272727272727*m.x2238)*(1 - 0.00145454545454545*m.x2238)*(1 - 0.00145454545454545*
m.x2238))) + m.x346 == 0)
m.c348 = Constraint(expr=-(0.0775*m.x2239*(1 - 0.000727272727272727*m.x2239) + 0.003003125*m.x2239*(1 -
0.000727272727272727*m.x2239)*(1 - 0.00145454545454545*m.x2239) + 6.0669191919192e-8*(1189.2375
*m.x2239*(1 - 0.000727272727272727*m.x2239)*(1 - 0.00145454545454545*m.x2239) - 1.86*(0.93*
m.x2239*(1 - 0.000727272727272727*m.x2239))**2 - 1.49610402*m.x2239*m.x2239*(1 -
0.000727272727272727*m.x2239)*(1 - 0.00145454545454545*m.x2239)*(1 - 0.00145454545454545*
m.x2239))) + m.x347 == 0)
m.c349 = Constraint(expr=-(0.0775*m.x2240*(1 - 0.000727272727272727*m.x2240) + 0.003003125*m.x2240*(1 -
0.000727272727272727*m.x2240)*(1 - 0.00145454545454545*m.x2240) + 6.0669191919192e-8*(1189.2375
*m.x2240*(1 - 0.000727272727272727*m.x2240)*(1 - 0.00145454545454545*m.x2240) - 1.86*(0.93*
m.x2240*(1 - 0.000727272727272727*m.x2240))**2 - 1.49610402*m.x2240*m.x2240*(1 -
0.000727272727272727*m.x2240)*(1 - 0.00145454545454545*m.x2240)*(1 - 0.00145454545454545*
m.x2240))) + m.x348 == 0)
m.c350 = Constraint(expr=-(0.0775*m.x2241*(1 - 0.000727272727272727*m.x2241) + 0.003003125*m.x2241*(1 -
0.000727272727272727*m.x2241)*(1 - 0.00145454545454545*m.x2241) + 6.0669191919192e-8*(1189.2375
*m.x2241*(1 - 0.000727272727272727*m.x2241)*(1 - 0.00145454545454545*m.x2241) - 1.86*(0.93*
m.x2241*(1 - 0.000727272727272727*m.x2241))**2 - 1.49610402*m.x2241*m.x2241*(1 -
0.000727272727272727*m.x2241)*(1 - 0.00145454545454545*m.x2241)*(1 - 0.00145454545454545*
m.x2241))) + m.x349 == 0)
m.c351 = Constraint(expr=-(0.0775*m.x2242*(1 - 0.000727272727272727*m.x2242) + 0.003003125*m.x2242*(1 -
0.000727272727272727*m.x2242)*(1 - 0.00145454545454545*m.x2242) + 6.0669191919192e-8*(1189.2375
*m.x2242*(1 - 0.000727272727272727*m.x2242)*(1 - 0.00145454545454545*m.x2242) - 1.86*(0.93*
m.x2242*(1 - 0.000727272727272727*m.x2242))**2 - 1.49610402*m.x2242*m.x2242*(1 -
0.000727272727272727*m.x2242)*(1 - 0.00145454545454545*m.x2242)*(1 - 0.00145454545454545*
m.x2242))) + m.x350 == 0)
m.c352 = Constraint(expr=-(0.0775*m.x2243*(1 - 0.000727272727272727*m.x2243) + 0.003003125*m.x2243*(1 -
0.000727272727272727*m.x2243)*(1 - 0.00145454545454545*m.x2243) + 6.0669191919192e-8*(1189.2375
*m.x2243*(1 - 0.000727272727272727*m.x2243)*(1 - 0.00145454545454545*m.x2243) - 1.86*(0.93*
m.x2243*(1 - 0.000727272727272727*m.x2243))**2 - 1.49610402*m.x2243*m.x2243*(1 -
0.000727272727272727*m.x2243)*(1 - 0.00145454545454545*m.x2243)*(1 - 0.00145454545454545*
m.x2243))) + m.x351 == 0)
m.c353 = Constraint(expr=-(0.0775*m.x2244*(1 - 0.000727272727272727*m.x2244) + 0.003003125*m.x2244*(1 -
0.000727272727272727*m.x2244)*(1 - 0.00145454545454545*m.x2244) + 6.0669191919192e-8*(1189.2375
*m.x2244*(1 - 0.000727272727272727*m.x2244)*(1 - 0.00145454545454545*m.x2244) - 1.86*(0.93*
m.x2244*(1 - 0.000727272727272727*m.x2244))**2 - 1.49610402*m.x2244*m.x2244*(1 -
0.000727272727272727*m.x2244)*(1 - 0.00145454545454545*m.x2244)*(1 - 0.00145454545454545*
m.x2244))) + m.x352 == 0)
m.c354 = Constraint(expr=-(0.0775*m.x2245*(1 - 0.000727272727272727*m.x2245) + 0.003003125*m.x2245*(1 -
0.000727272727272727*m.x2245)*(1 - 0.00145454545454545*m.x2245) + 6.0669191919192e-8*(1189.2375
*m.x2245*(1 - 0.000727272727272727*m.x2245)*(1 - 0.00145454545454545*m.x2245) - 1.86*(0.93*
m.x2245*(1 - 0.000727272727272727*m.x2245))**2 - 1.49610402*m.x2245*m.x2245*(1 -
0.000727272727272727*m.x2245)*(1 - 0.00145454545454545*m.x2245)*(1 - 0.00145454545454545*
m.x2245))) + m.x353 == 0)
m.c355 = Constraint(expr=-(0.0775*m.x2246*(1 - 0.000727272727272727*m.x2246) + 0.003003125*m.x2246*(1 -
0.000727272727272727*m.x2246)*(1 - 0.00145454545454545*m.x2246) + 6.0669191919192e-8*(1189.2375
*m.x2246*(1 - 0.000727272727272727*m.x2246)*(1 - 0.00145454545454545*m.x2246) - 1.86*(0.93*
m.x2246*(1 - 0.000727272727272727*m.x2246))**2 - 1.49610402*m.x2246*m.x2246*(1 -
0.000727272727272727*m.x2246)*(1 - 0.00145454545454545*m.x2246)*(1 - 0.00145454545454545*
m.x2246))) + m.x354 == 0)
m.c356 = Constraint(expr=-(0.0775*m.x2247*(1 - 0.000727272727272727*m.x2247) + 0.003003125*m.x2247*(1 -
0.000727272727272727*m.x2247)*(1 - 0.00145454545454545*m.x2247) + 6.0669191919192e-8*(1189.2375
*m.x2247*(1 - 0.000727272727272727*m.x2247)*(1 - 0.00145454545454545*m.x2247) - 1.86*(0.93*
m.x2247*(1 - 0.000727272727272727*m.x2247))**2 - 1.49610402*m.x2247*m.x2247*(1 -
0.000727272727272727*m.x2247)*(1 - 0.00145454545454545*m.x2247)*(1 - 0.00145454545454545*
m.x2247))) + m.x355 == 0)
m.c357 = Constraint(expr=-(0.0775*m.x2248*(1 - 0.000727272727272727*m.x2248) + 0.003003125*m.x2248*(1 -
0.000727272727272727*m.x2248)*(1 - 0.00145454545454545*m.x2248) + 6.0669191919192e-8*(1189.2375
*m.x2248*(1 - 0.000727272727272727*m.x2248)*(1 - 0.00145454545454545*m.x2248) - 1.86*(0.93*
m.x2248*(1 - 0.000727272727272727*m.x2248))**2 - 1.49610402*m.x2248*m.x2248*(1 -
0.000727272727272727*m.x2248)*(1 - 0.00145454545454545*m.x2248)*(1 - 0.00145454545454545*
m.x2248))) + m.x356 == 0)
m.c358 = Constraint(expr=-(0.0775*m.x2249*(1 - 0.000727272727272727*m.x2249) + 0.003003125*m.x2249*(1 -
0.000727272727272727*m.x2249)*(1 - 0.00145454545454545*m.x2249) + 6.0669191919192e-8*(1189.2375
*m.x2249*(1 - 0.000727272727272727*m.x2249)*(1 - 0.00145454545454545*m.x2249) - 1.86*(0.93*
m.x2249*(1 - 0.000727272727272727*m.x2249))**2 - 1.49610402*m.x2249*m.x2249*(1 -
0.000727272727272727*m.x2249)*(1 - 0.00145454545454545*m.x2249)*(1 - 0.00145454545454545*
m.x2249))) + m.x357 == 0)
m.c359 = Constraint(expr=-(0.0775*m.x2250*(1 - 0.000727272727272727*m.x2250) + 0.003003125*m.x2250*(1 -
0.000727272727272727*m.x2250)*(1 - 0.00145454545454545*m.x2250) + 6.0669191919192e-8*(1189.2375
*m.x2250*(1 - 0.000727272727272727*m.x2250)*(1 - 0.00145454545454545*m.x2250) - 1.86*(0.93*
m.x2250*(1 - 0.000727272727272727*m.x2250))**2 - 1.49610402*m.x2250*m.x2250*(1 -
0.000727272727272727*m.x2250)*(1 - 0.00145454545454545*m.x2250)*(1 - 0.00145454545454545*
m.x2250))) + m.x358 == 0)
m.c360 = Constraint(expr=-(0.0775*m.x2251*(1 - 0.000727272727272727*m.x2251) + 0.003003125*m.x2251*(1 -
0.000727272727272727*m.x2251)*(1 - 0.00145454545454545*m.x2251) + 6.0669191919192e-8*(1189.2375
*m.x2251*(1 - 0.000727272727272727*m.x2251)*(1 - 0.00145454545454545*m.x2251) - 1.86*(0.93*
m.x2251*(1 - 0.000727272727272727*m.x2251))**2 - 1.49610402*m.x2251*m.x2251*(1 -
0.000727272727272727*m.x2251)*(1 - 0.00145454545454545*m.x2251)*(1 - 0.00145454545454545*
m.x2251))) + m.x359 == 0)
m.c361 = Constraint(expr=-(0.0775*m.x2252*(1 - 0.000727272727272727*m.x2252) + 0.003003125*m.x2252*(1 -
0.000727272727272727*m.x2252)*(1 - 0.00145454545454545*m.x2252) + 6.0669191919192e-8*(1189.2375
*m.x2252*(1 - 0.000727272727272727*m.x2252)*(1 - 0.00145454545454545*m.x2252) - 1.86*(0.93*
m.x2252*(1 - 0.000727272727272727*m.x2252))**2 - 1.49610402*m.x2252*m.x2252*(1 -
0.000727272727272727*m.x2252)*(1 - 0.00145454545454545*m.x2252)*(1 - 0.00145454545454545*
m.x2252))) + m.x360 == 0)
m.c362 = Constraint(expr=-0.0833333333333333*m.x1592*m.x781 + m.x841 <= 0)
m.c363 = Constraint(expr=-0.0833333333333333*m.x1592*m.x781 + m.x842 <= 0)
m.c364 = Constraint(expr=-0.0833333333333333*m.x1592*m.x781 + m.x843 <= 0)
m.c365 = Constraint(expr=-0.0833333333333333*m.x1592*m.x781 + m.x844 <= 0)
m.c366 = Constraint(expr=-0.0833333333333333*m.x1592*m.x781 + m.x845 <= 0)
m.c367 = Constraint(expr=-0.0833333333333333*m.x1592*m.x781 + m.x846 <= 0)
m.c368 = Constraint(expr=-0.0833333333333333*m.x1592*m.x781 + m.x847 <= 0)
m.c369 = Constraint(expr=-0.0833333333333333*m.x1592*m.x781 + m.x848 <= 0)
m.c370 = Constraint(expr=-0.0833333333333333*m.x1592*m.x781 + m.x849 <= 0)
m.c371 = Constraint(expr=-0.0833333333333333*m.x1592*m.x781 + m.x850 <= 0)
m.c372 = Constraint(expr=-0.0833333333333333*m.x1592*m.x781 + m.x851 <= 0)
m.c373 = Constraint(expr=-0.0833333333333333*m.x1592*m.x781 + m.x852 <= 0)
m.c374 = Constraint(expr=-0.0833333333333333*m.x1593*m.x782 + m.x853 <= 0)
m.c375 = Constraint(expr=-0.0833333333333333*m.x1593*m.x782 + m.x854 <= 0)
m.c376 = Constraint(expr=-0.0833333333333333*m.x1593*m.x782 + m.x855 <= 0)
m.c377 = Constraint(expr=-0.0833333333333333*m.x1593*m.x782 + m.x856 <= 0)
m.c378 = Constraint(expr=-0.0833333333333333*m.x1593*m.x782 + m.x857 <= 0)
m.c379 = Constraint(expr=-0.0833333333333333*m.x1593*m.x782 + m.x858 <= 0)
m.c380 = Constraint(expr=-0.0833333333333333*m.x1593*m.x782 + m.x859 <= 0)
m.c381 = Constraint(expr=-0.0833333333333333*m.x1593*m.x782 + m.x860 <= 0)
m.c382 = Constraint(expr=-0.0833333333333333*m.x1593*m.x782 + m.x861 <= 0)
m.c383 = Constraint(expr=-0.0833333333333333*m.x1593*m.x782 + m.x862 <= 0)
m.c384 = Constraint(expr=-0.0833333333333333*m.x1593*m.x782 + m.x863 <= 0)
m.c385 = Constraint(expr=-0.0833333333333333*m.x1593*m.x782 + m.x864 <= 0)
m.c386 = Constraint(expr=-0.0833333333333333*m.x1594*m.x783 + m.x865 <= 0)
m.c387 = Constraint(expr=-0.0833333333333333*m.x1594*m.x783 + m.x866 <= 0)
m.c388 = Constraint(expr=-0.0833333333333333*m.x1594*m.x783 + m.x867 <= 0)
m.c389 = Constraint(expr=-0.0833333333333333*m.x1594*m.x783 + m.x868 <= 0)
m.c390 = Constraint(expr=-0.0833333333333333*m.x1594*m.x783 + m.x869 <= 0)
m.c391 = Constraint(expr=-0.0833333333333333*m.x1594*m.x783 + m.x870 <= 0)
m.c392 = Constraint(expr=-0.0833333333333333*m.x1594*m.x783 + m.x871 <= 0)
m.c393 = Constraint(expr=-0.0833333333333333*m.x1594*m.x783 + m.x872 <= 0)
m.c394 = Constraint(expr=-0.0833333333333333*m.x1594*m.x783 + m.x873 <= 0)
m.c395 = Constraint(expr=-0.0833333333333333*m.x1594*m.x783 + m.x874 <= 0)
m.c396 = Constraint(expr=-0.0833333333333333*m.x1594*m.x783 + m.x875 <= 0)
m.c397 = Constraint(expr=-0.0833333333333333*m.x1594*m.x783 + m.x876 <= 0)
m.c398 = Constraint(expr=-0.0833333333333333*m.x1595*m.x784 + m.x877 <= 0)
m.c399 = Constraint(expr=-0.0833333333333333*m.x1595*m.x784 + m.x878 <= 0)
m.c400 = Constraint(expr=-0.0833333333333333*m.x1595*m.x784 + m.x879 <= 0)
m.c401 = Constraint(expr=-0.0833333333333333*m.x1595*m.x784 + m.x880 <= 0)
m.c402 = Constraint(expr=-0.0833333333333333*m.x1595*m.x784 + m.x881 <= 0)
m.c403 = Constraint(expr=-0.0833333333333333*m.x1595*m.x784 + m.x882 <= 0)
m.c404 = Constraint(expr=-0.0833333333333333*m.x1595*m.x784 + m.x883 <= 0)
m.c405 = Constraint(expr=-0.0833333333333333*m.x1595*m.x784 + m.x884 <= 0)
m.c406 = Constraint(expr=-0.0833333333333333*m.x1595*m.x784 + m.x885 <= 0)
m.c407 = Constraint(expr=-0.0833333333333333*m.x1595*m.x784 + m.x886 <= 0)
m.c408 = Constraint(expr=-0.0833333333333333*m.x1595*m.x784 + m.x887 <= 0)
m.c409 = Constraint(expr=-0.0833333333333333*m.x1595*m.x784 + m.x888 <= 0)
m.c410 = Constraint(expr=-0.0833333333333333*m.x1596*m.x785 + m.x889 <= 0)
m.c411 = Constraint(expr=-0.0833333333333333*m.x1596*m.x785 + m.x890 <= 0)
m.c412 = Constraint(expr=-0.0833333333333333*m.x1596*m.x785 + m.x891 <= 0)
m.c413 = Constraint(expr=-0.0833333333333333*m.x1596*m.x785 + m.x892 <= 0)
m.c414 = Constraint(expr=-0.0833333333333333*m.x1596*m.x785 + m.x893 <= 0)
m.c415 = Constraint(expr=-0.0833333333333333*m.x1596*m.x785 + m.x894 <= 0)
m.c416 = Constraint(expr=-0.0833333333333333*m.x1596*m.x785 + m.x895 <= 0)
m.c417 = Constraint(expr=-0.0833333333333333*m.x1596*m.x785 + m.x896 <= 0)
m.c418 = Constraint(expr=-0.0833333333333333*m.x1596*m.x785 + m.x897 <= 0)
m.c419 = Constraint(expr=-0.0833333333333333*m.x1596*m.x785 + m.x898 <= 0)
m.c420 = Constraint(expr=-0.0833333333333333*m.x1596*m.x785 + m.x899 <= 0)
m.c421 = Constraint(expr=-0.0833333333333333*m.x1596*m.x785 + m.x900 <= 0)
m.c422 = Constraint(expr=-0.0833333333333333*m.x1597*m.x786 + m.x901 <= 0)
m.c423 = Constraint(expr=-0.0833333333333333*m.x1597*m.x786 + m.x902 <= 0)
m.c424 = Constraint(expr=-0.0833333333333333*m.x1597*m.x786 + m.x903 <= 0)
m.c425 = Constraint(expr=-0.0833333333333333*m.x1597*m.x786 + m.x904 <= 0)
m.c426 = Constraint(expr=-0.0833333333333333*m.x1597*m.x786 + m.x905 <= 0)
m.c427 = Constraint(expr=-0.0833333333333333*m.x1597*m.x786 + m.x906 <= 0)
m.c428 = Constraint(expr=-0.0833333333333333*m.x1597*m.x786 + m.x907 <= 0)
m.c429 = Constraint(expr=-0.0833333333333333*m.x1597*m.x786 + m.x908 <= 0)
m.c430 = Constraint(expr=-0.0833333333333333*m.x1597*m.x786 + m.x909 <= 0)
m.c431 = Constraint(expr=-0.0833333333333333*m.x1597*m.x786 + m.x910 <= 0)
m.c432 = Constraint(expr=-0.0833333333333333*m.x1597*m.x786 + m.x911 <= 0)
m.c433 = Constraint(expr=-0.0833333333333333*m.x1597*m.x786 + m.x912 <= 0)
m.c434 = Constraint(expr=-0.0833333333333333*m.x1598*m.x787 + m.x913 <= 0)
m.c435 = Constraint(expr=-0.0833333333333333*m.x1598*m.x787 + m.x914 <= 0)
m.c436 = Constraint(expr=-0.0833333333333333*m.x1598*m.x787 + m.x915 <= 0)
m.c437 = Constraint(expr=-0.0833333333333333*m.x1598*m.x787 + m.x916 <= 0)
m.c438 = Constraint(expr=-0.0833333333333333*m.x1598*m.x787 + m.x917 <= 0)
m.c439 = Constraint(expr=-0.0833333333333333*m.x1598*m.x787 + m.x918 <= 0)
m.c440 = Constraint(expr=-0.0833333333333333*m.x1598*m.x787 + m.x919 <= 0)
m.c441 = Constraint(expr=-0.0833333333333333*m.x1598*m.x787 + m.x920 <= 0)
m.c442 = Constraint(expr=-0.0833333333333333*m.x1598*m.x787 + m.x921 <= 0)
m.c443 = Constraint(expr=-0.0833333333333333*m.x1598*m.x787 + m.x922 <= 0)
m.c444 = Constraint(expr=-0.0833333333333333*m.x1598*m.x787 + m.x923 <= 0)
m.c445 = Constraint(expr=-0.0833333333333333*m.x1598*m.x787 + m.x924 <= 0)
m.c446 = Constraint(expr=-0.0833333333333333*m.x1599*m.x788 + m.x925 <= 0)
m.c447 = Constraint(expr=-0.0833333333333333*m.x1599*m.x788 + m.x926 <= 0)
m.c448 = Constraint(expr=-0.0833333333333333*m.x1599*m.x788 + m.x927 <= 0)
m.c449 = Constraint(expr=-0.0833333333333333*m.x1599*m.x788 + m.x928 <= 0)
m.c450 = Constraint(expr=-0.0833333333333333*m.x1599*m.x788 + m.x929 <= 0)
m.c451 = Constraint(expr=-0.0833333333333333*m.x1599*m.x788 + m.x930 <= 0)
m.c452 = Constraint(expr=-0.0833333333333333*m.x1599*m.x788 + m.x931 <= 0)
m.c453 = Constraint(expr=-0.0833333333333333*m.x1599*m.x788 + m.x932 <= 0)
m.c454 = Constraint(expr=-0.0833333333333333*m.x1599*m.x788 + m.x933 <= 0)
m.c455 = Constraint(expr=-0.0833333333333333*m.x1599*m.x788 + m.x934 <= 0)
m.c456 = Constraint(expr=-0.0833333333333333*m.x1599*m.x788 + m.x935 <= 0)
m.c457 = Constraint(expr=-0.0833333333333333*m.x1599*m.x788 + m.x936 <= 0)
m.c458 = Constraint(expr=-0.0833333333333333*m.x1600*m.x789 + m.x937 <= 0)
m.c459 = Constraint(expr=-0.0833333333333333*m.x1600*m.x789 + m.x938 <= 0)
m.c460 = Constraint(expr=-0.0833333333333333*m.x1600*m.x789 + m.x939 <= 0)
m.c461 = Constraint(expr=-0.0833333333333333*m.x1600*m.x789 + m.x940 <= 0)
m.c462 = Constraint(expr=-0.0833333333333333*m.x1600*m.x789 + m.x941 <= 0)
m.c463 = Constraint(expr=-0.0833333333333333*m.x1600*m.x789 + m.x942 <= 0)
m.c464 = Constraint(expr=-0.0833333333333333*m.x1600*m.x789 + m.x943 <= 0)
m.c465 = Constraint(expr=-0.0833333333333333*m.x1600*m.x789 + m.x944 <= 0)
m.c466 = Constraint(expr=-0.0833333333333333*m.x1600*m.x789 + m.x945 <= 0)
m.c467 = Constraint(expr=-0.0833333333333333*m.x1600*m.x789 + m.x946 <= 0)
m.c468 = Constraint(expr=-0.0833333333333333*m.x1600*m.x789 + m.x947 <= 0)
m.c469 = Constraint(expr=-0.0833333333333333*m.x1600*m.x789 + m.x948 <= 0)
m.c470 = Constraint(expr=-0.0833333333333333*m.x1601*m.x790 + m.x949 <= 0)
m.c471 = Constraint(expr=-0.0833333333333333*m.x1601*m.x790 + m.x950 <= 0)
m.c472 = Constraint(expr=-0.0833333333333333*m.x1601*m.x790 + m.x951 <= 0)
m.c473 = Constraint(expr=-0.0833333333333333*m.x1601*m.x790 + m.x952 <= 0)
m.c474 = Constraint(expr=-0.0833333333333333*m.x1601*m.x790 + m.x953 <= 0)
m.c475 = Constraint(expr=-0.0833333333333333*m.x1601*m.x790 + m.x954 <= 0)
m.c476 = Constraint(expr=-0.0833333333333333*m.x1601*m.x790 + m.x955 <= 0)
m.c477 = Constraint(expr=-0.0833333333333333*m.x1601*m.x790 + m.x956 <= 0)
m.c478 = Constraint(expr=-0.0833333333333333*m.x1601*m.x790 + m.x957 <= 0)
m.c479 = Constraint(expr=-0.0833333333333333*m.x1601*m.x790 + m.x958 <= 0)
m.c480 = Constraint(expr=-0.0833333333333333*m.x1601*m.x790 + m.x959 <= 0)
m.c481 = Constraint(expr=-0.0833333333333333*m.x1601*m.x790 + m.x960 <= 0)
m.c482 = Constraint(expr=-0.0833333333333333*m.x1602*m.x791 + m.x961 <= 0)
m.c483 = Constraint(expr=-0.0833333333333333*m.x1602*m.x791 + m.x962 <= 0)
m.c484 = Constraint(expr=-0.0833333333333333*m.x1602*m.x791 + m.x963 <= 0)
m.c485 = Constraint(expr=-0.0833333333333333*m.x1602*m.x791 + m.x964 <= 0)
m.c486 = Constraint(expr=-0.0833333333333333*m.x1602*m.x791 + m.x965 <= 0)
m.c487 = Constraint(expr=-0.0833333333333333*m.x1602*m.x791 + m.x966 <= 0)
m.c488 = Constraint(expr=-0.0833333333333333*m.x1602*m.x791 + m.x967 <= 0)
m.c489 = Constraint(expr=-0.0833333333333333*m.x1602*m.x791 + m.x968 <= 0)
m.c490 = Constraint(expr=-0.0833333333333333*m.x1602*m.x791 + m.x969 <= 0)
m.c491 = Constraint(expr=-0.0833333333333333*m.x1602*m.x791 + m.x970 <= 0)
m.c492 = Constraint(expr=-0.0833333333333333*m.x1602*m.x791 + m.x971 <= 0)
m.c493 = Constraint(expr=-0.0833333333333333*m.x1602*m.x791 + m.x972 <= 0)
m.c494 = Constraint(expr=-0.0833333333333333*m.x1603*m.x792 + m.x973 <= 0)
m.c495 = Constraint(expr=-0.0833333333333333*m.x1603*m.x792 + m.x974 <= 0)
m.c496 = Constraint(expr=-0.0833333333333333*m.x1603*m.x792 + m.x975 <= 0)
m.c497 = Constraint(expr=-0.0833333333333333*m.x1603*m.x792 + m.x976 <= 0)
m.c498 = Constraint(expr=-0.0833333333333333*m.x1603*m.x792 + m.x977 <= 0)
m.c499 = Constraint(expr=-0.0833333333333333*m.x1603*m.x792 + m.x978 <= 0)
m.c500 = Constraint(expr=-0.0833333333333333*m.x1603*m.x792 + m.x979 <= 0)
m.c501 = Constraint(expr=-0.0833333333333333*m.x1603*m.x792 + m.x980 <= 0)
m.c502 = Constraint(expr=-0.0833333333333333*m.x1603*m.x792 + m.x981 <= 0)
m.c503 = Constraint(expr=-0.0833333333333333*m.x1603*m.x792 + m.x982 <= 0)
m.c504 = Constraint(expr=-0.0833333333333333*m.x1603*m.x792 + m.x983 <= 0)
m.c505 = Constraint(expr=-0.0833333333333333*m.x1603*m.x792 + m.x984 <= 0)
m.c506 = Constraint(expr=-0.0833333333333333*m.x1604*m.x793 + m.x985 <= 0)
m.c507 = Constraint(expr=-0.0833333333333333*m.x1604*m.x793 + m.x986 <= 0)
m.c508 = Constraint(expr=-0.0833333333333333*m.x1604*m.x793 + m.x987 <= 0)
m.c509 = Constraint(expr=-0.0833333333333333*m.x1604*m.x793 + m.x988 <= 0)
m.c510 = Constraint(expr=-0.0833333333333333*m.x1604*m.x793 + m.x989 <= 0)
m.c511 = Constraint(expr=-0.0833333333333333*m.x1604*m.x793 + m.x990 <= 0)
m.c512 = Constraint(expr=-0.0833333333333333*m.x1604*m.x793 + m.x991 <= 0)
m.c513 = Constraint(expr=-0.0833333333333333*m.x1604*m.x793 + m.x992 <= 0)
m.c514 = Constraint(expr=-0.0833333333333333*m.x1604*m.x793 + m.x993 <= 0)
m.c515 = Constraint(expr=-0.0833333333333333*m.x1604*m.x793 + m.x994 <= 0)
m.c516 = Constraint(expr=-0.0833333333333333*m.x1604*m.x793 + m.x995 <= 0)
m.c517 = Constraint(expr=-0.0833333333333333*m.x1604*m.x793 + m.x996 <= 0)
m.c518 = Constraint(expr=-0.0833333333333333*m.x1605*m.x794 + m.x997 <= 0)
m.c519 = Constraint(expr=-0.0833333333333333*m.x1605*m.x794 + m.x998 <= 0)
m.c520 = Constraint(expr=-0.0833333333333333*m.x1605*m.x794 + m.x999 <= 0)
m.c521 = Constraint(expr=-0.0833333333333333*m.x1605*m.x794 + m.x1000 <= 0)
m.c522 = Constraint(expr=-0.0833333333333333*m.x1605*m.x794 + m.x1001 <= 0)
m.c523 = Constraint(expr=-0.0833333333333333*m.x1605*m.x794 + m.x1002 <= 0)
m.c524 = Constraint(expr=-0.0833333333333333*m.x1605*m.x794 + m.x1003 <= 0)
m.c525 = Constraint(expr=-0.0833333333333333*m.x1605*m.x794 + m.x1004 <= 0)
m.c526 = Constraint(expr=-0.0833333333333333*m.x1605*m.x794 + m.x1005 <= 0)
m.c527 = Constraint(expr=-0.0833333333333333*m.x1605*m.x794 + m.x1006 <= 0)
m.c528 = Constraint(expr=-0.0833333333333333*m.x1605*m.x794 + m.x1007 <= 0)
m.c529 = Constraint(expr=-0.0833333333333333*m.x1605*m.x794 + m.x1008 <= 0)
m.c530 = Constraint(expr=-0.0833333333333333*m.x1606*m.x795 + m.x1009 <= 0)
m.c531 = Constraint(expr=-0.0833333333333333*m.x1606*m.x795 + m.x1010 <= 0)
m.c532 = Constraint(expr=-0.0833333333333333*m.x1606*m.x795 + m.x1011 <= 0)
m.c533 = Constraint(expr=-0.0833333333333333*m.x1606*m.x795 + m.x1012 <= 0)
m.c534 = Constraint(expr=-0.0833333333333333*m.x1606*m.x795 + m.x1013 <= 0)
m.c535 = Constraint(expr=-0.0833333333333333*m.x1606*m.x795 + m.x1014 <= 0)
m.c536 = Constraint(expr=-0.0833333333333333*m.x1606*m.x795 + m.x1015 <= 0)
m.c537 = Constraint(expr=-0.0833333333333333*m.x1606*m.x795 + m.x1016 <= 0)
m.c538 = Constraint(expr=-0.0833333333333333*m.x1606*m.x795 + m.x1017 <= 0)
m.c539 = Constraint(expr=-0.0833333333333333*m.x1606*m.x795 + m.x1018 <= 0)
m.c540 = Constraint(expr=-0.0833333333333333*m.x1606*m.x795 + m.x1019 <= 0)
m.c541 = Constraint(expr=-0.0833333333333333*m.x1606*m.x795 + m.x1020 <= 0)
m.c542 = Constraint(expr=-0.0833333333333333*m.x1607*m.x796 + m.x1021 <= 0)
m.c543 = Constraint(expr=-0.0833333333333333*m.x1607*m.x796 + m.x1022 <= 0)
m.c544 = Constraint(expr=-0.0833333333333333*m.x1607*m.x796 + m.x1023 <= 0)
m.c545 = Constraint(expr=-0.0833333333333333*m.x1607*m.x796 + m.x1024 <= 0)
m.c546 = Constraint(expr=-0.0833333333333333*m.x1607*m.x796 + m.x1025 <= 0)
m.c547 = Constraint(expr=-0.0833333333333333*m.x1607*m.x796 + m.x1026 <= 0)
m.c548 = Constraint(expr=-0.0833333333333333*m.x1607*m.x796 + m.x1027 <= 0)
m.c549 = Constraint(expr=-0.0833333333333333*m.x1607*m.x796 + m.x1028 <= 0)
m.c550 = Constraint(expr=-0.0833333333333333*m.x1607*m.x796 + m.x1029 <= 0)
m.c551 = Constraint(expr=-0.0833333333333333*m.x1607*m.x796 + m.x1030 <= 0)
m.c552 = Constraint(expr=-0.0833333333333333*m.x1607*m.x796 + m.x1031 <= 0)
m.c553 = Constraint(expr=-0.0833333333333333*m.x1607*m.x796 + m.x1032 <= 0)
m.c554 = Constraint(expr=-0.0833333333333333*m.x1608*m.x797 + m.x1033 <= 0)
m.c555 = Constraint(expr=-0.0833333333333333*m.x1608*m.x797 + m.x1034 <= 0)
m.c556 = Constraint(expr=-0.0833333333333333*m.x1608*m.x797 + m.x1035 <= 0)
m.c557 = Constraint(expr=-0.0833333333333333*m.x1608*m.x797 + m.x1036 <= 0)
m.c558 = Constraint(expr=-0.0833333333333333*m.x1608*m.x797 + m.x1037 <= 0)
m.c559 = Constraint(expr=-0.0833333333333333*m.x1608*m.x797 + m.x1038 <= 0)
m.c560 = Constraint(expr=-0.0833333333333333*m.x1608*m.x797 + m.x1039 <= 0)
m.c561 = Constraint(expr=-0.0833333333333333*m.x1608*m.x797 + m.x1040 <= 0)
m.c562 = Constraint(expr=-0.0833333333333333*m.x1608*m.x797 + m.x1041 <= 0)
m.c563 = Constraint(expr=-0.0833333333333333*m.x1608*m.x797 + m.x1042 <= 0)
m.c564 = Constraint(expr=-0.0833333333333333*m.x1608*m.x797 + m.x1043 <= 0)
m.c565 = Constraint(expr=-0.0833333333333333*m.x1608*m.x797 + m.x1044 <= 0)
m.c566 = Constraint(expr=-0.0833333333333333*m.x1609*m.x798 + m.x1045 <= 0)
m.c567 = Constraint(expr=-0.0833333333333333*m.x1609*m.x798 + m.x1046 <= 0)
m.c568 = Constraint(expr=-0.0833333333333333*m.x1609*m.x798 + m.x1047 <= 0)
m.c569 = Constraint(expr=-0.0833333333333333*m.x1609*m.x798 + m.x1048 <= 0)
m.c570 = Constraint(expr=-0.0833333333333333*m.x1609*m.x798 + m.x1049 <= 0)
m.c571 = Constraint(expr=-0.0833333333333333*m.x1609*m.x798 + m.x1050 <= 0)
m.c572 = Constraint(expr=-0.0833333333333333*m.x1609*m.x798 + m.x1051 <= 0)
m.c573 = Constraint(expr=-0.0833333333333333*m.x1609*m.x798 + m.x1052 <= 0)
m.c574 = Constraint(expr=-0.0833333333333333*m.x1609*m.x798 + m.x1053 <= 0)
m.c575 = Constraint(expr=-0.0833333333333333*m.x1609*m.x798 + m.x1054 <= 0)
m.c576 = Constraint(expr=-0.0833333333333333*m.x1609*m.x798 + m.x1055 <= 0)
m.c577 = Constraint(expr=-0.0833333333333333*m.x1609*m.x798 + m.x1056 <= 0)
m.c578 = Constraint(expr=-0.0833333333333333*m.x1610*m.x799 + m.x1057 <= 0)
m.c579 = Constraint(expr=-0.0833333333333333*m.x1610*m.x799 + m.x1058 <= 0)
m.c580 = Constraint(expr=-0.0833333333333333*m.x1610*m.x799 + m.x1059 <= 0)
m.c581 = Constraint(expr=-0.0833333333333333*m.x1610*m.x799 + m.x1060 <= 0)
m.c582 = Constraint(expr=-0.0833333333333333*m.x1610*m.x799 + m.x1061 <= 0)
m.c583 = Constraint(expr=-0.0833333333333333*m.x1610*m.x799 + m.x1062 <= 0)
m.c584 = Constraint(expr=-0.0833333333333333*m.x1610*m.x799 + m.x1063 <= 0)
m.c585 = Constraint(expr=-0.0833333333333333*m.x1610*m.x799 + m.x1064 <= 0)
m.c586 = Constraint(expr=-0.0833333333333333*m.x1610*m.x799 + m.x1065 <= 0)
m.c587 = Constraint(expr=-0.0833333333333333*m.x1610*m.x799 + m.x1066 <= 0)
m.c588 = Constraint(expr=-0.0833333333333333*m.x1610*m.x799 + m.x1067 <= 0)
m.c589 = Constraint(expr=-0.0833333333333333*m.x1610*m.x799 + m.x1068 <= 0)
m.c590 = Constraint(expr=-0.0833333333333333*m.x1611*m.x800 + m.x1069 <= 0)
m.c591 = Constraint(expr=-0.0833333333333333*m.x1611*m.x800 + m.x1070 <= 0)
m.c592 = Constraint(expr=-0.0833333333333333*m.x1611*m.x800 + m.x1071 <= 0)
m.c593 = Constraint(expr=-0.0833333333333333*m.x1611*m.x800 + m.x1072 <= 0)
m.c594 = Constraint(expr=-0.0833333333333333*m.x1611*m.x800 + m.x1073 <= 0)
m.c595 = Constraint(expr=-0.0833333333333333*m.x1611*m.x800 + m.x1074 <= 0)
m.c596 = Constraint(expr=-0.0833333333333333*m.x1611*m.x800 + m.x1075 <= 0)
m.c597 = Constraint(expr=-0.0833333333333333*m.x1611*m.x800 + m.x1076 <= 0)
m.c598 = Constraint(expr=-0.0833333333333333*m.x1611*m.x800 + m.x1077 <= 0)
m.c599 = Constraint(expr=-0.0833333333333333*m.x1611*m.x800 + m.x1078 <= 0)
m.c600 = Constraint(expr=-0.0833333333333333*m.x1611*m.x800 + m.x1079 <= 0)
m.c601 = Constraint(expr=-0.0833333333333333*m.x1611*m.x800 + m.x1080 <= 0)
m.c602 = Constraint(expr=-0.0833333333333333*m.x1612*m.x801 + m.x1081 <= 0)
m.c603 = Constraint(expr=-0.0833333333333333*m.x1612*m.x801 + m.x1082 <= 0)
m.c604 = Constraint(expr=-0.0833333333333333*m.x1612*m.x801 + m.x1083 <= 0)
m.c605 = Constraint(expr=-0.0833333333333333*m.x1612*m.x801 + m.x1084 <= 0)
m.c606 = Constraint(expr=-0.0833333333333333*m.x1612*m.x801 + m.x1085 <= 0)
m.c607 = Constraint(expr=-0.0833333333333333*m.x1612*m.x801 + m.x1086 <= 0)
m.c608 = Constraint(expr=-0.0833333333333333*m.x1612*m.x801 + m.x1087 <= 0)
m.c609 = Constraint(expr=-0.0833333333333333*m.x1612*m.x801 + m.x1088 <= 0)
m.c610 = Constraint(expr=-0.0833333333333333*m.x1612*m.x801 + m.x1089 <= 0)
m.c611 = Constraint(expr=-0.0833333333333333*m.x1612*m.x801 + m.x1090 <= 0)
m.c612 = Constraint(expr=-0.0833333333333333*m.x1612*m.x801 + m.x1091 <= 0)
m.c613 = Constraint(expr=-0.0833333333333333*m.x1612*m.x801 + m.x1092 <= 0)
m.c614 = Constraint(expr=-0.0833333333333333*m.x1613*m.x802 + m.x1093 <= 0)
m.c615 = Constraint(expr=-0.0833333333333333*m.x1613*m.x802 + m.x1094 <= 0)
m.c616 = Constraint(expr=-0.0833333333333333*m.x1613*m.x802 + m.x1095 <= 0)
m.c617 = Constraint(expr=-0.0833333333333333*m.x1613*m.x802 + m.x1096 <= 0)
m.c618 = Constraint(expr=-0.0833333333333333*m.x1613*m.x802 + m.x1097 <= 0)
m.c619 = Constraint(expr=-0.0833333333333333*m.x1613*m.x802 + m.x1098 <= 0)
m.c620 = Constraint(expr=-0.0833333333333333*m.x1613*m.x802 + m.x1099 <= 0)
m.c621 = Constraint(expr=-0.0833333333333333*m.x1613*m.x802 + m.x1100 <= 0)
m.c622 = Constraint(expr=-0.0833333333333333*m.x1613*m.x802 + m.x1101 <= 0)
m.c623 = Constraint(expr=-0.0833333333333333*m.x1613*m.x802 + m.x1102 <= 0)
m.c624 = Constraint(expr=-0.0833333333333333*m.x1613*m.x802 + m.x1103 <= 0)
m.c625 = Constraint(expr=-0.0833333333333333*m.x1613*m.x802 + m.x1104 <= 0)
m.c626 = Constraint(expr=-0.0833333333333333*m.x1614*m.x803 + m.x1105 <= 0)
m.c627 = Constraint(expr=-0.0833333333333333*m.x1614*m.x803 + m.x1106 <= 0)
m.c628 = Constraint(expr=-0.0833333333333333*m.x1614*m.x803 + m.x1107 <= 0)
m.c629 = Constraint(expr=-0.0833333333333333*m.x1614*m.x803 + m.x1108 <= 0)
m.c630 = Constraint(expr=-0.0833333333333333*m.x1614*m.x803 + m.x1109 <= 0)
m.c631 = Constraint(expr=-0.0833333333333333*m.x1614*m.x803 + m.x1110 <= 0)
m.c632 = Constraint(expr=-0.0833333333333333*m.x1614*m.x803 + m.x1111 <= 0)
m.c633 = Constraint(expr=-0.0833333333333333*m.x1614*m.x803 + m.x1112 <= 0)
m.c634 = Constraint(expr=-0.0833333333333333*m.x1614*m.x803 + m.x1113 <= 0)
m.c635 = Constraint(expr=-0.0833333333333333*m.x1614*m.x803 + m.x1114 <= 0)
m.c636 = Constraint(expr=-0.0833333333333333*m.x1614*m.x803 + m.x1115 <= 0)
m.c637 = Constraint(expr=-0.0833333333333333*m.x1614*m.x803 + m.x1116 <= 0)
m.c638 = Constraint(expr=-0.0833333333333333*m.x1615*m.x804 + m.x1117 <= 0)
m.c639 = Constraint(expr=-0.0833333333333333*m.x1615*m.x804 + m.x1118 <= 0)
m.c640 = Constraint(expr=-0.0833333333333333*m.x1615*m.x804 + m.x1119 <= 0)
m.c641 = Constraint(expr=-0.0833333333333333*m.x1615*m.x804 + m.x1120 <= 0)
m.c642 = Constraint(expr=-0.0833333333333333*m.x1615*m.x804 + m.x1121 <= 0)
m.c643 = Constraint(expr=-0.0833333333333333*m.x1615*m.x804 + m.x1122 <= 0)
m.c644 = Constraint(expr=-0.0833333333333333*m.x1615*m.x804 + m.x1123 <= 0)
m.c645 = Constraint(expr=-0.0833333333333333*m.x1615*m.x804 + m.x1124 <= 0)
m.c646 = Constraint(expr=-0.0833333333333333*m.x1615*m.x804 + m.x1125 <= 0)
m.c647 = Constraint(expr=-0.0833333333333333*m.x1615*m.x804 + m.x1126 <= 0)
m.c648 = Constraint(expr=-0.0833333333333333*m.x1615*m.x804 + m.x1127 <= 0)
m.c649 = Constraint(expr=-0.0833333333333333*m.x1615*m.x804 + m.x1128 <= 0)
m.c650 = Constraint(expr=-0.0833333333333333*m.x1616*m.x805 + m.x1129 <= 0)
m.c651 = Constraint(expr=-0.0833333333333333*m.x1616*m.x805 + m.x1130 <= 0)
m.c652 = Constraint(expr=-0.0833333333333333*m.x1616*m.x805 + m.x1131 <= 0)
m.c653 = Constraint(expr=-0.0833333333333333*m.x1616*m.x805 + m.x1132 <= 0)
m.c654 = Constraint(expr=-0.0833333333333333*m.x1616*m.x805 + m.x1133 <= 0)
m.c655 = Constraint(expr=-0.0833333333333333*m.x1616*m.x805 + m.x1134 <= 0)
m.c656 = Constraint(expr=-0.0833333333333333*m.x1616*m.x805 + m.x1135 <= 0)
m.c657 = Constraint(expr=-0.0833333333333333*m.x1616*m.x805 + m.x1136 <= 0)
m.c658 = Constraint(expr=-0.0833333333333333*m.x1616*m.x805 + m.x1137 <= 0)
m.c659 = Constraint(expr=-0.0833333333333333*m.x1616*m.x805 + m.x1138 <= 0)
m.c660 = Constraint(expr=-0.0833333333333333*m.x1616*m.x805 + m.x1139 <= 0)
m.c661 = Constraint(expr=-0.0833333333333333*m.x1616*m.x805 + m.x1140 <= 0)
m.c662 = Constraint(expr=-0.0833333333333333*m.x1617*m.x806 + m.x1141 <= 0)
m.c663 = Constraint(expr=-0.0833333333333333*m.x1617*m.x806 + m.x1142 <= 0)
m.c664 = Constraint(expr=-0.0833333333333333*m.x1617*m.x806 + m.x1143 <= 0)
m.c665 = Constraint(expr=-0.0833333333333333*m.x1617*m.x806 + m.x1144 <= 0)
m.c666 = Constraint(expr=-0.0833333333333333*m.x1617*m.x806 + m.x1145 <= 0)
m.c667 = Constraint(expr=-0.0833333333333333*m.x1617*m.x806 + m.x1146 <= 0)
m.c668 = Constraint(expr=-0.0833333333333333*m.x1617*m.x806 + m.x1147 <= 0)
m.c669 = Constraint(expr=-0.0833333333333333*m.x1617*m.x806 + m.x1148 <= 0)
m.c670 = Constraint(expr=-0.0833333333333333*m.x1617*m.x806 + m.x1149 <= 0)
m.c671 = Constraint(expr=-0.0833333333333333*m.x1617*m.x806 + m.x1150 <= 0)
m.c672 = Constraint(expr=-0.0833333333333333*m.x1617*m.x806 + m.x1151 <= 0)
m.c673 = Constraint(expr=-0.0833333333333333*m.x1617*m.x806 + m.x1152 <= 0)
m.c674 = Constraint(expr=-0.0833333333333333*m.x1618*m.x807 + m.x1153 <= 0)
m.c675 = Constraint(expr=-0.0833333333333333*m.x1618*m.x807 + m.x1154 <= 0)
m.c676 = Constraint(expr=-0.0833333333333333*m.x1618*m.x807 + m.x1155 <= 0)
m.c677 = Constraint(expr=-0.0833333333333333*m.x1618*m.x807 + m.x1156 <= 0)
m.c678 = Constraint(expr=-0.0833333333333333*m.x1618*m.x807 + m.x1157 <= 0)
m.c679 = Constraint(expr=-0.0833333333333333*m.x1618*m.x807 + m.x1158 <= 0)
m.c680 = Constraint(expr=-0.0833333333333333*m.x1618*m.x807 + m.x1159 <= 0)
m.c681 = Constraint(expr=-0.0833333333333333*m.x1618*m.x807 + m.x1160 <= 0)
m.c682 = Constraint(expr=-0.0833333333333333*m.x1618*m.x807 + m.x1161 <= 0)
m.c683 = Constraint(expr=-0.0833333333333333*m.x1618*m.x807 + m.x1162 <= 0)
m.c684 = Constraint(expr=-0.0833333333333333*m.x1618*m.x807 + m.x1163 <= 0)
m.c685 = Constraint(expr=-0.0833333333333333*m.x1618*m.x807 + m.x1164 <= 0)
m.c686 = Constraint(expr=-0.0833333333333333*m.x1619*m.x808 + m.x1165 <= 0)
m.c687 = Constraint(expr=-0.0833333333333333*m.x1619*m.x808 + m.x1166 <= 0)
m.c688 = Constraint(expr=-0.0833333333333333*m.x1619*m.x808 + m.x1167 <= 0)
m.c689 = Constraint(expr=-0.0833333333333333*m.x1619*m.x808 + m.x1168 <= 0)
m.c690 = Constraint(expr=-0.0833333333333333*m.x1619*m.x808 + m.x1169 <= 0)
m.c691 = Constraint(expr=-0.0833333333333333*m.x1619*m.x808 + m.x1170 <= 0)
m.c692 = Constraint(expr=-0.0833333333333333*m.x1619*m.x808 + m.x1171 <= 0)
m.c693 = Constraint(expr=-0.0833333333333333*m.x1619*m.x808 + m.x1172 <= 0)
m.c694 = Constraint(expr=-0.0833333333333333*m.x1619*m.x808 + m.x1173 <= 0)
m.c695 = Constraint(expr=-0.0833333333333333*m.x1619*m.x808 + m.x1174 <= 0)
m.c696 = Constraint(expr=-0.0833333333333333*m.x1619*m.x808 + m.x1175 <= 0)
m.c697 = Constraint(expr=-0.0833333333333333*m.x1619*m.x808 + m.x1176 <= 0)
m.c698 = Constraint(expr=-0.0833333333333333*m.x1620*m.x809 + m.x1177 <= 0)
m.c699 = Constraint(expr=-0.0833333333333333*m.x1620*m.x809 + m.x1178 <= 0)
m.c700 = Constraint(expr=-0.0833333333333333*m.x1620*m.x809 + m.x1179 <= 0)
m.c701 = Constraint(expr=-0.0833333333333333*m.x1620*m.x809 + m.x1180 <= 0)
m.c702 = Constraint(expr=-0.0833333333333333*m.x1620*m.x809 + m.x1181 <= 0)
m.c703 = Constraint(expr=-0.0833333333333333*m.x1620*m.x809 + m.x1182 <= 0)
m.c704 = Constraint(expr=-0.0833333333333333*m.x1620*m.x809 + m.x1183 <= 0)
m.c705 = Constraint(expr=-0.0833333333333333*m.x1620*m.x809 + m.x1184 <= 0)
m.c706 = Constraint(expr=-0.0833333333333333*m.x1620*m.x809 + m.x1185 <= 0)
m.c707 = Constraint(expr=-0.0833333333333333*m.x1620*m.x809 + m.x1186 <= 0)
m.c708 = Constraint(expr=-0.0833333333333333*m.x1620*m.x809 + m.x1187 <= 0)
m.c709 = Constraint(expr=-0.0833333333333333*m.x1620*m.x809 + m.x1188 <= 0)
m.c710 = Constraint(expr=-0.0833333333333333*m.x1621*m.x810 + m.x1189 <= 0)
m.c711 = Constraint(expr=-0.0833333333333333*m.x1621*m.x810 + m.x1190 <= 0)
m.c712 = Constraint(expr=-0.0833333333333333*m.x1621*m.x810 + m.x1191 <= 0)
m.c713 = Constraint(expr=-0.0833333333333333*m.x1621*m.x810 + m.x1192 <= 0)
m.c714 = Constraint(expr=-0.0833333333333333*m.x1621*m.x810 + m.x1193 <= 0)
m.c715 = Constraint(expr=-0.0833333333333333*m.x1621*m.x810 + m.x1194 <= 0)
m.c716 = Constraint(expr=-0.0833333333333333*m.x1621*m.x810 + m.x1195 <= 0)
m.c717 = Constraint(expr=-0.0833333333333333*m.x1621*m.x810 + m.x1196 <= 0)
m.c718 = Constraint(expr=-0.0833333333333333*m.x1621*m.x810 + m.x1197 <= 0)
m.c719 = Constraint(expr=-0.0833333333333333*m.x1621*m.x810 + m.x1198 <= 0)
m.c720 = Constraint(expr=-0.0833333333333333*m.x1621*m.x810 + m.x1199 <= 0)
m.c721 = Constraint(expr=-0.0833333333333333*m.x1621*m.x810 + m.x1200 <= 0)
m.c722 = Constraint(expr=-0.0833333333333333*m.x1622*m.x811 + m.x1201 <= 0)
m.c723 = Constraint(expr=-0.0833333333333333*m.x1622*m.x811 + m.x1202 <= 0)
m.c724 = Constraint(expr=-0.0833333333333333*m.x1622*m.x811 + m.x1203 <= 0)
m.c725 = Constraint(expr=-0.0833333333333333*m.x1622*m.x811 + m.x1204 <= 0)
m.c726 = Constraint(expr=-0.0833333333333333*m.x1622*m.x811 + m.x1205 <= 0)
m.c727 = Constraint(expr=-0.0833333333333333*m.x1622*m.x811 + m.x1206 <= 0)
m.c728 = Constraint(expr=-0.0833333333333333*m.x1622*m.x811 + m.x1207 <= 0)
m.c729 = Constraint(expr=-0.0833333333333333*m.x1622*m.x811 + m.x1208 <= 0)
m.c730 = Constraint(expr=-0.0833333333333333*m.x1622*m.x811 + m.x1209 <= 0)
m.c731 = Constraint(expr=-0.0833333333333333*m.x1622*m.x811 + m.x1210 <= 0)
m.c732 = Constraint(expr=-0.0833333333333333*m.x1622*m.x811 + m.x1211 <= 0)
m.c733 = Constraint(expr=-0.0833333333333333*m.x1622*m.x811 + m.x1212 <= 0)
m.c734 = Constraint(expr=-0.0833333333333333*m.x1623*m.x812 + m.x1213 <= 0)
m.c735 = Constraint(expr=-0.0833333333333333*m.x1623*m.x812 + m.x1214 <= 0)
m.c736 = Constraint(expr=-0.0833333333333333*m.x1623*m.x812 + m.x1215 <= 0)
m.c737 = Constraint(expr=-0.0833333333333333*m.x1623*m.x812 + m.x1216 <= 0)
m.c738 = Constraint(expr=-0.0833333333333333*m.x1623*m.x812 + m.x1217 <= 0)
m.c739 = Constraint(expr=-0.0833333333333333*m.x1623*m.x812 + m.x1218 <= 0)
m.c740 = Constraint(expr=-0.0833333333333333*m.x1623*m.x812 + m.x1219 <= 0)
m.c741 = Constraint(expr=-0.0833333333333333*m.x1623*m.x812 + m.x1220 <= 0)
m.c742 = Constraint(expr=-0.0833333333333333*m.x1623*m.x812 + m.x1221 <= 0)
m.c743 = Constraint(expr=-0.0833333333333333*m.x1623*m.x812 + m.x1222 <= 0)
m.c744 = Constraint(expr=-0.0833333333333333*m.x1623*m.x812 + m.x1223 <= 0)
m.c745 = Constraint(expr=-0.0833333333333333*m.x1623*m.x812 + m.x1224 <= 0)
m.c746 = Constraint(expr=-0.0833333333333333*m.x1624*m.x813 + m.x1225 <= 0)
m.c747 = Constraint(expr=-0.0833333333333333*m.x1624*m.x813 + m.x1226 <= 0)
m.c748 = Constraint(expr=-0.0833333333333333*m.x1624*m.x813 + m.x1227 <= 0)
m.c749 = Constraint(expr=-0.0833333333333333*m.x1624*m.x813 + m.x1228 <= 0)
m.c750 = Constraint(expr=-0.0833333333333333*m.x1624*m.x813 + m.x1229 <= 0)
m.c751 = Constraint(expr=-0.0833333333333333*m.x1624*m.x813 + m.x1230 <= 0)
m.c752 = Constraint(expr=-0.0833333333333333*m.x1624*m.x813 + m.x1231 <= 0)
m.c753 = Constraint(expr=-0.0833333333333333*m.x1624*m.x813 + m.x1232 <= 0)
m.c754 = Constraint(expr=-0.0833333333333333*m.x1624*m.x813 + m.x1233 <= 0)
m.c755 = Constraint(expr=-0.0833333333333333*m.x1624*m.x813 + m.x1234 <= 0)
m.c756 = Constraint(expr=-0.0833333333333333*m.x1624*m.x813 + m.x1235 <= 0)
m.c757 = Constraint(expr=-0.0833333333333333*m.x1624*m.x813 + m.x1236 <= 0)
m.c758 = Constraint(expr=-0.0833333333333333*m.x1625*m.x814 + m.x1237 <= 0)
m.c759 = Constraint(expr=-0.0833333333333333*m.x1625*m.x814 + m.x1238 <= 0)
m.c760 = Constraint(expr=-0.0833333333333333*m.x1625*m.x814 + m.x1239 <= 0)
m.c761 = Constraint(expr=-0.0833333333333333*m.x1625*m.x814 + m.x1240 <= 0)
m.c762 = Constraint(expr=-0.0833333333333333*m.x1625*m.x814 + m.x1241 <= 0)
m.c763 = Constraint(expr=-0.0833333333333333*m.x1625*m.x814 + m.x1242 <= 0)
m.c764 = Constraint(expr=-0.0833333333333333*m.x1625*m.x814 + m.x1243 <= 0)
m.c765 = Constraint(expr=-0.0833333333333333*m.x1625*m.x814 + m.x1244 <= 0)
m.c766 = Constraint(expr=-0.0833333333333333*m.x1625*m.x814 + m.x1245 <= 0)
m.c767 = Constraint(expr=-0.0833333333333333*m.x1625*m.x814 + m.x1246 <= 0)
m.c768 = Constraint(expr=-0.0833333333333333*m.x1625*m.x814 + m.x1247 <= 0)
m.c769 = Constraint(expr=-0.0833333333333333*m.x1625*m.x814 + m.x1248 <= 0)
m.c770 = Constraint(expr=-0.0833333333333333*m.x1626*m.x815 + m.x1249 <= 0)
m.c771 = Constraint(expr=-0.0833333333333333*m.x1626*m.x815 + m.x1250 <= 0)
m.c772 = Constraint(expr=-0.0833333333333333*m.x1626*m.x815 + m.x1251 <= 0)
m.c773 = Constraint(expr=-0.0833333333333333*m.x1626*m.x815 + m.x1252 <= 0)
m.c774 = Constraint(expr=-0.0833333333333333*m.x1626*m.x815 + m.x1253 <= 0)
m.c775 = Constraint(expr=-0.0833333333333333*m.x1626*m.x815 + m.x1254 <= 0)
m.c776 = Constraint(expr=-0.0833333333333333*m.x1626*m.x815 + m.x1255 <= 0)
m.c777 = Constraint(expr=-0.0833333333333333*m.x1626*m.x815 + m.x1256 <= 0)
m.c778 = Constraint(expr=-0.0833333333333333*m.x1626*m.x815 + m.x1257 <= 0)
m.c779 = Constraint(expr=-0.0833333333333333*m.x1626*m.x815 + m.x1258 <= 0)
m.c780 = Constraint(expr=-0.0833333333333333*m.x1626*m.x815 + m.x1259 <= 0)
m.c781 = Constraint(expr=-0.0833333333333333*m.x1626*m.x815 + m.x1260 <= 0)
m.c782 = Constraint(expr=-0.0833333333333333*m.x1627*m.x816 + m.x1261 <= 0)
m.c783 = Constraint(expr=-0.0833333333333333*m.x1627*m.x816 + m.x1262 <= 0)
m.c784 = Constraint(expr=-0.0833333333333333*m.x1627*m.x816 + m.x1263 <= 0)
m.c785 = Constraint(expr=-0.0833333333333333*m.x1627*m.x816 + m.x1264 <= 0)
m.c786 = Constraint(expr=-0.0833333333333333*m.x1627*m.x816 + m.x1265 <= 0)
m.c787 = Constraint(expr=-0.0833333333333333*m.x1627*m.x816 + m.x1266 <= 0)
m.c788 = Constraint(expr=-0.0833333333333333*m.x1627*m.x816 + m.x1267 <= 0)
m.c789 = Constraint(expr=-0.0833333333333333*m.x1627*m.x816 + m.x1268 <= 0)
m.c790 = Constraint(expr=-0.0833333333333333*m.x1627*m.x816 + m.x1269 <= 0)
m.c791 = Constraint(expr=-0.0833333333333333*m.x1627*m.x816 + m.x1270 <= 0)
m.c792 = Constraint(expr=-0.0833333333333333*m.x1627*m.x816 + m.x1271 <= 0)
m.c793 = Constraint(expr=-0.0833333333333333*m.x1627*m.x816 + m.x1272 <= 0)
m.c794 = Constraint(expr=-0.0833333333333333*m.x1628*m.x817 + m.x1273 <= 0)
m.c795 = Constraint(expr=-0.0833333333333333*m.x1628*m.x817 + m.x1274 <= 0)
m.c796 = Constraint(expr=-0.0833333333333333*m.x1628*m.x817 + m.x1275 <= 0)
m.c797 = Constraint(expr=-0.0833333333333333*m.x1628*m.x817 + m.x1276 <= 0)
m.c798 = Constraint(expr=-0.0833333333333333*m.x1628*m.x817 + m.x1277 <= 0)
m.c799 = Constraint(expr=-0.0833333333333333*m.x1628*m.x817 + m.x1278 <= 0)
m.c800 = Constraint(expr=-0.0833333333333333*m.x1628*m.x817 + m.x1279 <= 0)
m.c801 = Constraint(expr=-0.0833333333333333*m.x1628*m.x817 + m.x1280 <= 0)
m.c802 = Constraint(expr=-0.0833333333333333*m.x1628*m.x817 + m.x1281 <= 0)
m.c803 = Constraint(expr=-0.0833333333333333*m.x1628*m.x817 + m.x1282 <= 0)
m.c804 = Constraint(expr=-0.0833333333333333*m.x1628*m.x817 + m.x1283 <= 0)
m.c805 = Constraint(expr=-0.0833333333333333*m.x1628*m.x817 + m.x1284 <= 0)
m.c806 = Constraint(expr=-0.0833333333333333*m.x1629*m.x818 + m.x1285 <= 0)
m.c807 = Constraint(expr=-0.0833333333333333*m.x1629*m.x818 + m.x1286 <= 0)
m.c808 = Constraint(expr=-0.0833333333333333*m.x1629*m.x818 + m.x1287 <= 0)
m.c809 = Constraint(expr=-0.0833333333333333*m.x1629*m.x818 + m.x1288 <= 0)
m.c810 = Constraint(expr=-0.0833333333333333*m.x1629*m.x818 + m.x1289 <= 0)
m.c811 = Constraint(expr=-0.0833333333333333*m.x1629*m.x818 + m.x1290 <= 0)
m.c812 = Constraint(expr=-0.0833333333333333*m.x1629*m.x818 + m.x1291 <= 0)
m.c813 = Constraint(expr=-0.0833333333333333*m.x1629*m.x818 + m.x1292 <= 0)
m.c814 = Constraint(expr=-0.0833333333333333*m.x1629*m.x818 + m.x1293 <= 0)
m.c815 = Constraint(expr=-0.0833333333333333*m.x1629*m.x818 + m.x1294 <= 0)
m.c816 = Constraint(expr=-0.0833333333333333*m.x1629*m.x818 + m.x1295 <= 0)
m.c817 = Constraint(expr=-0.0833333333333333*m.x1629*m.x818 + m.x1296 <= 0)
m.c818 = Constraint(expr=-0.0833333333333333*m.x1630*m.x819 + m.x1297 <= 0)
m.c819 = Constraint(expr=-0.0833333333333333*m.x1630*m.x819 + m.x1298 <= 0)
m.c820 = Constraint(expr=-0.0833333333333333*m.x1630*m.x819 + m.x1299 <= 0)
m.c821 = Constraint(expr=-0.0833333333333333*m.x1630*m.x819 + m.x1300 <= 0)
m.c822 = Constraint(expr=-0.0833333333333333*m.x1630*m.x819 + m.x1301 <= 0)
m.c823 = Constraint(expr=-0.0833333333333333*m.x1630*m.x819 + m.x1302 <= 0)
m.c824 = Constraint(expr=-0.0833333333333333*m.x1630*m.x819 + m.x1303 <= 0)
m.c825 = Constraint(expr=-0.0833333333333333*m.x1630*m.x819 + m.x1304 <= 0)
m.c826 = Constraint(expr=-0.0833333333333333*m.x1630*m.x819 + m.x1305 <= 0)
m.c827 = Constraint(expr=-0.0833333333333333*m.x1630*m.x819 + m.x1306 <= 0)
m.c828 = Constraint(expr=-0.0833333333333333*m.x1630*m.x819 + m.x1307 <= 0)
m.c829 = Constraint(expr=-0.0833333333333333*m.x1630*m.x819 + m.x1308 <= 0)
m.c830 = Constraint(expr=-0.0833333333333333*m.x1631*m.x820 + m.x1309 <= 0)
m.c831 = Constraint(expr=-0.0833333333333333*m.x1631*m.x820 + m.x1310 <= 0)
m.c832 = Constraint(expr=-0.0833333333333333*m.x1631*m.x820 + m.x1311 <= 0)
m.c833 = Constraint(expr=-0.0833333333333333*m.x1631*m.x820 + m.x1312 <= 0)
m.c834 = Constraint(expr=-0.0833333333333333*m.x1631*m.x820 + m.x1313 <= 0)
m.c835 = Constraint(expr=-0.0833333333333333*m.x1631*m.x820 + m.x1314 <= 0)
m.c836 = Constraint(expr=-0.0833333333333333*m.x1631*m.x820 + m.x1315 <= 0)
m.c837 = Constraint(expr=-0.0833333333333333*m.x1631*m.x820 + m.x1316 <= 0)
m.c838 = Constraint(expr=-0.0833333333333333*m.x1631*m.x820 + m.x1317 <= 0)
m.c839 = Constraint(expr=-0.0833333333333333*m.x1631*m.x820 + m.x1318 <= 0)
m.c840 = Constraint(expr=-0.0833333333333333*m.x1631*m.x820 + m.x1319 <= 0)
m.c841 = Constraint(expr=-0.0833333333333333*m.x1631*m.x820 + m.x1320 <= 0)
m.c842 = Constraint(expr=-0.0833333333333333*m.x1632*m.x821 + m.x1321 <= 0)
m.c843 = Constraint(expr=-0.0833333333333333*m.x1632*m.x821 + m.x1322 <= 0)
m.c844 = Constraint(expr=-0.0833333333333333*m.x1632*m.x821 + m.x1323 <= 0)
m.c845 = Constraint(expr=-0.0833333333333333*m.x1632*m.x821 + m.x1324 <= 0)
m.c846 = Constraint(expr=-0.0833333333333333*m.x1632*m.x821 + m.x1325 <= 0)
m.c847 = Constraint(expr=-0.0833333333333333*m.x1632*m.x821 + m.x1326 <= 0)
m.c848 = Constraint(expr=-0.0833333333333333*m.x1632*m.x821 + m.x1327 <= 0)
m.c849 = Constraint(expr=-0.0833333333333333*m.x1632*m.x821 + m.x1328 <= 0)
m.c850 = Constraint(expr=-0.0833333333333333*m.x1632*m.x821 + m.x1329 <= 0)
m.c851 = Constraint(expr=-0.0833333333333333*m.x1632*m.x821 + m.x1330 <= 0)
m.c852 = Constraint(expr=-0.0833333333333333*m.x1632*m.x821 + m.x1331 <= 0)
m.c853 = Constraint(expr=-0.0833333333333333*m.x1632*m.x821 + m.x1332 <= 0)
m.c854 = Constraint(expr=-0.0833333333333333*m.x1633*m.x822 + m.x1333 <= 0)
m.c855 = Constraint(expr=-0.0833333333333333*m.x1633*m.x822 + m.x1334 <= 0)
m.c856 = Constraint(expr=-0.0833333333333333*m.x1633*m.x822 + m.x1335 <= 0)
m.c857 = Constraint(expr=-0.0833333333333333*m.x1633*m.x822 + m.x1336 <= 0)
m.c858 = Constraint(expr=-0.0833333333333333*m.x1633*m.x822 + m.x1337 <= 0)
m.c859 = Constraint(expr=-0.0833333333333333*m.x1633*m.x822 + m.x1338 <= 0)
m.c860 = Constraint(expr=-0.0833333333333333*m.x1633*m.x822 + m.x1339 <= 0)
m.c861 = Constraint(expr=-0.0833333333333333*m.x1633*m.x822 + m.x1340 <= 0)
m.c862 = Constraint(expr=-0.0833333333333333*m.x1633*m.x822 + m.x1341 <= 0)
m.c863 = Constraint(expr=-0.0833333333333333*m.x1633*m.x822 + m.x1342 <= 0)
m.c864 = Constraint(expr=-0.0833333333333333*m.x1633*m.x822 + m.x1343 <= 0)
m.c865 = Constraint(expr=-0.0833333333333333*m.x1633*m.x822 + m.x1344 <= 0)
m.c866 = Constraint(expr=-0.0833333333333333*m.x1634*m.x823 + m.x1345 <= 0)
m.c867 = Constraint(expr=-0.0833333333333333*m.x1634*m.x823 + m.x1346 <= 0)
m.c868 = Constraint(expr=-0.0833333333333333*m.x1634*m.x823 + m.x1347 <= 0)
m.c869 = Constraint(expr=-0.0833333333333333*m.x1634*m.x823 + m.x1348 <= 0)
m.c870 = Constraint(expr=-0.0833333333333333*m.x1634*m.x823 + m.x1349 <= 0)
m.c871 = Constraint(expr=-0.0833333333333333*m.x1634*m.x823 + m.x1350 <= 0)
m.c872 = Constraint(expr=-0.0833333333333333*m.x1634*m.x823 + m.x1351 <= 0)
m.c873 = Constraint(expr=-0.0833333333333333*m.x1634*m.x823 + m.x1352 <= 0)
m.c874 = Constraint(expr=-0.0833333333333333*m.x1634*m.x823 + m.x1353 <= 0)
m.c875 = Constraint(expr=-0.0833333333333333*m.x1634*m.x823 + m.x1354 <= 0)
m.c876 = Constraint(expr=-0.0833333333333333*m.x1634*m.x823 + m.x1355 <= 0)
m.c877 = Constraint(expr=-0.0833333333333333*m.x1634*m.x823 + m.x1356 <= 0)
m.c878 = Constraint(expr=-0.0833333333333333*m.x1635*m.x824 + m.x1357 <= 0)
m.c879 = Constraint(expr=-0.0833333333333333*m.x1635*m.x824 + m.x1358 <= 0)
m.c880 = Constraint(expr=-0.0833333333333333*m.x1635*m.x824 + m.x1359 <= 0)
m.c881 = Constraint(expr=-0.0833333333333333*m.x1635*m.x824 + m.x1360 <= 0)
m.c882 = Constraint(expr=-0.0833333333333333*m.x1635*m.x824 + m.x1361 <= 0)
m.c883 = Constraint(expr=-0.0833333333333333*m.x1635*m.x824 + m.x1362 <= 0)
m.c884 = Constraint(expr=-0.0833333333333333*m.x1635*m.x824 + m.x1363 <= 0)
m.c885 = Constraint(expr=-0.0833333333333333*m.x1635*m.x824 + m.x1364 <= 0)
m.c886 = Constraint(expr=-0.0833333333333333*m.x1635*m.x824 + m.x1365 <= 0)
m.c887 = Constraint(expr=-0.0833333333333333*m.x1635*m.x824 + m.x1366 <= 0)
m.c888 = Constraint(expr=-0.0833333333333333*m.x1635*m.x824 + m.x1367 <= 0)
m.c889 = Constraint(expr=-0.0833333333333333*m.x1635*m.x824 + m.x1368 <= 0)
m.c890 = Constraint(expr=-0.0833333333333333*m.x1636*m.x825 + m.x1369 <= 0)
m.c891 = Constraint(expr=-0.0833333333333333*m.x1636*m.x825 + m.x1370 <= 0)
m.c892 = Constraint(expr=-0.0833333333333333*m.x1636*m.x825 + m.x1371 <= 0)
m.c893 = Constraint(expr=-0.0833333333333333*m.x1636*m.x825 + m.x1372 <= 0)
m.c894 = Constraint(expr=-0.0833333333333333*m.x1636*m.x825 + m.x1373 <= 0)
m.c895 = Constraint(expr=-0.0833333333333333*m.x1636*m.x825 + m.x1374 <= 0)
m.c896 = Constraint(expr=-0.0833333333333333*m.x1636*m.x825 + m.x1375 <= 0)
m.c897 = Constraint(expr=-0.0833333333333333*m.x1636*m.x825 + m.x1376 <= 0)
m.c898 = Constraint(expr=-0.0833333333333333*m.x1636*m.x825 + m.x1377 <= 0)
m.c899 = Constraint(expr=-0.0833333333333333*m.x1636*m.x825 + m.x1378 <= 0)
m.c900 = Constraint(expr=-0.0833333333333333*m.x1636*m.x825 + m.x1379 <= 0)
m.c901 = Constraint(expr=-0.0833333333333333*m.x1636*m.x825 + m.x1380 <= 0)
m.c902 = Constraint(expr=-0.0833333333333333*m.x1637*m.x826 + m.x1381 <= 0)
m.c903 = Constraint(expr=-0.0833333333333333*m.x1637*m.x826 + m.x1382 <= 0)
m.c904 = Constraint(expr=-0.0833333333333333*m.x1637*m.x826 + m.x1383 <= 0)
m.c905 = Constraint(expr=-0.0833333333333333*m.x1637*m.x826 + m.x1384 <= 0)
m.c906 = Constraint(expr=-0.0833333333333333*m.x1637*m.x826 + m.x1385 <= 0)
m.c907 = Constraint(expr=-0.0833333333333333*m.x1637*m.x826 + m.x1386 <= 0)
m.c908 = Constraint(expr=-0.0833333333333333*m.x1637*m.x826 + m.x1387 <= 0)
m.c909 = Constraint(expr=-0.0833333333333333*m.x1637*m.x826 + m.x1388 <= 0)
m.c910 = Constraint(expr=-0.0833333333333333*m.x1637*m.x826 + m.x1389 <= 0)
m.c911 = Constraint(expr=-0.0833333333333333*m.x1637*m.x826 + m.x1390 <= 0)
m.c912 = Constraint(expr=-0.0833333333333333*m.x1637*m.x826 + m.x1391 <= 0)
m.c913 = Constraint(expr=-0.0833333333333333*m.x1637*m.x826 + m.x1392 <= 0)
m.c914 = Constraint(expr=-0.0833333333333333*m.x1638*m.x827 + m.x1393 <= 0)
m.c915 = Constraint(expr=-0.0833333333333333*m.x1638*m.x827 + m.x1394 <= 0)
m.c916 = Constraint(expr=-0.0833333333333333*m.x1638*m.x827 + m.x1395 <= 0)
m.c917 = Constraint(expr=-0.0833333333333333*m.x1638*m.x827 + m.x1396 <= 0)
m.c918 = Constraint(expr=-0.0833333333333333*m.x1638*m.x827 + m.x1397 <= 0)
m.c919 = Constraint(expr=-0.0833333333333333*m.x1638*m.x827 + m.x1398 <= 0)
m.c920 = Constraint(expr=-0.0833333333333333*m.x1638*m.x827 + m.x1399 <= 0)
m.c921 = Constraint(expr=-0.0833333333333333*m.x1638*m.x827 + m.x1400 <= 0)
m.c922 = Constraint(expr=-0.0833333333333333*m.x1638*m.x827 + m.x1401 <= 0)
m.c923 = Constraint(expr=-0.0833333333333333*m.x1638*m.x827 + m.x1402 <= 0)
m.c924 = Constraint(expr=-0.0833333333333333*m.x1638*m.x827 + m.x1403 <= 0)
m.c925 = Constraint(expr=-0.0833333333333333*m.x1638*m.x827 + m.x1404 <= 0)
m.c926 = Constraint(expr=-0.0833333333333333*m.x1639*m.x828 + m.x1405 <= 0)
m.c927 = Constraint(expr=-0.0833333333333333*m.x1639*m.x828 + m.x1406 <= 0)
m.c928 = Constraint(expr=-0.0833333333333333*m.x1639*m.x828 + m.x1407 <= 0)
m.c929 = Constraint(expr=-0.0833333333333333*m.x1639*m.x828 + m.x1408 <= 0)
m.c930 = Constraint(expr=-0.0833333333333333*m.x1639*m.x828 + m.x1409 <= 0)
m.c931 = Constraint(expr=-0.0833333333333333*m.x1639*m.x828 + m.x1410 <= 0)
m.c932 = Constraint(expr=-0.0833333333333333*m.x1639*m.x828 + m.x1411 <= 0)
m.c933 = Constraint(expr=-0.0833333333333333*m.x1639*m.x828 + m.x1412 <= 0)
m.c934 = Constraint(expr=-0.0833333333333333*m.x1639*m.x828 + m.x1413 <= 0)
m.c935 = Constraint(expr=-0.0833333333333333*m.x1639*m.x828 + m.x1414 <= 0)
m.c936 = Constraint(expr=-0.0833333333333333*m.x1639*m.x828 + m.x1415 <= 0)
m.c937 = Constraint(expr=-0.0833333333333333*m.x1639*m.x828 + m.x1416 <= 0)
m.c938 = Constraint(expr=-0.0833333333333333*m.x1640*m.x829 + m.x1417 <= 0)
m.c939 = Constraint(expr=-0.0833333333333333*m.x1640*m.x829 + m.x1418 <= 0)
m.c940 = Constraint(expr=-0.0833333333333333*m.x1640*m.x829 + m.x1419 <= 0)
m.c941 = Constraint(expr=-0.0833333333333333*m.x1640*m.x829 + m.x1420 <= 0)
m.c942 = Constraint(expr=-0.0833333333333333*m.x1640*m.x829 + m.x1421 <= 0)
m.c943 = Constraint(expr=-0.0833333333333333*m.x1640*m.x829 + m.x1422 <= 0)
m.c944 = Constraint(expr=-0.0833333333333333*m.x1640*m.x829 + m.x1423 <= 0)
m.c945 = Constraint(expr=-0.0833333333333333*m.x1640*m.x829 + m.x1424 <= 0)
m.c946 = Constraint(expr=-0.0833333333333333*m.x1640*m.x829 + m.x1425 <= 0)
m.c947 = Constraint(expr=-0.0833333333333333*m.x1640*m.x829 + m.x1426 <= 0)
m.c948 = Constraint(expr=-0.0833333333333333*m.x1640*m.x829 + m.x1427 <= 0)
m.c949 = Constraint(expr=-0.0833333333333333*m.x1640*m.x829 + m.x1428 <= 0)
m.c950 = Constraint(expr=-0.0833333333333333*m.x1641*m.x830 + m.x1429 <= 0)
m.c951 = Constraint(expr=-0.0833333333333333*m.x1641*m.x830 + m.x1430 <= 0)
m.c952 = Constraint(expr=-0.0833333333333333*m.x1641*m.x830 + m.x1431 <= 0)
m.c953 = Constraint(expr=-0.0833333333333333*m.x1641*m.x830 + m.x1432 <= 0)
m.c954 = Constraint(expr=-0.0833333333333333*m.x1641*m.x830 + m.x1433 <= 0)
m.c955 = Constraint(expr=-0.0833333333333333*m.x1641*m.x830 + m.x1434 <= 0)
m.c956 = Constraint(expr=-0.0833333333333333*m.x1641*m.x830 + m.x1435 <= 0)
m.c957 = Constraint(expr=-0.0833333333333333*m.x1641*m.x830 + m.x1436 <= 0)
m.c958 = Constraint(expr=-0.0833333333333333*m.x1641*m.x830 + m.x1437 <= 0)
m.c959 = Constraint(expr=-0.0833333333333333*m.x1641*m.x830 + m.x1438 <= 0)
m.c960 = Constraint(expr=-0.0833333333333333*m.x1641*m.x830 + m.x1439 <= 0)
m.c961 = Constraint(expr=-0.0833333333333333*m.x1641*m.x830 + m.x1440 <= 0)
m.c962 = Constraint(expr=-0.0833333333333333*m.x1642*m.x831 + m.x1441 <= 0)
m.c963 = Constraint(expr=-0.0833333333333333*m.x1642*m.x831 + m.x1442 <= 0)
m.c964 = Constraint(expr=-0.0833333333333333*m.x1642*m.x831 + m.x1443 <= 0)
m.c965 = Constraint(expr=-0.0833333333333333*m.x1642*m.x831 + m.x1444 <= 0)
m.c966 = Constraint(expr=-0.0833333333333333*m.x1642*m.x831 + m.x1445 <= 0)
m.c967 = Constraint(expr=-0.0833333333333333*m.x1642*m.x831 + m.x1446 <= 0)
m.c968 = Constraint(expr=-0.0833333333333333*m.x1642*m.x831 + m.x1447 <= 0)
m.c969 = Constraint(expr=-0.0833333333333333*m.x1642*m.x831 + m.x1448 <= 0)
m.c970 = Constraint(expr=-0.0833333333333333*m.x1642*m.x831 + m.x1449 <= 0)
m.c971 = Constraint(expr=-0.0833333333333333*m.x1642*m.x831 + m.x1450 <= 0)
m.c972 = Constraint(expr=-0.0833333333333333*m.x1642*m.x831 + m.x1451 <= 0)
m.c973 = Constraint(expr=-0.0833333333333333*m.x1642*m.x831 + m.x1452 <= 0)
m.c974 = Constraint(expr=-0.0833333333333333*m.x1643*m.x832 + m.x1453 <= 0)
m.c975 = Constraint(expr=-0.0833333333333333*m.x1643*m.x832 + m.x1454 <= 0)
m.c976 = Constraint(expr=-0.0833333333333333*m.x1643*m.x832 + m.x1455 <= 0)
m.c977 = Constraint(expr=-0.0833333333333333*m.x1643*m.x832 + m.x1456 <= 0)
m.c978 = Constraint(expr=-0.0833333333333333*m.x1643*m.x832 + m.x1457 <= 0)
m.c979 = Constraint(expr=-0.0833333333333333*m.x1643*m.x832 + m.x1458 <= 0)
m.c980 = Constraint(expr=-0.0833333333333333*m.x1643*m.x832 + m.x1459 <= 0)
m.c981 = Constraint(expr=-0.0833333333333333*m.x1643*m.x832 + m.x1460 <= 0)
m.c982 = Constraint(expr=-0.0833333333333333*m.x1643*m.x832 + m.x1461 <= 0)
m.c983 = Constraint(expr=-0.0833333333333333*m.x1643*m.x832 + m.x1462 <= 0)
m.c984 = Constraint(expr=-0.0833333333333333*m.x1643*m.x832 + m.x1463 <= 0)
m.c985 = Constraint(expr=-0.0833333333333333*m.x1643*m.x832 + m.x1464 <= 0)
m.c986 = Constraint(expr=-0.0833333333333333*m.x1644*m.x833 + m.x1465 <= 0)
m.c987 = Constraint(expr=-0.0833333333333333*m.x1644*m.x833 + m.x1466 <= 0)
m.c988 = Constraint(expr=-0.0833333333333333*m.x1644*m.x833 + m.x1467 <= 0)
m.c989 = Constraint(expr=-0.0833333333333333*m.x1644*m.x833 + m.x1468 <= 0)
m.c990 = Constraint(expr=-0.0833333333333333*m.x1644*m.x833 + m.x1469 <= 0)
m.c991 = Constraint(expr=-0.0833333333333333*m.x1644*m.x833 + m.x1470 <= 0)
m.c992 = Constraint(expr=-0.0833333333333333*m.x1644*m.x833 + m.x1471 <= 0)
m.c993 = Constraint(expr=-0.0833333333333333*m.x1644*m.x833 + m.x1472 <= 0)
m.c994 = Constraint(expr=-0.0833333333333333*m.x1644*m.x833 + m.x1473 <= 0)
m.c995 = Constraint(expr=-0.0833333333333333*m.x1644*m.x833 + m.x1474 <= 0)
m.c996 = Constraint(expr=-0.0833333333333333*m.x1644*m.x833 + m.x1475 <= 0)
m.c997 = Constraint(expr=-0.0833333333333333*m.x1644*m.x833 + m.x1476 <= 0)
m.c998 = Constraint(expr=-0.0833333333333333*m.x1645*m.x834 + m.x1477 <= 0)
m.c999 = Constraint(expr=-0.0833333333333333*m.x1645*m.x834 + m.x1478 <= 0)
m.c1000 = Constraint(expr=-0.0833333333333333*m.x1645*m.x834 + m.x1479 <= 0)
m.c1001 = Constraint(expr=-0.0833333333333333*m.x1645*m.x834 + m.x1480 <= 0)
m.c1002 = Constraint(expr=-0.0833333333333333*m.x1645*m.x834 + m.x1481 <= 0)
m.c1003 = Constraint(expr=-0.0833333333333333*m.x1645*m.x834 + m.x1482 <= 0)
m.c1004 = Constraint(expr=-0.0833333333333333*m.x1645*m.x834 + m.x1483 <= 0)
m.c1005 = Constraint(expr=-0.0833333333333333*m.x1645*m.x834 + m.x1484 <= 0)
m.c1006 = Constraint(expr=-0.0833333333333333*m.x1645*m.x834 + m.x1485 <= 0)
m.c1007 = Constraint(expr=-0.0833333333333333*m.x1645*m.x834 + m.x1486 <= 0)
m.c1008 = Constraint(expr=-0.0833333333333333*m.x1645*m.x834 + m.x1487 <= 0)
m.c1009 = Constraint(expr=-0.0833333333333333*m.x1645*m.x834 + m.x1488 <= 0)
m.c1010 = Constraint(expr=-0.0833333333333333*m.x1646*m.x835 + m.x1489 <= 0)
m.c1011 = Constraint(expr=-0.0833333333333333*m.x1646*m.x835 + m.x1490 <= 0)
m.c1012 = Constraint(expr=-0.0833333333333333*m.x1646*m.x835 + m.x1491 <= 0)
m.c1013 = Constraint(expr=-0.0833333333333333*m.x1646*m.x835 + m.x1492 <= 0)
m.c1014 = Constraint(expr=-0.0833333333333333*m.x1646*m.x835 + m.x1493 <= 0)
m.c1015 = Constraint(expr=-0.0833333333333333*m.x1646*m.x835 + m.x1494 <= 0)
m.c1016 = Constraint(expr=-0.0833333333333333*m.x1646*m.x835 + m.x1495 <= 0)
m.c1017 = Constraint(expr=-0.0833333333333333*m.x1646*m.x835 + m.x1496 <= 0)
m.c1018 = Constraint(expr=-0.0833333333333333*m.x1646*m.x835 + m.x1497 <= 0)
m.c1019 = Constraint(expr=-0.0833333333333333*m.x1646*m.x835 + m.x1498 <= 0)
m.c1020 = Constraint(expr=-0.0833333333333333*m.x1646*m.x835 + m.x1499 <= 0)
m.c1021 = Constraint(expr=-0.0833333333333333*m.x1646*m.x835 + m.x1500 <= 0)
m.c1022 = Constraint(expr=-0.0833333333333333*m.x1647*m.x836 + m.x1501 <= 0)
m.c1023 = Constraint(expr=-0.0833333333333333*m.x1647*m.x836 + m.x1502 <= 0)
m.c1024 = Constraint(expr=-0.0833333333333333*m.x1647*m.x836 + m.x1503 <= 0)
m.c1025 = Constraint(expr=-0.0833333333333333*m.x1647*m.x836 + m.x1504 <= 0)
m.c1026 = Constraint(expr=-0.0833333333333333*m.x1647*m.x836 + m.x1505 <= 0)
m.c1027 = Constraint(expr=-0.0833333333333333*m.x1647*m.x836 + m.x1506 <= 0)
m.c1028 = Constraint(expr=-0.0833333333333333*m.x1647*m.x836 + m.x1507 <= 0)
m.c1029 = Constraint(expr=-0.0833333333333333*m.x1647*m.x836 + m.x1508 <= 0)
m.c1030 = Constraint(expr=-0.0833333333333333*m.x1647*m.x836 + m.x1509 <= 0)
m.c1031 = Constraint(expr=-0.0833333333333333*m.x1647*m.x836 + m.x1510 <= 0)
m.c1032 = Constraint(expr=-0.0833333333333333*m.x1647*m.x836 + m.x1511 <= 0)
m.c1033 = Constraint(expr=-0.0833333333333333*m.x1647*m.x836 + m.x1512 <= 0)
m.c1034 = Constraint(expr=-0.0833333333333333*m.x1648*m.x837 + m.x1513 <= 0)
m.c1035 = Constraint(expr=-0.0833333333333333*m.x1648*m.x837 + m.x1514 <= 0)
m.c1036 = Constraint(expr=-0.0833333333333333*m.x1648*m.x837 + m.x1515 <= 0)
m.c1037 = Constraint(expr=-0.0833333333333333*m.x1648*m.x837 + m.x1516 <= 0)
m.c1038 = Constraint(expr=-0.0833333333333333*m.x1648*m.x837 + m.x1517 <= 0)
m.c1039 = Constraint(expr=-0.0833333333333333*m.x1648*m.x837 + m.x1518 <= 0)
m.c1040 = Constraint(expr=-0.0833333333333333*m.x1648*m.x837 + m.x1519 <= 0)
m.c1041 = Constraint(expr=-0.0833333333333333*m.x1648*m.x837 + m.x1520 <= 0)
m.c1042 = Constraint(expr=-0.0833333333333333*m.x1648*m.x837 + m.x1521 <= 0)
m.c1043 = Constraint(expr=-0.0833333333333333*m.x1648*m.x837 + m.x1522 <= 0)
m.c1044 = Constraint(expr=-0.0833333333333333*m.x1648*m.x837 + m.x1523 <= 0)
m.c1045 = Constraint(expr=-0.0833333333333333*m.x1648*m.x837 + m.x1524 <= 0)
m.c1046 = Constraint(expr=-0.0833333333333333*m.x1649*m.x838 + m.x1525 <= 0)
m.c1047 = Constraint(expr=-0.0833333333333333*m.x1649*m.x838 + m.x1526 <= 0)
m.c1048 = Constraint(expr=-0.0833333333333333*m.x1649*m.x838 + m.x1527 <= 0)
m.c1049 = Constraint(expr=-0.0833333333333333*m.x1649*m.x838 + m.x1528 <= 0)
m.c1050 = Constraint(expr=-0.0833333333333333*m.x1649*m.x838 + m.x1529 <= 0)
m.c1051 = Constraint(expr=-0.0833333333333333*m.x1649*m.x838 + m.x1530 <= 0)
m.c1052 = Constraint(expr=-0.0833333333333333*m.x1649*m.x838 + m.x1531 <= 0)
m.c1053 = Constraint(expr=-0.0833333333333333*m.x1649*m.x838 + m.x1532 <= 0)
m.c1054 = Constraint(expr=-0.0833333333333333*m.x1649*m.x838 + m.x1533 <= 0)
m.c1055 = Constraint(expr=-0.0833333333333333*m.x1649*m.x838 + m.x1534 <= 0)
m.c1056 = Constraint(expr=-0.0833333333333333*m.x1649*m.x838 + m.x1535 <= 0)
m.c1057 = Constraint(expr=-0.0833333333333333*m.x1649*m.x838 + m.x1536 <= 0)
m.c1058 = Constraint(expr=-0.0833333333333333*m.x1650*m.x839 + m.x1537 <= 0)
m.c1059 = Constraint(expr=-0.0833333333333333*m.x1650*m.x839 + m.x1538 <= 0)
m.c1060 = Constraint(expr=-0.0833333333333333*m.x1650*m.x839 + m.x1539 <= 0)
m.c1061 = Constraint(expr=-0.0833333333333333*m.x1650*m.x839 + m.x1540 <= 0)
m.c1062 = Constraint(expr=-0.0833333333333333*m.x1650*m.x839 + m.x1541 <= 0)
m.c1063 = Constraint(expr=-0.0833333333333333*m.x1650*m.x839 + m.x1542 <= 0)
m.c1064 = Constraint(expr=-0.0833333333333333*m.x1650*m.x839 + m.x1543 <= 0)
m.c1065 = Constraint(expr=-0.0833333333333333*m.x1650*m.x839 + m.x1544 <= 0)
m.c1066 = Constraint(expr=-0.0833333333333333*m.x1650*m.x839 + m.x1545 <= 0)
m.c1067 = Constraint(expr=-0.0833333333333333*m.x1650*m.x839 + m.x1546 <= 0)
m.c1068 = Constraint(expr=-0.0833333333333333*m.x1650*m.x839 + m.x1547 <= 0)
m.c1069 = Constraint(expr=-0.0833333333333333*m.x1650*m.x839 + m.x1548 <= 0)
m.c1070 = Constraint(expr=-0.0833333333333333*m.x1651*m.x840 + m.x1549 <= 0)
m.c1071 = Constraint(expr=-0.0833333333333333*m.x1651*m.x840 + m.x1550 <= 0)
m.c1072 = Constraint(expr=-0.0833333333333333*m.x1651*m.x840 + m.x1551 <= 0)
m.c1073 = Constraint(expr=-0.0833333333333333*m.x1651*m.x840 + m.x1552 <= 0)
m.c1074 = Constraint(expr=-0.0833333333333333*m.x1651*m.x840 + m.x1553 <= 0)
m.c1075 = Constraint(expr=-0.0833333333333333*m.x1651*m.x840 + m.x1554 <= 0)
m.c1076 = Constraint(expr=-0.0833333333333333*m.x1651*m.x840 + m.x1555 <= 0)
m.c1077 = Constraint(expr=-0.0833333333333333*m.x1651*m.x840 + m.x1556 <= 0)
m.c1078 = Constraint(expr=-0.0833333333333333*m.x1651*m.x840 + m.x1557 <= 0)
m.c1079 = Constraint(expr=-0.0833333333333333*m.x1651*m.x840 + m.x1558 <= 0)
m.c1080 = Constraint(expr=-0.0833333333333333*m.x1651*m.x840 + m.x1559 <= 0)
m.c1081 = Constraint(expr=-0.0833333333333333*m.x1651*m.x840 + m.x1560 <= 0)
m.c1082 = Constraint(expr= - m.x1863 + m.x1893 <= 0)
m.c1083 = Constraint(expr= - m.x1 + m.x421 - m.x1863 + m.x1894 <= 0)
m.c1084 = Constraint(expr= - m.x1 - m.x2 + m.x421 + m.x422 - m.x1863 + m.x1895 <= 0)
m.c1085 = Constraint(expr= - m.x1 - m.x2 - m.x3 + m.x421 + m.x422 + m.x423 - m.x1863 + m.x1896 <= 0)
m.c1086 = Constraint(expr= - m.x1 - m.x2 - m.x3 - m.x4 + m.x421 + m.x422 + m.x423 + m.x424 - m.x1863 + m.x1897 <= 0)
m.c1087 = Constraint(expr= - m.x1 - m.x2 - m.x3 - m.x4 - m.x5 + m.x421 + m.x422 + m.x423 + m.x424 + m.x425 - m.x1863
+ m.x1898 <= 0)
m.c1088 = Constraint(expr= - m.x1 - m.x2 - m.x3 - m.x4 - m.x5 - m.x6 + m.x421 + m.x422 + m.x423 + m.x424 + m.x425
+ m.x426 - m.x1863 + m.x1899 <= 0)
m.c1089 = Constraint(expr= - m.x1 - m.x2 - m.x3 - m.x4 - m.x5 - m.x6 - m.x7 + m.x421 + m.x422 + m.x423 + m.x424 + m.x425
+ m.x426 + m.x427 - m.x1863 + m.x1900 <= 0)
m.c1090 = Constraint(expr= - m.x1 - m.x2 - m.x3 - m.x4 - m.x5 - m.x6 - m.x7 - m.x8 + m.x421 + m.x422 + m.x423 + m.x424
+ m.x425 + m.x426 + m.x427 + m.x428 - m.x1863 + m.x1901 <= 0)
m.c1091 = Constraint(expr= - m.x1 - m.x2 - m.x3 - m.x4 - m.x5 - m.x6 - m.x7 - m.x8 - m.x9 + m.x421 + m.x422 + m.x423
+ m.x424 + m.x425 + m.x426 + m.x427 + m.x428 + m.x429 - m.x1863 + m.x1902 <= 0)
m.c1092 = Constraint(expr= - m.x1 - m.x2 - m.x3 - m.x4 - m.x5 - m.x6 - m.x7 - m.x8 - m.x9 - m.x10 + m.x421 + m.x422
+ m.x423 + m.x424 + m.x425 + m.x426 + m.x427 + m.x428 + m.x429 + m.x430 - m.x1863 + m.x1903
<= 0)
m.c1093 = Constraint(expr= - m.x1 - m.x2 - m.x3 - m.x4 - m.x5 - m.x6 - m.x7 - m.x8 - m.x9 - m.x10 - m.x11 + m.x421
+ m.x422 + m.x423 + m.x424 + m.x425 + m.x426 + m.x427 + m.x428 + m.x429 + m.x430 + m.x431
- m.x1863 + m.x1904 <= 0)
m.c1094 = Constraint(expr= - m.x1864 + m.x1905 <= 0)
m.c1095 = Constraint(expr= - m.x13 + m.x433 - m.x1864 + m.x1906 <= 0)
m.c1096 = Constraint(expr= - m.x13 - m.x14 + m.x433 + m.x434 - m.x1864 + m.x1907 <= 0)
m.c1097 = Constraint(expr= - m.x13 - m.x14 - m.x15 + m.x433 + m.x434 + m.x435 - m.x1864 + m.x1908 <= 0)
m.c1098 = Constraint(expr= - m.x13 - m.x14 - m.x15 - m.x16 + m.x433 + m.x434 + m.x435 + m.x436 - m.x1864 + m.x1909 <= 0)
m.c1099 = Constraint(expr= - m.x13 - m.x14 - m.x15 - m.x16 - m.x17 + m.x433 + m.x434 + m.x435 + m.x436 + m.x437
- m.x1864 + m.x1910 <= 0)
m.c1100 = Constraint(expr= - m.x13 - m.x14 - m.x15 - m.x16 - m.x17 - m.x18 + m.x433 + m.x434 + m.x435 + m.x436 + m.x437
+ m.x438 - m.x1864 + m.x1911 <= 0)
m.c1101 = Constraint(expr= - m.x13 - m.x14 - m.x15 - m.x16 - m.x17 - m.x18 - m.x19 + m.x433 + m.x434 + m.x435 + m.x436
+ m.x437 + m.x438 + m.x439 - m.x1864 + m.x1912 <= 0)
m.c1102 = Constraint(expr= - m.x13 - m.x14 - m.x15 - m.x16 - m.x17 - m.x18 - m.x19 - m.x20 + m.x433 + m.x434 + m.x435
+ m.x436 + m.x437 + m.x438 + m.x439 + m.x440 - m.x1864 + m.x1913 <= 0)
m.c1103 = Constraint(expr= - m.x13 - m.x14 - m.x15 - m.x16 - m.x17 - m.x18 - m.x19 - m.x20 - m.x21 + m.x433 + m.x434
+ m.x435 + m.x436 + m.x437 + m.x438 + m.x439 + m.x440 + m.x441 - m.x1864 + m.x1914 <= 0)
m.c1104 = Constraint(expr= - m.x13 - m.x14 - m.x15 - m.x16 - m.x17 - m.x18 - m.x19 - m.x20 - m.x21 - m.x22 + m.x433
+ m.x434 + m.x435 + m.x436 + m.x437 + m.x438 + m.x439 + m.x440 + m.x441 + m.x442 - m.x1864
+ m.x1915 <= 0)
m.c1105 = Constraint(expr= - m.x13 - m.x14 - m.x15 - m.x16 - m.x17 - m.x18 - m.x19 - m.x20 - m.x21 - m.x22 - m.x23
+ m.x433 + m.x434 + m.x435 + m.x436 + m.x437 + m.x438 + m.x439 + m.x440 + m.x441 + m.x442
+ m.x443 - m.x1864 + m.x1916 <= 0)
m.c1106 = Constraint(expr= - m.x1865 + m.x1917 <= 0)
m.c1107 = Constraint(expr= - m.x25 + m.x445 - m.x1865 + m.x1918 <= 0)
m.c1108 = Constraint(expr= - m.x25 - m.x26 + m.x445 + m.x446 - m.x1865 + m.x1919 <= 0)
m.c1109 = Constraint(expr= - m.x25 - m.x26 - m.x27 + m.x445 + m.x446 + m.x447 - m.x1865 + m.x1920 <= 0)
m.c1110 = Constraint(expr= - m.x25 - m.x26 - m.x27 - m.x28 + m.x445 + m.x446 + m.x447 + m.x448 - m.x1865 + m.x1921 <= 0)
m.c1111 = Constraint(expr= - m.x25 - m.x26 - m.x27 - m.x28 - m.x29 + m.x445 + m.x446 + m.x447 + m.x448 + m.x449
- m.x1865 + m.x1922 <= 0)
m.c1112 = Constraint(expr= - m.x25 - m.x26 - m.x27 - m.x28 - m.x29 - m.x30 + m.x445 + m.x446 + m.x447 + m.x448 + m.x449
+ m.x450 - m.x1865 + m.x1923 <= 0)
m.c1113 = Constraint(expr= - m.x25 - m.x26 - m.x27 - m.x28 - m.x29 - m.x30 - m.x31 + m.x445 + m.x446 + m.x447 + m.x448
+ m.x449 + m.x450 + m.x451 - m.x1865 + m.x1924 <= 0)
m.c1114 = Constraint(expr= - m.x25 - m.x26 - m.x27 - m.x28 - m.x29 - m.x30 - m.x31 - m.x32 + m.x445 + m.x446 + m.x447
+ m.x448 + m.x449 + m.x450 + m.x451 + m.x452 - m.x1865 + m.x1925 <= 0)
m.c1115 = Constraint(expr= - m.x25 - m.x26 - m.x27 - m.x28 - m.x29 - m.x30 - m.x31 - m.x32 - m.x33 + m.x445 + m.x446
+ m.x447 + m.x448 + m.x449 + m.x450 + m.x451 + m.x452 + m.x453 - m.x1865 + m.x1926 <= 0)
m.c1116 = Constraint(expr= - m.x25 - m.x26 - m.x27 - m.x28 - m.x29 - m.x30 - m.x31 - m.x32 - m.x33 - m.x34 + m.x445
+ m.x446 + m.x447 + m.x448 + m.x449 + m.x450 + m.x451 + m.x452 + m.x453 + m.x454 - m.x1865
+ m.x1927 <= 0)
m.c1117 = Constraint(expr= - m.x25 - m.x26 - m.x27 - m.x28 - m.x29 - m.x30 - m.x31 - m.x32 - m.x33 - m.x34 - m.x35
+ m.x445 + m.x446 + m.x447 + m.x448 + m.x449 + m.x450 + m.x451 + m.x452 + m.x453 + m.x454
+ m.x455 - m.x1865 + m.x1928 <= 0)
m.c1118 = Constraint(expr= - m.x1866 + m.x1929 <= 0)
m.c1119 = Constraint(expr= - m.x37 + m.x457 - m.x1866 + m.x1930 <= 0)
m.c1120 = Constraint(expr= - m.x37 - m.x38 + m.x457 + m.x458 - m.x1866 + m.x1931 <= 0)
m.c1121 = Constraint(expr= - m.x37 - m.x38 - m.x39 + m.x457 + m.x458 + m.x459 - m.x1866 + m.x1932 <= 0)
m.c1122 = Constraint(expr= - m.x37 - m.x38 - m.x39 - m.x40 + m.x457 + m.x458 + m.x459 + m.x460 - m.x1866 + m.x1933 <= 0)
m.c1123 = Constraint(expr= - m.x37 - m.x38 - m.x39 - m.x40 - m.x41 + m.x457 + m.x458 + m.x459 + m.x460 + m.x461
- m.x1866 + m.x1934 <= 0)
m.c1124 = Constraint(expr= - m.x37 - m.x38 - m.x39 - m.x40 - m.x41 - m.x42 + m.x457 + m.x458 + m.x459 + m.x460 + m.x461
+ m.x462 - m.x1866 + m.x1935 <= 0)
m.c1125 = Constraint(expr= - m.x37 - m.x38 - m.x39 - m.x40 - m.x41 - m.x42 - m.x43 + m.x457 + m.x458 + m.x459 + m.x460
+ m.x461 + m.x462 + m.x463 - m.x1866 + m.x1936 <= 0)
m.c1126 = Constraint(expr= - m.x37 - m.x38 - m.x39 - m.x40 - m.x41 - m.x42 - m.x43 - m.x44 + m.x457 + m.x458 + m.x459
+ m.x460 + m.x461 + m.x462 + m.x463 + m.x464 - m.x1866 + m.x1937 <= 0)
m.c1127 = Constraint(expr= - m.x37 - m.x38 - m.x39 - m.x40 - m.x41 - m.x42 - m.x43 - m.x44 - m.x45 + m.x457 + m.x458
+ m.x459 + m.x460 + m.x461 + m.x462 + m.x463 + m.x464 + m.x465 - m.x1866 + m.x1938 <= 0)
m.c1128 = Constraint(expr= - m.x37 - m.x38 - m.x39 - m.x40 - m.x41 - m.x42 - m.x43 - m.x44 - m.x45 - m.x46 + m.x457
+ m.x458 + m.x459 + m.x460 + m.x461 + m.x462 + m.x463 + m.x464 + m.x465 + m.x466 - m.x1866
+ m.x1939 <= 0)
m.c1129 = Constraint(expr= - m.x37 - m.x38 - m.x39 - m.x40 - m.x41 - m.x42 - m.x43 - m.x44 - m.x45 - m.x46 - m.x47
+ m.x457 + m.x458 + m.x459 + m.x460 + m.x461 + m.x462 + m.x463 + m.x464 + m.x465 + m.x466
+ m.x467 - m.x1866 + m.x1940 <= 0)
m.c1130 = Constraint(expr= - m.x1867 + m.x1941 <= 0)
m.c1131 = Constraint(expr= - m.x49 + m.x469 - m.x1867 + m.x1942 <= 0)
m.c1132 = Constraint(expr= - m.x49 - m.x50 + m.x469 + m.x470 - m.x1867 + m.x1943 <= 0)
m.c1133 = Constraint(expr= - m.x49 - m.x50 - m.x51 + m.x469 + m.x470 + m.x471 - m.x1867 + m.x1944 <= 0)
m.c1134 = Constraint(expr= - m.x49 - m.x50 - m.x51 - m.x52 + m.x469 + m.x470 + m.x471 + m.x472 - m.x1867 + m.x1945 <= 0)
m.c1135 = Constraint(expr= - m.x49 - m.x50 - m.x51 - m.x52 - m.x53 + m.x469 + m.x470 + m.x471 + m.x472 + m.x473
- m.x1867 + m.x1946 <= 0)
m.c1136 = Constraint(expr= - m.x49 - m.x50 - m.x51 - m.x52 - m.x53 - m.x54 + m.x469 + m.x470 + m.x471 + m.x472 + m.x473
+ m.x474 - m.x1867 + m.x1947 <= 0)
m.c1137 = Constraint(expr= - m.x49 - m.x50 - m.x51 - m.x52 - m.x53 - m.x54 - m.x55 + m.x469 + m.x470 + m.x471 + m.x472
+ m.x473 + m.x474 + m.x475 - m.x1867 + m.x1948 <= 0)
m.c1138 = Constraint(expr= - m.x49 - m.x50 - m.x51 - m.x52 - m.x53 - m.x54 - m.x55 - m.x56 + m.x469 + m.x470 + m.x471
+ m.x472 + m.x473 + m.x474 + m.x475 + m.x476 - m.x1867 + m.x1949 <= 0)
m.c1139 = Constraint(expr= - m.x49 - m.x50 - m.x51 - m.x52 - m.x53 - m.x54 - m.x55 - m.x56 - m.x57 + m.x469 + m.x470
+ m.x471 + m.x472 + m.x473 + m.x474 + m.x475 + m.x476 + m.x477 - m.x1867 + m.x1950 <= 0)
m.c1140 = Constraint(expr= - m.x49 - m.x50 - m.x51 - m.x52 - m.x53 - m.x54 - m.x55 - m.x56 - m.x57 - m.x58 + m.x469
+ m.x470 + m.x471 + m.x472 + m.x473 + m.x474 + m.x475 + m.x476 + m.x477 + m.x478 - m.x1867
+ m.x1951 <= 0)
m.c1141 = Constraint(expr= - m.x49 - m.x50 - m.x51 - m.x52 - m.x53 - m.x54 - m.x55 - m.x56 - m.x57 - m.x58 - m.x59
+ m.x469 + m.x470 + m.x471 + m.x472 + m.x473 + m.x474 + m.x475 + m.x476 + m.x477 + m.x478
+ m.x479 - m.x1867 + m.x1952 <= 0)
m.c1142 = Constraint(expr= - m.x1868 + m.x1953 <= 0)
m.c1143 = Constraint(expr= - m.x61 + m.x481 - m.x1868 + m.x1954 <= 0)
m.c1144 = Constraint(expr= - m.x61 - m.x62 + m.x481 + m.x482 - m.x1868 + m.x1955 <= 0)
m.c1145 = Constraint(expr= - m.x61 - m.x62 - m.x63 + m.x481 + m.x482 + m.x483 - m.x1868 + m.x1956 <= 0)
m.c1146 = Constraint(expr= - m.x61 - m.x62 - m.x63 - m.x64 + m.x481 + m.x482 + m.x483 + m.x484 - m.x1868 + m.x1957 <= 0)
m.c1147 = Constraint(expr= - m.x61 - m.x62 - m.x63 - m.x64 - m.x65 + m.x481 + m.x482 + m.x483 + m.x484 + m.x485
- m.x1868 + m.x1958 <= 0)
m.c1148 = Constraint(expr= - m.x61 - m.x62 - m.x63 - m.x64 - m.x65 - m.x66 + m.x481 + m.x482 + m.x483 + m.x484 + m.x485
+ m.x486 - m.x1868 + m.x1959 <= 0)
m.c1149 = Constraint(expr= - m.x61 - m.x62 - m.x63 - m.x64 - m.x65 - m.x66 - m.x67 + m.x481 + m.x482 + m.x483 + m.x484
+ m.x485 + m.x486 + m.x487 - m.x1868 + m.x1960 <= 0)
m.c1150 = Constraint(expr= - m.x61 - m.x62 - m.x63 - m.x64 - m.x65 - m.x66 - m.x67 - m.x68 + m.x481 + m.x482 + m.x483
+ m.x484 + m.x485 + m.x486 + m.x487 + m.x488 - m.x1868 + m.x1961 <= 0)
m.c1151 = Constraint(expr= - m.x61 - m.x62 - m.x63 - m.x64 - m.x65 - m.x66 - m.x67 - m.x68 - m.x69 + m.x481 + m.x482
+ m.x483 + m.x484 + m.x485 + m.x486 + m.x487 + m.x488 + m.x489 - m.x1868 + m.x1962 <= 0)
m.c1152 = Constraint(expr= - m.x61 - m.x62 - m.x63 - m.x64 - m.x65 - m.x66 - m.x67 - m.x68 - m.x69 - m.x70 + m.x481
+ m.x482 + m.x483 + m.x484 + m.x485 + m.x486 + m.x487 + m.x488 + m.x489 + m.x490 - m.x1868
+ m.x1963 <= 0)
m.c1153 = Constraint(expr= - m.x61 - m.x62 - m.x63 - m.x64 - m.x65 - m.x66 - m.x67 - m.x68 - m.x69 - m.x70 - m.x71
+ m.x481 + m.x482 + m.x483 + m.x484 + m.x485 + m.x486 + m.x487 + m.x488 + m.x489 + m.x490
+ m.x491 - m.x1868 + m.x1964 <= 0)
m.c1154 = Constraint(expr= - m.x1869 + m.x1965 <= 0)
m.c1155 = Constraint(expr= - m.x73 + m.x493 - m.x1869 + m.x1966 <= 0)
m.c1156 = Constraint(expr= - m.x73 - m.x74 + m.x493 + m.x494 - m.x1869 + m.x1967 <= 0)
m.c1157 = Constraint(expr= - m.x73 - m.x74 - m.x75 + m.x493 + m.x494 + m.x495 - m.x1869 + m.x1968 <= 0)
m.c1158 = Constraint(expr= - m.x73 - m.x74 - m.x75 - m.x76 + m.x493 + m.x494 + m.x495 + m.x496 - m.x1869 + m.x1969 <= 0)
m.c1159 = Constraint(expr= - m.x73 - m.x74 - m.x75 - m.x76 - m.x77 + m.x493 + m.x494 + m.x495 + m.x496 + m.x497
- m.x1869 + m.x1970 <= 0)
m.c1160 = Constraint(expr= - m.x73 - m.x74 - m.x75 - m.x76 - m.x77 - m.x78 + m.x493 + m.x494 + m.x495 + m.x496 + m.x497
+ m.x498 - m.x1869 + m.x1971 <= 0)
m.c1161 = Constraint(expr= - m.x73 - m.x74 - m.x75 - m.x76 - m.x77 - m.x78 - m.x79 + m.x493 + m.x494 + m.x495 + m.x496
+ m.x497 + m.x498 + m.x499 - m.x1869 + m.x1972 <= 0)
m.c1162 = Constraint(expr= - m.x73 - m.x74 - m.x75 - m.x76 - m.x77 - m.x78 - m.x79 - m.x80 + m.x493 + m.x494 + m.x495
+ m.x496 + m.x497 + m.x498 + m.x499 + m.x500 - m.x1869 + m.x1973 <= 0)
m.c1163 = Constraint(expr= - m.x73 - m.x74 - m.x75 - m.x76 - m.x77 - m.x78 - m.x79 - m.x80 - m.x81 + m.x493 + m.x494
+ m.x495 + m.x496 + m.x497 + m.x498 + m.x499 + m.x500 + m.x501 - m.x1869 + m.x1974 <= 0)
m.c1164 = Constraint(expr= - m.x73 - m.x74 - m.x75 - m.x76 - m.x77 - m.x78 - m.x79 - m.x80 - m.x81 - m.x82 + m.x493
+ m.x494 + m.x495 + m.x496 + m.x497 + m.x498 + m.x499 + m.x500 + m.x501 + m.x502 - m.x1869
+ m.x1975 <= 0)
m.c1165 = Constraint(expr= - m.x73 - m.x74 - m.x75 - m.x76 - m.x77 - m.x78 - m.x79 - m.x80 - m.x81 - m.x82 - m.x83
+ m.x493 + m.x494 + m.x495 + m.x496 + m.x497 + m.x498 + m.x499 + m.x500 + m.x501 + m.x502
+ m.x503 - m.x1869 + m.x1976 <= 0)
m.c1166 = Constraint(expr= - m.x1870 + m.x1977 <= 0)
m.c1167 = Constraint(expr= - m.x85 + m.x505 - m.x1870 + m.x1978 <= 0)
m.c1168 = Constraint(expr= - m.x85 - m.x86 + m.x505 + m.x506 - m.x1870 + m.x1979 <= 0)
m.c1169 = Constraint(expr= - m.x85 - m.x86 - m.x87 + m.x505 + m.x506 + m.x507 - m.x1870 + m.x1980 <= 0)
m.c1170 = Constraint(expr= - m.x85 - m.x86 - m.x87 - m.x88 + m.x505 + m.x506 + m.x507 + m.x508 - m.x1870 + m.x1981 <= 0)
m.c1171 = Constraint(expr= - m.x85 - m.x86 - m.x87 - m.x88 - m.x89 + m.x505 + m.x506 + m.x507 + m.x508 + m.x509
- m.x1870 + m.x1982 <= 0)
m.c1172 = Constraint(expr= - m.x85 - m.x86 - m.x87 - m.x88 - m.x89 - m.x90 + m.x505 + m.x506 + m.x507 + m.x508 + m.x509
+ m.x510 - m.x1870 + m.x1983 <= 0)
m.c1173 = Constraint(expr= - m.x85 - m.x86 - m.x87 - m.x88 - m.x89 - m.x90 - m.x91 + m.x505 + m.x506 + m.x507 + m.x508
+ m.x509 + m.x510 + m.x511 - m.x1870 + m.x1984 <= 0)
m.c1174 = Constraint(expr= - m.x85 - m.x86 - m.x87 - m.x88 - m.x89 - m.x90 - m.x91 - m.x92 + m.x505 + m.x506 + m.x507
+ m.x508 + m.x509 + m.x510 + m.x511 + m.x512 - m.x1870 + m.x1985 <= 0)
m.c1175 = Constraint(expr= - m.x85 - m.x86 - m.x87 - m.x88 - m.x89 - m.x90 - m.x91 - m.x92 - m.x93 + m.x505 + m.x506
+ m.x507 + m.x508 + m.x509 + m.x510 + m.x511 + m.x512 + m.x513 - m.x1870 + m.x1986 <= 0)
m.c1176 = Constraint(expr= - m.x85 - m.x86 - m.x87 - m.x88 - m.x89 - m.x90 - m.x91 - m.x92 - m.x93 - m.x94 + m.x505
+ m.x506 + m.x507 + m.x508 + m.x509 + m.x510 + m.x511 + m.x512 + m.x513 + m.x514 - m.x1870
+ m.x1987 <= 0)
m.c1177 = Constraint(expr= - m.x85 - m.x86 - m.x87 - m.x88 - m.x89 - m.x90 - m.x91 - m.x92 - m.x93 - m.x94 - m.x95
+ m.x505 + m.x506 + m.x507 + m.x508 + m.x509 + m.x510 + m.x511 + m.x512 + m.x513 + m.x514
+ m.x515 - m.x1870 + m.x1988 <= 0)
m.c1178 = Constraint(expr= - m.x1871 + m.x1989 <= 0)
m.c1179 = Constraint(expr= - m.x97 + m.x517 - m.x1871 + m.x1990 <= 0)
m.c1180 = Constraint(expr= - m.x97 - m.x98 + m.x517 + m.x518 - m.x1871 + m.x1991 <= 0)
m.c1181 = Constraint(expr= - m.x97 - m.x98 - m.x99 + m.x517 + m.x518 + m.x519 - m.x1871 + m.x1992 <= 0)
m.c1182 = Constraint(expr= - m.x97 - m.x98 - m.x99 - m.x100 + m.x517 + m.x518 + m.x519 + m.x520 - m.x1871 + m.x1993
<= 0)
m.c1183 = Constraint(expr= - m.x97 - m.x98 - m.x99 - m.x100 - m.x101 + m.x517 + m.x518 + m.x519 + m.x520 + m.x521
- m.x1871 + m.x1994 <= 0)
m.c1184 = Constraint(expr= - m.x97 - m.x98 - m.x99 - m.x100 - m.x101 - m.x102 + m.x517 + m.x518 + m.x519 + m.x520
+ m.x521 + m.x522 - m.x1871 + m.x1995 <= 0)
m.c1185 = Constraint(expr= - m.x97 - m.x98 - m.x99 - m.x100 - m.x101 - m.x102 - m.x103 + m.x517 + m.x518 + m.x519
+ m.x520 + m.x521 + m.x522 + m.x523 - m.x1871 + m.x1996 <= 0)
m.c1186 = Constraint(expr= - m.x97 - m.x98 - m.x99 - m.x100 - m.x101 - m.x102 - m.x103 - m.x104 + m.x517 + m.x518
+ m.x519 + m.x520 + m.x521 + m.x522 + m.x523 + m.x524 - m.x1871 + m.x1997 <= 0)
m.c1187 = Constraint(expr= - m.x97 - m.x98 - m.x99 - m.x100 - m.x101 - m.x102 - m.x103 - m.x104 - m.x105 + m.x517
+ m.x518 + m.x519 + m.x520 + m.x521 + m.x522 + m.x523 + m.x524 + m.x525 - m.x1871 + m.x1998
<= 0)
m.c1188 = Constraint(expr= - m.x97 - m.x98 - m.x99 - m.x100 - m.x101 - m.x102 - m.x103 - m.x104 - m.x105 - m.x106
+ m.x517 + m.x518 + m.x519 + m.x520 + m.x521 + m.x522 + m.x523 + m.x524 + m.x525 + m.x526
- m.x1871 + m.x1999 <= 0)
m.c1189 = Constraint(expr= - m.x97 - m.x98 - m.x99 - m.x100 - m.x101 - m.x102 - m.x103 - m.x104 - m.x105 - m.x106
- m.x107 + m.x517 + m.x518 + m.x519 + m.x520 + m.x521 + m.x522 + m.x523 + m.x524 + m.x525
+ m.x526 + m.x527 - m.x1871 + m.x2000 <= 0)
m.c1190 = Constraint(expr= - m.x1872 + m.x2001 <= 0)
m.c1191 = Constraint(expr= - m.x109 + m.x529 - m.x1872 + m.x2002 <= 0)
m.c1192 = Constraint(expr= - m.x109 - m.x110 + m.x529 + m.x530 - m.x1872 + m.x2003 <= 0)
m.c1193 = Constraint(expr= - m.x109 - m.x110 - m.x111 + m.x529 + m.x530 + m.x531 - m.x1872 + m.x2004 <= 0)
m.c1194 = Constraint(expr= - m.x109 - m.x110 - m.x111 - m.x112 + m.x529 + m.x530 + m.x531 + m.x532 - m.x1872 + m.x2005
<= 0)
m.c1195 = Constraint(expr= - m.x109 - m.x110 - m.x111 - m.x112 - m.x113 + m.x529 + m.x530 + m.x531 + m.x532 + m.x533
- m.x1872 + m.x2006 <= 0)
m.c1196 = Constraint(expr= - m.x109 - m.x110 - m.x111 - m.x112 - m.x113 - m.x114 + m.x529 + m.x530 + m.x531 + m.x532
+ m.x533 + m.x534 - m.x1872 + m.x2007 <= 0)
m.c1197 = Constraint(expr= - m.x109 - m.x110 - m.x111 - m.x112 - m.x113 - m.x114 - m.x115 + m.x529 + m.x530 + m.x531
+ m.x532 + m.x533 + m.x534 + m.x535 - m.x1872 + m.x2008 <= 0)
m.c1198 = Constraint(expr= - m.x109 - m.x110 - m.x111 - m.x112 - m.x113 - m.x114 - m.x115 - m.x116 + m.x529 + m.x530
+ m.x531 + m.x532 + m.x533 + m.x534 + m.x535 + m.x536 - m.x1872 + m.x2009 <= 0)
m.c1199 = Constraint(expr= - m.x109 - m.x110 - m.x111 - m.x112 - m.x113 - m.x114 - m.x115 - m.x116 - m.x117 + m.x529
+ m.x530 + m.x531 + m.x532 + m.x533 + m.x534 + m.x535 + m.x536 + m.x537 - m.x1872 + m.x2010
<= 0)
m.c1200 = Constraint(expr= - m.x109 - m.x110 - m.x111 - m.x112 - m.x113 - m.x114 - m.x115 - m.x116 - m.x117 - m.x118
+ m.x529 + m.x530 + m.x531 + m.x532 + m.x533 + m.x534 + m.x535 + m.x536 + m.x537 + m.x538
- m.x1872 + m.x2011 <= 0)
m.c1201 = Constraint(expr= - m.x109 - m.x110 - m.x111 - m.x112 - m.x113 - m.x114 - m.x115 - m.x116 - m.x117 - m.x118
- m.x119 + m.x529 + m.x530 + m.x531 + m.x532 + m.x533 + m.x534 + m.x535 + m.x536 + m.x537
+ m.x538 + m.x539 - m.x1872 + m.x2012 <= 0)
m.c1202 = Constraint(expr= - m.x1873 + m.x2013 <= 0)
m.c1203 = Constraint(expr= - m.x121 + m.x541 - m.x1873 + m.x2014 <= 0)
m.c1204 = Constraint(expr= - m.x121 - m.x122 + m.x541 + m.x542 - m.x1873 + m.x2015 <= 0)
m.c1205 = Constraint(expr= - m.x121 - m.x122 - m.x123 + m.x541 + m.x542 + m.x543 - m.x1873 + m.x2016 <= 0)
m.c1206 = Constraint(expr= - m.x121 - m.x122 - m.x123 - m.x124 + m.x541 + m.x542 + m.x543 + m.x544 - m.x1873 + m.x2017
<= 0)
m.c1207 = Constraint(expr= - m.x121 - m.x122 - m.x123 - m.x124 - m.x125 + m.x541 + m.x542 + m.x543 + m.x544 + m.x545
- m.x1873 + m.x2018 <= 0)
m.c1208 = Constraint(expr= - m.x121 - m.x122 - m.x123 - m.x124 - m.x125 - m.x126 + m.x541 + m.x542 + m.x543 + m.x544
+ m.x545 + m.x546 - m.x1873 + m.x2019 <= 0)
m.c1209 = Constraint(expr= - m.x121 - m.x122 - m.x123 - m.x124 - m.x125 - m.x126 - m.x127 + m.x541 + m.x542 + m.x543
+ m.x544 + m.x545 + m.x546 + m.x547 - m.x1873 + m.x2020 <= 0)
m.c1210 = Constraint(expr= - m.x121 - m.x122 - m.x123 - m.x124 - m.x125 - m.x126 - m.x127 - m.x128 + m.x541 + m.x542
+ m.x543 + m.x544 + m.x545 + m.x546 + m.x547 + m.x548 - m.x1873 + m.x2021 <= 0)
m.c1211 = Constraint(expr= - m.x121 - m.x122 - m.x123 - m.x124 - m.x125 - m.x126 - m.x127 - m.x128 - m.x129 + m.x541
+ m.x542 + m.x543 + m.x544 + m.x545 + m.x546 + m.x547 + m.x548 + m.x549 - m.x1873 + m.x2022
<= 0)
m.c1212 = Constraint(expr= - m.x121 - m.x122 - m.x123 - m.x124 - m.x125 - m.x126 - m.x127 - m.x128 - m.x129 - m.x130
+ m.x541 + m.x542 + m.x543 + m.x544 + m.x545 + m.x546 + m.x547 + m.x548 + m.x549 + m.x550
- m.x1873 + m.x2023 <= 0)
m.c1213 = Constraint(expr= - m.x121 - m.x122 - m.x123 - m.x124 - m.x125 - m.x126 - m.x127 - m.x128 - m.x129 - m.x130
- m.x131 + m.x541 + m.x542 + m.x543 + m.x544 + m.x545 + m.x546 + m.x547 + m.x548 + m.x549
+ m.x550 + m.x551 - m.x1873 + m.x2024 <= 0)
m.c1214 = Constraint(expr= - m.x1874 + m.x2025 <= 0)
m.c1215 = Constraint(expr= - m.x133 + m.x553 - m.x1874 + m.x2026 <= 0)
m.c1216 = Constraint(expr= - m.x133 - m.x134 + m.x553 + m.x554 - m.x1874 + m.x2027 <= 0)
m.c1217 = Constraint(expr= - m.x133 - m.x134 - m.x135 + m.x553 + m.x554 + m.x555 - m.x1874 + m.x2028 <= 0)
m.c1218 = Constraint(expr= - m.x133 - m.x134 - m.x135 - m.x136 + m.x553 + m.x554 + m.x555 + m.x556 - m.x1874 + m.x2029
<= 0)
m.c1219 = Constraint(expr= - m.x133 - m.x134 - m.x135 - m.x136 - m.x137 + m.x553 + m.x554 + m.x555 + m.x556 + m.x557
- m.x1874 + m.x2030 <= 0)
m.c1220 = Constraint(expr= - m.x133 - m.x134 - m.x135 - m.x136 - m.x137 - m.x138 + m.x553 + m.x554 + m.x555 + m.x556
+ m.x557 + m.x558 - m.x1874 + m.x2031 <= 0)
m.c1221 = Constraint(expr= - m.x133 - m.x134 - m.x135 - m.x136 - m.x137 - m.x138 - m.x139 + m.x553 + m.x554 + m.x555
+ m.x556 + m.x557 + m.x558 + m.x559 - m.x1874 + m.x2032 <= 0)
m.c1222 = Constraint(expr= - m.x133 - m.x134 - m.x135 - m.x136 - m.x137 - m.x138 - m.x139 - m.x140 + m.x553 + m.x554
+ m.x555 + m.x556 + m.x557 + m.x558 + m.x559 + m.x560 - m.x1874 + m.x2033 <= 0)
m.c1223 = Constraint(expr= - m.x133 - m.x134 - m.x135 - m.x136 - m.x137 - m.x138 - m.x139 - m.x140 - m.x141 + m.x553
+ m.x554 + m.x555 + m.x556 + m.x557 + m.x558 + m.x559 + m.x560 + m.x561 - m.x1874 + m.x2034
<= 0)
m.c1224 = Constraint(expr= - m.x133 - m.x134 - m.x135 - m.x136 - m.x137 - m.x138 - m.x139 - m.x140 - m.x141 - m.x142
+ m.x553 + m.x554 + m.x555 + m.x556 + m.x557 + m.x558 + m.x559 + m.x560 + m.x561 + m.x562
- m.x1874 + m.x2035 <= 0)
m.c1225 = Constraint(expr= - m.x133 - m.x134 - m.x135 - m.x136 - m.x137 - m.x138 - m.x139 - m.x140 - m.x141 - m.x142
- m.x143 + m.x553 + m.x554 + m.x555 + m.x556 + m.x557 + m.x558 + m.x559 + m.x560 + m.x561
+ m.x562 + m.x563 - m.x1874 + m.x2036 <= 0)
m.c1226 = Constraint(expr= - m.x1875 + m.x2037 <= 0)
m.c1227 = Constraint(expr= - m.x145 + m.x565 - m.x1875 + m.x2038 <= 0)
m.c1228 = Constraint(expr= - m.x145 - m.x146 + m.x565 + m.x566 - m.x1875 + m.x2039 <= 0)
m.c1229 = Constraint(expr= - m.x145 - m.x146 - m.x147 + m.x565 + m.x566 + m.x567 - m.x1875 + m.x2040 <= 0)
m.c1230 = Constraint(expr= - m.x145 - m.x146 - m.x147 - m.x148 + m.x565 + m.x566 + m.x567 + m.x568 - m.x1875 + m.x2041
<= 0)
m.c1231 = Constraint(expr= - m.x145 - m.x146 - m.x147 - m.x148 - m.x149 + m.x565 + m.x566 + m.x567 + m.x568 + m.x569
- m.x1875 + m.x2042 <= 0)
m.c1232 = Constraint(expr= - m.x145 - m.x146 - m.x147 - m.x148 - m.x149 - m.x150 + m.x565 + m.x566 + m.x567 + m.x568
+ m.x569 + m.x570 - m.x1875 + m.x2043 <= 0)
m.c1233 = Constraint(expr= - m.x145 - m.x146 - m.x147 - m.x148 - m.x149 - m.x150 - m.x151 + m.x565 + m.x566 + m.x567
+ m.x568 + m.x569 + m.x570 + m.x571 - m.x1875 + m.x2044 <= 0)
m.c1234 = Constraint(expr= - m.x145 - m.x146 - m.x147 - m.x148 - m.x149 - m.x150 - m.x151 - m.x152 + m.x565 + m.x566
+ m.x567 + m.x568 + m.x569 + m.x570 + m.x571 + m.x572 - m.x1875 + m.x2045 <= 0)
m.c1235 = Constraint(expr= - m.x145 - m.x146 - m.x147 - m.x148 - m.x149 - m.x150 - m.x151 - m.x152 - m.x153 + m.x565
+ m.x566 + m.x567 + m.x568 + m.x569 + m.x570 + m.x571 + m.x572 + m.x573 - m.x1875 + m.x2046
<= 0)
m.c1236 = Constraint(expr= - m.x145 - m.x146 - m.x147 - m.x148 - m.x149 - m.x150 - m.x151 - m.x152 - m.x153 - m.x154
+ m.x565 + m.x566 + m.x567 + m.x568 + m.x569 + m.x570 + m.x571 + m.x572 + m.x573 + m.x574
- m.x1875 + m.x2047 <= 0)
m.c1237 = Constraint(expr= - m.x145 - m.x146 - m.x147 - m.x148 - m.x149 - m.x150 - m.x151 - m.x152 - m.x153 - m.x154
- m.x155 + m.x565 + m.x566 + m.x567 + m.x568 + m.x569 + m.x570 + m.x571 + m.x572 + m.x573
+ m.x574 + m.x575 - m.x1875 + m.x2048 <= 0)
m.c1238 = Constraint(expr= - m.x1876 + m.x2049 <= 0)
m.c1239 = Constraint(expr= - m.x157 + m.x577 - m.x1876 + m.x2050 <= 0)
m.c1240 = Constraint(expr= - m.x157 - m.x158 + m.x577 + m.x578 - m.x1876 + m.x2051 <= 0)
m.c1241 = Constraint(expr= - m.x157 - m.x158 - m.x159 + m.x577 + m.x578 + m.x579 - m.x1876 + m.x2052 <= 0)
m.c1242 = Constraint(expr= - m.x157 - m.x158 - m.x159 - m.x160 + m.x577 + m.x578 + m.x579 + m.x580 - m.x1876 + m.x2053
<= 0)
m.c1243 = Constraint(expr= - m.x157 - m.x158 - m.x159 - m.x160 - m.x161 + m.x577 + m.x578 + m.x579 + m.x580 + m.x581
- m.x1876 + m.x2054 <= 0)
m.c1244 = Constraint(expr= - m.x157 - m.x158 - m.x159 - m.x160 - m.x161 - m.x162 + m.x577 + m.x578 + m.x579 + m.x580
+ m.x581 + m.x582 - m.x1876 + m.x2055 <= 0)
m.c1245 = Constraint(expr= - m.x157 - m.x158 - m.x159 - m.x160 - m.x161 - m.x162 - m.x163 + m.x577 + m.x578 + m.x579
+ m.x580 + m.x581 + m.x582 + m.x583 - m.x1876 + m.x2056 <= 0)
m.c1246 = Constraint(expr= - m.x157 - m.x158 - m.x159 - m.x160 - m.x161 - m.x162 - m.x163 - m.x164 + m.x577 + m.x578
+ m.x579 + m.x580 + m.x581 + m.x582 + m.x583 + m.x584 - m.x1876 + m.x2057 <= 0)
m.c1247 = Constraint(expr= - m.x157 - m.x158 - m.x159 - m.x160 - m.x161 - m.x162 - m.x163 - m.x164 - m.x165 + m.x577
+ m.x578 + m.x579 + m.x580 + m.x581 + m.x582 + m.x583 + m.x584 + m.x585 - m.x1876 + m.x2058
<= 0)
m.c1248 = Constraint(expr= - m.x157 - m.x158 - m.x159 - m.x160 - m.x161 - m.x162 - m.x163 - m.x164 - m.x165 - m.x166
+ m.x577 + m.x578 + m.x579 + m.x580 + m.x581 + m.x582 + m.x583 + m.x584 + m.x585 + m.x586
- m.x1876 + m.x2059 <= 0)
m.c1249 = Constraint(expr= - m.x157 - m.x158 - m.x159 - m.x160 - m.x161 - m.x162 - m.x163 - m.x164 - m.x165 - m.x166
- m.x167 + m.x577 + m.x578 + m.x579 + m.x580 + m.x581 + m.x582 + m.x583 + m.x584 + m.x585
+ m.x586 + m.x587 - m.x1876 + m.x2060 <= 0)
m.c1250 = Constraint(expr= - m.x1877 + m.x2061 <= 0)
m.c1251 = Constraint(expr= - m.x169 + m.x589 - m.x1877 + m.x2062 <= 0)
m.c1252 = Constraint(expr= - m.x169 - m.x170 + m.x589 + m.x590 - m.x1877 + m.x2063 <= 0)
m.c1253 = Constraint(expr= - m.x169 - m.x170 - m.x171 + m.x589 + m.x590 + m.x591 - m.x1877 + m.x2064 <= 0)
m.c1254 = Constraint(expr= - m.x169 - m.x170 - m.x171 - m.x172 + m.x589 + m.x590 + m.x591 + m.x592 - m.x1877 + m.x2065
<= 0)
m.c1255 = Constraint(expr= - m.x169 - m.x170 - m.x171 - m.x172 - m.x173 + m.x589 + m.x590 + m.x591 + m.x592 + m.x593
- m.x1877 + m.x2066 <= 0)
m.c1256 = Constraint(expr= - m.x169 - m.x170 - m.x171 - m.x172 - m.x173 - m.x174 + m.x589 + m.x590 + m.x591 + m.x592
+ m.x593 + m.x594 - m.x1877 + m.x2067 <= 0)
m.c1257 = Constraint(expr= - m.x169 - m.x170 - m.x171 - m.x172 - m.x173 - m.x174 - m.x175 + m.x589 + m.x590 + m.x591
+ m.x592 + m.x593 + m.x594 + m.x595 - m.x1877 + m.x2068 <= 0)
m.c1258 = Constraint(expr= - m.x169 - m.x170 - m.x171 - m.x172 - m.x173 - m.x174 - m.x175 - m.x176 + m.x589 + m.x590
+ m.x591 + m.x592 + m.x593 + m.x594 + m.x595 + m.x596 - m.x1877 + m.x2069 <= 0)
m.c1259 = Constraint(expr= - m.x169 - m.x170 - m.x171 - m.x172 - m.x173 - m.x174 - m.x175 - m.x176 - m.x177 + m.x589
+ m.x590 + m.x591 + m.x592 + m.x593 + m.x594 + m.x595 + m.x596 + m.x597 - m.x1877 + m.x2070
<= 0)
m.c1260 = Constraint(expr= - m.x169 - m.x170 - m.x171 - m.x172 - m.x173 - m.x174 - m.x175 - m.x176 - m.x177 - m.x178
+ m.x589 + m.x590 + m.x591 + m.x592 + m.x593 + m.x594 + m.x595 + m.x596 + m.x597 + m.x598
- m.x1877 + m.x2071 <= 0)
m.c1261 = Constraint(expr= - m.x169 - m.x170 - m.x171 - m.x172 - m.x173 - m.x174 - m.x175 - m.x176 - m.x177 - m.x178
- m.x179 + m.x589 + m.x590 + m.x591 + m.x592 + m.x593 + m.x594 + m.x595 + m.x596 + m.x597
+ m.x598 + m.x599 - m.x1877 + m.x2072 <= 0)
m.c1262 = Constraint(expr= - m.x1878 + m.x2073 <= 0)
m.c1263 = Constraint(expr= - m.x181 + m.x601 - m.x1878 + m.x2074 <= 0)
m.c1264 = Constraint(expr= - m.x181 - m.x182 + m.x601 + m.x602 - m.x1878 + m.x2075 <= 0)
m.c1265 = Constraint(expr= - m.x181 - m.x182 - m.x183 + m.x601 + m.x602 + m.x603 - m.x1878 + m.x2076 <= 0)
m.c1266 = Constraint(expr= - m.x181 - m.x182 - m.x183 - m.x184 + m.x601 + m.x602 + m.x603 + m.x604 - m.x1878 + m.x2077
<= 0)
m.c1267 = Constraint(expr= - m.x181 - m.x182 - m.x183 - m.x184 - m.x185 + m.x601 + m.x602 + m.x603 + m.x604 + m.x605
- m.x1878 + m.x2078 <= 0)
m.c1268 = Constraint(expr= - m.x181 - m.x182 - m.x183 - m.x184 - m.x185 - m.x186 + m.x601 + m.x602 + m.x603 + m.x604
+ m.x605 + m.x606 - m.x1878 + m.x2079 <= 0)
m.c1269 = Constraint(expr= - m.x181 - m.x182 - m.x183 - m.x184 - m.x185 - m.x186 - m.x187 + m.x601 + m.x602 + m.x603
+ m.x604 + m.x605 + m.x606 + m.x607 - m.x1878 + m.x2080 <= 0)
m.c1270 = Constraint(expr= - m.x181 - m.x182 - m.x183 - m.x184 - m.x185 - m.x186 - m.x187 - m.x188 + m.x601 + m.x602
+ m.x603 + m.x604 + m.x605 + m.x606 + m.x607 + m.x608 - m.x1878 + m.x2081 <= 0)
m.c1271 = Constraint(expr= - m.x181 - m.x182 - m.x183 - m.x184 - m.x185 - m.x186 - m.x187 - m.x188 - m.x189 + m.x601
+ m.x602 + m.x603 + m.x604 + m.x605 + m.x606 + m.x607 + m.x608 + m.x609 - m.x1878 + m.x2082
<= 0)
m.c1272 = Constraint(expr= - m.x181 - m.x182 - m.x183 - m.x184 - m.x185 - m.x186 - m.x187 - m.x188 - m.x189 - m.x190
+ m.x601 + m.x602 + m.x603 + m.x604 + m.x605 + m.x606 + m.x607 + m.x608 + m.x609 + m.x610
- m.x1878 + m.x2083 <= 0)
m.c1273 = Constraint(expr= - m.x181 - m.x182 - m.x183 - m.x184 - m.x185 - m.x186 - m.x187 - m.x188 - m.x189 - m.x190
- m.x191 + m.x601 + m.x602 + m.x603 + m.x604 + m.x605 + m.x606 + m.x607 + m.x608 + m.x609
+ m.x610 + m.x611 - m.x1878 + m.x2084 <= 0)
m.c1274 = Constraint(expr= - m.x1879 + m.x2085 <= 0)
m.c1275 = Constraint(expr= - m.x193 + m.x613 - m.x1879 + m.x2086 <= 0)
m.c1276 = Constraint(expr= - m.x193 - m.x194 + m.x613 + m.x614 - m.x1879 + m.x2087 <= 0)
m.c1277 = Constraint(expr= - m.x193 - m.x194 - m.x195 + m.x613 + m.x614 + m.x615 - m.x1879 + m.x2088 <= 0)
m.c1278 = Constraint(expr= - m.x193 - m.x194 - m.x195 - m.x196 + m.x613 + m.x614 + m.x615 + m.x616 - m.x1879 + m.x2089
<= 0)
m.c1279 = Constraint(expr= - m.x193 - m.x194 - m.x195 - m.x196 - m.x197 + m.x613 + m.x614 + m.x615 + m.x616 + m.x617
- m.x1879 + m.x2090 <= 0)
m.c1280 = Constraint(expr= - m.x193 - m.x194 - m.x195 - m.x196 - m.x197 - m.x198 + m.x613 + m.x614 + m.x615 + m.x616
+ m.x617 + m.x618 - m.x1879 + m.x2091 <= 0)
m.c1281 = Constraint(expr= - m.x193 - m.x194 - m.x195 - m.x196 - m.x197 - m.x198 - m.x199 + m.x613 + m.x614 + m.x615
+ m.x616 + m.x617 + m.x618 + m.x619 - m.x1879 + m.x2092 <= 0)
m.c1282 = Constraint(expr= - m.x193 - m.x194 - m.x195 - m.x196 - m.x197 - m.x198 - m.x199 - m.x200 + m.x613 + m.x614
+ m.x615 + m.x616 + m.x617 + m.x618 + m.x619 + m.x620 - m.x1879 + m.x2093 <= 0)
m.c1283 = Constraint(expr= - m.x193 - m.x194 - m.x195 - m.x196 - m.x197 - m.x198 - m.x199 - m.x200 - m.x201 + m.x613
+ m.x614 + m.x615 + m.x616 + m.x617 + m.x618 + m.x619 + m.x620 + m.x621 - m.x1879 + m.x2094
<= 0)
m.c1284 = Constraint(expr= - m.x193 - m.x194 - m.x195 - m.x196 - m.x197 - m.x198 - m.x199 - m.x200 - m.x201 - m.x202
+ m.x613 + m.x614 + m.x615 + m.x616 + m.x617 + m.x618 + m.x619 + m.x620 + m.x621 + m.x622
- m.x1879 + m.x2095 <= 0)
m.c1285 = Constraint(expr= - m.x193 - m.x194 - m.x195 - m.x196 - m.x197 - m.x198 - m.x199 - m.x200 - m.x201 - m.x202
- m.x203 + m.x613 + m.x614 + m.x615 + m.x616 + m.x617 + m.x618 + m.x619 + m.x620 + m.x621
+ m.x622 + m.x623 - m.x1879 + m.x2096 <= 0)
m.c1286 = Constraint(expr= - m.x1880 + m.x2097 <= 0)
m.c1287 = Constraint(expr= - m.x205 + m.x625 - m.x1880 + m.x2098 <= 0)
m.c1288 = Constraint(expr= - m.x205 - m.x206 + m.x625 + m.x626 - m.x1880 + m.x2099 <= 0)
m.c1289 = Constraint(expr= - m.x205 - m.x206 - m.x207 + m.x625 + m.x626 + m.x627 - m.x1880 + m.x2100 <= 0)
m.c1290 = Constraint(expr= - m.x205 - m.x206 - m.x207 - m.x208 + m.x625 + m.x626 + m.x627 + m.x628 - m.x1880 + m.x2101
<= 0)
m.c1291 = Constraint(expr= - m.x205 - m.x206 - m.x207 - m.x208 - m.x209 + m.x625 + m.x626 + m.x627 + m.x628 + m.x629
- m.x1880 + m.x2102 <= 0)
m.c1292 = Constraint(expr= - m.x205 - m.x206 - m.x207 - m.x208 - m.x209 - m.x210 + m.x625 + m.x626 + m.x627 + m.x628
+ m.x629 + m.x630 - m.x1880 + m.x2103 <= 0)
m.c1293 = Constraint(expr= - m.x205 - m.x206 - m.x207 - m.x208 - m.x209 - m.x210 - m.x211 + m.x625 + m.x626 + m.x627
+ m.x628 + m.x629 + m.x630 + m.x631 - m.x1880 + m.x2104 <= 0)
m.c1294 = Constraint(expr= - m.x205 - m.x206 - m.x207 - m.x208 - m.x209 - m.x210 - m.x211 - m.x212 + m.x625 + m.x626
+ m.x627 + m.x628 + m.x629 + m.x630 + m.x631 + m.x632 - m.x1880 + m.x2105 <= 0)
m.c1295 = Constraint(expr= - m.x205 - m.x206 - m.x207 - m.x208 - m.x209 - m.x210 - m.x211 - m.x212 - m.x213 + m.x625
+ m.x626 + m.x627 + m.x628 + m.x629 + m.x630 + m.x631 + m.x632 + m.x633 - m.x1880 + m.x2106
<= 0)
m.c1296 = Constraint(expr= - m.x205 - m.x206 - m.x207 - m.x208 - m.x209 - m.x210 - m.x211 - m.x212 - m.x213 - m.x214
+ m.x625 + m.x626 + m.x627 + m.x628 + m.x629 + m.x630 + m.x631 + m.x632 + m.x633 + m.x634
- m.x1880 + m.x2107 <= 0)
m.c1297 = Constraint(expr= - m.x205 - m.x206 - m.x207 - m.x208 - m.x209 - m.x210 - m.x211 - m.x212 - m.x213 - m.x214
- m.x215 + m.x625 + m.x626 + m.x627 + m.x628 + m.x629 + m.x630 + m.x631 + m.x632 + m.x633
+ m.x634 + m.x635 - m.x1880 + m.x2108 <= 0)
m.c1298 = Constraint(expr= - m.x1881 + m.x2109 <= 0)
m.c1299 = Constraint(expr= - m.x217 + m.x637 - m.x1881 + m.x2110 <= 0)
m.c1300 = Constraint(expr= - m.x217 - m.x218 + m.x637 + m.x638 - m.x1881 + m.x2111 <= 0)
m.c1301 = Constraint(expr= - m.x217 - m.x218 - m.x219 + m.x637 + m.x638 + m.x639 - m.x1881 + m.x2112 <= 0)
m.c1302 = Constraint(expr= - m.x217 - m.x218 - m.x219 - m.x220 + m.x637 + m.x638 + m.x639 + m.x640 - m.x1881 + m.x2113
<= 0)
m.c1303 = Constraint(expr= - m.x217 - m.x218 - m.x219 - m.x220 - m.x221 + m.x637 + m.x638 + m.x639 + m.x640 + m.x641
- m.x1881 + m.x2114 <= 0)
m.c1304 = Constraint(expr= - m.x217 - m.x218 - m.x219 - m.x220 - m.x221 - m.x222 + m.x637 + m.x638 + m.x639 + m.x640
+ m.x641 + m.x642 - m.x1881 + m.x2115 <= 0)
m.c1305 = Constraint(expr= - m.x217 - m.x218 - m.x219 - m.x220 - m.x221 - m.x222 - m.x223 + m.x637 + m.x638 + m.x639
+ m.x640 + m.x641 + m.x642 + m.x643 - m.x1881 + m.x2116 <= 0)
m.c1306 = Constraint(expr= - m.x217 - m.x218 - m.x219 - m.x220 - m.x221 - m.x222 - m.x223 - m.x224 + m.x637 + m.x638
+ m.x639 + m.x640 + m.x641 + m.x642 + m.x643 + m.x644 - m.x1881 + m.x2117 <= 0)
m.c1307 = Constraint(expr= - m.x217 - m.x218 - m.x219 - m.x220 - m.x221 - m.x222 - m.x223 - m.x224 - m.x225 + m.x637
+ m.x638 + m.x639 + m.x640 + m.x641 + m.x642 + m.x643 + m.x644 + m.x645 - m.x1881 + m.x2118
<= 0)
m.c1308 = Constraint(expr= - m.x217 - m.x218 - m.x219 - m.x220 - m.x221 - m.x222 - m.x223 - m.x224 - m.x225 - m.x226
+ m.x637 + m.x638 + m.x639 + m.x640 + m.x641 + m.x642 + m.x643 + m.x644 + m.x645 + m.x646
- m.x1881 + m.x2119 <= 0)
m.c1309 = Constraint(expr= - m.x217 - m.x218 - m.x219 - m.x220 - m.x221 - m.x222 - m.x223 - m.x224 - m.x225 - m.x226
- m.x227 + m.x637 + m.x638 + m.x639 + m.x640 + m.x641 + m.x642 + m.x643 + m.x644 + m.x645
+ m.x646 + m.x647 - m.x1881 + m.x2120 <= 0)
m.c1310 = Constraint(expr= - m.x1882 + m.x2121 <= 0)
m.c1311 = Constraint(expr= - m.x229 + m.x649 - m.x1882 + m.x2122 <= 0)
m.c1312 = Constraint(expr= - m.x229 - m.x230 + m.x649 + m.x650 - m.x1882 + m.x2123 <= 0)
m.c1313 = Constraint(expr= - m.x229 - m.x230 - m.x231 + m.x649 + m.x650 + m.x651 - m.x1882 + m.x2124 <= 0)
m.c1314 = Constraint(expr= - m.x229 - m.x230 - m.x231 - m.x232 + m.x649 + m.x650 + m.x651 + m.x652 - m.x1882 + m.x2125
<= 0)
m.c1315 = Constraint(expr= - m.x229 - m.x230 - m.x231 - m.x232 - m.x233 + m.x649 + m.x650 + m.x651 + m.x652 + m.x653
- m.x1882 + m.x2126 <= 0)
m.c1316 = Constraint(expr= - m.x229 - m.x230 - m.x231 - m.x232 - m.x233 - m.x234 + m.x649 + m.x650 + m.x651 + m.x652
+ m.x653 + m.x654 - m.x1882 + m.x2127 <= 0)
m.c1317 = Constraint(expr= - m.x229 - m.x230 - m.x231 - m.x232 - m.x233 - m.x234 - m.x235 + m.x649 + m.x650 + m.x651
+ m.x652 + m.x653 + m.x654 + m.x655 - m.x1882 + m.x2128 <= 0)
m.c1318 = Constraint(expr= - m.x229 - m.x230 - m.x231 - m.x232 - m.x233 - m.x234 - m.x235 - m.x236 + m.x649 + m.x650
+ m.x651 + m.x652 + m.x653 + m.x654 + m.x655 + m.x656 - m.x1882 + m.x2129 <= 0)
m.c1319 = Constraint(expr= - m.x229 - m.x230 - m.x231 - m.x232 - m.x233 - m.x234 - m.x235 - m.x236 - m.x237 + m.x649
+ m.x650 + m.x651 + m.x652 + m.x653 + m.x654 + m.x655 + m.x656 + m.x657 - m.x1882 + m.x2130
<= 0)
m.c1320 = Constraint(expr= - m.x229 - m.x230 - m.x231 - m.x232 - m.x233 - m.x234 - m.x235 - m.x236 - m.x237 - m.x238
+ m.x649 + m.x650 + m.x651 + m.x652 + m.x653 + m.x654 + m.x655 + m.x656 + m.x657 + m.x658
- m.x1882 + m.x2131 <= 0)
m.c1321 = Constraint(expr= - m.x229 - m.x230 - m.x231 - m.x232 - m.x233 - m.x234 - m.x235 - m.x236 - m.x237 - m.x238
- m.x239 + m.x649 + m.x650 + m.x651 + m.x652 + m.x653 + m.x654 + m.x655 + m.x656 + m.x657
+ m.x658 + m.x659 - m.x1882 + m.x2132 <= 0)
m.c1322 = Constraint(expr= - m.x1883 + m.x2133 <= 0)
m.c1323 = Constraint(expr= - m.x241 + m.x661 - m.x1883 + m.x2134 <= 0)
m.c1324 = Constraint(expr= - m.x241 - m.x242 + m.x661 + m.x662 - m.x1883 + m.x2135 <= 0)
m.c1325 = Constraint(expr= - m.x241 - m.x242 - m.x243 + m.x661 + m.x662 + m.x663 - m.x1883 + m.x2136 <= 0)
m.c1326 = Constraint(expr= - m.x241 - m.x242 - m.x243 - m.x244 + m.x661 + m.x662 + m.x663 + m.x664 - m.x1883 + m.x2137
<= 0)
m.c1327 = Constraint(expr= - m.x241 - m.x242 - m.x243 - m.x244 - m.x245 + m.x661 + m.x662 + m.x663 + m.x664 + m.x665
- m.x1883 + m.x2138 <= 0)
m.c1328 = Constraint(expr= - m.x241 - m.x242 - m.x243 - m.x244 - m.x245 - m.x246 + m.x661 + m.x662 + m.x663 + m.x664
+ m.x665 + m.x666 - m.x1883 + m.x2139 <= 0)
m.c1329 = Constraint(expr= - m.x241 - m.x242 - m.x243 - m.x244 - m.x245 - m.x246 - m.x247 + m.x661 + m.x662 + m.x663
+ m.x664 + m.x665 + m.x666 + m.x667 - m.x1883 + m.x2140 <= 0)
m.c1330 = Constraint(expr= - m.x241 - m.x242 - m.x243 - m.x244 - m.x245 - m.x246 - m.x247 - m.x248 + m.x661 + m.x662
+ m.x663 + m.x664 + m.x665 + m.x666 + m.x667 + m.x668 - m.x1883 + m.x2141 <= 0)
m.c1331 = Constraint(expr= - m.x241 - m.x242 - m.x243 - m.x244 - m.x245 - m.x246 - m.x247 - m.x248 - m.x249 + m.x661
+ m.x662 + m.x663 + m.x664 + m.x665 + m.x666 + m.x667 + m.x668 + m.x669 - m.x1883 + m.x2142
<= 0)
m.c1332 = Constraint(expr= - m.x241 - m.x242 - m.x243 - m.x244 - m.x245 - m.x246 - m.x247 - m.x248 - m.x249 - m.x250
+ m.x661 + m.x662 + m.x663 + m.x664 + m.x665 + m.x666 + m.x667 + m.x668 + m.x669 + m.x670
- m.x1883 + m.x2143 <= 0)
m.c1333 = Constraint(expr= - m.x241 - m.x242 - m.x243 - m.x244 - m.x245 - m.x246 - m.x247 - m.x248 - m.x249 - m.x250
- m.x251 + m.x661 + m.x662 + m.x663 + m.x664 + m.x665 + m.x666 + m.x667 + m.x668 + m.x669
+ m.x670 + m.x671 - m.x1883 + m.x2144 <= 0)
m.c1334 = Constraint(expr= - m.x1884 + m.x2145 <= 0)
m.c1335 = Constraint(expr= - m.x253 + m.x673 - m.x1884 + m.x2146 <= 0)
m.c1336 = Constraint(expr= - m.x253 - m.x254 + m.x673 + m.x674 - m.x1884 + m.x2147 <= 0)
m.c1337 = Constraint(expr= - m.x253 - m.x254 - m.x255 + m.x673 + m.x674 + m.x675 - m.x1884 + m.x2148 <= 0)
m.c1338 = Constraint(expr= - m.x253 - m.x254 - m.x255 - m.x256 + m.x673 + m.x674 + m.x675 + m.x676 - m.x1884 + m.x2149
<= 0)
m.c1339 = Constraint(expr= - m.x253 - m.x254 - m.x255 - m.x256 - m.x257 + m.x673 + m.x674 + m.x675 + m.x676 + m.x677
- m.x1884 + m.x2150 <= 0)
m.c1340 = Constraint(expr= - m.x253 - m.x254 - m.x255 - m.x256 - m.x257 - m.x258 + m.x673 + m.x674 + m.x675 + m.x676
+ m.x677 + m.x678 - m.x1884 + m.x2151 <= 0)
m.c1341 = Constraint(expr= - m.x253 - m.x254 - m.x255 - m.x256 - m.x257 - m.x258 - m.x259 + m.x673 + m.x674 + m.x675
+ m.x676 + m.x677 + m.x678 + m.x679 - m.x1884 + m.x2152 <= 0)
m.c1342 = Constraint(expr= - m.x253 - m.x254 - m.x255 - m.x256 - m.x257 - m.x258 - m.x259 - m.x260 + m.x673 + m.x674
+ m.x675 + m.x676 + m.x677 + m.x678 + m.x679 + m.x680 - m.x1884 + m.x2153 <= 0)
m.c1343 = Constraint(expr= - m.x253 - m.x254 - m.x255 - m.x256 - m.x257 - m.x258 - m.x259 - m.x260 - m.x261 + m.x673
+ m.x674 + m.x675 + m.x676 + m.x677 + m.x678 + m.x679 + m.x680 + m.x681 - m.x1884 + m.x2154
<= 0)
m.c1344 = Constraint(expr= - m.x253 - m.x254 - m.x255 - m.x256 - m.x257 - m.x258 - m.x259 - m.x260 - m.x261 - m.x262
+ m.x673 + m.x674 + m.x675 + m.x676 + m.x677 + m.x678 + m.x679 + m.x680 + m.x681 + m.x682
- m.x1884 + m.x2155 <= 0)
m.c1345 = Constraint(expr= - m.x253 - m.x254 - m.x255 - m.x256 - m.x257 - m.x258 - m.x259 - m.x260 - m.x261 - m.x262
- m.x263 + m.x673 + m.x674 + m.x675 + m.x676 + m.x677 + m.x678 + m.x679 + m.x680 + m.x681
+ m.x682 + m.x683 - m.x1884 + m.x2156 <= 0)
m.c1346 = Constraint(expr= - m.x1885 + m.x2157 <= 0)
m.c1347 = Constraint(expr= - m.x265 + m.x685 - m.x1885 + m.x2158 <= 0)
m.c1348 = Constraint(expr= - m.x265 - m.x266 + m.x685 + m.x686 - m.x1885 + m.x2159 <= 0)
m.c1349 = Constraint(expr= - m.x265 - m.x266 - m.x267 + m.x685 + m.x686 + m.x687 - m.x1885 + m.x2160 <= 0)
m.c1350 = Constraint(expr= - m.x265 - m.x266 - m.x267 - m.x268 + m.x685 + m.x686 + m.x687 + m.x688 - m.x1885 + m.x2161
<= 0)
m.c1351 = Constraint(expr= - m.x265 - m.x266 - m.x267 - m.x268 - m.x269 + m.x685 + m.x686 + m.x687 + m.x688 + m.x689
- m.x1885 + m.x2162 <= 0)
m.c1352 = Constraint(expr= - m.x265 - m.x266 - m.x267 - m.x268 - m.x269 - m.x270 + m.x685 + m.x686 + m.x687 + m.x688
+ m.x689 + m.x690 - m.x1885 + m.x2163 <= 0)
m.c1353 = Constraint(expr= - m.x265 - m.x266 - m.x267 - m.x268 - m.x269 - m.x270 - m.x271 + m.x685 + m.x686 + m.x687
+ m.x688 + m.x689 + m.x690 + m.x691 - m.x1885 + m.x2164 <= 0)
m.c1354 = Constraint(expr= - m.x265 - m.x266 - m.x267 - m.x268 - m.x269 - m.x270 - m.x271 - m.x272 + m.x685 + m.x686
+ m.x687 + m.x688 + m.x689 + m.x690 + m.x691 + m.x692 - m.x1885 + m.x2165 <= 0)
m.c1355 = Constraint(expr= - m.x265 - m.x266 - m.x267 - m.x268 - m.x269 - m.x270 - m.x271 - m.x272 - m.x273 + m.x685
+ m.x686 + m.x687 + m.x688 + m.x689 + m.x690 + m.x691 + m.x692 + m.x693 - m.x1885 + m.x2166
<= 0)
m.c1356 = Constraint(expr= - m.x265 - m.x266 - m.x267 - m.x268 - m.x269 - m.x270 - m.x271 - m.x272 - m.x273 - m.x274
+ m.x685 + m.x686 + m.x687 + m.x688 + m.x689 + m.x690 + m.x691 + m.x692 + m.x693 + m.x694
- m.x1885 + m.x2167 <= 0)
m.c1357 = Constraint(expr= - m.x265 - m.x266 - m.x267 - m.x268 - m.x269 - m.x270 - m.x271 - m.x272 - m.x273 - m.x274
- m.x275 + m.x685 + m.x686 + m.x687 + m.x688 + m.x689 + m.x690 + m.x691 + m.x692 + m.x693
+ m.x694 + m.x695 - m.x1885 + m.x2168 <= 0)
m.c1358 = Constraint(expr= - m.x1886 + m.x2169 <= 0)
m.c1359 = Constraint(expr= - m.x277 + m.x697 - m.x1886 + m.x2170 <= 0)
m.c1360 = Constraint(expr= - m.x277 - m.x278 + m.x697 + m.x698 - m.x1886 + m.x2171 <= 0)
m.c1361 = Constraint(expr= - m.x277 - m.x278 - m.x279 + m.x697 + m.x698 + m.x699 - m.x1886 + m.x2172 <= 0)
m.c1362 = Constraint(expr= - m.x277 - m.x278 - m.x279 - m.x280 + m.x697 + m.x698 + m.x699 + m.x700 - m.x1886 + m.x2173
<= 0)
m.c1363 = Constraint(expr= - m.x277 - m.x278 - m.x279 - m.x280 - m.x281 + m.x697 + m.x698 + m.x699 + m.x700 + m.x701
- m.x1886 + m.x2174 <= 0)
m.c1364 = Constraint(expr= - m.x277 - m.x278 - m.x279 - m.x280 - m.x281 - m.x282 + m.x697 + m.x698 + m.x699 + m.x700
+ m.x701 + m.x702 - m.x1886 + m.x2175 <= 0)
m.c1365 = Constraint(expr= - m.x277 - m.x278 - m.x279 - m.x280 - m.x281 - m.x282 - m.x283 + m.x697 + m.x698 + m.x699
+ m.x700 + m.x701 + m.x702 + m.x703 - m.x1886 + m.x2176 <= 0)
m.c1366 = Constraint(expr= - m.x277 - m.x278 - m.x279 - m.x280 - m.x281 - m.x282 - m.x283 - m.x284 + m.x697 + m.x698
+ m.x699 + m.x700 + m.x701 + m.x702 + m.x703 + m.x704 - m.x1886 + m.x2177 <= 0)
m.c1367 = Constraint(expr= - m.x277 - m.x278 - m.x279 - m.x280 - m.x281 - m.x282 - m.x283 - m.x284 - m.x285 + m.x697
+ m.x698 + m.x699 + m.x700 + m.x701 + m.x702 + m.x703 + m.x704 + m.x705 - m.x1886 + m.x2178
<= 0)
m.c1368 = Constraint(expr= - m.x277 - m.x278 - m.x279 - m.x280 - m.x281 - m.x282 - m.x283 - m.x284 - m.x285 - m.x286
+ m.x697 + m.x698 + m.x699 + m.x700 + m.x701 + m.x702 + m.x703 + m.x704 + m.x705 + m.x706
- m.x1886 + m.x2179 <= 0)
m.c1369 = Constraint(expr= - m.x277 - m.x278 - m.x279 - m.x280 - m.x281 - m.x282 - m.x283 - m.x284 - m.x285 - m.x286
- m.x287 + m.x697 + m.x698 + m.x699 + m.x700 + m.x701 + m.x702 + m.x703 + m.x704 + m.x705
+ m.x706 + m.x707 - m.x1886 + m.x2180 <= 0)
m.c1370 = Constraint(expr= - m.x1887 + m.x2181 <= 0)
m.c1371 = Constraint(expr= - m.x289 + m.x709 - m.x1887 + m.x2182 <= 0)
m.c1372 = Constraint(expr= - m.x289 - m.x290 + m.x709 + m.x710 - m.x1887 + m.x2183 <= 0)
m.c1373 = Constraint(expr= - m.x289 - m.x290 - m.x291 + m.x709 + m.x710 + m.x711 - m.x1887 + m.x2184 <= 0)
m.c1374 = Constraint(expr= - m.x289 - m.x290 - m.x291 - m.x292 + m.x709 + m.x710 + m.x711 + m.x712 - m.x1887 + m.x2185
<= 0)
m.c1375 = Constraint(expr= - m.x289 - m.x290 - m.x291 - m.x292 - m.x293 + m.x709 + m.x710 + m.x711 + m.x712 + m.x713
- m.x1887 + m.x2186 <= 0)
m.c1376 = Constraint(expr= - m.x289 - m.x290 - m.x291 - m.x292 - m.x293 - m.x294 + m.x709 + m.x710 + m.x711 + m.x712
+ m.x713 + m.x714 - m.x1887 + m.x2187 <= 0)
m.c1377 = Constraint(expr= - m.x289 - m.x290 - m.x291 - m.x292 - m.x293 - m.x294 - m.x295 + m.x709 + m.x710 + m.x711
+ m.x712 + m.x713 + m.x714 + m.x715 - m.x1887 + m.x2188 <= 0)
m.c1378 = Constraint(expr= - m.x289 - m.x290 - m.x291 - m.x292 - m.x293 - m.x294 - m.x295 - m.x296 + m.x709 + m.x710
+ m.x711 + m.x712 + m.x713 + m.x714 + m.x715 + m.x716 - m.x1887 + m.x2189 <= 0)
m.c1379 = Constraint(expr= - m.x289 - m.x290 - m.x291 - m.x292 - m.x293 - m.x294 - m.x295 - m.x296 - m.x297 + m.x709
+ m.x710 + m.x711 + m.x712 + m.x713 + m.x714 + m.x715 + m.x716 + m.x717 - m.x1887 + m.x2190
<= 0)
m.c1380 = Constraint(expr= - m.x289 - m.x290 - m.x291 - m.x292 - m.x293 - m.x294 - m.x295 - m.x296 - m.x297 - m.x298
+ m.x709 + m.x710 + m.x711 + m.x712 + m.x713 + m.x714 + m.x715 + m.x716 + m.x717 + m.x718
- m.x1887 + m.x2191 <= 0)
m.c1381 = Constraint(expr= - m.x289 - m.x290 - m.x291 - m.x292 - m.x293 - m.x294 - m.x295 - m.x296 - m.x297 - m.x298
- m.x299 + m.x709 + m.x710 + m.x711 + m.x712 + m.x713 + m.x714 + m.x715 + m.x716 + m.x717
+ m.x718 + m.x719 - m.x1887 + m.x2192 <= 0)
m.c1382 = Constraint(expr= - m.x1888 + m.x2193 <= 0)
m.c1383 = Constraint(expr= - m.x301 + m.x721 - m.x1888 + m.x2194 <= 0)
m.c1384 = Constraint(expr= - m.x301 - m.x302 + m.x721 + m.x722 - m.x1888 + m.x2195 <= 0)
m.c1385 = Constraint(expr= - m.x301 - m.x302 - m.x303 + m.x721 + m.x722 + m.x723 - m.x1888 + m.x2196 <= 0)
m.c1386 = Constraint(expr= - m.x301 - m.x302 - m.x303 - m.x304 + m.x721 + m.x722 + m.x723 + m.x724 - m.x1888 + m.x2197
<= 0)
m.c1387 = Constraint(expr= - m.x301 - m.x302 - m.x303 - m.x304 - m.x305 + m.x721 + m.x722 + m.x723 + m.x724 + m.x725
- m.x1888 + m.x2198 <= 0)
m.c1388 = Constraint(expr= - m.x301 - m.x302 - m.x303 - m.x304 - m.x305 - m.x306 + m.x721 + m.x722 + m.x723 + m.x724
+ m.x725 + m.x726 - m.x1888 + m.x2199 <= 0)
m.c1389 = Constraint(expr= - m.x301 - m.x302 - m.x303 - m.x304 - m.x305 - m.x306 - m.x307 + m.x721 + m.x722 + m.x723
+ m.x724 + m.x725 + m.x726 + m.x727 - m.x1888 + m.x2200 <= 0)
m.c1390 = Constraint(expr= - m.x301 - m.x302 - m.x303 - m.x304 - m.x305 - m.x306 - m.x307 - m.x308 + m.x721 + m.x722
+ m.x723 + m.x724 + m.x725 + m.x726 + m.x727 + m.x728 - m.x1888 + m.x2201 <= 0)
m.c1391 = Constraint(expr= - m.x301 - m.x302 - m.x303 - m.x304 - m.x305 - m.x306 - m.x307 - m.x308 - m.x309 + m.x721
+ m.x722 + m.x723 + m.x724 + m.x725 + m.x726 + m.x727 + m.x728 + m.x729 - m.x1888 + m.x2202
<= 0)
m.c1392 = Constraint(expr= - m.x301 - m.x302 - m.x303 - m.x304 - m.x305 - m.x306 - m.x307 - m.x308 - m.x309 - m.x310
+ m.x721 + m.x722 + m.x723 + m.x724 + m.x725 + m.x726 + m.x727 + m.x728 + m.x729 + m.x730
- m.x1888 + m.x2203 <= 0)
m.c1393 = Constraint(expr= - m.x301 - m.x302 - m.x303 - m.x304 - m.x305 - m.x306 - m.x307 - m.x308 - m.x309 - m.x310
- m.x311 + m.x721 + m.x722 + m.x723 + m.x724 + m.x725 + m.x726 + m.x727 + m.x728 + m.x729
+ m.x730 + m.x731 - m.x1888 + m.x2204 <= 0)
m.c1394 = Constraint(expr= - m.x1889 + m.x2205 <= 0)
m.c1395 = Constraint(expr= - m.x313 + m.x733 - m.x1889 + m.x2206 <= 0)
m.c1396 = Constraint(expr= - m.x313 - m.x314 + m.x733 + m.x734 - m.x1889 + m.x2207 <= 0)
m.c1397 = Constraint(expr= - m.x313 - m.x314 - m.x315 + m.x733 + m.x734 + m.x735 - m.x1889 + m.x2208 <= 0)
m.c1398 = Constraint(expr= - m.x313 - m.x314 - m.x315 - m.x316 + m.x733 + m.x734 + m.x735 + m.x736 - m.x1889 + m.x2209
<= 0)
m.c1399 = Constraint(expr= - m.x313 - m.x314 - m.x315 - m.x316 - m.x317 + m.x733 + m.x734 + m.x735 + m.x736 + m.x737
- m.x1889 + m.x2210 <= 0)
m.c1400 = Constraint(expr= - m.x313 - m.x314 - m.x315 - m.x316 - m.x317 - m.x318 + m.x733 + m.x734 + m.x735 + m.x736
+ m.x737 + m.x738 - m.x1889 + m.x2211 <= 0)
m.c1401 = Constraint(expr= - m.x313 - m.x314 - m.x315 - m.x316 - m.x317 - m.x318 - m.x319 + m.x733 + m.x734 + m.x735
+ m.x736 + m.x737 + m.x738 + m.x739 - m.x1889 + m.x2212 <= 0)
m.c1402 = Constraint(expr= - m.x313 - m.x314 - m.x315 - m.x316 - m.x317 - m.x318 - m.x319 - m.x320 + m.x733 + m.x734
+ m.x735 + m.x736 + m.x737 + m.x738 + m.x739 + m.x740 - m.x1889 + m.x2213 <= 0)
m.c1403 = Constraint(expr= - m.x313 - m.x314 - m.x315 - m.x316 - m.x317 - m.x318 - m.x319 - m.x320 - m.x321 + m.x733
+ m.x734 + m.x735 + m.x736 + m.x737 + m.x738 + m.x739 + m.x740 + m.x741 - m.x1889 + m.x2214
<= 0)
m.c1404 = Constraint(expr= - m.x313 - m.x314 - m.x315 - m.x316 - m.x317 - m.x318 - m.x319 - m.x320 - m.x321 - m.x322
+ m.x733 + m.x734 + m.x735 + m.x736 + m.x737 + m.x738 + m.x739 + m.x740 + m.x741 + m.x742
- m.x1889 + m.x2215 <= 0)
m.c1405 = Constraint(expr= - m.x313 - m.x314 - m.x315 - m.x316 - m.x317 - m.x318 - m.x319 - m.x320 - m.x321 - m.x322
- m.x323 + m.x733 + m.x734 + m.x735 + m.x736 + m.x737 + m.x738 + m.x739 + m.x740 + m.x741
+ m.x742 + m.x743 - m.x1889 + m.x2216 <= 0)
m.c1406 = Constraint(expr= - m.x1890 + m.x2217 <= 0)
m.c1407 = Constraint(expr= - m.x325 + m.x745 - m.x1890 + m.x2218 <= 0)
m.c1408 = Constraint(expr= - m.x325 - m.x326 + m.x745 + m.x746 - m.x1890 + m.x2219 <= 0)
m.c1409 = Constraint(expr= - m.x325 - m.x326 - m.x327 + m.x745 + m.x746 + m.x747 - m.x1890 + m.x2220 <= 0)
m.c1410 = Constraint(expr= - m.x325 - m.x326 - m.x327 - m.x328 + m.x745 + m.x746 + m.x747 + m.x748 - m.x1890 + m.x2221
<= 0)
m.c1411 = Constraint(expr= - m.x325 - m.x326 - m.x327 - m.x328 - m.x329 + m.x745 + m.x746 + m.x747 + m.x748 + m.x749
- m.x1890 + m.x2222 <= 0)
m.c1412 = Constraint(expr= - m.x325 - m.x326 - m.x327 - m.x328 - m.x329 - m.x330 + m.x745 + m.x746 + m.x747 + m.x748
+ m.x749 + m.x750 - m.x1890 + m.x2223 <= 0)
m.c1413 = Constraint(expr= - m.x325 - m.x326 - m.x327 - m.x328 - m.x329 - m.x330 - m.x331 + m.x745 + m.x746 + m.x747
+ m.x748 + m.x749 + m.x750 + m.x751 - m.x1890 + m.x2224 <= 0)
m.c1414 = Constraint(expr= - m.x325 - m.x326 - m.x327 - m.x328 - m.x329 - m.x330 - m.x331 - m.x332 + m.x745 + m.x746
+ m.x747 + m.x748 + m.x749 + m.x750 + m.x751 + m.x752 - m.x1890 + m.x2225 <= 0)
m.c1415 = Constraint(expr= - m.x325 - m.x326 - m.x327 - m.x328 - m.x329 - m.x330 - m.x331 - m.x332 - m.x333 + m.x745
+ m.x746 + m.x747 + m.x748 + m.x749 + m.x750 + m.x751 + m.x752 + m.x753 - m.x1890 + m.x2226
<= 0)
m.c1416 = Constraint(expr= - m.x325 - m.x326 - m.x327 - m.x328 - m.x329 - m.x330 - m.x331 - m.x332 - m.x333 - m.x334
+ m.x745 + m.x746 + m.x747 + m.x748 + m.x749 + m.x750 + m.x751 + m.x752 + m.x753 + m.x754
- m.x1890 + m.x2227 <= 0)
m.c1417 = Constraint(expr= - m.x325 - m.x326 - m.x327 - m.x328 - m.x329 - m.x330 - m.x331 - m.x332 - m.x333 - m.x334
- m.x335 + m.x745 + m.x746 + m.x747 + m.x748 + m.x749 + m.x750 + m.x751 + m.x752 + m.x753
+ m.x754 + m.x755 - m.x1890 + m.x2228 <= 0)
m.c1418 = Constraint(expr= - m.x1891 + m.x2229 <= 0)
m.c1419 = Constraint(expr= - m.x337 + m.x757 - m.x1891 + m.x2230 <= 0)
m.c1420 = Constraint(expr= - m.x337 - m.x338 + m.x757 + m.x758 - m.x1891 + m.x2231 <= 0)
m.c1421 = Constraint(expr= - m.x337 - m.x338 - m.x339 + m.x757 + m.x758 + m.x759 - m.x1891 + m.x2232 <= 0)
m.c1422 = Constraint(expr= - m.x337 - m.x338 - m.x339 - m.x340 + m.x757 + m.x758 + m.x759 + m.x760 - m.x1891 + m.x2233
<= 0)
m.c1423 = Constraint(expr= - m.x337 - m.x338 - m.x339 - m.x340 - m.x341 + m.x757 + m.x758 + m.x759 + m.x760 + m.x761
- m.x1891 + m.x2234 <= 0)
m.c1424 = Constraint(expr= - m.x337 - m.x338 - m.x339 - m.x340 - m.x341 - m.x342 + m.x757 + m.x758 + m.x759 + m.x760
+ m.x761 + m.x762 - m.x1891 + m.x2235 <= 0)
m.c1425 = Constraint(expr= - m.x337 - m.x338 - m.x339 - m.x340 - m.x341 - m.x342 - m.x343 + m.x757 + m.x758 + m.x759
+ m.x760 + m.x761 + m.x762 + m.x763 - m.x1891 + m.x2236 <= 0)
m.c1426 = Constraint(expr= - m.x337 - m.x338 - m.x339 - m.x340 - m.x341 - m.x342 - m.x343 - m.x344 + m.x757 + m.x758
+ m.x759 + m.x760 + m.x761 + m.x762 + m.x763 + m.x764 - m.x1891 + m.x2237 <= 0)
m.c1427 = Constraint(expr= - m.x337 - m.x338 - m.x339 - m.x340 - m.x341 - m.x342 - m.x343 - m.x344 - m.x345 + m.x757
+ m.x758 + m.x759 + m.x760 + m.x761 + m.x762 + m.x763 + m.x764 + m.x765 - m.x1891 + m.x2238
<= 0)
m.c1428 = Constraint(expr= - m.x337 - m.x338 - m.x339 - m.x340 - m.x341 - m.x342 - m.x343 - m.x344 - m.x345 - m.x346
+ m.x757 + m.x758 + m.x759 + m.x760 + m.x761 + m.x762 + m.x763 + m.x764 + m.x765 + m.x766
- m.x1891 + m.x2239 <= 0)
m.c1429 = Constraint(expr= - m.x337 - m.x338 - m.x339 - m.x340 - m.x341 - m.x342 - m.x343 - m.x344 - m.x345 - m.x346
- m.x347 + m.x757 + m.x758 + m.x759 + m.x760 + m.x761 + m.x762 + m.x763 + m.x764 + m.x765
+ m.x766 + m.x767 - m.x1891 + m.x2240 <= 0)
m.c1430 = Constraint(expr= - m.x1892 + m.x2241 <= 0)
m.c1431 = Constraint(expr= - m.x349 + m.x769 - m.x1892 + m.x2242 <= 0)
m.c1432 = Constraint(expr= - m.x349 - m.x350 + m.x769 + m.x770 - m.x1892 + m.x2243 <= 0)
m.c1433 = Constraint(expr= - m.x349 - m.x350 - m.x351 + m.x769 + m.x770 + m.x771 - m.x1892 + m.x2244 <= 0)
m.c1434 = Constraint(expr= - m.x349 - m.x350 - m.x351 - m.x352 + m.x769 + m.x770 + m.x771 + m.x772 - m.x1892 + m.x2245
<= 0)
m.c1435 = Constraint(expr= - m.x349 - m.x350 - m.x351 - m.x352 - m.x353 + m.x769 + m.x770 + m.x771 + m.x772 + m.x773
- m.x1892 + m.x2246 <= 0)
m.c1436 = Constraint(expr= - m.x349 - m.x350 - m.x351 - m.x352 - m.x353 - m.x354 + m.x769 + m.x770 + m.x771 + m.x772
+ m.x773 + m.x774 - m.x1892 + m.x2247 <= 0)
m.c1437 = Constraint(expr= - m.x349 - m.x350 - m.x351 - m.x352 - m.x353 - m.x354 - m.x355 + m.x769 + m.x770 + m.x771
+ m.x772 + m.x773 + m.x774 + m.x775 - m.x1892 + m.x2248 <= 0)
m.c1438 = Constraint(expr= - m.x349 - m.x350 - m.x351 - m.x352 - m.x353 - m.x354 - m.x355 - m.x356 + m.x769 + m.x770
+ m.x771 + m.x772 + m.x773 + m.x774 + m.x775 + m.x776 - m.x1892 + m.x2249 <= 0)
m.c1439 = Constraint(expr= - m.x349 - m.x350 - m.x351 - m.x352 - m.x353 - m.x354 - m.x355 - m.x356 - m.x357 + m.x769
+ m.x770 + m.x771 + m.x772 + m.x773 + m.x774 + m.x775 + m.x776 + m.x777 - m.x1892 + m.x2250
<= 0)
m.c1440 = Constraint(expr= - m.x349 - m.x350 - m.x351 - m.x352 - m.x353 - m.x354 - m.x355 - m.x356 - m.x357 - m.x358
+ m.x769 + m.x770 + m.x771 + m.x772 + m.x773 + m.x774 + m.x775 + m.x776 + m.x777 + m.x778
- m.x1892 + m.x2251 <= 0)
m.c1441 = Constraint(expr= - m.x349 - m.x350 - m.x351 - m.x352 - m.x353 - m.x354 - m.x355 - m.x356 - m.x357 - m.x358
- m.x359 + m.x769 + m.x770 + m.x771 + m.x772 + m.x773 + m.x774 + m.x775 + m.x776 + m.x777
+ m.x778 + m.x779 - m.x1892 + m.x2252 <= 0)
m.c1442 = Constraint(expr=-0.007*m.x1592*m.x841*(0.0775*m.x1893*(1 - 0.000727272727272727*m.x1893) + m.x1893 +
0.003003125*m.x1893*(1 - 0.000727272727272727*m.x1893)*(1 - 0.00145454545454545*m.x1893) +
6.0669191919192e-8*(1189.2375*m.x1893*(1 - 0.000727272727272727*m.x1893)*(1 -
0.00145454545454545*m.x1893) - 1.86*(0.93*m.x1893*(1 - 0.000727272727272727*m.x1893))**2 -
1.49610402*m.x1893*m.x1893*(1 - 0.000727272727272727*m.x1893)*(1 - 0.00145454545454545*m.x1893
)*(1 - 0.00145454545454545*m.x1893))) + m.x421 <= 0)
m.c1443 = Constraint(expr=-0.007*m.x1592*m.x842*(0.0775*m.x1894*(1 - 0.000727272727272727*m.x1894) + m.x1894 +
0.003003125*m.x1894*(1 - 0.000727272727272727*m.x1894)*(1 - 0.00145454545454545*m.x1894) +
6.0669191919192e-8*(1189.2375*m.x1894*(1 - 0.000727272727272727*m.x1894)*(1 -
0.00145454545454545*m.x1894) - 1.86*(0.93*m.x1894*(1 - 0.000727272727272727*m.x1894))**2 -
1.49610402*m.x1894*m.x1894*(1 - 0.000727272727272727*m.x1894)*(1 - 0.00145454545454545*m.x1894
)*(1 - 0.00145454545454545*m.x1894))) + m.x422 <= 0)
m.c1444 = Constraint(expr=-0.007*m.x1592*m.x843*(0.0775*m.x1895*(1 - 0.000727272727272727*m.x1895) + m.x1895 +
0.003003125*m.x1895*(1 - 0.000727272727272727*m.x1895)*(1 - 0.00145454545454545*m.x1895) +
6.0669191919192e-8*(1189.2375*m.x1895*(1 - 0.000727272727272727*m.x1895)*(1 -
0.00145454545454545*m.x1895) - 1.86*(0.93*m.x1895*(1 - 0.000727272727272727*m.x1895))**2 -
1.49610402*m.x1895*m.x1895*(1 - 0.000727272727272727*m.x1895)*(1 - 0.00145454545454545*m.x1895
)*(1 - 0.00145454545454545*m.x1895))) + m.x423 <= 0)
m.c1445 = Constraint(expr=-0.007*m.x1592*m.x844*(0.0775*m.x1896*(1 - 0.000727272727272727*m.x1896) + m.x1896 +
0.003003125*m.x1896*(1 - 0.000727272727272727*m.x1896)*(1 - 0.00145454545454545*m.x1896) +
6.0669191919192e-8*(1189.2375*m.x1896*(1 - 0.000727272727272727*m.x1896)*(1 -
0.00145454545454545*m.x1896) - 1.86*(0.93*m.x1896*(1 - 0.000727272727272727*m.x1896))**2 -
1.49610402*m.x1896*m.x1896*(1 - 0.000727272727272727*m.x1896)*(1 - 0.00145454545454545*m.x1896
)*(1 - 0.00145454545454545*m.x1896))) + m.x424 <= 0)
m.c1446 = Constraint(expr=-0.007*m.x1592*m.x845*(0.0775*m.x1897*(1 - 0.000727272727272727*m.x1897) + m.x1897 +
0.003003125*m.x1897*(1 - 0.000727272727272727*m.x1897)*(1 - 0.00145454545454545*m.x1897) +
6.0669191919192e-8*(1189.2375*m.x1897*(1 - 0.000727272727272727*m.x1897)*(1 -
0.00145454545454545*m.x1897) - 1.86*(0.93*m.x1897*(1 - 0.000727272727272727*m.x1897))**2 -
1.49610402*m.x1897*m.x1897*(1 - 0.000727272727272727*m.x1897)*(1 - 0.00145454545454545*m.x1897
)*(1 - 0.00145454545454545*m.x1897))) + m.x425 <= 0)
m.c1447 = Constraint(expr=-0.007*m.x1592*m.x846*(0.0775*m.x1898*(1 - 0.000727272727272727*m.x1898) + m.x1898 +
0.003003125*m.x1898*(1 - 0.000727272727272727*m.x1898)*(1 - 0.00145454545454545*m.x1898) +
6.0669191919192e-8*(1189.2375*m.x1898*(1 - 0.000727272727272727*m.x1898)*(1 -
0.00145454545454545*m.x1898) - 1.86*(0.93*m.x1898*(1 - 0.000727272727272727*m.x1898))**2 -
1.49610402*m.x1898*m.x1898*(1 - 0.000727272727272727*m.x1898)*(1 - 0.00145454545454545*m.x1898
)*(1 - 0.00145454545454545*m.x1898))) + m.x426 <= 0)
m.c1448 = Constraint(expr=-0.007*m.x1592*m.x847*(0.0775*m.x1899*(1 - 0.000727272727272727*m.x1899) + m.x1899 +
0.003003125*m.x1899*(1 - 0.000727272727272727*m.x1899)*(1 - 0.00145454545454545*m.x1899) +
6.0669191919192e-8*(1189.2375*m.x1899*(1 - 0.000727272727272727*m.x1899)*(1 -
0.00145454545454545*m.x1899) - 1.86*(0.93*m.x1899*(1 - 0.000727272727272727*m.x1899))**2 -
1.49610402*m.x1899*m.x1899*(1 - 0.000727272727272727*m.x1899)*(1 - 0.00145454545454545*m.x1899
)*(1 - 0.00145454545454545*m.x1899))) + m.x427 <= 0)
m.c1449 = Constraint(expr=-0.007*m.x1592*m.x848*(0.0775*m.x1900*(1 - 0.000727272727272727*m.x1900) + m.x1900 +
0.003003125*m.x1900*(1 - 0.000727272727272727*m.x1900)*(1 - 0.00145454545454545*m.x1900) +
6.0669191919192e-8*(1189.2375*m.x1900*(1 - 0.000727272727272727*m.x1900)*(1 -
0.00145454545454545*m.x1900) - 1.86*(0.93*m.x1900*(1 - 0.000727272727272727*m.x1900))**2 -
1.49610402*m.x1900*m.x1900*(1 - 0.000727272727272727*m.x1900)*(1 - 0.00145454545454545*m.x1900
)*(1 - 0.00145454545454545*m.x1900))) + m.x428 <= 0)
m.c1450 = Constraint(expr=-0.007*m.x1592*m.x849*(0.0775*m.x1901*(1 - 0.000727272727272727*m.x1901) + m.x1901 +
0.003003125*m.x1901*(1 - 0.000727272727272727*m.x1901)*(1 - 0.00145454545454545*m.x1901) +
6.0669191919192e-8*(1189.2375*m.x1901*(1 - 0.000727272727272727*m.x1901)*(1 -
0.00145454545454545*m.x1901) - 1.86*(0.93*m.x1901*(1 - 0.000727272727272727*m.x1901))**2 -
1.49610402*m.x1901*m.x1901*(1 - 0.000727272727272727*m.x1901)*(1 - 0.00145454545454545*m.x1901
)*(1 - 0.00145454545454545*m.x1901))) + m.x429 <= 0)
m.c1451 = Constraint(expr=-0.007*m.x1592*m.x850*(0.0775*m.x1902*(1 - 0.000727272727272727*m.x1902) + m.x1902 +
0.003003125*m.x1902*(1 - 0.000727272727272727*m.x1902)*(1 - 0.00145454545454545*m.x1902) +
6.0669191919192e-8*(1189.2375*m.x1902*(1 - 0.000727272727272727*m.x1902)*(1 -
0.00145454545454545*m.x1902) - 1.86*(0.93*m.x1902*(1 - 0.000727272727272727*m.x1902))**2 -
1.49610402*m.x1902*m.x1902*(1 - 0.000727272727272727*m.x1902)*(1 - 0.00145454545454545*m.x1902
)*(1 - 0.00145454545454545*m.x1902))) + m.x430 <= 0)
m.c1452 = Constraint(expr=-0.007*m.x1592*m.x851*(0.0775*m.x1903*(1 - 0.000727272727272727*m.x1903) + m.x1903 +
0.003003125*m.x1903*(1 - 0.000727272727272727*m.x1903)*(1 - 0.00145454545454545*m.x1903) +
6.0669191919192e-8*(1189.2375*m.x1903*(1 - 0.000727272727272727*m.x1903)*(1 -
0.00145454545454545*m.x1903) - 1.86*(0.93*m.x1903*(1 - 0.000727272727272727*m.x1903))**2 -
1.49610402*m.x1903*m.x1903*(1 - 0.000727272727272727*m.x1903)*(1 - 0.00145454545454545*m.x1903
)*(1 - 0.00145454545454545*m.x1903))) + m.x431 <= 0)
m.c1453 = Constraint(expr=-0.007*m.x1592*m.x852*(0.0775*m.x1904*(1 - 0.000727272727272727*m.x1904) + m.x1904 +
0.003003125*m.x1904*(1 - 0.000727272727272727*m.x1904)*(1 - 0.00145454545454545*m.x1904) +
6.0669191919192e-8*(1189.2375*m.x1904*(1 - 0.000727272727272727*m.x1904)*(1 -
0.00145454545454545*m.x1904) - 1.86*(0.93*m.x1904*(1 - 0.000727272727272727*m.x1904))**2 -
1.49610402*m.x1904*m.x1904*(1 - 0.000727272727272727*m.x1904)*(1 - 0.00145454545454545*m.x1904
)*(1 - 0.00145454545454545*m.x1904))) + m.x432 <= 0)
m.c1454 = Constraint(expr=-0.007*m.x1593*m.x853*(0.0775*m.x1905*(1 - 0.000727272727272727*m.x1905) + m.x1905 +
0.003003125*m.x1905*(1 - 0.000727272727272727*m.x1905)*(1 - 0.00145454545454545*m.x1905) +
6.0669191919192e-8*(1189.2375*m.x1905*(1 - 0.000727272727272727*m.x1905)*(1 -
0.00145454545454545*m.x1905) - 1.86*(0.93*m.x1905*(1 - 0.000727272727272727*m.x1905))**2 -
1.49610402*m.x1905*m.x1905*(1 - 0.000727272727272727*m.x1905)*(1 - 0.00145454545454545*m.x1905
)*(1 - 0.00145454545454545*m.x1905))) + m.x433 <= 0)
m.c1455 = Constraint(expr=-0.007*m.x1593*m.x854*(0.0775*m.x1906*(1 - 0.000727272727272727*m.x1906) + m.x1906 +
0.003003125*m.x1906*(1 - 0.000727272727272727*m.x1906)*(1 - 0.00145454545454545*m.x1906) +
6.0669191919192e-8*(1189.2375*m.x1906*(1 - 0.000727272727272727*m.x1906)*(1 -
0.00145454545454545*m.x1906) - 1.86*(0.93*m.x1906*(1 - 0.000727272727272727*m.x1906))**2 -
1.49610402*m.x1906*m.x1906*(1 - 0.000727272727272727*m.x1906)*(1 - 0.00145454545454545*m.x1906
)*(1 - 0.00145454545454545*m.x1906))) + m.x434 <= 0)
m.c1456 = Constraint(expr=-0.007*m.x1593*m.x855*(0.0775*m.x1907*(1 - 0.000727272727272727*m.x1907) + m.x1907 +
0.003003125*m.x1907*(1 - 0.000727272727272727*m.x1907)*(1 - 0.00145454545454545*m.x1907) +
6.0669191919192e-8*(1189.2375*m.x1907*(1 - 0.000727272727272727*m.x1907)*(1 -
0.00145454545454545*m.x1907) - 1.86*(0.93*m.x1907*(1 - 0.000727272727272727*m.x1907))**2 -
1.49610402*m.x1907*m.x1907*(1 - 0.000727272727272727*m.x1907)*(1 - 0.00145454545454545*m.x1907
)*(1 - 0.00145454545454545*m.x1907))) + m.x435 <= 0)
m.c1457 = Constraint(expr=-0.007*m.x1593*m.x856*(0.0775*m.x1908*(1 - 0.000727272727272727*m.x1908) + m.x1908 +
0.003003125*m.x1908*(1 - 0.000727272727272727*m.x1908)*(1 - 0.00145454545454545*m.x1908) +
6.0669191919192e-8*(1189.2375*m.x1908*(1 - 0.000727272727272727*m.x1908)*(1 -
0.00145454545454545*m.x1908) - 1.86*(0.93*m.x1908*(1 - 0.000727272727272727*m.x1908))**2 -
1.49610402*m.x1908*m.x1908*(1 - 0.000727272727272727*m.x1908)*(1 - 0.00145454545454545*m.x1908
)*(1 - 0.00145454545454545*m.x1908))) + m.x436 <= 0)
m.c1458 = Constraint(expr=-0.007*m.x1593*m.x857*(0.0775*m.x1909*(1 - 0.000727272727272727*m.x1909) + m.x1909 +
0.003003125*m.x1909*(1 - 0.000727272727272727*m.x1909)*(1 - 0.00145454545454545*m.x1909) +
6.0669191919192e-8*(1189.2375*m.x1909*(1 - 0.000727272727272727*m.x1909)*(1 -
0.00145454545454545*m.x1909) - 1.86*(0.93*m.x1909*(1 - 0.000727272727272727*m.x1909))**2 -
1.49610402*m.x1909*m.x1909*(1 - 0.000727272727272727*m.x1909)*(1 - 0.00145454545454545*m.x1909
)*(1 - 0.00145454545454545*m.x1909))) + m.x437 <= 0)
m.c1459 = Constraint(expr=-0.007*m.x1593*m.x858*(0.0775*m.x1910*(1 - 0.000727272727272727*m.x1910) + m.x1910 +
0.003003125*m.x1910*(1 - 0.000727272727272727*m.x1910)*(1 - 0.00145454545454545*m.x1910) +
6.0669191919192e-8*(1189.2375*m.x1910*(1 - 0.000727272727272727*m.x1910)*(1 -
0.00145454545454545*m.x1910) - 1.86*(0.93*m.x1910*(1 - 0.000727272727272727*m.x1910))**2 -
1.49610402*m.x1910*m.x1910*(1 - 0.000727272727272727*m.x1910)*(1 - 0.00145454545454545*m.x1910
)*(1 - 0.00145454545454545*m.x1910))) + m.x438 <= 0)
m.c1460 = Constraint(expr=-0.007*m.x1593*m.x859*(0.0775*m.x1911*(1 - 0.000727272727272727*m.x1911) + m.x1911 +
0.003003125*m.x1911*(1 - 0.000727272727272727*m.x1911)*(1 - 0.00145454545454545*m.x1911) +
6.0669191919192e-8*(1189.2375*m.x1911*(1 - 0.000727272727272727*m.x1911)*(1 -
0.00145454545454545*m.x1911) - 1.86*(0.93*m.x1911*(1 - 0.000727272727272727*m.x1911))**2 -
1.49610402*m.x1911*m.x1911*(1 - 0.000727272727272727*m.x1911)*(1 - 0.00145454545454545*m.x1911
)*(1 - 0.00145454545454545*m.x1911))) + m.x439 <= 0)
m.c1461 = Constraint(expr=-0.007*m.x1593*m.x860*(0.0775*m.x1912*(1 - 0.000727272727272727*m.x1912) + m.x1912 +
0.003003125*m.x1912*(1 - 0.000727272727272727*m.x1912)*(1 - 0.00145454545454545*m.x1912) +
6.0669191919192e-8*(1189.2375*m.x1912*(1 - 0.000727272727272727*m.x1912)*(1 -
0.00145454545454545*m.x1912) - 1.86*(0.93*m.x1912*(1 - 0.000727272727272727*m.x1912))**2 -
1.49610402*m.x1912*m.x1912*(1 - 0.000727272727272727*m.x1912)*(1 - 0.00145454545454545*m.x1912
)*(1 - 0.00145454545454545*m.x1912))) + m.x440 <= 0)
m.c1462 = Constraint(expr=-0.007*m.x1593*m.x861*(0.0775*m.x1913*(1 - 0.000727272727272727*m.x1913) + m.x1913 +
0.003003125*m.x1913*(1 - 0.000727272727272727*m.x1913)*(1 - 0.00145454545454545*m.x1913) +
6.0669191919192e-8*(1189.2375*m.x1913*(1 - 0.000727272727272727*m.x1913)*(1 -
0.00145454545454545*m.x1913) - 1.86*(0.93*m.x1913*(1 - 0.000727272727272727*m.x1913))**2 -
1.49610402*m.x1913*m.x1913*(1 - 0.000727272727272727*m.x1913)*(1 - 0.00145454545454545*m.x1913
)*(1 - 0.00145454545454545*m.x1913))) + m.x441 <= 0)
m.c1463 = Constraint(expr=-0.007*m.x1593*m.x862*(0.0775*m.x1914*(1 - 0.000727272727272727*m.x1914) + m.x1914 +
0.003003125*m.x1914*(1 - 0.000727272727272727*m.x1914)*(1 - 0.00145454545454545*m.x1914) +
6.0669191919192e-8*(1189.2375*m.x1914*(1 - 0.000727272727272727*m.x1914)*(1 -
0.00145454545454545*m.x1914) - 1.86*(0.93*m.x1914*(1 - 0.000727272727272727*m.x1914))**2 -
1.49610402*m.x1914*m.x1914*(1 - 0.000727272727272727*m.x1914)*(1 - 0.00145454545454545*m.x1914
)*(1 - 0.00145454545454545*m.x1914))) + m.x442 <= 0)
m.c1464 = Constraint(expr=-0.007*m.x1593*m.x863*(0.0775*m.x1915*(1 - 0.000727272727272727*m.x1915) + m.x1915 +
0.003003125*m.x1915*(1 - 0.000727272727272727*m.x1915)*(1 - 0.00145454545454545*m.x1915) +
6.0669191919192e-8*(1189.2375*m.x1915*(1 - 0.000727272727272727*m.x1915)*(1 -
0.00145454545454545*m.x1915) - 1.86*(0.93*m.x1915*(1 - 0.000727272727272727*m.x1915))**2 -
1.49610402*m.x1915*m.x1915*(1 - 0.000727272727272727*m.x1915)*(1 - 0.00145454545454545*m.x1915
)*(1 - 0.00145454545454545*m.x1915))) + m.x443 <= 0)
m.c1465 = Constraint(expr=-0.007*m.x1593*m.x864*(0.0775*m.x1916*(1 - 0.000727272727272727*m.x1916) + m.x1916 +
0.003003125*m.x1916*(1 - 0.000727272727272727*m.x1916)*(1 - 0.00145454545454545*m.x1916) +
6.0669191919192e-8*(1189.2375*m.x1916*(1 - 0.000727272727272727*m.x1916)*(1 -
0.00145454545454545*m.x1916) - 1.86*(0.93*m.x1916*(1 - 0.000727272727272727*m.x1916))**2 -
1.49610402*m.x1916*m.x1916*(1 - 0.000727272727272727*m.x1916)*(1 - 0.00145454545454545*m.x1916
)*(1 - 0.00145454545454545*m.x1916))) + m.x444 <= 0)
m.c1466 = Constraint(expr=-0.007*m.x1594*m.x865*(0.0775*m.x1917*(1 - 0.000727272727272727*m.x1917) + m.x1917 +
0.003003125*m.x1917*(1 - 0.000727272727272727*m.x1917)*(1 - 0.00145454545454545*m.x1917) +
6.0669191919192e-8*(1189.2375*m.x1917*(1 - 0.000727272727272727*m.x1917)*(1 -
0.00145454545454545*m.x1917) - 1.86*(0.93*m.x1917*(1 - 0.000727272727272727*m.x1917))**2 -
1.49610402*m.x1917*m.x1917*(1 - 0.000727272727272727*m.x1917)*(1 - 0.00145454545454545*m.x1917
)*(1 - 0.00145454545454545*m.x1917))) + m.x445 <= 0)
m.c1467 = Constraint(expr=-0.007*m.x1594*m.x866*(0.0775*m.x1918*(1 - 0.000727272727272727*m.x1918) + m.x1918 +
0.003003125*m.x1918*(1 - 0.000727272727272727*m.x1918)*(1 - 0.00145454545454545*m.x1918) +
6.0669191919192e-8*(1189.2375*m.x1918*(1 - 0.000727272727272727*m.x1918)*(1 -
0.00145454545454545*m.x1918) - 1.86*(0.93*m.x1918*(1 - 0.000727272727272727*m.x1918))**2 -
1.49610402*m.x1918*m.x1918*(1 - 0.000727272727272727*m.x1918)*(1 - 0.00145454545454545*m.x1918
)*(1 - 0.00145454545454545*m.x1918))) + m.x446 <= 0)
m.c1468 = Constraint(expr=-0.007*m.x1594*m.x867*(0.0775*m.x1919*(1 - 0.000727272727272727*m.x1919) + m.x1919 +
0.003003125*m.x1919*(1 - 0.000727272727272727*m.x1919)*(1 - 0.00145454545454545*m.x1919) +
6.0669191919192e-8*(1189.2375*m.x1919*(1 - 0.000727272727272727*m.x1919)*(1 -
0.00145454545454545*m.x1919) - 1.86*(0.93*m.x1919*(1 - 0.000727272727272727*m.x1919))**2 -
1.49610402*m.x1919*m.x1919*(1 - 0.000727272727272727*m.x1919)*(1 - 0.00145454545454545*m.x1919
)*(1 - 0.00145454545454545*m.x1919))) + m.x447 <= 0)
m.c1469 = Constraint(expr=-0.007*m.x1594*m.x868*(0.0775*m.x1920*(1 - 0.000727272727272727*m.x1920) + m.x1920 +
0.003003125*m.x1920*(1 - 0.000727272727272727*m.x1920)*(1 - 0.00145454545454545*m.x1920) +
6.0669191919192e-8*(1189.2375*m.x1920*(1 - 0.000727272727272727*m.x1920)*(1 -
0.00145454545454545*m.x1920) - 1.86*(0.93*m.x1920*(1 - 0.000727272727272727*m.x1920))**2 -
1.49610402*m.x1920*m.x1920*(1 - 0.000727272727272727*m.x1920)*(1 - 0.00145454545454545*m.x1920
)*(1 - 0.00145454545454545*m.x1920))) + m.x448 <= 0)
m.c1470 = Constraint(expr=-0.007*m.x1594*m.x869*(0.0775*m.x1921*(1 - 0.000727272727272727*m.x1921) + m.x1921 +
0.003003125*m.x1921*(1 - 0.000727272727272727*m.x1921)*(1 - 0.00145454545454545*m.x1921) +
6.0669191919192e-8*(1189.2375*m.x1921*(1 - 0.000727272727272727*m.x1921)*(1 -
0.00145454545454545*m.x1921) - 1.86*(0.93*m.x1921*(1 - 0.000727272727272727*m.x1921))**2 -
1.49610402*m.x1921*m.x1921*(1 - 0.000727272727272727*m.x1921)*(1 - 0.00145454545454545*m.x1921
)*(1 - 0.00145454545454545*m.x1921))) + m.x449 <= 0)
m.c1471 = Constraint(expr=-0.007*m.x1594*m.x870*(0.0775*m.x1922*(1 - 0.000727272727272727*m.x1922) + m.x1922 +
0.003003125*m.x1922*(1 - 0.000727272727272727*m.x1922)*(1 - 0.00145454545454545*m.x1922) +
6.0669191919192e-8*(1189.2375*m.x1922*(1 - 0.000727272727272727*m.x1922)*(1 -
0.00145454545454545*m.x1922) - 1.86*(0.93*m.x1922*(1 - 0.000727272727272727*m.x1922))**2 -
1.49610402*m.x1922*m.x1922*(1 - 0.000727272727272727*m.x1922)*(1 - 0.00145454545454545*m.x1922
)*(1 - 0.00145454545454545*m.x1922))) + m.x450 <= 0)
m.c1472 = Constraint(expr=-0.007*m.x1594*m.x871*(0.0775*m.x1923*(1 - 0.000727272727272727*m.x1923) + m.x1923 +
0.003003125*m.x1923*(1 - 0.000727272727272727*m.x1923)*(1 - 0.00145454545454545*m.x1923) +
6.0669191919192e-8*(1189.2375*m.x1923*(1 - 0.000727272727272727*m.x1923)*(1 -
0.00145454545454545*m.x1923) - 1.86*(0.93*m.x1923*(1 - 0.000727272727272727*m.x1923))**2 -
1.49610402*m.x1923*m.x1923*(1 - 0.000727272727272727*m.x1923)*(1 - 0.00145454545454545*m.x1923
)*(1 - 0.00145454545454545*m.x1923))) + m.x451 <= 0)
m.c1473 = Constraint(expr=-0.007*m.x1594*m.x872*(0.0775*m.x1924*(1 - 0.000727272727272727*m.x1924) + m.x1924 +
0.003003125*m.x1924*(1 - 0.000727272727272727*m.x1924)*(1 - 0.00145454545454545*m.x1924) +
6.0669191919192e-8*(1189.2375*m.x1924*(1 - 0.000727272727272727*m.x1924)*(1 -
0.00145454545454545*m.x1924) - 1.86*(0.93*m.x1924*(1 - 0.000727272727272727*m.x1924))**2 -
1.49610402*m.x1924*m.x1924*(1 - 0.000727272727272727*m.x1924)*(1 - 0.00145454545454545*m.x1924
)*(1 - 0.00145454545454545*m.x1924))) + m.x452 <= 0)
m.c1474 = Constraint(expr=-0.007*m.x1594*m.x873*(0.0775*m.x1925*(1 - 0.000727272727272727*m.x1925) + m.x1925 +
0.003003125*m.x1925*(1 - 0.000727272727272727*m.x1925)*(1 - 0.00145454545454545*m.x1925) +
6.0669191919192e-8*(1189.2375*m.x1925*(1 - 0.000727272727272727*m.x1925)*(1 -
0.00145454545454545*m.x1925) - 1.86*(0.93*m.x1925*(1 - 0.000727272727272727*m.x1925))**2 -
1.49610402*m.x1925*m.x1925*(1 - 0.000727272727272727*m.x1925)*(1 - 0.00145454545454545*m.x1925
)*(1 - 0.00145454545454545*m.x1925))) + m.x453 <= 0)
m.c1475 = Constraint(expr=-0.007*m.x1594*m.x874*(0.0775*m.x1926*(1 - 0.000727272727272727*m.x1926) + m.x1926 +
0.003003125*m.x1926*(1 - 0.000727272727272727*m.x1926)*(1 - 0.00145454545454545*m.x1926) +
6.0669191919192e-8*(1189.2375*m.x1926*(1 - 0.000727272727272727*m.x1926)*(1 -
0.00145454545454545*m.x1926) - 1.86*(0.93*m.x1926*(1 - 0.000727272727272727*m.x1926))**2 -
1.49610402*m.x1926*m.x1926*(1 - 0.000727272727272727*m.x1926)*(1 - 0.00145454545454545*m.x1926
)*(1 - 0.00145454545454545*m.x1926))) + m.x454 <= 0)
m.c1476 = Constraint(expr=-0.007*m.x1594*m.x875*(0.0775*m.x1927*(1 - 0.000727272727272727*m.x1927) + m.x1927 +
0.003003125*m.x1927*(1 - 0.000727272727272727*m.x1927)*(1 - 0.00145454545454545*m.x1927) +
6.0669191919192e-8*(1189.2375*m.x1927*(1 - 0.000727272727272727*m.x1927)*(1 -
0.00145454545454545*m.x1927) - 1.86*(0.93*m.x1927*(1 - 0.000727272727272727*m.x1927))**2 -
1.49610402*m.x1927*m.x1927*(1 - 0.000727272727272727*m.x1927)*(1 - 0.00145454545454545*m.x1927
)*(1 - 0.00145454545454545*m.x1927))) + m.x455 <= 0)
m.c1477 = Constraint(expr=-0.007*m.x1594*m.x876*(0.0775*m.x1928*(1 - 0.000727272727272727*m.x1928) + m.x1928 +
0.003003125*m.x1928*(1 - 0.000727272727272727*m.x1928)*(1 - 0.00145454545454545*m.x1928) +
6.0669191919192e-8*(1189.2375*m.x1928*(1 - 0.000727272727272727*m.x1928)*(1 -
0.00145454545454545*m.x1928) - 1.86*(0.93*m.x1928*(1 - 0.000727272727272727*m.x1928))**2 -
1.49610402*m.x1928*m.x1928*(1 - 0.000727272727272727*m.x1928)*(1 - 0.00145454545454545*m.x1928
)*(1 - 0.00145454545454545*m.x1928))) + m.x456 <= 0)
m.c1478 = Constraint(expr=-0.007*m.x1595*m.x877*(0.0775*m.x1929*(1 - 0.000727272727272727*m.x1929) + m.x1929 +
0.003003125*m.x1929*(1 - 0.000727272727272727*m.x1929)*(1 - 0.00145454545454545*m.x1929) +
6.0669191919192e-8*(1189.2375*m.x1929*(1 - 0.000727272727272727*m.x1929)*(1 -
0.00145454545454545*m.x1929) - 1.86*(0.93*m.x1929*(1 - 0.000727272727272727*m.x1929))**2 -
1.49610402*m.x1929*m.x1929*(1 - 0.000727272727272727*m.x1929)*(1 - 0.00145454545454545*m.x1929
)*(1 - 0.00145454545454545*m.x1929))) + m.x457 <= 0)
m.c1479 = Constraint(expr=-0.007*m.x1595*m.x878*(0.0775*m.x1930*(1 - 0.000727272727272727*m.x1930) + m.x1930 +
0.003003125*m.x1930*(1 - 0.000727272727272727*m.x1930)*(1 - 0.00145454545454545*m.x1930) +
6.0669191919192e-8*(1189.2375*m.x1930*(1 - 0.000727272727272727*m.x1930)*(1 -
0.00145454545454545*m.x1930) - 1.86*(0.93*m.x1930*(1 - 0.000727272727272727*m.x1930))**2 -
1.49610402*m.x1930*m.x1930*(1 - 0.000727272727272727*m.x1930)*(1 - 0.00145454545454545*m.x1930
)*(1 - 0.00145454545454545*m.x1930))) + m.x458 <= 0)
m.c1480 = Constraint(expr=-0.007*m.x1595*m.x879*(0.0775*m.x1931*(1 - 0.000727272727272727*m.x1931) + m.x1931 +
0.003003125*m.x1931*(1 - 0.000727272727272727*m.x1931)*(1 - 0.00145454545454545*m.x1931) +
6.0669191919192e-8*(1189.2375*m.x1931*(1 - 0.000727272727272727*m.x1931)*(1 -
0.00145454545454545*m.x1931) - 1.86*(0.93*m.x1931*(1 - 0.000727272727272727*m.x1931))**2 -
1.49610402*m.x1931*m.x1931*(1 - 0.000727272727272727*m.x1931)*(1 - 0.00145454545454545*m.x1931
)*(1 - 0.00145454545454545*m.x1931))) + m.x459 <= 0)
m.c1481 = Constraint(expr=-0.007*m.x1595*m.x880*(0.0775*m.x1932*(1 - 0.000727272727272727*m.x1932) + m.x1932 +
0.003003125*m.x1932*(1 - 0.000727272727272727*m.x1932)*(1 - 0.00145454545454545*m.x1932) +
6.0669191919192e-8*(1189.2375*m.x1932*(1 - 0.000727272727272727*m.x1932)*(1 -
0.00145454545454545*m.x1932) - 1.86*(0.93*m.x1932*(1 - 0.000727272727272727*m.x1932))**2 -
1.49610402*m.x1932*m.x1932*(1 - 0.000727272727272727*m.x1932)*(1 - 0.00145454545454545*m.x1932
)*(1 - 0.00145454545454545*m.x1932))) + m.x460 <= 0)
m.c1482 = Constraint(expr=-0.007*m.x1595*m.x881*(0.0775*m.x1933*(1 - 0.000727272727272727*m.x1933) + m.x1933 +
0.003003125*m.x1933*(1 - 0.000727272727272727*m.x1933)*(1 - 0.00145454545454545*m.x1933) +
6.0669191919192e-8*(1189.2375*m.x1933*(1 - 0.000727272727272727*m.x1933)*(1 -
0.00145454545454545*m.x1933) - 1.86*(0.93*m.x1933*(1 - 0.000727272727272727*m.x1933))**2 -
1.49610402*m.x1933*m.x1933*(1 - 0.000727272727272727*m.x1933)*(1 - 0.00145454545454545*m.x1933
)*(1 - 0.00145454545454545*m.x1933))) + m.x461 <= 0)
m.c1483 = Constraint(expr=-0.007*m.x1595*m.x882*(0.0775*m.x1934*(1 - 0.000727272727272727*m.x1934) + m.x1934 +
0.003003125*m.x1934*(1 - 0.000727272727272727*m.x1934)*(1 - 0.00145454545454545*m.x1934) +
6.0669191919192e-8*(1189.2375*m.x1934*(1 - 0.000727272727272727*m.x1934)*(1 -
0.00145454545454545*m.x1934) - 1.86*(0.93*m.x1934*(1 - 0.000727272727272727*m.x1934))**2 -
1.49610402*m.x1934*m.x1934*(1 - 0.000727272727272727*m.x1934)*(1 - 0.00145454545454545*m.x1934
)*(1 - 0.00145454545454545*m.x1934))) + m.x462 <= 0)
m.c1484 = Constraint(expr=-0.007*m.x1595*m.x883*(0.0775*m.x1935*(1 - 0.000727272727272727*m.x1935) + m.x1935 +
0.003003125*m.x1935*(1 - 0.000727272727272727*m.x1935)*(1 - 0.00145454545454545*m.x1935) +
6.0669191919192e-8*(1189.2375*m.x1935*(1 - 0.000727272727272727*m.x1935)*(1 -
0.00145454545454545*m.x1935) - 1.86*(0.93*m.x1935*(1 - 0.000727272727272727*m.x1935))**2 -
1.49610402*m.x1935*m.x1935*(1 - 0.000727272727272727*m.x1935)*(1 - 0.00145454545454545*m.x1935
)*(1 - 0.00145454545454545*m.x1935))) + m.x463 <= 0)
m.c1485 = Constraint(expr=-0.007*m.x1595*m.x884*(0.0775*m.x1936*(1 - 0.000727272727272727*m.x1936) + m.x1936 +
0.003003125*m.x1936*(1 - 0.000727272727272727*m.x1936)*(1 - 0.00145454545454545*m.x1936) +
6.0669191919192e-8*(1189.2375*m.x1936*(1 - 0.000727272727272727*m.x1936)*(1 -
0.00145454545454545*m.x1936) - 1.86*(0.93*m.x1936*(1 - 0.000727272727272727*m.x1936))**2 -
1.49610402*m.x1936*m.x1936*(1 - 0.000727272727272727*m.x1936)*(1 - 0.00145454545454545*m.x1936
)*(1 - 0.00145454545454545*m.x1936))) + m.x464 <= 0)
m.c1486 = Constraint(expr=-0.007*m.x1595*m.x885*(0.0775*m.x1937*(1 - 0.000727272727272727*m.x1937) + m.x1937 +
0.003003125*m.x1937*(1 - 0.000727272727272727*m.x1937)*(1 - 0.00145454545454545*m.x1937) +
6.0669191919192e-8*(1189.2375*m.x1937*(1 - 0.000727272727272727*m.x1937)*(1 -
0.00145454545454545*m.x1937) - 1.86*(0.93*m.x1937*(1 - 0.000727272727272727*m.x1937))**2 -
1.49610402*m.x1937*m.x1937*(1 - 0.000727272727272727*m.x1937)*(1 - 0.00145454545454545*m.x1937
)*(1 - 0.00145454545454545*m.x1937))) + m.x465 <= 0)
m.c1487 = Constraint(expr=-0.007*m.x1595*m.x886*(0.0775*m.x1938*(1 - 0.000727272727272727*m.x1938) + m.x1938 +
0.003003125*m.x1938*(1 - 0.000727272727272727*m.x1938)*(1 - 0.00145454545454545*m.x1938) +
6.0669191919192e-8*(1189.2375*m.x1938*(1 - 0.000727272727272727*m.x1938)*(1 -
0.00145454545454545*m.x1938) - 1.86*(0.93*m.x1938*(1 - 0.000727272727272727*m.x1938))**2 -
1.49610402*m.x1938*m.x1938*(1 - 0.000727272727272727*m.x1938)*(1 - 0.00145454545454545*m.x1938
)*(1 - 0.00145454545454545*m.x1938))) + m.x466 <= 0)
m.c1488 = Constraint(expr=-0.007*m.x1595*m.x887*(0.0775*m.x1939*(1 - 0.000727272727272727*m.x1939) + m.x1939 +
0.003003125*m.x1939*(1 - 0.000727272727272727*m.x1939)*(1 - 0.00145454545454545*m.x1939) +
6.0669191919192e-8*(1189.2375*m.x1939*(1 - 0.000727272727272727*m.x1939)*(1 -
0.00145454545454545*m.x1939) - 1.86*(0.93*m.x1939*(1 - 0.000727272727272727*m.x1939))**2 -
1.49610402*m.x1939*m.x1939*(1 - 0.000727272727272727*m.x1939)*(1 - 0.00145454545454545*m.x1939
)*(1 - 0.00145454545454545*m.x1939))) + m.x467 <= 0)
m.c1489 = Constraint(expr=-0.007*m.x1595*m.x888*(0.0775*m.x1940*(1 - 0.000727272727272727*m.x1940) + m.x1940 +
0.003003125*m.x1940*(1 - 0.000727272727272727*m.x1940)*(1 - 0.00145454545454545*m.x1940) +
6.0669191919192e-8*(1189.2375*m.x1940*(1 - 0.000727272727272727*m.x1940)*(1 -
0.00145454545454545*m.x1940) - 1.86*(0.93*m.x1940*(1 - 0.000727272727272727*m.x1940))**2 -
1.49610402*m.x1940*m.x1940*(1 - 0.000727272727272727*m.x1940)*(1 - 0.00145454545454545*m.x1940
)*(1 - 0.00145454545454545*m.x1940))) + m.x468 <= 0)
m.c1490 = Constraint(expr=-0.007*m.x1596*m.x889*(0.0775*m.x1941*(1 - 0.000727272727272727*m.x1941) + m.x1941 +
0.003003125*m.x1941*(1 - 0.000727272727272727*m.x1941)*(1 - 0.00145454545454545*m.x1941) +
6.0669191919192e-8*(1189.2375*m.x1941*(1 - 0.000727272727272727*m.x1941)*(1 -
0.00145454545454545*m.x1941) - 1.86*(0.93*m.x1941*(1 - 0.000727272727272727*m.x1941))**2 -
1.49610402*m.x1941*m.x1941*(1 - 0.000727272727272727*m.x1941)*(1 - 0.00145454545454545*m.x1941
)*(1 - 0.00145454545454545*m.x1941))) + m.x469 <= 0)
m.c1491 = Constraint(expr=-0.007*m.x1596*m.x890*(0.0775*m.x1942*(1 - 0.000727272727272727*m.x1942) + m.x1942 +
0.003003125*m.x1942*(1 - 0.000727272727272727*m.x1942)*(1 - 0.00145454545454545*m.x1942) +
6.0669191919192e-8*(1189.2375*m.x1942*(1 - 0.000727272727272727*m.x1942)*(1 -
0.00145454545454545*m.x1942) - 1.86*(0.93*m.x1942*(1 - 0.000727272727272727*m.x1942))**2 -
1.49610402*m.x1942*m.x1942*(1 - 0.000727272727272727*m.x1942)*(1 - 0.00145454545454545*m.x1942
)*(1 - 0.00145454545454545*m.x1942))) + m.x470 <= 0)
m.c1492 = Constraint(expr=-0.007*m.x1596*m.x891*(0.0775*m.x1943*(1 - 0.000727272727272727*m.x1943) + m.x1943 +
0.003003125*m.x1943*(1 - 0.000727272727272727*m.x1943)*(1 - 0.00145454545454545*m.x1943) +
6.0669191919192e-8*(1189.2375*m.x1943*(1 - 0.000727272727272727*m.x1943)*(1 -
0.00145454545454545*m.x1943) - 1.86*(0.93*m.x1943*(1 - 0.000727272727272727*m.x1943))**2 -
1.49610402*m.x1943*m.x1943*(1 - 0.000727272727272727*m.x1943)*(1 - 0.00145454545454545*m.x1943
)*(1 - 0.00145454545454545*m.x1943))) + m.x471 <= 0)
m.c1493 = Constraint(expr=-0.007*m.x1596*m.x892*(0.0775*m.x1944*(1 - 0.000727272727272727*m.x1944) + m.x1944 +
0.003003125*m.x1944*(1 - 0.000727272727272727*m.x1944)*(1 - 0.00145454545454545*m.x1944) +
6.0669191919192e-8*(1189.2375*m.x1944*(1 - 0.000727272727272727*m.x1944)*(1 -
0.00145454545454545*m.x1944) - 1.86*(0.93*m.x1944*(1 - 0.000727272727272727*m.x1944))**2 -
1.49610402*m.x1944*m.x1944*(1 - 0.000727272727272727*m.x1944)*(1 - 0.00145454545454545*m.x1944
)*(1 - 0.00145454545454545*m.x1944))) + m.x472 <= 0)
m.c1494 = Constraint(expr=-0.007*m.x1596*m.x893*(0.0775*m.x1945*(1 - 0.000727272727272727*m.x1945) + m.x1945 +
0.003003125*m.x1945*(1 - 0.000727272727272727*m.x1945)*(1 - 0.00145454545454545*m.x1945) +
6.0669191919192e-8*(1189.2375*m.x1945*(1 - 0.000727272727272727*m.x1945)*(1 -
0.00145454545454545*m.x1945) - 1.86*(0.93*m.x1945*(1 - 0.000727272727272727*m.x1945))**2 -
1.49610402*m.x1945*m.x1945*(1 - 0.000727272727272727*m.x1945)*(1 - 0.00145454545454545*m.x1945
)*(1 - 0.00145454545454545*m.x1945))) + m.x473 <= 0)
m.c1495 = Constraint(expr=-0.007*m.x1596*m.x894*(0.0775*m.x1946*(1 - 0.000727272727272727*m.x1946) + m.x1946 +
0.003003125*m.x1946*(1 - 0.000727272727272727*m.x1946)*(1 - 0.00145454545454545*m.x1946) +
6.0669191919192e-8*(1189.2375*m.x1946*(1 - 0.000727272727272727*m.x1946)*(1 -
0.00145454545454545*m.x1946) - 1.86*(0.93*m.x1946*(1 - 0.000727272727272727*m.x1946))**2 -
1.49610402*m.x1946*m.x1946*(1 - 0.000727272727272727*m.x1946)*(1 - 0.00145454545454545*m.x1946
)*(1 - 0.00145454545454545*m.x1946))) + m.x474 <= 0)
m.c1496 = Constraint(expr=-0.007*m.x1596*m.x895*(0.0775*m.x1947*(1 - 0.000727272727272727*m.x1947) + m.x1947 +
0.003003125*m.x1947*(1 - 0.000727272727272727*m.x1947)*(1 - 0.00145454545454545*m.x1947) +
6.0669191919192e-8*(1189.2375*m.x1947*(1 - 0.000727272727272727*m.x1947)*(1 -
0.00145454545454545*m.x1947) - 1.86*(0.93*m.x1947*(1 - 0.000727272727272727*m.x1947))**2 -
1.49610402*m.x1947*m.x1947*(1 - 0.000727272727272727*m.x1947)*(1 - 0.00145454545454545*m.x1947
)*(1 - 0.00145454545454545*m.x1947))) + m.x475 <= 0)
m.c1497 = Constraint(expr=-0.007*m.x1596*m.x896*(0.0775*m.x1948*(1 - 0.000727272727272727*m.x1948) + m.x1948 +
0.003003125*m.x1948*(1 - 0.000727272727272727*m.x1948)*(1 - 0.00145454545454545*m.x1948) +
6.0669191919192e-8*(1189.2375*m.x1948*(1 - 0.000727272727272727*m.x1948)*(1 -
0.00145454545454545*m.x1948) - 1.86*(0.93*m.x1948*(1 - 0.000727272727272727*m.x1948))**2 -
1.49610402*m.x1948*m.x1948*(1 - 0.000727272727272727*m.x1948)*(1 - 0.00145454545454545*m.x1948
)*(1 - 0.00145454545454545*m.x1948))) + m.x476 <= 0)
m.c1498 = Constraint(expr=-0.007*m.x1596*m.x897*(0.0775*m.x1949*(1 - 0.000727272727272727*m.x1949) + m.x1949 +
0.003003125*m.x1949*(1 - 0.000727272727272727*m.x1949)*(1 - 0.00145454545454545*m.x1949) +
6.0669191919192e-8*(1189.2375*m.x1949*(1 - 0.000727272727272727*m.x1949)*(1 -
0.00145454545454545*m.x1949) - 1.86*(0.93*m.x1949*(1 - 0.000727272727272727*m.x1949))**2 -
1.49610402*m.x1949*m.x1949*(1 - 0.000727272727272727*m.x1949)*(1 - 0.00145454545454545*m.x1949
)*(1 - 0.00145454545454545*m.x1949))) + m.x477 <= 0)
m.c1499 = Constraint(expr=-0.007*m.x1596*m.x898*(0.0775*m.x1950*(1 - 0.000727272727272727*m.x1950) + m.x1950 +
0.003003125*m.x1950*(1 - 0.000727272727272727*m.x1950)*(1 - 0.00145454545454545*m.x1950) +
6.0669191919192e-8*(1189.2375*m.x1950*(1 - 0.000727272727272727*m.x1950)*(1 -
0.00145454545454545*m.x1950) - 1.86*(0.93*m.x1950*(1 - 0.000727272727272727*m.x1950))**2 -
1.49610402*m.x1950*m.x1950*(1 - 0.000727272727272727*m.x1950)*(1 - 0.00145454545454545*m.x1950
)*(1 - 0.00145454545454545*m.x1950))) + m.x478 <= 0)
m.c1500 = Constraint(expr=-0.007*m.x1596*m.x899*(0.0775*m.x1951*(1 - 0.000727272727272727*m.x1951) + m.x1951 +
0.003003125*m.x1951*(1 - 0.000727272727272727*m.x1951)*(1 - 0.00145454545454545*m.x1951) +
6.0669191919192e-8*(1189.2375*m.x1951*(1 - 0.000727272727272727*m.x1951)*(1 -
0.00145454545454545*m.x1951) - 1.86*(0.93*m.x1951*(1 - 0.000727272727272727*m.x1951))**2 -
1.49610402*m.x1951*m.x1951*(1 - 0.000727272727272727*m.x1951)*(1 - 0.00145454545454545*m.x1951
)*(1 - 0.00145454545454545*m.x1951))) + m.x479 <= 0)
m.c1501 = Constraint(expr=-0.007*m.x1596*m.x900*(0.0775*m.x1952*(1 - 0.000727272727272727*m.x1952) + m.x1952 +
0.003003125*m.x1952*(1 - 0.000727272727272727*m.x1952)*(1 - 0.00145454545454545*m.x1952) +
6.0669191919192e-8*(1189.2375*m.x1952*(1 - 0.000727272727272727*m.x1952)*(1 -
0.00145454545454545*m.x1952) - 1.86*(0.93*m.x1952*(1 - 0.000727272727272727*m.x1952))**2 -
1.49610402*m.x1952*m.x1952*(1 - 0.000727272727272727*m.x1952)*(1 - 0.00145454545454545*m.x1952
)*(1 - 0.00145454545454545*m.x1952))) + m.x480 <= 0)
m.c1502 = Constraint(expr=-0.007*m.x1597*m.x901*(0.0775*m.x1953*(1 - 0.000727272727272727*m.x1953) + m.x1953 +
0.003003125*m.x1953*(1 - 0.000727272727272727*m.x1953)*(1 - 0.00145454545454545*m.x1953) +
6.0669191919192e-8*(1189.2375*m.x1953*(1 - 0.000727272727272727*m.x1953)*(1 -
0.00145454545454545*m.x1953) - 1.86*(0.93*m.x1953*(1 - 0.000727272727272727*m.x1953))**2 -
1.49610402*m.x1953*m.x1953*(1 - 0.000727272727272727*m.x1953)*(1 - 0.00145454545454545*m.x1953
)*(1 - 0.00145454545454545*m.x1953))) + m.x481 <= 0)
m.c1503 = Constraint(expr=-0.007*m.x1597*m.x902*(0.0775*m.x1954*(1 - 0.000727272727272727*m.x1954) + m.x1954 +
0.003003125*m.x1954*(1 - 0.000727272727272727*m.x1954)*(1 - 0.00145454545454545*m.x1954) +
6.0669191919192e-8*(1189.2375*m.x1954*(1 - 0.000727272727272727*m.x1954)*(1 -
0.00145454545454545*m.x1954) - 1.86*(0.93*m.x1954*(1 - 0.000727272727272727*m.x1954))**2 -
1.49610402*m.x1954*m.x1954*(1 - 0.000727272727272727*m.x1954)*(1 - 0.00145454545454545*m.x1954
)*(1 - 0.00145454545454545*m.x1954))) + m.x482 <= 0)
m.c1504 = Constraint(expr=-0.007*m.x1597*m.x903*(0.0775*m.x1955*(1 - 0.000727272727272727*m.x1955) + m.x1955 +
0.003003125*m.x1955*(1 - 0.000727272727272727*m.x1955)*(1 - 0.00145454545454545*m.x1955) +
6.0669191919192e-8*(1189.2375*m.x1955*(1 - 0.000727272727272727*m.x1955)*(1 -
0.00145454545454545*m.x1955) - 1.86*(0.93*m.x1955*(1 - 0.000727272727272727*m.x1955))**2 -
1.49610402*m.x1955*m.x1955*(1 - 0.000727272727272727*m.x1955)*(1 - 0.00145454545454545*m.x1955
)*(1 - 0.00145454545454545*m.x1955))) + m.x483 <= 0)
m.c1505 = Constraint(expr=-0.007*m.x1597*m.x904*(0.0775*m.x1956*(1 - 0.000727272727272727*m.x1956) + m.x1956 +
0.003003125*m.x1956*(1 - 0.000727272727272727*m.x1956)*(1 - 0.00145454545454545*m.x1956) +
6.0669191919192e-8*(1189.2375*m.x1956*(1 - 0.000727272727272727*m.x1956)*(1 -
0.00145454545454545*m.x1956) - 1.86*(0.93*m.x1956*(1 - 0.000727272727272727*m.x1956))**2 -
1.49610402*m.x1956*m.x1956*(1 - 0.000727272727272727*m.x1956)*(1 - 0.00145454545454545*m.x1956
)*(1 - 0.00145454545454545*m.x1956))) + m.x484 <= 0)
m.c1506 = Constraint(expr=-0.007*m.x1597*m.x905*(0.0775*m.x1957*(1 - 0.000727272727272727*m.x1957) + m.x1957 +
0.003003125*m.x1957*(1 - 0.000727272727272727*m.x1957)*(1 - 0.00145454545454545*m.x1957) +
6.0669191919192e-8*(1189.2375*m.x1957*(1 - 0.000727272727272727*m.x1957)*(1 -
0.00145454545454545*m.x1957) - 1.86*(0.93*m.x1957*(1 - 0.000727272727272727*m.x1957))**2 -
1.49610402*m.x1957*m.x1957*(1 - 0.000727272727272727*m.x1957)*(1 - 0.00145454545454545*m.x1957
)*(1 - 0.00145454545454545*m.x1957))) + m.x485 <= 0)
m.c1507 = Constraint(expr=-0.007*m.x1597*m.x906*(0.0775*m.x1958*(1 - 0.000727272727272727*m.x1958) + m.x1958 +
0.003003125*m.x1958*(1 - 0.000727272727272727*m.x1958)*(1 - 0.00145454545454545*m.x1958) +
6.0669191919192e-8*(1189.2375*m.x1958*(1 - 0.000727272727272727*m.x1958)*(1 -
0.00145454545454545*m.x1958) - 1.86*(0.93*m.x1958*(1 - 0.000727272727272727*m.x1958))**2 -
1.49610402*m.x1958*m.x1958*(1 - 0.000727272727272727*m.x1958)*(1 - 0.00145454545454545*m.x1958
)*(1 - 0.00145454545454545*m.x1958))) + m.x486 <= 0)
m.c1508 = Constraint(expr=-0.007*m.x1597*m.x907*(0.0775*m.x1959*(1 - 0.000727272727272727*m.x1959) + m.x1959 +
0.003003125*m.x1959*(1 - 0.000727272727272727*m.x1959)*(1 - 0.00145454545454545*m.x1959) +
6.0669191919192e-8*(1189.2375*m.x1959*(1 - 0.000727272727272727*m.x1959)*(1 -
0.00145454545454545*m.x1959) - 1.86*(0.93*m.x1959*(1 - 0.000727272727272727*m.x1959))**2 -
1.49610402*m.x1959*m.x1959*(1 - 0.000727272727272727*m.x1959)*(1 - 0.00145454545454545*m.x1959
)*(1 - 0.00145454545454545*m.x1959))) + m.x487 <= 0)
m.c1509 = Constraint(expr=-0.007*m.x1597*m.x908*(0.0775*m.x1960*(1 - 0.000727272727272727*m.x1960) + m.x1960 +
0.003003125*m.x1960*(1 - 0.000727272727272727*m.x1960)*(1 - 0.00145454545454545*m.x1960) +
6.0669191919192e-8*(1189.2375*m.x1960*(1 - 0.000727272727272727*m.x1960)*(1 -
0.00145454545454545*m.x1960) - 1.86*(0.93*m.x1960*(1 - 0.000727272727272727*m.x1960))**2 -
1.49610402*m.x1960*m.x1960*(1 - 0.000727272727272727*m.x1960)*(1 - 0.00145454545454545*m.x1960
)*(1 - 0.00145454545454545*m.x1960))) + m.x488 <= 0)
m.c1510 = Constraint(expr=-0.007*m.x1597*m.x909*(0.0775*m.x1961*(1 - 0.000727272727272727*m.x1961) + m.x1961 +
0.003003125*m.x1961*(1 - 0.000727272727272727*m.x1961)*(1 - 0.00145454545454545*m.x1961) +
6.0669191919192e-8*(1189.2375*m.x1961*(1 - 0.000727272727272727*m.x1961)*(1 -
0.00145454545454545*m.x1961) - 1.86*(0.93*m.x1961*(1 - 0.000727272727272727*m.x1961))**2 -
1.49610402*m.x1961*m.x1961*(1 - 0.000727272727272727*m.x1961)*(1 - 0.00145454545454545*m.x1961
)*(1 - 0.00145454545454545*m.x1961))) + m.x489 <= 0)
m.c1511 = Constraint(expr=-0.007*m.x1597*m.x910*(0.0775*m.x1962*(1 - 0.000727272727272727*m.x1962) + m.x1962 +
0.003003125*m.x1962*(1 - 0.000727272727272727*m.x1962)*(1 - 0.00145454545454545*m.x1962) +
6.0669191919192e-8*(1189.2375*m.x1962*(1 - 0.000727272727272727*m.x1962)*(1 -
0.00145454545454545*m.x1962) - 1.86*(0.93*m.x1962*(1 - 0.000727272727272727*m.x1962))**2 -
1.49610402*m.x1962*m.x1962*(1 - 0.000727272727272727*m.x1962)*(1 - 0.00145454545454545*m.x1962
)*(1 - 0.00145454545454545*m.x1962))) + m.x490 <= 0)
m.c1512 = Constraint(expr=-0.007*m.x1597*m.x911*(0.0775*m.x1963*(1 - 0.000727272727272727*m.x1963) + m.x1963 +
0.003003125*m.x1963*(1 - 0.000727272727272727*m.x1963)*(1 - 0.00145454545454545*m.x1963) +
6.0669191919192e-8*(1189.2375*m.x1963*(1 - 0.000727272727272727*m.x1963)*(1 -
0.00145454545454545*m.x1963) - 1.86*(0.93*m.x1963*(1 - 0.000727272727272727*m.x1963))**2 -
1.49610402*m.x1963*m.x1963*(1 - 0.000727272727272727*m.x1963)*(1 - 0.00145454545454545*m.x1963
)*(1 - 0.00145454545454545*m.x1963))) + m.x491 <= 0)
m.c1513 = Constraint(expr=-0.007*m.x1597*m.x912*(0.0775*m.x1964*(1 - 0.000727272727272727*m.x1964) + m.x1964 +
0.003003125*m.x1964*(1 - 0.000727272727272727*m.x1964)*(1 - 0.00145454545454545*m.x1964) +
6.0669191919192e-8*(1189.2375*m.x1964*(1 - 0.000727272727272727*m.x1964)*(1 -
0.00145454545454545*m.x1964) - 1.86*(0.93*m.x1964*(1 - 0.000727272727272727*m.x1964))**2 -
1.49610402*m.x1964*m.x1964*(1 - 0.000727272727272727*m.x1964)*(1 - 0.00145454545454545*m.x1964
)*(1 - 0.00145454545454545*m.x1964))) + m.x492 <= 0)
m.c1514 = Constraint(expr=-0.007*m.x1598*m.x913*(0.0775*m.x1965*(1 - 0.000727272727272727*m.x1965) + m.x1965 +
0.003003125*m.x1965*(1 - 0.000727272727272727*m.x1965)*(1 - 0.00145454545454545*m.x1965) +
6.0669191919192e-8*(1189.2375*m.x1965*(1 - 0.000727272727272727*m.x1965)*(1 -
0.00145454545454545*m.x1965) - 1.86*(0.93*m.x1965*(1 - 0.000727272727272727*m.x1965))**2 -
1.49610402*m.x1965*m.x1965*(1 - 0.000727272727272727*m.x1965)*(1 - 0.00145454545454545*m.x1965
)*(1 - 0.00145454545454545*m.x1965))) + m.x493 <= 0)
m.c1515 = Constraint(expr=-0.007*m.x1598*m.x914*(0.0775*m.x1966*(1 - 0.000727272727272727*m.x1966) + m.x1966 +
0.003003125*m.x1966*(1 - 0.000727272727272727*m.x1966)*(1 - 0.00145454545454545*m.x1966) +
6.0669191919192e-8*(1189.2375*m.x1966*(1 - 0.000727272727272727*m.x1966)*(1 -
0.00145454545454545*m.x1966) - 1.86*(0.93*m.x1966*(1 - 0.000727272727272727*m.x1966))**2 -
1.49610402*m.x1966*m.x1966*(1 - 0.000727272727272727*m.x1966)*(1 - 0.00145454545454545*m.x1966
)*(1 - 0.00145454545454545*m.x1966))) + m.x494 <= 0)
m.c1516 = Constraint(expr=-0.007*m.x1598*m.x915*(0.0775*m.x1967*(1 - 0.000727272727272727*m.x1967) + m.x1967 +
0.003003125*m.x1967*(1 - 0.000727272727272727*m.x1967)*(1 - 0.00145454545454545*m.x1967) +
6.0669191919192e-8*(1189.2375*m.x1967*(1 - 0.000727272727272727*m.x1967)*(1 -
0.00145454545454545*m.x1967) - 1.86*(0.93*m.x1967*(1 - 0.000727272727272727*m.x1967))**2 -
1.49610402*m.x1967*m.x1967*(1 - 0.000727272727272727*m.x1967)*(1 - 0.00145454545454545*m.x1967
)*(1 - 0.00145454545454545*m.x1967))) + m.x495 <= 0)
m.c1517 = Constraint(expr=-0.007*m.x1598*m.x916*(0.0775*m.x1968*(1 - 0.000727272727272727*m.x1968) + m.x1968 +
0.003003125*m.x1968*(1 - 0.000727272727272727*m.x1968)*(1 - 0.00145454545454545*m.x1968) +
6.0669191919192e-8*(1189.2375*m.x1968*(1 - 0.000727272727272727*m.x1968)*(1 -
0.00145454545454545*m.x1968) - 1.86*(0.93*m.x1968*(1 - 0.000727272727272727*m.x1968))**2 -
1.49610402*m.x1968*m.x1968*(1 - 0.000727272727272727*m.x1968)*(1 - 0.00145454545454545*m.x1968
)*(1 - 0.00145454545454545*m.x1968))) + m.x496 <= 0)
m.c1518 = Constraint(expr=-0.007*m.x1598*m.x917*(0.0775*m.x1969*(1 - 0.000727272727272727*m.x1969) + m.x1969 +
0.003003125*m.x1969*(1 - 0.000727272727272727*m.x1969)*(1 - 0.00145454545454545*m.x1969) +
6.0669191919192e-8*(1189.2375*m.x1969*(1 - 0.000727272727272727*m.x1969)*(1 -
0.00145454545454545*m.x1969) - 1.86*(0.93*m.x1969*(1 - 0.000727272727272727*m.x1969))**2 -
1.49610402*m.x1969*m.x1969*(1 - 0.000727272727272727*m.x1969)*(1 - 0.00145454545454545*m.x1969
)*(1 - 0.00145454545454545*m.x1969))) + m.x497 <= 0)
m.c1519 = Constraint(expr=-0.007*m.x1598*m.x918*(0.0775*m.x1970*(1 - 0.000727272727272727*m.x1970) + m.x1970 +
0.003003125*m.x1970*(1 - 0.000727272727272727*m.x1970)*(1 - 0.00145454545454545*m.x1970) +
6.0669191919192e-8*(1189.2375*m.x1970*(1 - 0.000727272727272727*m.x1970)*(1 -
0.00145454545454545*m.x1970) - 1.86*(0.93*m.x1970*(1 - 0.000727272727272727*m.x1970))**2 -
1.49610402*m.x1970*m.x1970*(1 - 0.000727272727272727*m.x1970)*(1 - 0.00145454545454545*m.x1970
)*(1 - 0.00145454545454545*m.x1970))) + m.x498 <= 0)
m.c1520 = Constraint(expr=-0.007*m.x1598*m.x919*(0.0775*m.x1971*(1 - 0.000727272727272727*m.x1971) + m.x1971 +
0.003003125*m.x1971*(1 - 0.000727272727272727*m.x1971)*(1 - 0.00145454545454545*m.x1971) +
6.0669191919192e-8*(1189.2375*m.x1971*(1 - 0.000727272727272727*m.x1971)*(1 -
0.00145454545454545*m.x1971) - 1.86*(0.93*m.x1971*(1 - 0.000727272727272727*m.x1971))**2 -
1.49610402*m.x1971*m.x1971*(1 - 0.000727272727272727*m.x1971)*(1 - 0.00145454545454545*m.x1971
)*(1 - 0.00145454545454545*m.x1971))) + m.x499 <= 0)
m.c1521 = Constraint(expr=-0.007*m.x1598*m.x920*(0.0775*m.x1972*(1 - 0.000727272727272727*m.x1972) + m.x1972 +
0.003003125*m.x1972*(1 - 0.000727272727272727*m.x1972)*(1 - 0.00145454545454545*m.x1972) +
6.0669191919192e-8*(1189.2375*m.x1972*(1 - 0.000727272727272727*m.x1972)*(1 -
0.00145454545454545*m.x1972) - 1.86*(0.93*m.x1972*(1 - 0.000727272727272727*m.x1972))**2 -
1.49610402*m.x1972*m.x1972*(1 - 0.000727272727272727*m.x1972)*(1 - 0.00145454545454545*m.x1972
)*(1 - 0.00145454545454545*m.x1972))) + m.x500 <= 0)
m.c1522 = Constraint(expr=-0.007*m.x1598*m.x921*(0.0775*m.x1973*(1 - 0.000727272727272727*m.x1973) + m.x1973 +
0.003003125*m.x1973*(1 - 0.000727272727272727*m.x1973)*(1 - 0.00145454545454545*m.x1973) +
6.0669191919192e-8*(1189.2375*m.x1973*(1 - 0.000727272727272727*m.x1973)*(1 -
0.00145454545454545*m.x1973) - 1.86*(0.93*m.x1973*(1 - 0.000727272727272727*m.x1973))**2 -
1.49610402*m.x1973*m.x1973*(1 - 0.000727272727272727*m.x1973)*(1 - 0.00145454545454545*m.x1973
)*(1 - 0.00145454545454545*m.x1973))) + m.x501 <= 0)
m.c1523 = Constraint(expr=-0.007*m.x1598*m.x922*(0.0775*m.x1974*(1 - 0.000727272727272727*m.x1974) + m.x1974 +
0.003003125*m.x1974*(1 - 0.000727272727272727*m.x1974)*(1 - 0.00145454545454545*m.x1974) +
6.0669191919192e-8*(1189.2375*m.x1974*(1 - 0.000727272727272727*m.x1974)*(1 -
0.00145454545454545*m.x1974) - 1.86*(0.93*m.x1974*(1 - 0.000727272727272727*m.x1974))**2 -
1.49610402*m.x1974*m.x1974*(1 - 0.000727272727272727*m.x1974)*(1 - 0.00145454545454545*m.x1974
)*(1 - 0.00145454545454545*m.x1974))) + m.x502 <= 0)
m.c1524 = Constraint(expr=-0.007*m.x1598*m.x923*(0.0775*m.x1975*(1 - 0.000727272727272727*m.x1975) + m.x1975 +
0.003003125*m.x1975*(1 - 0.000727272727272727*m.x1975)*(1 - 0.00145454545454545*m.x1975) +
6.0669191919192e-8*(1189.2375*m.x1975*(1 - 0.000727272727272727*m.x1975)*(1 -
0.00145454545454545*m.x1975) - 1.86*(0.93*m.x1975*(1 - 0.000727272727272727*m.x1975))**2 -
1.49610402*m.x1975*m.x1975*(1 - 0.000727272727272727*m.x1975)*(1 - 0.00145454545454545*m.x1975
)*(1 - 0.00145454545454545*m.x1975))) + m.x503 <= 0)
m.c1525 = Constraint(expr=-0.007*m.x1598*m.x924*(0.0775*m.x1976*(1 - 0.000727272727272727*m.x1976) + m.x1976 +
0.003003125*m.x1976*(1 - 0.000727272727272727*m.x1976)*(1 - 0.00145454545454545*m.x1976) +
6.0669191919192e-8*(1189.2375*m.x1976*(1 - 0.000727272727272727*m.x1976)*(1 -
0.00145454545454545*m.x1976) - 1.86*(0.93*m.x1976*(1 - 0.000727272727272727*m.x1976))**2 -
1.49610402*m.x1976*m.x1976*(1 - 0.000727272727272727*m.x1976)*(1 - 0.00145454545454545*m.x1976
)*(1 - 0.00145454545454545*m.x1976))) + m.x504 <= 0)
m.c1526 = Constraint(expr=-0.007*m.x1599*m.x925*(0.0775*m.x1977*(1 - 0.000727272727272727*m.x1977) + m.x1977 +
0.003003125*m.x1977*(1 - 0.000727272727272727*m.x1977)*(1 - 0.00145454545454545*m.x1977) +
6.0669191919192e-8*(1189.2375*m.x1977*(1 - 0.000727272727272727*m.x1977)*(1 -
0.00145454545454545*m.x1977) - 1.86*(0.93*m.x1977*(1 - 0.000727272727272727*m.x1977))**2 -
1.49610402*m.x1977*m.x1977*(1 - 0.000727272727272727*m.x1977)*(1 - 0.00145454545454545*m.x1977
)*(1 - 0.00145454545454545*m.x1977))) + m.x505 <= 0)
m.c1527 = Constraint(expr=-0.007*m.x1599*m.x926*(0.0775*m.x1978*(1 - 0.000727272727272727*m.x1978) + m.x1978 +
0.003003125*m.x1978*(1 - 0.000727272727272727*m.x1978)*(1 - 0.00145454545454545*m.x1978) +
6.0669191919192e-8*(1189.2375*m.x1978*(1 - 0.000727272727272727*m.x1978)*(1 -
0.00145454545454545*m.x1978) - 1.86*(0.93*m.x1978*(1 - 0.000727272727272727*m.x1978))**2 -
1.49610402*m.x1978*m.x1978*(1 - 0.000727272727272727*m.x1978)*(1 - 0.00145454545454545*m.x1978
)*(1 - 0.00145454545454545*m.x1978))) + m.x506 <= 0)
m.c1528 = Constraint(expr=-0.007*m.x1599*m.x927*(0.0775*m.x1979*(1 - 0.000727272727272727*m.x1979) + m.x1979 +
0.003003125*m.x1979*(1 - 0.000727272727272727*m.x1979)*(1 - 0.00145454545454545*m.x1979) +
6.0669191919192e-8*(1189.2375*m.x1979*(1 - 0.000727272727272727*m.x1979)*(1 -
0.00145454545454545*m.x1979) - 1.86*(0.93*m.x1979*(1 - 0.000727272727272727*m.x1979))**2 -
1.49610402*m.x1979*m.x1979*(1 - 0.000727272727272727*m.x1979)*(1 - 0.00145454545454545*m.x1979
)*(1 - 0.00145454545454545*m.x1979))) + m.x507 <= 0)
m.c1529 = Constraint(expr=-0.007*m.x1599*m.x928*(0.0775*m.x1980*(1 - 0.000727272727272727*m.x1980) + m.x1980 +
0.003003125*m.x1980*(1 - 0.000727272727272727*m.x1980)*(1 - 0.00145454545454545*m.x1980) +
6.0669191919192e-8*(1189.2375*m.x1980*(1 - 0.000727272727272727*m.x1980)*(1 -
0.00145454545454545*m.x1980) - 1.86*(0.93*m.x1980*(1 - 0.000727272727272727*m.x1980))**2 -
1.49610402*m.x1980*m.x1980*(1 - 0.000727272727272727*m.x1980)*(1 - 0.00145454545454545*m.x1980
)*(1 - 0.00145454545454545*m.x1980))) + m.x508 <= 0)
m.c1530 = Constraint(expr=-0.007*m.x1599*m.x929*(0.0775*m.x1981*(1 - 0.000727272727272727*m.x1981) + m.x1981 +
0.003003125*m.x1981*(1 - 0.000727272727272727*m.x1981)*(1 - 0.00145454545454545*m.x1981) +
6.0669191919192e-8*(1189.2375*m.x1981*(1 - 0.000727272727272727*m.x1981)*(1 -
0.00145454545454545*m.x1981) - 1.86*(0.93*m.x1981*(1 - 0.000727272727272727*m.x1981))**2 -
1.49610402*m.x1981*m.x1981*(1 - 0.000727272727272727*m.x1981)*(1 - 0.00145454545454545*m.x1981
)*(1 - 0.00145454545454545*m.x1981))) + m.x509 <= 0)
m.c1531 = Constraint(expr=-0.007*m.x1599*m.x930*(0.0775*m.x1982*(1 - 0.000727272727272727*m.x1982) + m.x1982 +
0.003003125*m.x1982*(1 - 0.000727272727272727*m.x1982)*(1 - 0.00145454545454545*m.x1982) +
6.0669191919192e-8*(1189.2375*m.x1982*(1 - 0.000727272727272727*m.x1982)*(1 -
0.00145454545454545*m.x1982) - 1.86*(0.93*m.x1982*(1 - 0.000727272727272727*m.x1982))**2 -
1.49610402*m.x1982*m.x1982*(1 - 0.000727272727272727*m.x1982)*(1 - 0.00145454545454545*m.x1982
)*(1 - 0.00145454545454545*m.x1982))) + m.x510 <= 0)
m.c1532 = Constraint(expr=-0.007*m.x1599*m.x931*(0.0775*m.x1983*(1 - 0.000727272727272727*m.x1983) + m.x1983 +
0.003003125*m.x1983*(1 - 0.000727272727272727*m.x1983)*(1 - 0.00145454545454545*m.x1983) +
6.0669191919192e-8*(1189.2375*m.x1983*(1 - 0.000727272727272727*m.x1983)*(1 -
0.00145454545454545*m.x1983) - 1.86*(0.93*m.x1983*(1 - 0.000727272727272727*m.x1983))**2 -
1.49610402*m.x1983*m.x1983*(1 - 0.000727272727272727*m.x1983)*(1 - 0.00145454545454545*m.x1983
)*(1 - 0.00145454545454545*m.x1983))) + m.x511 <= 0)
m.c1533 = Constraint(expr=-0.007*m.x1599*m.x932*(0.0775*m.x1984*(1 - 0.000727272727272727*m.x1984) + m.x1984 +
0.003003125*m.x1984*(1 - 0.000727272727272727*m.x1984)*(1 - 0.00145454545454545*m.x1984) +
6.0669191919192e-8*(1189.2375*m.x1984*(1 - 0.000727272727272727*m.x1984)*(1 -
0.00145454545454545*m.x1984) - 1.86*(0.93*m.x1984*(1 - 0.000727272727272727*m.x1984))**2 -
1.49610402*m.x1984*m.x1984*(1 - 0.000727272727272727*m.x1984)*(1 - 0.00145454545454545*m.x1984
)*(1 - 0.00145454545454545*m.x1984))) + m.x512 <= 0)
m.c1534 = Constraint(expr=-0.007*m.x1599*m.x933*(0.0775*m.x1985*(1 - 0.000727272727272727*m.x1985) + m.x1985 +
0.003003125*m.x1985*(1 - 0.000727272727272727*m.x1985)*(1 - 0.00145454545454545*m.x1985) +
6.0669191919192e-8*(1189.2375*m.x1985*(1 - 0.000727272727272727*m.x1985)*(1 -
0.00145454545454545*m.x1985) - 1.86*(0.93*m.x1985*(1 - 0.000727272727272727*m.x1985))**2 -
1.49610402*m.x1985*m.x1985*(1 - 0.000727272727272727*m.x1985)*(1 - 0.00145454545454545*m.x1985
)*(1 - 0.00145454545454545*m.x1985))) + m.x513 <= 0)
m.c1535 = Constraint(expr=-0.007*m.x1599*m.x934*(0.0775*m.x1986*(1 - 0.000727272727272727*m.x1986) + m.x1986 +
0.003003125*m.x1986*(1 - 0.000727272727272727*m.x1986)*(1 - 0.00145454545454545*m.x1986) +
6.0669191919192e-8*(1189.2375*m.x1986*(1 - 0.000727272727272727*m.x1986)*(1 -
0.00145454545454545*m.x1986) - 1.86*(0.93*m.x1986*(1 - 0.000727272727272727*m.x1986))**2 -
1.49610402*m.x1986*m.x1986*(1 - 0.000727272727272727*m.x1986)*(1 - 0.00145454545454545*m.x1986
)*(1 - 0.00145454545454545*m.x1986))) + m.x514 <= 0)
m.c1536 = Constraint(expr=-0.007*m.x1599*m.x935*(0.0775*m.x1987*(1 - 0.000727272727272727*m.x1987) + m.x1987 +
0.003003125*m.x1987*(1 - 0.000727272727272727*m.x1987)*(1 - 0.00145454545454545*m.x1987) +
6.0669191919192e-8*(1189.2375*m.x1987*(1 - 0.000727272727272727*m.x1987)*(1 -
0.00145454545454545*m.x1987) - 1.86*(0.93*m.x1987*(1 - 0.000727272727272727*m.x1987))**2 -
1.49610402*m.x1987*m.x1987*(1 - 0.000727272727272727*m.x1987)*(1 - 0.00145454545454545*m.x1987
)*(1 - 0.00145454545454545*m.x1987))) + m.x515 <= 0)
m.c1537 = Constraint(expr=-0.007*m.x1599*m.x936*(0.0775*m.x1988*(1 - 0.000727272727272727*m.x1988) + m.x1988 +
0.003003125*m.x1988*(1 - 0.000727272727272727*m.x1988)*(1 - 0.00145454545454545*m.x1988) +
6.0669191919192e-8*(1189.2375*m.x1988*(1 - 0.000727272727272727*m.x1988)*(1 -
0.00145454545454545*m.x1988) - 1.86*(0.93*m.x1988*(1 - 0.000727272727272727*m.x1988))**2 -
1.49610402*m.x1988*m.x1988*(1 - 0.000727272727272727*m.x1988)*(1 - 0.00145454545454545*m.x1988
)*(1 - 0.00145454545454545*m.x1988))) + m.x516 <= 0)
m.c1538 = Constraint(expr=-0.007*m.x1600*m.x937*(0.0775*m.x1989*(1 - 0.000727272727272727*m.x1989) + m.x1989 +
0.003003125*m.x1989*(1 - 0.000727272727272727*m.x1989)*(1 - 0.00145454545454545*m.x1989) +
6.0669191919192e-8*(1189.2375*m.x1989*(1 - 0.000727272727272727*m.x1989)*(1 -
0.00145454545454545*m.x1989) - 1.86*(0.93*m.x1989*(1 - 0.000727272727272727*m.x1989))**2 -
1.49610402*m.x1989*m.x1989*(1 - 0.000727272727272727*m.x1989)*(1 - 0.00145454545454545*m.x1989
)*(1 - 0.00145454545454545*m.x1989))) + m.x517 <= 0)
m.c1539 = Constraint(expr=-0.007*m.x1600*m.x938*(0.0775*m.x1990*(1 - 0.000727272727272727*m.x1990) + m.x1990 +
0.003003125*m.x1990*(1 - 0.000727272727272727*m.x1990)*(1 - 0.00145454545454545*m.x1990) +
6.0669191919192e-8*(1189.2375*m.x1990*(1 - 0.000727272727272727*m.x1990)*(1 -
0.00145454545454545*m.x1990) - 1.86*(0.93*m.x1990*(1 - 0.000727272727272727*m.x1990))**2 -
1.49610402*m.x1990*m.x1990*(1 - 0.000727272727272727*m.x1990)*(1 - 0.00145454545454545*m.x1990
)*(1 - 0.00145454545454545*m.x1990))) + m.x518 <= 0)
m.c1540 = Constraint(expr=-0.007*m.x1600*m.x939*(0.0775*m.x1991*(1 - 0.000727272727272727*m.x1991) + m.x1991 +
0.003003125*m.x1991*(1 - 0.000727272727272727*m.x1991)*(1 - 0.00145454545454545*m.x1991) +
6.0669191919192e-8*(1189.2375*m.x1991*(1 - 0.000727272727272727*m.x1991)*(1 -
0.00145454545454545*m.x1991) - 1.86*(0.93*m.x1991*(1 - 0.000727272727272727*m.x1991))**2 -
1.49610402*m.x1991*m.x1991*(1 - 0.000727272727272727*m.x1991)*(1 - 0.00145454545454545*m.x1991
)*(1 - 0.00145454545454545*m.x1991))) + m.x519 <= 0)
m.c1541 = Constraint(expr=-0.007*m.x1600*m.x940*(0.0775*m.x1992*(1 - 0.000727272727272727*m.x1992) + m.x1992 +
0.003003125*m.x1992*(1 - 0.000727272727272727*m.x1992)*(1 - 0.00145454545454545*m.x1992) +
6.0669191919192e-8*(1189.2375*m.x1992*(1 - 0.000727272727272727*m.x1992)*(1 -
0.00145454545454545*m.x1992) - 1.86*(0.93*m.x1992*(1 - 0.000727272727272727*m.x1992))**2 -
1.49610402*m.x1992*m.x1992*(1 - 0.000727272727272727*m.x1992)*(1 - 0.00145454545454545*m.x1992
)*(1 - 0.00145454545454545*m.x1992))) + m.x520 <= 0)
m.c1542 = Constraint(expr=-0.007*m.x1600*m.x941*(0.0775*m.x1993*(1 - 0.000727272727272727*m.x1993) + m.x1993 +
0.003003125*m.x1993*(1 - 0.000727272727272727*m.x1993)*(1 - 0.00145454545454545*m.x1993) +
6.0669191919192e-8*(1189.2375*m.x1993*(1 - 0.000727272727272727*m.x1993)*(1 -
0.00145454545454545*m.x1993) - 1.86*(0.93*m.x1993*(1 - 0.000727272727272727*m.x1993))**2 -
1.49610402*m.x1993*m.x1993*(1 - 0.000727272727272727*m.x1993)*(1 - 0.00145454545454545*m.x1993
)*(1 - 0.00145454545454545*m.x1993))) + m.x521 <= 0)
m.c1543 = Constraint(expr=-0.007*m.x1600*m.x942*(0.0775*m.x1994*(1 - 0.000727272727272727*m.x1994) + m.x1994 +
0.003003125*m.x1994*(1 - 0.000727272727272727*m.x1994)*(1 - 0.00145454545454545*m.x1994) +
6.0669191919192e-8*(1189.2375*m.x1994*(1 - 0.000727272727272727*m.x1994)*(1 -
0.00145454545454545*m.x1994) - 1.86*(0.93*m.x1994*(1 - 0.000727272727272727*m.x1994))**2 -
1.49610402*m.x1994*m.x1994*(1 - 0.000727272727272727*m.x1994)*(1 - 0.00145454545454545*m.x1994
)*(1 - 0.00145454545454545*m.x1994))) + m.x522 <= 0)
m.c1544 = Constraint(expr=-0.007*m.x1600*m.x943*(0.0775*m.x1995*(1 - 0.000727272727272727*m.x1995) + m.x1995 +
0.003003125*m.x1995*(1 - 0.000727272727272727*m.x1995)*(1 - 0.00145454545454545*m.x1995) +
6.0669191919192e-8*(1189.2375*m.x1995*(1 - 0.000727272727272727*m.x1995)*(1 -
0.00145454545454545*m.x1995) - 1.86*(0.93*m.x1995*(1 - 0.000727272727272727*m.x1995))**2 -
1.49610402*m.x1995*m.x1995*(1 - 0.000727272727272727*m.x1995)*(1 - 0.00145454545454545*m.x1995
)*(1 - 0.00145454545454545*m.x1995))) + m.x523 <= 0)
m.c1545 = Constraint(expr=-0.007*m.x1600*m.x944*(0.0775*m.x1996*(1 - 0.000727272727272727*m.x1996) + m.x1996 +
0.003003125*m.x1996*(1 - 0.000727272727272727*m.x1996)*(1 - 0.00145454545454545*m.x1996) +
6.0669191919192e-8*(1189.2375*m.x1996*(1 - 0.000727272727272727*m.x1996)*(1 -
0.00145454545454545*m.x1996) - 1.86*(0.93*m.x1996*(1 - 0.000727272727272727*m.x1996))**2 -
1.49610402*m.x1996*m.x1996*(1 - 0.000727272727272727*m.x1996)*(1 - 0.00145454545454545*m.x1996
)*(1 - 0.00145454545454545*m.x1996))) + m.x524 <= 0)
m.c1546 = Constraint(expr=-0.007*m.x1600*m.x945*(0.0775*m.x1997*(1 - 0.000727272727272727*m.x1997) + m.x1997 +
0.003003125*m.x1997*(1 - 0.000727272727272727*m.x1997)*(1 - 0.00145454545454545*m.x1997) +
6.0669191919192e-8*(1189.2375*m.x1997*(1 - 0.000727272727272727*m.x1997)*(1 -
0.00145454545454545*m.x1997) - 1.86*(0.93*m.x1997*(1 - 0.000727272727272727*m.x1997))**2 -
1.49610402*m.x1997*m.x1997*(1 - 0.000727272727272727*m.x1997)*(1 - 0.00145454545454545*m.x1997
)*(1 - 0.00145454545454545*m.x1997))) + m.x525 <= 0)
m.c1547 = Constraint(expr=-0.007*m.x1600*m.x946*(0.0775*m.x1998*(1 - 0.000727272727272727*m.x1998) + m.x1998 +
0.003003125*m.x1998*(1 - 0.000727272727272727*m.x1998)*(1 - 0.00145454545454545*m.x1998) +
6.0669191919192e-8*(1189.2375*m.x1998*(1 - 0.000727272727272727*m.x1998)*(1 -
0.00145454545454545*m.x1998) - 1.86*(0.93*m.x1998*(1 - 0.000727272727272727*m.x1998))**2 -
1.49610402*m.x1998*m.x1998*(1 - 0.000727272727272727*m.x1998)*(1 - 0.00145454545454545*m.x1998
)*(1 - 0.00145454545454545*m.x1998))) + m.x526 <= 0)
m.c1548 = Constraint(expr=-0.007*m.x1600*m.x947*(0.0775*m.x1999*(1 - 0.000727272727272727*m.x1999) + m.x1999 +
0.003003125*m.x1999*(1 - 0.000727272727272727*m.x1999)*(1 - 0.00145454545454545*m.x1999) +
6.0669191919192e-8*(1189.2375*m.x1999*(1 - 0.000727272727272727*m.x1999)*(1 -
0.00145454545454545*m.x1999) - 1.86*(0.93*m.x1999*(1 - 0.000727272727272727*m.x1999))**2 -
1.49610402*m.x1999*m.x1999*(1 - 0.000727272727272727*m.x1999)*(1 - 0.00145454545454545*m.x1999
)*(1 - 0.00145454545454545*m.x1999))) + m.x527 <= 0)
m.c1549 = Constraint(expr=-0.007*m.x1600*m.x948*(0.0775*m.x2000*(1 - 0.000727272727272727*m.x2000) + m.x2000 +
0.003003125*m.x2000*(1 - 0.000727272727272727*m.x2000)*(1 - 0.00145454545454545*m.x2000) +
6.0669191919192e-8*(1189.2375*m.x2000*(1 - 0.000727272727272727*m.x2000)*(1 -
0.00145454545454545*m.x2000) - 1.86*(0.93*m.x2000*(1 - 0.000727272727272727*m.x2000))**2 -
1.49610402*m.x2000*m.x2000*(1 - 0.000727272727272727*m.x2000)*(1 - 0.00145454545454545*m.x2000
)*(1 - 0.00145454545454545*m.x2000))) + m.x528 <= 0)
m.c1550 = Constraint(expr=-0.007*m.x1601*m.x949*(0.0775*m.x2001*(1 - 0.000727272727272727*m.x2001) + m.x2001 +
0.003003125*m.x2001*(1 - 0.000727272727272727*m.x2001)*(1 - 0.00145454545454545*m.x2001) +
6.0669191919192e-8*(1189.2375*m.x2001*(1 - 0.000727272727272727*m.x2001)*(1 -
0.00145454545454545*m.x2001) - 1.86*(0.93*m.x2001*(1 - 0.000727272727272727*m.x2001))**2 -
1.49610402*m.x2001*m.x2001*(1 - 0.000727272727272727*m.x2001)*(1 - 0.00145454545454545*m.x2001
)*(1 - 0.00145454545454545*m.x2001))) + m.x529 <= 0)
m.c1551 = Constraint(expr=-0.007*m.x1601*m.x950*(0.0775*m.x2002*(1 - 0.000727272727272727*m.x2002) + m.x2002 +
0.003003125*m.x2002*(1 - 0.000727272727272727*m.x2002)*(1 - 0.00145454545454545*m.x2002) +
6.0669191919192e-8*(1189.2375*m.x2002*(1 - 0.000727272727272727*m.x2002)*(1 -
0.00145454545454545*m.x2002) - 1.86*(0.93*m.x2002*(1 - 0.000727272727272727*m.x2002))**2 -
1.49610402*m.x2002*m.x2002*(1 - 0.000727272727272727*m.x2002)*(1 - 0.00145454545454545*m.x2002
)*(1 - 0.00145454545454545*m.x2002))) + m.x530 <= 0)
m.c1552 = Constraint(expr=-0.007*m.x1601*m.x951*(0.0775*m.x2003*(1 - 0.000727272727272727*m.x2003) + m.x2003 +
0.003003125*m.x2003*(1 - 0.000727272727272727*m.x2003)*(1 - 0.00145454545454545*m.x2003) +
6.0669191919192e-8*(1189.2375*m.x2003*(1 - 0.000727272727272727*m.x2003)*(1 -
0.00145454545454545*m.x2003) - 1.86*(0.93*m.x2003*(1 - 0.000727272727272727*m.x2003))**2 -
1.49610402*m.x2003*m.x2003*(1 - 0.000727272727272727*m.x2003)*(1 - 0.00145454545454545*m.x2003
)*(1 - 0.00145454545454545*m.x2003))) + m.x531 <= 0)
m.c1553 = Constraint(expr=-0.007*m.x1601*m.x952*(0.0775*m.x2004*(1 - 0.000727272727272727*m.x2004) + m.x2004 +
0.003003125*m.x2004*(1 - 0.000727272727272727*m.x2004)*(1 - 0.00145454545454545*m.x2004) +
6.0669191919192e-8*(1189.2375*m.x2004*(1 - 0.000727272727272727*m.x2004)*(1 -
0.00145454545454545*m.x2004) - 1.86*(0.93*m.x2004*(1 - 0.000727272727272727*m.x2004))**2 -
1.49610402*m.x2004*m.x2004*(1 - 0.000727272727272727*m.x2004)*(1 - 0.00145454545454545*m.x2004
)*(1 - 0.00145454545454545*m.x2004))) + m.x532 <= 0)
m.c1554 = Constraint(expr=-0.007*m.x1601*m.x953*(0.0775*m.x2005*(1 - 0.000727272727272727*m.x2005) + m.x2005 +
0.003003125*m.x2005*(1 - 0.000727272727272727*m.x2005)*(1 - 0.00145454545454545*m.x2005) +
6.0669191919192e-8*(1189.2375*m.x2005*(1 - 0.000727272727272727*m.x2005)*(1 -
0.00145454545454545*m.x2005) - 1.86*(0.93*m.x2005*(1 - 0.000727272727272727*m.x2005))**2 -
1.49610402*m.x2005*m.x2005*(1 - 0.000727272727272727*m.x2005)*(1 - 0.00145454545454545*m.x2005
)*(1 - 0.00145454545454545*m.x2005))) + m.x533 <= 0)
m.c1555 = Constraint(expr=-0.007*m.x1601*m.x954*(0.0775*m.x2006*(1 - 0.000727272727272727*m.x2006) + m.x2006 +
0.003003125*m.x2006*(1 - 0.000727272727272727*m.x2006)*(1 - 0.00145454545454545*m.x2006) +
6.0669191919192e-8*(1189.2375*m.x2006*(1 - 0.000727272727272727*m.x2006)*(1 -
0.00145454545454545*m.x2006) - 1.86*(0.93*m.x2006*(1 - 0.000727272727272727*m.x2006))**2 -
1.49610402*m.x2006*m.x2006*(1 - 0.000727272727272727*m.x2006)*(1 - 0.00145454545454545*m.x2006
)*(1 - 0.00145454545454545*m.x2006))) + m.x534 <= 0)
m.c1556 = Constraint(expr=-0.007*m.x1601*m.x955*(0.0775*m.x2007*(1 - 0.000727272727272727*m.x2007) + m.x2007 +
0.003003125*m.x2007*(1 - 0.000727272727272727*m.x2007)*(1 - 0.00145454545454545*m.x2007) +
6.0669191919192e-8*(1189.2375*m.x2007*(1 - 0.000727272727272727*m.x2007)*(1 -
0.00145454545454545*m.x2007) - 1.86*(0.93*m.x2007*(1 - 0.000727272727272727*m.x2007))**2 -
1.49610402*m.x2007*m.x2007*(1 - 0.000727272727272727*m.x2007)*(1 - 0.00145454545454545*m.x2007
)*(1 - 0.00145454545454545*m.x2007))) + m.x535 <= 0)
m.c1557 = Constraint(expr=-0.007*m.x1601*m.x956*(0.0775*m.x2008*(1 - 0.000727272727272727*m.x2008) + m.x2008 +
0.003003125*m.x2008*(1 - 0.000727272727272727*m.x2008)*(1 - 0.00145454545454545*m.x2008) +
6.0669191919192e-8*(1189.2375*m.x2008*(1 - 0.000727272727272727*m.x2008)*(1 -
0.00145454545454545*m.x2008) - 1.86*(0.93*m.x2008*(1 - 0.000727272727272727*m.x2008))**2 -
1.49610402*m.x2008*m.x2008*(1 - 0.000727272727272727*m.x2008)*(1 - 0.00145454545454545*m.x2008
)*(1 - 0.00145454545454545*m.x2008))) + m.x536 <= 0)
m.c1558 = Constraint(expr=-0.007*m.x1601*m.x957*(0.0775*m.x2009*(1 - 0.000727272727272727*m.x2009) + m.x2009 +
0.003003125*m.x2009*(1 - 0.000727272727272727*m.x2009)*(1 - 0.00145454545454545*m.x2009) +
6.0669191919192e-8*(1189.2375*m.x2009*(1 - 0.000727272727272727*m.x2009)*(1 -
0.00145454545454545*m.x2009) - 1.86*(0.93*m.x2009*(1 - 0.000727272727272727*m.x2009))**2 -
1.49610402*m.x2009*m.x2009*(1 - 0.000727272727272727*m.x2009)*(1 - 0.00145454545454545*m.x2009
)*(1 - 0.00145454545454545*m.x2009))) + m.x537 <= 0)
m.c1559 = Constraint(expr=-0.007*m.x1601*m.x958*(0.0775*m.x2010*(1 - 0.000727272727272727*m.x2010) + m.x2010 +
0.003003125*m.x2010*(1 - 0.000727272727272727*m.x2010)*(1 - 0.00145454545454545*m.x2010) +
6.0669191919192e-8*(1189.2375*m.x2010*(1 - 0.000727272727272727*m.x2010)*(1 -
0.00145454545454545*m.x2010) - 1.86*(0.93*m.x2010*(1 - 0.000727272727272727*m.x2010))**2 -
1.49610402*m.x2010*m.x2010*(1 - 0.000727272727272727*m.x2010)*(1 - 0.00145454545454545*m.x2010
)*(1 - 0.00145454545454545*m.x2010))) + m.x538 <= 0)
m.c1560 = Constraint(expr=-0.007*m.x1601*m.x959*(0.0775*m.x2011*(1 - 0.000727272727272727*m.x2011) + m.x2011 +
0.003003125*m.x2011*(1 - 0.000727272727272727*m.x2011)*(1 - 0.00145454545454545*m.x2011) +
6.0669191919192e-8*(1189.2375*m.x2011*(1 - 0.000727272727272727*m.x2011)*(1 -
0.00145454545454545*m.x2011) - 1.86*(0.93*m.x2011*(1 - 0.000727272727272727*m.x2011))**2 -
1.49610402*m.x2011*m.x2011*(1 - 0.000727272727272727*m.x2011)*(1 - 0.00145454545454545*m.x2011
)*(1 - 0.00145454545454545*m.x2011))) + m.x539 <= 0)
m.c1561 = Constraint(expr=-0.007*m.x1601*m.x960*(0.0775*m.x2012*(1 - 0.000727272727272727*m.x2012) + m.x2012 +
0.003003125*m.x2012*(1 - 0.000727272727272727*m.x2012)*(1 - 0.00145454545454545*m.x2012) +
6.0669191919192e-8*(1189.2375*m.x2012*(1 - 0.000727272727272727*m.x2012)*(1 -
0.00145454545454545*m.x2012) - 1.86*(0.93*m.x2012*(1 - 0.000727272727272727*m.x2012))**2 -
1.49610402*m.x2012*m.x2012*(1 - 0.000727272727272727*m.x2012)*(1 - 0.00145454545454545*m.x2012
)*(1 - 0.00145454545454545*m.x2012))) + m.x540 <= 0)
m.c1562 = Constraint(expr=-0.007*m.x1602*m.x961*(0.0775*m.x2013*(1 - 0.000727272727272727*m.x2013) + m.x2013 +
0.003003125*m.x2013*(1 - 0.000727272727272727*m.x2013)*(1 - 0.00145454545454545*m.x2013) +
6.0669191919192e-8*(1189.2375*m.x2013*(1 - 0.000727272727272727*m.x2013)*(1 -
0.00145454545454545*m.x2013) - 1.86*(0.93*m.x2013*(1 - 0.000727272727272727*m.x2013))**2 -
1.49610402*m.x2013*m.x2013*(1 - 0.000727272727272727*m.x2013)*(1 - 0.00145454545454545*m.x2013
)*(1 - 0.00145454545454545*m.x2013))) + m.x541 <= 0)
m.c1563 = Constraint(expr=-0.007*m.x1602*m.x962*(0.0775*m.x2014*(1 - 0.000727272727272727*m.x2014) + m.x2014 +
0.003003125*m.x2014*(1 - 0.000727272727272727*m.x2014)*(1 - 0.00145454545454545*m.x2014) +
6.0669191919192e-8*(1189.2375*m.x2014*(1 - 0.000727272727272727*m.x2014)*(1 -
0.00145454545454545*m.x2014) - 1.86*(0.93*m.x2014*(1 - 0.000727272727272727*m.x2014))**2 -
1.49610402*m.x2014*m.x2014*(1 - 0.000727272727272727*m.x2014)*(1 - 0.00145454545454545*m.x2014
)*(1 - 0.00145454545454545*m.x2014))) + m.x542 <= 0)
m.c1564 = Constraint(expr=-0.007*m.x1602*m.x963*(0.0775*m.x2015*(1 - 0.000727272727272727*m.x2015) + m.x2015 +
0.003003125*m.x2015*(1 - 0.000727272727272727*m.x2015)*(1 - 0.00145454545454545*m.x2015) +
6.0669191919192e-8*(1189.2375*m.x2015*(1 - 0.000727272727272727*m.x2015)*(1 -
0.00145454545454545*m.x2015) - 1.86*(0.93*m.x2015*(1 - 0.000727272727272727*m.x2015))**2 -
1.49610402*m.x2015*m.x2015*(1 - 0.000727272727272727*m.x2015)*(1 - 0.00145454545454545*m.x2015
)*(1 - 0.00145454545454545*m.x2015))) + m.x543 <= 0)
m.c1565 = Constraint(expr=-0.007*m.x1602*m.x964*(0.0775*m.x2016*(1 - 0.000727272727272727*m.x2016) + m.x2016 +
0.003003125*m.x2016*(1 - 0.000727272727272727*m.x2016)*(1 - 0.00145454545454545*m.x2016) +
6.0669191919192e-8*(1189.2375*m.x2016*(1 - 0.000727272727272727*m.x2016)*(1 -
0.00145454545454545*m.x2016) - 1.86*(0.93*m.x2016*(1 - 0.000727272727272727*m.x2016))**2 -
1.49610402*m.x2016*m.x2016*(1 - 0.000727272727272727*m.x2016)*(1 - 0.00145454545454545*m.x2016
)*(1 - 0.00145454545454545*m.x2016))) + m.x544 <= 0)
m.c1566 = Constraint(expr=-0.007*m.x1602*m.x965*(0.0775*m.x2017*(1 - 0.000727272727272727*m.x2017) + m.x2017 +
0.003003125*m.x2017*(1 - 0.000727272727272727*m.x2017)*(1 - 0.00145454545454545*m.x2017) +
6.0669191919192e-8*(1189.2375*m.x2017*(1 - 0.000727272727272727*m.x2017)*(1 -
0.00145454545454545*m.x2017) - 1.86*(0.93*m.x2017*(1 - 0.000727272727272727*m.x2017))**2 -
1.49610402*m.x2017*m.x2017*(1 - 0.000727272727272727*m.x2017)*(1 - 0.00145454545454545*m.x2017
)*(1 - 0.00145454545454545*m.x2017))) + m.x545 <= 0)
m.c1567 = Constraint(expr=-0.007*m.x1602*m.x966*(0.0775*m.x2018*(1 - 0.000727272727272727*m.x2018) + m.x2018 +
0.003003125*m.x2018*(1 - 0.000727272727272727*m.x2018)*(1 - 0.00145454545454545*m.x2018) +
6.0669191919192e-8*(1189.2375*m.x2018*(1 - 0.000727272727272727*m.x2018)*(1 -
0.00145454545454545*m.x2018) - 1.86*(0.93*m.x2018*(1 - 0.000727272727272727*m.x2018))**2 -
1.49610402*m.x2018*m.x2018*(1 - 0.000727272727272727*m.x2018)*(1 - 0.00145454545454545*m.x2018
)*(1 - 0.00145454545454545*m.x2018))) + m.x546 <= 0)
m.c1568 = Constraint(expr=-0.007*m.x1602*m.x967*(0.0775*m.x2019*(1 - 0.000727272727272727*m.x2019) + m.x2019 +
0.003003125*m.x2019*(1 - 0.000727272727272727*m.x2019)*(1 - 0.00145454545454545*m.x2019) +
6.0669191919192e-8*(1189.2375*m.x2019*(1 - 0.000727272727272727*m.x2019)*(1 -
0.00145454545454545*m.x2019) - 1.86*(0.93*m.x2019*(1 - 0.000727272727272727*m.x2019))**2 -
1.49610402*m.x2019*m.x2019*(1 - 0.000727272727272727*m.x2019)*(1 - 0.00145454545454545*m.x2019
)*(1 - 0.00145454545454545*m.x2019))) + m.x547 <= 0)
m.c1569 = Constraint(expr=-0.007*m.x1602*m.x968*(0.0775*m.x2020*(1 - 0.000727272727272727*m.x2020) + m.x2020 +
0.003003125*m.x2020*(1 - 0.000727272727272727*m.x2020)*(1 - 0.00145454545454545*m.x2020) +
6.0669191919192e-8*(1189.2375*m.x2020*(1 - 0.000727272727272727*m.x2020)*(1 -
0.00145454545454545*m.x2020) - 1.86*(0.93*m.x2020*(1 - 0.000727272727272727*m.x2020))**2 -
1.49610402*m.x2020*m.x2020*(1 - 0.000727272727272727*m.x2020)*(1 - 0.00145454545454545*m.x2020
)*(1 - 0.00145454545454545*m.x2020))) + m.x548 <= 0)
m.c1570 = Constraint(expr=-0.007*m.x1602*m.x969*(0.0775*m.x2021*(1 - 0.000727272727272727*m.x2021) + m.x2021 +
0.003003125*m.x2021*(1 - 0.000727272727272727*m.x2021)*(1 - 0.00145454545454545*m.x2021) +
6.0669191919192e-8*(1189.2375*m.x2021*(1 - 0.000727272727272727*m.x2021)*(1 -
0.00145454545454545*m.x2021) - 1.86*(0.93*m.x2021*(1 - 0.000727272727272727*m.x2021))**2 -
1.49610402*m.x2021*m.x2021*(1 - 0.000727272727272727*m.x2021)*(1 - 0.00145454545454545*m.x2021
)*(1 - 0.00145454545454545*m.x2021))) + m.x549 <= 0)
m.c1571 = Constraint(expr=-0.007*m.x1602*m.x970*(0.0775*m.x2022*(1 - 0.000727272727272727*m.x2022) + m.x2022 +
0.003003125*m.x2022*(1 - 0.000727272727272727*m.x2022)*(1 - 0.00145454545454545*m.x2022) +
6.0669191919192e-8*(1189.2375*m.x2022*(1 - 0.000727272727272727*m.x2022)*(1 -
0.00145454545454545*m.x2022) - 1.86*(0.93*m.x2022*(1 - 0.000727272727272727*m.x2022))**2 -
1.49610402*m.x2022*m.x2022*(1 - 0.000727272727272727*m.x2022)*(1 - 0.00145454545454545*m.x2022
)*(1 - 0.00145454545454545*m.x2022))) + m.x550 <= 0)
m.c1572 = Constraint(expr=-0.007*m.x1602*m.x971*(0.0775*m.x2023*(1 - 0.000727272727272727*m.x2023) + m.x2023 +
0.003003125*m.x2023*(1 - 0.000727272727272727*m.x2023)*(1 - 0.00145454545454545*m.x2023) +
6.0669191919192e-8*(1189.2375*m.x2023*(1 - 0.000727272727272727*m.x2023)*(1 -
0.00145454545454545*m.x2023) - 1.86*(0.93*m.x2023*(1 - 0.000727272727272727*m.x2023))**2 -
1.49610402*m.x2023*m.x2023*(1 - 0.000727272727272727*m.x2023)*(1 - 0.00145454545454545*m.x2023
)*(1 - 0.00145454545454545*m.x2023))) + m.x551 <= 0)
m.c1573 = Constraint(expr=-0.007*m.x1602*m.x972*(0.0775*m.x2024*(1 - 0.000727272727272727*m.x2024) + m.x2024 +
0.003003125*m.x2024*(1 - 0.000727272727272727*m.x2024)*(1 - 0.00145454545454545*m.x2024) +
6.0669191919192e-8*(1189.2375*m.x2024*(1 - 0.000727272727272727*m.x2024)*(1 -
0.00145454545454545*m.x2024) - 1.86*(0.93*m.x2024*(1 - 0.000727272727272727*m.x2024))**2 -
1.49610402*m.x2024*m.x2024*(1 - 0.000727272727272727*m.x2024)*(1 - 0.00145454545454545*m.x2024
)*(1 - 0.00145454545454545*m.x2024))) + m.x552 <= 0)
m.c1574 = Constraint(expr=-0.007*m.x1603*m.x973*(0.0775*m.x2025*(1 - 0.000727272727272727*m.x2025) + m.x2025 +
0.003003125*m.x2025*(1 - 0.000727272727272727*m.x2025)*(1 - 0.00145454545454545*m.x2025) +
6.0669191919192e-8*(1189.2375*m.x2025*(1 - 0.000727272727272727*m.x2025)*(1 -
0.00145454545454545*m.x2025) - 1.86*(0.93*m.x2025*(1 - 0.000727272727272727*m.x2025))**2 -
1.49610402*m.x2025*m.x2025*(1 - 0.000727272727272727*m.x2025)*(1 - 0.00145454545454545*m.x2025
)*(1 - 0.00145454545454545*m.x2025))) + m.x553 <= 0)
m.c1575 = Constraint(expr=-0.007*m.x1603*m.x974*(0.0775*m.x2026*(1 - 0.000727272727272727*m.x2026) + m.x2026 +
0.003003125*m.x2026*(1 - 0.000727272727272727*m.x2026)*(1 - 0.00145454545454545*m.x2026) +
6.0669191919192e-8*(1189.2375*m.x2026*(1 - 0.000727272727272727*m.x2026)*(1 -
0.00145454545454545*m.x2026) - 1.86*(0.93*m.x2026*(1 - 0.000727272727272727*m.x2026))**2 -
1.49610402*m.x2026*m.x2026*(1 - 0.000727272727272727*m.x2026)*(1 - 0.00145454545454545*m.x2026
)*(1 - 0.00145454545454545*m.x2026))) + m.x554 <= 0)
m.c1576 = Constraint(expr=-0.007*m.x1603*m.x975*(0.0775*m.x2027*(1 - 0.000727272727272727*m.x2027) + m.x2027 +
0.003003125*m.x2027*(1 - 0.000727272727272727*m.x2027)*(1 - 0.00145454545454545*m.x2027) +
6.0669191919192e-8*(1189.2375*m.x2027*(1 - 0.000727272727272727*m.x2027)*(1 -
0.00145454545454545*m.x2027) - 1.86*(0.93*m.x2027*(1 - 0.000727272727272727*m.x2027))**2 -
1.49610402*m.x2027*m.x2027*(1 - 0.000727272727272727*m.x2027)*(1 - 0.00145454545454545*m.x2027
)*(1 - 0.00145454545454545*m.x2027))) + m.x555 <= 0)
m.c1577 = Constraint(expr=-0.007*m.x1603*m.x976*(0.0775*m.x2028*(1 - 0.000727272727272727*m.x2028) + m.x2028 +
0.003003125*m.x2028*(1 - 0.000727272727272727*m.x2028)*(1 - 0.00145454545454545*m.x2028) +
6.0669191919192e-8*(1189.2375*m.x2028*(1 - 0.000727272727272727*m.x2028)*(1 -
0.00145454545454545*m.x2028) - 1.86*(0.93*m.x2028*(1 - 0.000727272727272727*m.x2028))**2 -
1.49610402*m.x2028*m.x2028*(1 - 0.000727272727272727*m.x2028)*(1 - 0.00145454545454545*m.x2028
)*(1 - 0.00145454545454545*m.x2028))) + m.x556 <= 0)
m.c1578 = Constraint(expr=-0.007*m.x1603*m.x977*(0.0775*m.x2029*(1 - 0.000727272727272727*m.x2029) + m.x2029 +
0.003003125*m.x2029*(1 - 0.000727272727272727*m.x2029)*(1 - 0.00145454545454545*m.x2029) +
6.0669191919192e-8*(1189.2375*m.x2029*(1 - 0.000727272727272727*m.x2029)*(1 -
0.00145454545454545*m.x2029) - 1.86*(0.93*m.x2029*(1 - 0.000727272727272727*m.x2029))**2 -
1.49610402*m.x2029*m.x2029*(1 - 0.000727272727272727*m.x2029)*(1 - 0.00145454545454545*m.x2029
)*(1 - 0.00145454545454545*m.x2029))) + m.x557 <= 0)
m.c1579 = Constraint(expr=-0.007*m.x1603*m.x978*(0.0775*m.x2030*(1 - 0.000727272727272727*m.x2030) + m.x2030 +
0.003003125*m.x2030*(1 - 0.000727272727272727*m.x2030)*(1 - 0.00145454545454545*m.x2030) +
6.0669191919192e-8*(1189.2375*m.x2030*(1 - 0.000727272727272727*m.x2030)*(1 -
0.00145454545454545*m.x2030) - 1.86*(0.93*m.x2030*(1 - 0.000727272727272727*m.x2030))**2 -
1.49610402*m.x2030*m.x2030*(1 - 0.000727272727272727*m.x2030)*(1 - 0.00145454545454545*m.x2030
)*(1 - 0.00145454545454545*m.x2030))) + m.x558 <= 0)
m.c1580 = Constraint(expr=-0.007*m.x1603*m.x979*(0.0775*m.x2031*(1 - 0.000727272727272727*m.x2031) + m.x2031 +
0.003003125*m.x2031*(1 - 0.000727272727272727*m.x2031)*(1 - 0.00145454545454545*m.x2031) +
6.0669191919192e-8*(1189.2375*m.x2031*(1 - 0.000727272727272727*m.x2031)*(1 -
0.00145454545454545*m.x2031) - 1.86*(0.93*m.x2031*(1 - 0.000727272727272727*m.x2031))**2 -
1.49610402*m.x2031*m.x2031*(1 - 0.000727272727272727*m.x2031)*(1 - 0.00145454545454545*m.x2031
)*(1 - 0.00145454545454545*m.x2031))) + m.x559 <= 0)
m.c1581 = Constraint(expr=-0.007*m.x1603*m.x980*(0.0775*m.x2032*(1 - 0.000727272727272727*m.x2032) + m.x2032 +
0.003003125*m.x2032*(1 - 0.000727272727272727*m.x2032)*(1 - 0.00145454545454545*m.x2032) +
6.0669191919192e-8*(1189.2375*m.x2032*(1 - 0.000727272727272727*m.x2032)*(1 -
0.00145454545454545*m.x2032) - 1.86*(0.93*m.x2032*(1 - 0.000727272727272727*m.x2032))**2 -
1.49610402*m.x2032*m.x2032*(1 - 0.000727272727272727*m.x2032)*(1 - 0.00145454545454545*m.x2032
)*(1 - 0.00145454545454545*m.x2032))) + m.x560 <= 0)
m.c1582 = Constraint(expr=-0.007*m.x1603*m.x981*(0.0775*m.x2033*(1 - 0.000727272727272727*m.x2033) + m.x2033 +
0.003003125*m.x2033*(1 - 0.000727272727272727*m.x2033)*(1 - 0.00145454545454545*m.x2033) +
6.0669191919192e-8*(1189.2375*m.x2033*(1 - 0.000727272727272727*m.x2033)*(1 -
0.00145454545454545*m.x2033) - 1.86*(0.93*m.x2033*(1 - 0.000727272727272727*m.x2033))**2 -
1.49610402*m.x2033*m.x2033*(1 - 0.000727272727272727*m.x2033)*(1 - 0.00145454545454545*m.x2033
)*(1 - 0.00145454545454545*m.x2033))) + m.x561 <= 0)
m.c1583 = Constraint(expr=-0.007*m.x1603*m.x982*(0.0775*m.x2034*(1 - 0.000727272727272727*m.x2034) + m.x2034 +
0.003003125*m.x2034*(1 - 0.000727272727272727*m.x2034)*(1 - 0.00145454545454545*m.x2034) +
6.0669191919192e-8*(1189.2375*m.x2034*(1 - 0.000727272727272727*m.x2034)*(1 -
0.00145454545454545*m.x2034) - 1.86*(0.93*m.x2034*(1 - 0.000727272727272727*m.x2034))**2 -
1.49610402*m.x2034*m.x2034*(1 - 0.000727272727272727*m.x2034)*(1 - 0.00145454545454545*m.x2034
)*(1 - 0.00145454545454545*m.x2034))) + m.x562 <= 0)
m.c1584 = Constraint(expr=-0.007*m.x1603*m.x983*(0.0775*m.x2035*(1 - 0.000727272727272727*m.x2035) + m.x2035 +
0.003003125*m.x2035*(1 - 0.000727272727272727*m.x2035)*(1 - 0.00145454545454545*m.x2035) +
6.0669191919192e-8*(1189.2375*m.x2035*(1 - 0.000727272727272727*m.x2035)*(1 -
0.00145454545454545*m.x2035) - 1.86*(0.93*m.x2035*(1 - 0.000727272727272727*m.x2035))**2 -
1.49610402*m.x2035*m.x2035*(1 - 0.000727272727272727*m.x2035)*(1 - 0.00145454545454545*m.x2035
)*(1 - 0.00145454545454545*m.x2035))) + m.x563 <= 0)
m.c1585 = Constraint(expr=-0.007*m.x1603*m.x984*(0.0775*m.x2036*(1 - 0.000727272727272727*m.x2036) + m.x2036 +
0.003003125*m.x2036*(1 - 0.000727272727272727*m.x2036)*(1 - 0.00145454545454545*m.x2036) +
6.0669191919192e-8*(1189.2375*m.x2036*(1 - 0.000727272727272727*m.x2036)*(1 -
0.00145454545454545*m.x2036) - 1.86*(0.93*m.x2036*(1 - 0.000727272727272727*m.x2036))**2 -
1.49610402*m.x2036*m.x2036*(1 - 0.000727272727272727*m.x2036)*(1 - 0.00145454545454545*m.x2036
)*(1 - 0.00145454545454545*m.x2036))) + m.x564 <= 0)
m.c1586 = Constraint(expr=-0.007*m.x1604*m.x985*(0.0775*m.x2037*(1 - 0.000727272727272727*m.x2037) + m.x2037 +
0.003003125*m.x2037*(1 - 0.000727272727272727*m.x2037)*(1 - 0.00145454545454545*m.x2037) +
6.0669191919192e-8*(1189.2375*m.x2037*(1 - 0.000727272727272727*m.x2037)*(1 -
0.00145454545454545*m.x2037) - 1.86*(0.93*m.x2037*(1 - 0.000727272727272727*m.x2037))**2 -
1.49610402*m.x2037*m.x2037*(1 - 0.000727272727272727*m.x2037)*(1 - 0.00145454545454545*m.x2037
)*(1 - 0.00145454545454545*m.x2037))) + m.x565 <= 0)
m.c1587 = Constraint(expr=-0.007*m.x1604*m.x986*(0.0775*m.x2038*(1 - 0.000727272727272727*m.x2038) + m.x2038 +
0.003003125*m.x2038*(1 - 0.000727272727272727*m.x2038)*(1 - 0.00145454545454545*m.x2038) +
6.0669191919192e-8*(1189.2375*m.x2038*(1 - 0.000727272727272727*m.x2038)*(1 -
0.00145454545454545*m.x2038) - 1.86*(0.93*m.x2038*(1 - 0.000727272727272727*m.x2038))**2 -
1.49610402*m.x2038*m.x2038*(1 - 0.000727272727272727*m.x2038)*(1 - 0.00145454545454545*m.x2038
)*(1 - 0.00145454545454545*m.x2038))) + m.x566 <= 0)
m.c1588 = Constraint(expr=-0.007*m.x1604*m.x987*(0.0775*m.x2039*(1 - 0.000727272727272727*m.x2039) + m.x2039 +
0.003003125*m.x2039*(1 - 0.000727272727272727*m.x2039)*(1 - 0.00145454545454545*m.x2039) +
6.0669191919192e-8*(1189.2375*m.x2039*(1 - 0.000727272727272727*m.x2039)*(1 -
0.00145454545454545*m.x2039) - 1.86*(0.93*m.x2039*(1 - 0.000727272727272727*m.x2039))**2 -
1.49610402*m.x2039*m.x2039*(1 - 0.000727272727272727*m.x2039)*(1 - 0.00145454545454545*m.x2039
)*(1 - 0.00145454545454545*m.x2039))) + m.x567 <= 0)
m.c1589 = Constraint(expr=-0.007*m.x1604*m.x988*(0.0775*m.x2040*(1 - 0.000727272727272727*m.x2040) + m.x2040 +
0.003003125*m.x2040*(1 - 0.000727272727272727*m.x2040)*(1 - 0.00145454545454545*m.x2040) +
6.0669191919192e-8*(1189.2375*m.x2040*(1 - 0.000727272727272727*m.x2040)*(1 -
0.00145454545454545*m.x2040) - 1.86*(0.93*m.x2040*(1 - 0.000727272727272727*m.x2040))**2 -
1.49610402*m.x2040*m.x2040*(1 - 0.000727272727272727*m.x2040)*(1 - 0.00145454545454545*m.x2040
)*(1 - 0.00145454545454545*m.x2040))) + m.x568 <= 0)
m.c1590 = Constraint(expr=-0.007*m.x1604*m.x989*(0.0775*m.x2041*(1 - 0.000727272727272727*m.x2041) + m.x2041 +
0.003003125*m.x2041*(1 - 0.000727272727272727*m.x2041)*(1 - 0.00145454545454545*m.x2041) +
6.0669191919192e-8*(1189.2375*m.x2041*(1 - 0.000727272727272727*m.x2041)*(1 -
0.00145454545454545*m.x2041) - 1.86*(0.93*m.x2041*(1 - 0.000727272727272727*m.x2041))**2 -
1.49610402*m.x2041*m.x2041*(1 - 0.000727272727272727*m.x2041)*(1 - 0.00145454545454545*m.x2041
)*(1 - 0.00145454545454545*m.x2041))) + m.x569 <= 0)
m.c1591 = Constraint(expr=-0.007*m.x1604*m.x990*(0.0775*m.x2042*(1 - 0.000727272727272727*m.x2042) + m.x2042 +
0.003003125*m.x2042*(1 - 0.000727272727272727*m.x2042)*(1 - 0.00145454545454545*m.x2042) +
6.0669191919192e-8*(1189.2375*m.x2042*(1 - 0.000727272727272727*m.x2042)*(1 -
0.00145454545454545*m.x2042) - 1.86*(0.93*m.x2042*(1 - 0.000727272727272727*m.x2042))**2 -
1.49610402*m.x2042*m.x2042*(1 - 0.000727272727272727*m.x2042)*(1 - 0.00145454545454545*m.x2042
)*(1 - 0.00145454545454545*m.x2042))) + m.x570 <= 0)
m.c1592 = Constraint(expr=-0.007*m.x1604*m.x991*(0.0775*m.x2043*(1 - 0.000727272727272727*m.x2043) + m.x2043 +
0.003003125*m.x2043*(1 - 0.000727272727272727*m.x2043)*(1 - 0.00145454545454545*m.x2043) +
6.0669191919192e-8*(1189.2375*m.x2043*(1 - 0.000727272727272727*m.x2043)*(1 -
0.00145454545454545*m.x2043) - 1.86*(0.93*m.x2043*(1 - 0.000727272727272727*m.x2043))**2 -
1.49610402*m.x2043*m.x2043*(1 - 0.000727272727272727*m.x2043)*(1 - 0.00145454545454545*m.x2043
)*(1 - 0.00145454545454545*m.x2043))) + m.x571 <= 0)
m.c1593 = Constraint(expr=-0.007*m.x1604*m.x992*(0.0775*m.x2044*(1 - 0.000727272727272727*m.x2044) + m.x2044 +
0.003003125*m.x2044*(1 - 0.000727272727272727*m.x2044)*(1 - 0.00145454545454545*m.x2044) +
6.0669191919192e-8*(1189.2375*m.x2044*(1 - 0.000727272727272727*m.x2044)*(1 -
0.00145454545454545*m.x2044) - 1.86*(0.93*m.x2044*(1 - 0.000727272727272727*m.x2044))**2 -
1.49610402*m.x2044*m.x2044*(1 - 0.000727272727272727*m.x2044)*(1 - 0.00145454545454545*m.x2044
)*(1 - 0.00145454545454545*m.x2044))) + m.x572 <= 0)
m.c1594 = Constraint(expr=-0.007*m.x1604*m.x993*(0.0775*m.x2045*(1 - 0.000727272727272727*m.x2045) + m.x2045 +
0.003003125*m.x2045*(1 - 0.000727272727272727*m.x2045)*(1 - 0.00145454545454545*m.x2045) +
6.0669191919192e-8*(1189.2375*m.x2045*(1 - 0.000727272727272727*m.x2045)*(1 -
0.00145454545454545*m.x2045) - 1.86*(0.93*m.x2045*(1 - 0.000727272727272727*m.x2045))**2 -
1.49610402*m.x2045*m.x2045*(1 - 0.000727272727272727*m.x2045)*(1 - 0.00145454545454545*m.x2045
)*(1 - 0.00145454545454545*m.x2045))) + m.x573 <= 0)
m.c1595 = Constraint(expr=-0.007*m.x1604*m.x994*(0.0775*m.x2046*(1 - 0.000727272727272727*m.x2046) + m.x2046 +
0.003003125*m.x2046*(1 - 0.000727272727272727*m.x2046)*(1 - 0.00145454545454545*m.x2046) +
6.0669191919192e-8*(1189.2375*m.x2046*(1 - 0.000727272727272727*m.x2046)*(1 -
0.00145454545454545*m.x2046) - 1.86*(0.93*m.x2046*(1 - 0.000727272727272727*m.x2046))**2 -
1.49610402*m.x2046*m.x2046*(1 - 0.000727272727272727*m.x2046)*(1 - 0.00145454545454545*m.x2046
)*(1 - 0.00145454545454545*m.x2046))) + m.x574 <= 0)
m.c1596 = Constraint(expr=-0.007*m.x1604*m.x995*(0.0775*m.x2047*(1 - 0.000727272727272727*m.x2047) + m.x2047 +
0.003003125*m.x2047*(1 - 0.000727272727272727*m.x2047)*(1 - 0.00145454545454545*m.x2047) +
6.0669191919192e-8*(1189.2375*m.x2047*(1 - 0.000727272727272727*m.x2047)*(1 -
0.00145454545454545*m.x2047) - 1.86*(0.93*m.x2047*(1 - 0.000727272727272727*m.x2047))**2 -
1.49610402*m.x2047*m.x2047*(1 - 0.000727272727272727*m.x2047)*(1 - 0.00145454545454545*m.x2047
)*(1 - 0.00145454545454545*m.x2047))) + m.x575 <= 0)
m.c1597 = Constraint(expr=-0.007*m.x1604*m.x996*(0.0775*m.x2048*(1 - 0.000727272727272727*m.x2048) + m.x2048 +
0.003003125*m.x2048*(1 - 0.000727272727272727*m.x2048)*(1 - 0.00145454545454545*m.x2048) +
6.0669191919192e-8*(1189.2375*m.x2048*(1 - 0.000727272727272727*m.x2048)*(1 -
0.00145454545454545*m.x2048) - 1.86*(0.93*m.x2048*(1 - 0.000727272727272727*m.x2048))**2 -
1.49610402*m.x2048*m.x2048*(1 - 0.000727272727272727*m.x2048)*(1 - 0.00145454545454545*m.x2048
)*(1 - 0.00145454545454545*m.x2048))) + m.x576 <= 0)
m.c1598 = Constraint(expr=-0.007*m.x1605*m.x997*(0.0775*m.x2049*(1 - 0.000727272727272727*m.x2049) + m.x2049 +
0.003003125*m.x2049*(1 - 0.000727272727272727*m.x2049)*(1 - 0.00145454545454545*m.x2049) +
6.0669191919192e-8*(1189.2375*m.x2049*(1 - 0.000727272727272727*m.x2049)*(1 -
0.00145454545454545*m.x2049) - 1.86*(0.93*m.x2049*(1 - 0.000727272727272727*m.x2049))**2 -
1.49610402*m.x2049*m.x2049*(1 - 0.000727272727272727*m.x2049)*(1 - 0.00145454545454545*m.x2049
)*(1 - 0.00145454545454545*m.x2049))) + m.x577 <= 0)
m.c1599 = Constraint(expr=-0.007*m.x1605*m.x998*(0.0775*m.x2050*(1 - 0.000727272727272727*m.x2050) + m.x2050 +
0.003003125*m.x2050*(1 - 0.000727272727272727*m.x2050)*(1 - 0.00145454545454545*m.x2050) +
6.0669191919192e-8*(1189.2375*m.x2050*(1 - 0.000727272727272727*m.x2050)*(1 -
0.00145454545454545*m.x2050) - 1.86*(0.93*m.x2050*(1 - 0.000727272727272727*m.x2050))**2 -
1.49610402*m.x2050*m.x2050*(1 - 0.000727272727272727*m.x2050)*(1 - 0.00145454545454545*m.x2050
)*(1 - 0.00145454545454545*m.x2050))) + m.x578 <= 0)
m.c1600 = Constraint(expr=-0.007*m.x1605*m.x999*(0.0775*m.x2051*(1 - 0.000727272727272727*m.x2051) + m.x2051 +
0.003003125*m.x2051*(1 - 0.000727272727272727*m.x2051)*(1 - 0.00145454545454545*m.x2051) +
6.0669191919192e-8*(1189.2375*m.x2051*(1 - 0.000727272727272727*m.x2051)*(1 -
0.00145454545454545*m.x2051) - 1.86*(0.93*m.x2051*(1 - 0.000727272727272727*m.x2051))**2 -
1.49610402*m.x2051*m.x2051*(1 - 0.000727272727272727*m.x2051)*(1 - 0.00145454545454545*m.x2051
)*(1 - 0.00145454545454545*m.x2051))) + m.x579 <= 0)
m.c1601 = Constraint(expr=-0.007*m.x1605*m.x1000*(0.0775*m.x2052*(1 - 0.000727272727272727*m.x2052) + m.x2052 +
0.003003125*m.x2052*(1 - 0.000727272727272727*m.x2052)*(1 - 0.00145454545454545*m.x2052) +
6.0669191919192e-8*(1189.2375*m.x2052*(1 - 0.000727272727272727*m.x2052)*(1 -
0.00145454545454545*m.x2052) - 1.86*(0.93*m.x2052*(1 - 0.000727272727272727*m.x2052))**2 -
1.49610402*m.x2052*m.x2052*(1 - 0.000727272727272727*m.x2052)*(1 - 0.00145454545454545*m.x2052
)*(1 - 0.00145454545454545*m.x2052))) + m.x580 <= 0)
m.c1602 = Constraint(expr=-0.007*m.x1605*m.x1001*(0.0775*m.x2053*(1 - 0.000727272727272727*m.x2053) + m.x2053 +
0.003003125*m.x2053*(1 - 0.000727272727272727*m.x2053)*(1 - 0.00145454545454545*m.x2053) +
6.0669191919192e-8*(1189.2375*m.x2053*(1 - 0.000727272727272727*m.x2053)*(1 -
0.00145454545454545*m.x2053) - 1.86*(0.93*m.x2053*(1 - 0.000727272727272727*m.x2053))**2 -
1.49610402*m.x2053*m.x2053*(1 - 0.000727272727272727*m.x2053)*(1 - 0.00145454545454545*m.x2053
)*(1 - 0.00145454545454545*m.x2053))) + m.x581 <= 0)
m.c1603 = Constraint(expr=-0.007*m.x1605*m.x1002*(0.0775*m.x2054*(1 - 0.000727272727272727*m.x2054) + m.x2054 +
0.003003125*m.x2054*(1 - 0.000727272727272727*m.x2054)*(1 - 0.00145454545454545*m.x2054) +
6.0669191919192e-8*(1189.2375*m.x2054*(1 - 0.000727272727272727*m.x2054)*(1 -
0.00145454545454545*m.x2054) - 1.86*(0.93*m.x2054*(1 - 0.000727272727272727*m.x2054))**2 -
1.49610402*m.x2054*m.x2054*(1 - 0.000727272727272727*m.x2054)*(1 - 0.00145454545454545*m.x2054
)*(1 - 0.00145454545454545*m.x2054))) + m.x582 <= 0)
m.c1604 = Constraint(expr=-0.007*m.x1605*m.x1003*(0.0775*m.x2055*(1 - 0.000727272727272727*m.x2055) + m.x2055 +
0.003003125*m.x2055*(1 - 0.000727272727272727*m.x2055)*(1 - 0.00145454545454545*m.x2055) +
6.0669191919192e-8*(1189.2375*m.x2055*(1 - 0.000727272727272727*m.x2055)*(1 -
0.00145454545454545*m.x2055) - 1.86*(0.93*m.x2055*(1 - 0.000727272727272727*m.x2055))**2 -
1.49610402*m.x2055*m.x2055*(1 - 0.000727272727272727*m.x2055)*(1 - 0.00145454545454545*m.x2055
)*(1 - 0.00145454545454545*m.x2055))) + m.x583 <= 0)
m.c1605 = Constraint(expr=-0.007*m.x1605*m.x1004*(0.0775*m.x2056*(1 - 0.000727272727272727*m.x2056) + m.x2056 +
0.003003125*m.x2056*(1 - 0.000727272727272727*m.x2056)*(1 - 0.00145454545454545*m.x2056) +
6.0669191919192e-8*(1189.2375*m.x2056*(1 - 0.000727272727272727*m.x2056)*(1 -
0.00145454545454545*m.x2056) - 1.86*(0.93*m.x2056*(1 - 0.000727272727272727*m.x2056))**2 -
1.49610402*m.x2056*m.x2056*(1 - 0.000727272727272727*m.x2056)*(1 - 0.00145454545454545*m.x2056
)*(1 - 0.00145454545454545*m.x2056))) + m.x584 <= 0)
m.c1606 = Constraint(expr=-0.007*m.x1605*m.x1005*(0.0775*m.x2057*(1 - 0.000727272727272727*m.x2057) + m.x2057 +
0.003003125*m.x2057*(1 - 0.000727272727272727*m.x2057)*(1 - 0.00145454545454545*m.x2057) +
6.0669191919192e-8*(1189.2375*m.x2057*(1 - 0.000727272727272727*m.x2057)*(1 -
0.00145454545454545*m.x2057) - 1.86*(0.93*m.x2057*(1 - 0.000727272727272727*m.x2057))**2 -
1.49610402*m.x2057*m.x2057*(1 - 0.000727272727272727*m.x2057)*(1 - 0.00145454545454545*m.x2057
)*(1 - 0.00145454545454545*m.x2057))) + m.x585 <= 0)
m.c1607 = Constraint(expr=-0.007*m.x1605*m.x1006*(0.0775*m.x2058*(1 - 0.000727272727272727*m.x2058) + m.x2058 +
0.003003125*m.x2058*(1 - 0.000727272727272727*m.x2058)*(1 - 0.00145454545454545*m.x2058) +
6.0669191919192e-8*(1189.2375*m.x2058*(1 - 0.000727272727272727*m.x2058)*(1 -
0.00145454545454545*m.x2058) - 1.86*(0.93*m.x2058*(1 - 0.000727272727272727*m.x2058))**2 -
1.49610402*m.x2058*m.x2058*(1 - 0.000727272727272727*m.x2058)*(1 - 0.00145454545454545*m.x2058
)*(1 - 0.00145454545454545*m.x2058))) + m.x586 <= 0)
m.c1608 = Constraint(expr=-0.007*m.x1605*m.x1007*(0.0775*m.x2059*(1 - 0.000727272727272727*m.x2059) + m.x2059 +
0.003003125*m.x2059*(1 - 0.000727272727272727*m.x2059)*(1 - 0.00145454545454545*m.x2059) +
6.0669191919192e-8*(1189.2375*m.x2059*(1 - 0.000727272727272727*m.x2059)*(1 -
0.00145454545454545*m.x2059) - 1.86*(0.93*m.x2059*(1 - 0.000727272727272727*m.x2059))**2 -
1.49610402*m.x2059*m.x2059*(1 - 0.000727272727272727*m.x2059)*(1 - 0.00145454545454545*m.x2059
)*(1 - 0.00145454545454545*m.x2059))) + m.x587 <= 0)
m.c1609 = Constraint(expr=-0.007*m.x1605*m.x1008*(0.0775*m.x2060*(1 - 0.000727272727272727*m.x2060) + m.x2060 +
0.003003125*m.x2060*(1 - 0.000727272727272727*m.x2060)*(1 - 0.00145454545454545*m.x2060) +
6.0669191919192e-8*(1189.2375*m.x2060*(1 - 0.000727272727272727*m.x2060)*(1 -
0.00145454545454545*m.x2060) - 1.86*(0.93*m.x2060*(1 - 0.000727272727272727*m.x2060))**2 -
1.49610402*m.x2060*m.x2060*(1 - 0.000727272727272727*m.x2060)*(1 - 0.00145454545454545*m.x2060
)*(1 - 0.00145454545454545*m.x2060))) + m.x588 <= 0)
m.c1610 = Constraint(expr=-0.007*m.x1606*m.x1009*(0.0775*m.x2061*(1 - 0.000727272727272727*m.x2061) + m.x2061 +
0.003003125*m.x2061*(1 - 0.000727272727272727*m.x2061)*(1 - 0.00145454545454545*m.x2061) +
6.0669191919192e-8*(1189.2375*m.x2061*(1 - 0.000727272727272727*m.x2061)*(1 -
0.00145454545454545*m.x2061) - 1.86*(0.93*m.x2061*(1 - 0.000727272727272727*m.x2061))**2 -
1.49610402*m.x2061*m.x2061*(1 - 0.000727272727272727*m.x2061)*(1 - 0.00145454545454545*m.x2061
)*(1 - 0.00145454545454545*m.x2061))) + m.x589 <= 0)
m.c1611 = Constraint(expr=-0.007*m.x1606*m.x1010*(0.0775*m.x2062*(1 - 0.000727272727272727*m.x2062) + m.x2062 +
0.003003125*m.x2062*(1 - 0.000727272727272727*m.x2062)*(1 - 0.00145454545454545*m.x2062) +
6.0669191919192e-8*(1189.2375*m.x2062*(1 - 0.000727272727272727*m.x2062)*(1 -
0.00145454545454545*m.x2062) - 1.86*(0.93*m.x2062*(1 - 0.000727272727272727*m.x2062))**2 -
1.49610402*m.x2062*m.x2062*(1 - 0.000727272727272727*m.x2062)*(1 - 0.00145454545454545*m.x2062
)*(1 - 0.00145454545454545*m.x2062))) + m.x590 <= 0)
m.c1612 = Constraint(expr=-0.007*m.x1606*m.x1011*(0.0775*m.x2063*(1 - 0.000727272727272727*m.x2063) + m.x2063 +
0.003003125*m.x2063*(1 - 0.000727272727272727*m.x2063)*(1 - 0.00145454545454545*m.x2063) +
6.0669191919192e-8*(1189.2375*m.x2063*(1 - 0.000727272727272727*m.x2063)*(1 -
0.00145454545454545*m.x2063) - 1.86*(0.93*m.x2063*(1 - 0.000727272727272727*m.x2063))**2 -
1.49610402*m.x2063*m.x2063*(1 - 0.000727272727272727*m.x2063)*(1 - 0.00145454545454545*m.x2063
)*(1 - 0.00145454545454545*m.x2063))) + m.x591 <= 0)
m.c1613 = Constraint(expr=-0.007*m.x1606*m.x1012*(0.0775*m.x2064*(1 - 0.000727272727272727*m.x2064) + m.x2064 +
0.003003125*m.x2064*(1 - 0.000727272727272727*m.x2064)*(1 - 0.00145454545454545*m.x2064) +
6.0669191919192e-8*(1189.2375*m.x2064*(1 - 0.000727272727272727*m.x2064)*(1 -
0.00145454545454545*m.x2064) - 1.86*(0.93*m.x2064*(1 - 0.000727272727272727*m.x2064))**2 -
1.49610402*m.x2064*m.x2064*(1 - 0.000727272727272727*m.x2064)*(1 - 0.00145454545454545*m.x2064
)*(1 - 0.00145454545454545*m.x2064))) + m.x592 <= 0)
m.c1614 = Constraint(expr=-0.007*m.x1606*m.x1013*(0.0775*m.x2065*(1 - 0.000727272727272727*m.x2065) + m.x2065 +
0.003003125*m.x2065*(1 - 0.000727272727272727*m.x2065)*(1 - 0.00145454545454545*m.x2065) +
6.0669191919192e-8*(1189.2375*m.x2065*(1 - 0.000727272727272727*m.x2065)*(1 -
0.00145454545454545*m.x2065) - 1.86*(0.93*m.x2065*(1 - 0.000727272727272727*m.x2065))**2 -
1.49610402*m.x2065*m.x2065*(1 - 0.000727272727272727*m.x2065)*(1 - 0.00145454545454545*m.x2065
)*(1 - 0.00145454545454545*m.x2065))) + m.x593 <= 0)
m.c1615 = Constraint(expr=-0.007*m.x1606*m.x1014*(0.0775*m.x2066*(1 - 0.000727272727272727*m.x2066) + m.x2066 +
0.003003125*m.x2066*(1 - 0.000727272727272727*m.x2066)*(1 - 0.00145454545454545*m.x2066) +
6.0669191919192e-8*(1189.2375*m.x2066*(1 - 0.000727272727272727*m.x2066)*(1 -
0.00145454545454545*m.x2066) - 1.86*(0.93*m.x2066*(1 - 0.000727272727272727*m.x2066))**2 -
1.49610402*m.x2066*m.x2066*(1 - 0.000727272727272727*m.x2066)*(1 - 0.00145454545454545*m.x2066
)*(1 - 0.00145454545454545*m.x2066))) + m.x594 <= 0)
m.c1616 = Constraint(expr=-0.007*m.x1606*m.x1015*(0.0775*m.x2067*(1 - 0.000727272727272727*m.x2067) + m.x2067 +
0.003003125*m.x2067*(1 - 0.000727272727272727*m.x2067)*(1 - 0.00145454545454545*m.x2067) +
6.0669191919192e-8*(1189.2375*m.x2067*(1 - 0.000727272727272727*m.x2067)*(1 -
0.00145454545454545*m.x2067) - 1.86*(0.93*m.x2067*(1 - 0.000727272727272727*m.x2067))**2 -
1.49610402*m.x2067*m.x2067*(1 - 0.000727272727272727*m.x2067)*(1 - 0.00145454545454545*m.x2067
)*(1 - 0.00145454545454545*m.x2067))) + m.x595 <= 0)
m.c1617 = Constraint(expr=-0.007*m.x1606*m.x1016*(0.0775*m.x2068*(1 - 0.000727272727272727*m.x2068) + m.x2068 +
0.003003125*m.x2068*(1 - 0.000727272727272727*m.x2068)*(1 - 0.00145454545454545*m.x2068) +
6.0669191919192e-8*(1189.2375*m.x2068*(1 - 0.000727272727272727*m.x2068)*(1 -
0.00145454545454545*m.x2068) - 1.86*(0.93*m.x2068*(1 - 0.000727272727272727*m.x2068))**2 -
1.49610402*m.x2068*m.x2068*(1 - 0.000727272727272727*m.x2068)*(1 - 0.00145454545454545*m.x2068
)*(1 - 0.00145454545454545*m.x2068))) + m.x596 <= 0)
m.c1618 = Constraint(expr=-0.007*m.x1606*m.x1017*(0.0775*m.x2069*(1 - 0.000727272727272727*m.x2069) + m.x2069 +
0.003003125*m.x2069*(1 - 0.000727272727272727*m.x2069)*(1 - 0.00145454545454545*m.x2069) +
6.0669191919192e-8*(1189.2375*m.x2069*(1 - 0.000727272727272727*m.x2069)*(1 -
0.00145454545454545*m.x2069) - 1.86*(0.93*m.x2069*(1 - 0.000727272727272727*m.x2069))**2 -
1.49610402*m.x2069*m.x2069*(1 - 0.000727272727272727*m.x2069)*(1 - 0.00145454545454545*m.x2069
)*(1 - 0.00145454545454545*m.x2069))) + m.x597 <= 0)
m.c1619 = Constraint(expr=-0.007*m.x1606*m.x1018*(0.0775*m.x2070*(1 - 0.000727272727272727*m.x2070) + m.x2070 +
0.003003125*m.x2070*(1 - 0.000727272727272727*m.x2070)*(1 - 0.00145454545454545*m.x2070) +
6.0669191919192e-8*(1189.2375*m.x2070*(1 - 0.000727272727272727*m.x2070)*(1 -
0.00145454545454545*m.x2070) - 1.86*(0.93*m.x2070*(1 - 0.000727272727272727*m.x2070))**2 -
1.49610402*m.x2070*m.x2070*(1 - 0.000727272727272727*m.x2070)*(1 - 0.00145454545454545*m.x2070
)*(1 - 0.00145454545454545*m.x2070))) + m.x598 <= 0)
m.c1620 = Constraint(expr=-0.007*m.x1606*m.x1019*(0.0775*m.x2071*(1 - 0.000727272727272727*m.x2071) + m.x2071 +
0.003003125*m.x2071*(1 - 0.000727272727272727*m.x2071)*(1 - 0.00145454545454545*m.x2071) +
6.0669191919192e-8*(1189.2375*m.x2071*(1 - 0.000727272727272727*m.x2071)*(1 -
0.00145454545454545*m.x2071) - 1.86*(0.93*m.x2071*(1 - 0.000727272727272727*m.x2071))**2 -
1.49610402*m.x2071*m.x2071*(1 - 0.000727272727272727*m.x2071)*(1 - 0.00145454545454545*m.x2071
)*(1 - 0.00145454545454545*m.x2071))) + m.x599 <= 0)
m.c1621 = Constraint(expr=-0.007*m.x1606*m.x1020*(0.0775*m.x2072*(1 - 0.000727272727272727*m.x2072) + m.x2072 +
0.003003125*m.x2072*(1 - 0.000727272727272727*m.x2072)*(1 - 0.00145454545454545*m.x2072) +
6.0669191919192e-8*(1189.2375*m.x2072*(1 - 0.000727272727272727*m.x2072)*(1 -
0.00145454545454545*m.x2072) - 1.86*(0.93*m.x2072*(1 - 0.000727272727272727*m.x2072))**2 -
1.49610402*m.x2072*m.x2072*(1 - 0.000727272727272727*m.x2072)*(1 - 0.00145454545454545*m.x2072
)*(1 - 0.00145454545454545*m.x2072))) + m.x600 <= 0)
m.c1622 = Constraint(expr=-0.007*m.x1607*m.x1021*(0.0775*m.x2073*(1 - 0.000727272727272727*m.x2073) + m.x2073 +
0.003003125*m.x2073*(1 - 0.000727272727272727*m.x2073)*(1 - 0.00145454545454545*m.x2073) +
6.0669191919192e-8*(1189.2375*m.x2073*(1 - 0.000727272727272727*m.x2073)*(1 -
0.00145454545454545*m.x2073) - 1.86*(0.93*m.x2073*(1 - 0.000727272727272727*m.x2073))**2 -
1.49610402*m.x2073*m.x2073*(1 - 0.000727272727272727*m.x2073)*(1 - 0.00145454545454545*m.x2073
)*(1 - 0.00145454545454545*m.x2073))) + m.x601 <= 0)
m.c1623 = Constraint(expr=-0.007*m.x1607*m.x1022*(0.0775*m.x2074*(1 - 0.000727272727272727*m.x2074) + m.x2074 +
0.003003125*m.x2074*(1 - 0.000727272727272727*m.x2074)*(1 - 0.00145454545454545*m.x2074) +
6.0669191919192e-8*(1189.2375*m.x2074*(1 - 0.000727272727272727*m.x2074)*(1 -
0.00145454545454545*m.x2074) - 1.86*(0.93*m.x2074*(1 - 0.000727272727272727*m.x2074))**2 -
1.49610402*m.x2074*m.x2074*(1 - 0.000727272727272727*m.x2074)*(1 - 0.00145454545454545*m.x2074
)*(1 - 0.00145454545454545*m.x2074))) + m.x602 <= 0)
m.c1624 = Constraint(expr=-0.007*m.x1607*m.x1023*(0.0775*m.x2075*(1 - 0.000727272727272727*m.x2075) + m.x2075 +
0.003003125*m.x2075*(1 - 0.000727272727272727*m.x2075)*(1 - 0.00145454545454545*m.x2075) +
6.0669191919192e-8*(1189.2375*m.x2075*(1 - 0.000727272727272727*m.x2075)*(1 -
0.00145454545454545*m.x2075) - 1.86*(0.93*m.x2075*(1 - 0.000727272727272727*m.x2075))**2 -
1.49610402*m.x2075*m.x2075*(1 - 0.000727272727272727*m.x2075)*(1 - 0.00145454545454545*m.x2075
)*(1 - 0.00145454545454545*m.x2075))) + m.x603 <= 0)
m.c1625 = Constraint(expr=-0.007*m.x1607*m.x1024*(0.0775*m.x2076*(1 - 0.000727272727272727*m.x2076) + m.x2076 +
0.003003125*m.x2076*(1 - 0.000727272727272727*m.x2076)*(1 - 0.00145454545454545*m.x2076) +
6.0669191919192e-8*(1189.2375*m.x2076*(1 - 0.000727272727272727*m.x2076)*(1 -
0.00145454545454545*m.x2076) - 1.86*(0.93*m.x2076*(1 - 0.000727272727272727*m.x2076))**2 -
1.49610402*m.x2076*m.x2076*(1 - 0.000727272727272727*m.x2076)*(1 - 0.00145454545454545*m.x2076
)*(1 - 0.00145454545454545*m.x2076))) + m.x604 <= 0)
m.c1626 = Constraint(expr=-0.007*m.x1607*m.x1025*(0.0775*m.x2077*(1 - 0.000727272727272727*m.x2077) + m.x2077 +
0.003003125*m.x2077*(1 - 0.000727272727272727*m.x2077)*(1 - 0.00145454545454545*m.x2077) +
6.0669191919192e-8*(1189.2375*m.x2077*(1 - 0.000727272727272727*m.x2077)*(1 -
0.00145454545454545*m.x2077) - 1.86*(0.93*m.x2077*(1 - 0.000727272727272727*m.x2077))**2 -
1.49610402*m.x2077*m.x2077*(1 - 0.000727272727272727*m.x2077)*(1 - 0.00145454545454545*m.x2077
)*(1 - 0.00145454545454545*m.x2077))) + m.x605 <= 0)
m.c1627 = Constraint(expr=-0.007*m.x1607*m.x1026*(0.0775*m.x2078*(1 - 0.000727272727272727*m.x2078) + m.x2078 +
0.003003125*m.x2078*(1 - 0.000727272727272727*m.x2078)*(1 - 0.00145454545454545*m.x2078) +
6.0669191919192e-8*(1189.2375*m.x2078*(1 - 0.000727272727272727*m.x2078)*(1 -
0.00145454545454545*m.x2078) - 1.86*(0.93*m.x2078*(1 - 0.000727272727272727*m.x2078))**2 -
1.49610402*m.x2078*m.x2078*(1 - 0.000727272727272727*m.x2078)*(1 - 0.00145454545454545*m.x2078
)*(1 - 0.00145454545454545*m.x2078))) + m.x606 <= 0)
m.c1628 = Constraint(expr=-0.007*m.x1607*m.x1027*(0.0775*m.x2079*(1 - 0.000727272727272727*m.x2079) + m.x2079 +
0.003003125*m.x2079*(1 - 0.000727272727272727*m.x2079)*(1 - 0.00145454545454545*m.x2079) +
6.0669191919192e-8*(1189.2375*m.x2079*(1 - 0.000727272727272727*m.x2079)*(1 -
0.00145454545454545*m.x2079) - 1.86*(0.93*m.x2079*(1 - 0.000727272727272727*m.x2079))**2 -
1.49610402*m.x2079*m.x2079*(1 - 0.000727272727272727*m.x2079)*(1 - 0.00145454545454545*m.x2079
)*(1 - 0.00145454545454545*m.x2079))) + m.x607 <= 0)
m.c1629 = Constraint(expr=-0.007*m.x1607*m.x1028*(0.0775*m.x2080*(1 - 0.000727272727272727*m.x2080) + m.x2080 +
0.003003125*m.x2080*(1 - 0.000727272727272727*m.x2080)*(1 - 0.00145454545454545*m.x2080) +
6.0669191919192e-8*(1189.2375*m.x2080*(1 - 0.000727272727272727*m.x2080)*(1 -
0.00145454545454545*m.x2080) - 1.86*(0.93*m.x2080*(1 - 0.000727272727272727*m.x2080))**2 -
1.49610402*m.x2080*m.x2080*(1 - 0.000727272727272727*m.x2080)*(1 - 0.00145454545454545*m.x2080
)*(1 - 0.00145454545454545*m.x2080))) + m.x608 <= 0)
m.c1630 = Constraint(expr=-0.007*m.x1607*m.x1029*(0.0775*m.x2081*(1 - 0.000727272727272727*m.x2081) + m.x2081 +
0.003003125*m.x2081*(1 - 0.000727272727272727*m.x2081)*(1 - 0.00145454545454545*m.x2081) +
6.0669191919192e-8*(1189.2375*m.x2081*(1 - 0.000727272727272727*m.x2081)*(1 -
0.00145454545454545*m.x2081) - 1.86*(0.93*m.x2081*(1 - 0.000727272727272727*m.x2081))**2 -
1.49610402*m.x2081*m.x2081*(1 - 0.000727272727272727*m.x2081)*(1 - 0.00145454545454545*m.x2081
)*(1 - 0.00145454545454545*m.x2081))) + m.x609 <= 0)
m.c1631 = Constraint(expr=-0.007*m.x1607*m.x1030*(0.0775*m.x2082*(1 - 0.000727272727272727*m.x2082) + m.x2082 +
0.003003125*m.x2082*(1 - 0.000727272727272727*m.x2082)*(1 - 0.00145454545454545*m.x2082) +
6.0669191919192e-8*(1189.2375*m.x2082*(1 - 0.000727272727272727*m.x2082)*(1 -
0.00145454545454545*m.x2082) - 1.86*(0.93*m.x2082*(1 - 0.000727272727272727*m.x2082))**2 -
1.49610402*m.x2082*m.x2082*(1 - 0.000727272727272727*m.x2082)*(1 - 0.00145454545454545*m.x2082
)*(1 - 0.00145454545454545*m.x2082))) + m.x610 <= 0)
m.c1632 = Constraint(expr=-0.007*m.x1607*m.x1031*(0.0775*m.x2083*(1 - 0.000727272727272727*m.x2083) + m.x2083 +
0.003003125*m.x2083*(1 - 0.000727272727272727*m.x2083)*(1 - 0.00145454545454545*m.x2083) +
6.0669191919192e-8*(1189.2375*m.x2083*(1 - 0.000727272727272727*m.x2083)*(1 -
0.00145454545454545*m.x2083) - 1.86*(0.93*m.x2083*(1 - 0.000727272727272727*m.x2083))**2 -
1.49610402*m.x2083*m.x2083*(1 - 0.000727272727272727*m.x2083)*(1 - 0.00145454545454545*m.x2083
)*(1 - 0.00145454545454545*m.x2083))) + m.x611 <= 0)
m.c1633 = Constraint(expr=-0.007*m.x1607*m.x1032*(0.0775*m.x2084*(1 - 0.000727272727272727*m.x2084) + m.x2084 +
0.003003125*m.x2084*(1 - 0.000727272727272727*m.x2084)*(1 - 0.00145454545454545*m.x2084) +
6.0669191919192e-8*(1189.2375*m.x2084*(1 - 0.000727272727272727*m.x2084)*(1 -
0.00145454545454545*m.x2084) - 1.86*(0.93*m.x2084*(1 - 0.000727272727272727*m.x2084))**2 -
1.49610402*m.x2084*m.x2084*(1 - 0.000727272727272727*m.x2084)*(1 - 0.00145454545454545*m.x2084
)*(1 - 0.00145454545454545*m.x2084))) + m.x612 <= 0)
m.c1634 = Constraint(expr=-0.007*m.x1608*m.x1033*(0.0775*m.x2085*(1 - 0.000727272727272727*m.x2085) + m.x2085 +
0.003003125*m.x2085*(1 - 0.000727272727272727*m.x2085)*(1 - 0.00145454545454545*m.x2085) +
6.0669191919192e-8*(1189.2375*m.x2085*(1 - 0.000727272727272727*m.x2085)*(1 -
0.00145454545454545*m.x2085) - 1.86*(0.93*m.x2085*(1 - 0.000727272727272727*m.x2085))**2 -
1.49610402*m.x2085*m.x2085*(1 - 0.000727272727272727*m.x2085)*(1 - 0.00145454545454545*m.x2085
)*(1 - 0.00145454545454545*m.x2085))) + m.x613 <= 0)
m.c1635 = Constraint(expr=-0.007*m.x1608*m.x1034*(0.0775*m.x2086*(1 - 0.000727272727272727*m.x2086) + m.x2086 +
0.003003125*m.x2086*(1 - 0.000727272727272727*m.x2086)*(1 - 0.00145454545454545*m.x2086) +
6.0669191919192e-8*(1189.2375*m.x2086*(1 - 0.000727272727272727*m.x2086)*(1 -
0.00145454545454545*m.x2086) - 1.86*(0.93*m.x2086*(1 - 0.000727272727272727*m.x2086))**2 -
1.49610402*m.x2086*m.x2086*(1 - 0.000727272727272727*m.x2086)*(1 - 0.00145454545454545*m.x2086
)*(1 - 0.00145454545454545*m.x2086))) + m.x614 <= 0)
m.c1636 = Constraint(expr=-0.007*m.x1608*m.x1035*(0.0775*m.x2087*(1 - 0.000727272727272727*m.x2087) + m.x2087 +
0.003003125*m.x2087*(1 - 0.000727272727272727*m.x2087)*(1 - 0.00145454545454545*m.x2087) +
6.0669191919192e-8*(1189.2375*m.x2087*(1 - 0.000727272727272727*m.x2087)*(1 -
0.00145454545454545*m.x2087) - 1.86*(0.93*m.x2087*(1 - 0.000727272727272727*m.x2087))**2 -
1.49610402*m.x2087*m.x2087*(1 - 0.000727272727272727*m.x2087)*(1 - 0.00145454545454545*m.x2087
)*(1 - 0.00145454545454545*m.x2087))) + m.x615 <= 0)
m.c1637 = Constraint(expr=-0.007*m.x1608*m.x1036*(0.0775*m.x2088*(1 - 0.000727272727272727*m.x2088) + m.x2088 +
0.003003125*m.x2088*(1 - 0.000727272727272727*m.x2088)*(1 - 0.00145454545454545*m.x2088) +
6.0669191919192e-8*(1189.2375*m.x2088*(1 - 0.000727272727272727*m.x2088)*(1 -
0.00145454545454545*m.x2088) - 1.86*(0.93*m.x2088*(1 - 0.000727272727272727*m.x2088))**2 -
1.49610402*m.x2088*m.x2088*(1 - 0.000727272727272727*m.x2088)*(1 - 0.00145454545454545*m.x2088
)*(1 - 0.00145454545454545*m.x2088))) + m.x616 <= 0)
m.c1638 = Constraint(expr=-0.007*m.x1608*m.x1037*(0.0775*m.x2089*(1 - 0.000727272727272727*m.x2089) + m.x2089 +
0.003003125*m.x2089*(1 - 0.000727272727272727*m.x2089)*(1 - 0.00145454545454545*m.x2089) +
6.0669191919192e-8*(1189.2375*m.x2089*(1 - 0.000727272727272727*m.x2089)*(1 -
0.00145454545454545*m.x2089) - 1.86*(0.93*m.x2089*(1 - 0.000727272727272727*m.x2089))**2 -
1.49610402*m.x2089*m.x2089*(1 - 0.000727272727272727*m.x2089)*(1 - 0.00145454545454545*m.x2089
)*(1 - 0.00145454545454545*m.x2089))) + m.x617 <= 0)
m.c1639 = Constraint(expr=-0.007*m.x1608*m.x1038*(0.0775*m.x2090*(1 - 0.000727272727272727*m.x2090) + m.x2090 +
0.003003125*m.x2090*(1 - 0.000727272727272727*m.x2090)*(1 - 0.00145454545454545*m.x2090) +
6.0669191919192e-8*(1189.2375*m.x2090*(1 - 0.000727272727272727*m.x2090)*(1 -
0.00145454545454545*m.x2090) - 1.86*(0.93*m.x2090*(1 - 0.000727272727272727*m.x2090))**2 -
1.49610402*m.x2090*m.x2090*(1 - 0.000727272727272727*m.x2090)*(1 - 0.00145454545454545*m.x2090
)*(1 - 0.00145454545454545*m.x2090))) + m.x618 <= 0)
m.c1640 = Constraint(expr=-0.007*m.x1608*m.x1039*(0.0775*m.x2091*(1 - 0.000727272727272727*m.x2091) + m.x2091 +
0.003003125*m.x2091*(1 - 0.000727272727272727*m.x2091)*(1 - 0.00145454545454545*m.x2091) +
6.0669191919192e-8*(1189.2375*m.x2091*(1 - 0.000727272727272727*m.x2091)*(1 -
0.00145454545454545*m.x2091) - 1.86*(0.93*m.x2091*(1 - 0.000727272727272727*m.x2091))**2 -
1.49610402*m.x2091*m.x2091*(1 - 0.000727272727272727*m.x2091)*(1 - 0.00145454545454545*m.x2091
)*(1 - 0.00145454545454545*m.x2091))) + m.x619 <= 0)
m.c1641 = Constraint(expr=-0.007*m.x1608*m.x1040*(0.0775*m.x2092*(1 - 0.000727272727272727*m.x2092) + m.x2092 +
0.003003125*m.x2092*(1 - 0.000727272727272727*m.x2092)*(1 - 0.00145454545454545*m.x2092) +
6.0669191919192e-8*(1189.2375*m.x2092*(1 - 0.000727272727272727*m.x2092)*(1 -
0.00145454545454545*m.x2092) - 1.86*(0.93*m.x2092*(1 - 0.000727272727272727*m.x2092))**2 -
1.49610402*m.x2092*m.x2092*(1 - 0.000727272727272727*m.x2092)*(1 - 0.00145454545454545*m.x2092
)*(1 - 0.00145454545454545*m.x2092))) + m.x620 <= 0)
m.c1642 = Constraint(expr=-0.007*m.x1608*m.x1041*(0.0775*m.x2093*(1 - 0.000727272727272727*m.x2093) + m.x2093 +
0.003003125*m.x2093*(1 - 0.000727272727272727*m.x2093)*(1 - 0.00145454545454545*m.x2093) +
6.0669191919192e-8*(1189.2375*m.x2093*(1 - 0.000727272727272727*m.x2093)*(1 -
0.00145454545454545*m.x2093) - 1.86*(0.93*m.x2093*(1 - 0.000727272727272727*m.x2093))**2 -
1.49610402*m.x2093*m.x2093*(1 - 0.000727272727272727*m.x2093)*(1 - 0.00145454545454545*m.x2093
)*(1 - 0.00145454545454545*m.x2093))) + m.x621 <= 0)
m.c1643 = Constraint(expr=-0.007*m.x1608*m.x1042*(0.0775*m.x2094*(1 - 0.000727272727272727*m.x2094) + m.x2094 +
0.003003125*m.x2094*(1 - 0.000727272727272727*m.x2094)*(1 - 0.00145454545454545*m.x2094) +
6.0669191919192e-8*(1189.2375*m.x2094*(1 - 0.000727272727272727*m.x2094)*(1 -
0.00145454545454545*m.x2094) - 1.86*(0.93*m.x2094*(1 - 0.000727272727272727*m.x2094))**2 -
1.49610402*m.x2094*m.x2094*(1 - 0.000727272727272727*m.x2094)*(1 - 0.00145454545454545*m.x2094
)*(1 - 0.00145454545454545*m.x2094))) + m.x622 <= 0)
m.c1644 = Constraint(expr=-0.007*m.x1608*m.x1043*(0.0775*m.x2095*(1 - 0.000727272727272727*m.x2095) + m.x2095 +
0.003003125*m.x2095*(1 - 0.000727272727272727*m.x2095)*(1 - 0.00145454545454545*m.x2095) +
6.0669191919192e-8*(1189.2375*m.x2095*(1 - 0.000727272727272727*m.x2095)*(1 -
0.00145454545454545*m.x2095) - 1.86*(0.93*m.x2095*(1 - 0.000727272727272727*m.x2095))**2 -
1.49610402*m.x2095*m.x2095*(1 - 0.000727272727272727*m.x2095)*(1 - 0.00145454545454545*m.x2095
)*(1 - 0.00145454545454545*m.x2095))) + m.x623 <= 0)
m.c1645 = Constraint(expr=-0.007*m.x1608*m.x1044*(0.0775*m.x2096*(1 - 0.000727272727272727*m.x2096) + m.x2096 +
0.003003125*m.x2096*(1 - 0.000727272727272727*m.x2096)*(1 - 0.00145454545454545*m.x2096) +
6.0669191919192e-8*(1189.2375*m.x2096*(1 - 0.000727272727272727*m.x2096)*(1 -
0.00145454545454545*m.x2096) - 1.86*(0.93*m.x2096*(1 - 0.000727272727272727*m.x2096))**2 -
1.49610402*m.x2096*m.x2096*(1 - 0.000727272727272727*m.x2096)*(1 - 0.00145454545454545*m.x2096
)*(1 - 0.00145454545454545*m.x2096))) + m.x624 <= 0)
m.c1646 = Constraint(expr=-0.007*m.x1609*m.x1045*(0.0775*m.x2097*(1 - 0.000727272727272727*m.x2097) + m.x2097 +
0.003003125*m.x2097*(1 - 0.000727272727272727*m.x2097)*(1 - 0.00145454545454545*m.x2097) +
6.0669191919192e-8*(1189.2375*m.x2097*(1 - 0.000727272727272727*m.x2097)*(1 -
0.00145454545454545*m.x2097) - 1.86*(0.93*m.x2097*(1 - 0.000727272727272727*m.x2097))**2 -
1.49610402*m.x2097*m.x2097*(1 - 0.000727272727272727*m.x2097)*(1 - 0.00145454545454545*m.x2097
)*(1 - 0.00145454545454545*m.x2097))) + m.x625 <= 0)
m.c1647 = Constraint(expr=-0.007*m.x1609*m.x1046*(0.0775*m.x2098*(1 - 0.000727272727272727*m.x2098) + m.x2098 +
0.003003125*m.x2098*(1 - 0.000727272727272727*m.x2098)*(1 - 0.00145454545454545*m.x2098) +
6.0669191919192e-8*(1189.2375*m.x2098*(1 - 0.000727272727272727*m.x2098)*(1 -
0.00145454545454545*m.x2098) - 1.86*(0.93*m.x2098*(1 - 0.000727272727272727*m.x2098))**2 -
1.49610402*m.x2098*m.x2098*(1 - 0.000727272727272727*m.x2098)*(1 - 0.00145454545454545*m.x2098
)*(1 - 0.00145454545454545*m.x2098))) + m.x626 <= 0)
m.c1648 = Constraint(expr=-0.007*m.x1609*m.x1047*(0.0775*m.x2099*(1 - 0.000727272727272727*m.x2099) + m.x2099 +
0.003003125*m.x2099*(1 - 0.000727272727272727*m.x2099)*(1 - 0.00145454545454545*m.x2099) +
6.0669191919192e-8*(1189.2375*m.x2099*(1 - 0.000727272727272727*m.x2099)*(1 -
0.00145454545454545*m.x2099) - 1.86*(0.93*m.x2099*(1 - 0.000727272727272727*m.x2099))**2 -
1.49610402*m.x2099*m.x2099*(1 - 0.000727272727272727*m.x2099)*(1 - 0.00145454545454545*m.x2099
)*(1 - 0.00145454545454545*m.x2099))) + m.x627 <= 0)
m.c1649 = Constraint(expr=-0.007*m.x1609*m.x1048*(0.0775*m.x2100*(1 - 0.000727272727272727*m.x2100) + m.x2100 +
0.003003125*m.x2100*(1 - 0.000727272727272727*m.x2100)*(1 - 0.00145454545454545*m.x2100) +
6.0669191919192e-8*(1189.2375*m.x2100*(1 - 0.000727272727272727*m.x2100)*(1 -
0.00145454545454545*m.x2100) - 1.86*(0.93*m.x2100*(1 - 0.000727272727272727*m.x2100))**2 -
1.49610402*m.x2100*m.x2100*(1 - 0.000727272727272727*m.x2100)*(1 - 0.00145454545454545*m.x2100
)*(1 - 0.00145454545454545*m.x2100))) + m.x628 <= 0)
m.c1650 = Constraint(expr=-0.007*m.x1609*m.x1049*(0.0775*m.x2101*(1 - 0.000727272727272727*m.x2101) + m.x2101 +
0.003003125*m.x2101*(1 - 0.000727272727272727*m.x2101)*(1 - 0.00145454545454545*m.x2101) +
6.0669191919192e-8*(1189.2375*m.x2101*(1 - 0.000727272727272727*m.x2101)*(1 -
0.00145454545454545*m.x2101) - 1.86*(0.93*m.x2101*(1 - 0.000727272727272727*m.x2101))**2 -
1.49610402*m.x2101*m.x2101*(1 - 0.000727272727272727*m.x2101)*(1 - 0.00145454545454545*m.x2101
)*(1 - 0.00145454545454545*m.x2101))) + m.x629 <= 0)
m.c1651 = Constraint(expr=-0.007*m.x1609*m.x1050*(0.0775*m.x2102*(1 - 0.000727272727272727*m.x2102) + m.x2102 +
0.003003125*m.x2102*(1 - 0.000727272727272727*m.x2102)*(1 - 0.00145454545454545*m.x2102) +
6.0669191919192e-8*(1189.2375*m.x2102*(1 - 0.000727272727272727*m.x2102)*(1 -
0.00145454545454545*m.x2102) - 1.86*(0.93*m.x2102*(1 - 0.000727272727272727*m.x2102))**2 -
1.49610402*m.x2102*m.x2102*(1 - 0.000727272727272727*m.x2102)*(1 - 0.00145454545454545*m.x2102
)*(1 - 0.00145454545454545*m.x2102))) + m.x630 <= 0)
m.c1652 = Constraint(expr=-0.007*m.x1609*m.x1051*(0.0775*m.x2103*(1 - 0.000727272727272727*m.x2103) + m.x2103 +
0.003003125*m.x2103*(1 - 0.000727272727272727*m.x2103)*(1 - 0.00145454545454545*m.x2103) +
6.0669191919192e-8*(1189.2375*m.x2103*(1 - 0.000727272727272727*m.x2103)*(1 -
0.00145454545454545*m.x2103) - 1.86*(0.93*m.x2103*(1 - 0.000727272727272727*m.x2103))**2 -
1.49610402*m.x2103*m.x2103*(1 - 0.000727272727272727*m.x2103)*(1 - 0.00145454545454545*m.x2103
)*(1 - 0.00145454545454545*m.x2103))) + m.x631 <= 0)
m.c1653 = Constraint(expr=-0.007*m.x1609*m.x1052*(0.0775*m.x2104*(1 - 0.000727272727272727*m.x2104) + m.x2104 +
0.003003125*m.x2104*(1 - 0.000727272727272727*m.x2104)*(1 - 0.00145454545454545*m.x2104) +
6.0669191919192e-8*(1189.2375*m.x2104*(1 - 0.000727272727272727*m.x2104)*(1 -
0.00145454545454545*m.x2104) - 1.86*(0.93*m.x2104*(1 - 0.000727272727272727*m.x2104))**2 -
1.49610402*m.x2104*m.x2104*(1 - 0.000727272727272727*m.x2104)*(1 - 0.00145454545454545*m.x2104
)*(1 - 0.00145454545454545*m.x2104))) + m.x632 <= 0)
m.c1654 = Constraint(expr=-0.007*m.x1609*m.x1053*(0.0775*m.x2105*(1 - 0.000727272727272727*m.x2105) + m.x2105 +
0.003003125*m.x2105*(1 - 0.000727272727272727*m.x2105)*(1 - 0.00145454545454545*m.x2105) +
6.0669191919192e-8*(1189.2375*m.x2105*(1 - 0.000727272727272727*m.x2105)*(1 -
0.00145454545454545*m.x2105) - 1.86*(0.93*m.x2105*(1 - 0.000727272727272727*m.x2105))**2 -
1.49610402*m.x2105*m.x2105*(1 - 0.000727272727272727*m.x2105)*(1 - 0.00145454545454545*m.x2105
)*(1 - 0.00145454545454545*m.x2105))) + m.x633 <= 0)
m.c1655 = Constraint(expr=-0.007*m.x1609*m.x1054*(0.0775*m.x2106*(1 - 0.000727272727272727*m.x2106) + m.x2106 +
0.003003125*m.x2106*(1 - 0.000727272727272727*m.x2106)*(1 - 0.00145454545454545*m.x2106) +
6.0669191919192e-8*(1189.2375*m.x2106*(1 - 0.000727272727272727*m.x2106)*(1 -
0.00145454545454545*m.x2106) - 1.86*(0.93*m.x2106*(1 - 0.000727272727272727*m.x2106))**2 -
1.49610402*m.x2106*m.x2106*(1 - 0.000727272727272727*m.x2106)*(1 - 0.00145454545454545*m.x2106
)*(1 - 0.00145454545454545*m.x2106))) + m.x634 <= 0)
m.c1656 = Constraint(expr=-0.007*m.x1609*m.x1055*(0.0775*m.x2107*(1 - 0.000727272727272727*m.x2107) + m.x2107 +
0.003003125*m.x2107*(1 - 0.000727272727272727*m.x2107)*(1 - 0.00145454545454545*m.x2107) +
6.0669191919192e-8*(1189.2375*m.x2107*(1 - 0.000727272727272727*m.x2107)*(1 -
0.00145454545454545*m.x2107) - 1.86*(0.93*m.x2107*(1 - 0.000727272727272727*m.x2107))**2 -
1.49610402*m.x2107*m.x2107*(1 - 0.000727272727272727*m.x2107)*(1 - 0.00145454545454545*m.x2107
)*(1 - 0.00145454545454545*m.x2107))) + m.x635 <= 0)
m.c1657 = Constraint(expr=-0.007*m.x1609*m.x1056*(0.0775*m.x2108*(1 - 0.000727272727272727*m.x2108) + m.x2108 +
0.003003125*m.x2108*(1 - 0.000727272727272727*m.x2108)*(1 - 0.00145454545454545*m.x2108) +
6.0669191919192e-8*(1189.2375*m.x2108*(1 - 0.000727272727272727*m.x2108)*(1 -
0.00145454545454545*m.x2108) - 1.86*(0.93*m.x2108*(1 - 0.000727272727272727*m.x2108))**2 -
1.49610402*m.x2108*m.x2108*(1 - 0.000727272727272727*m.x2108)*(1 - 0.00145454545454545*m.x2108
)*(1 - 0.00145454545454545*m.x2108))) + m.x636 <= 0)
m.c1658 = Constraint(expr=-0.007*m.x1610*m.x1057*(0.0775*m.x2109*(1 - 0.000727272727272727*m.x2109) + m.x2109 +
0.003003125*m.x2109*(1 - 0.000727272727272727*m.x2109)*(1 - 0.00145454545454545*m.x2109) +
6.0669191919192e-8*(1189.2375*m.x2109*(1 - 0.000727272727272727*m.x2109)*(1 -
0.00145454545454545*m.x2109) - 1.86*(0.93*m.x2109*(1 - 0.000727272727272727*m.x2109))**2 -
1.49610402*m.x2109*m.x2109*(1 - 0.000727272727272727*m.x2109)*(1 - 0.00145454545454545*m.x2109
)*(1 - 0.00145454545454545*m.x2109))) + m.x637 <= 0)
m.c1659 = Constraint(expr=-0.007*m.x1610*m.x1058*(0.0775*m.x2110*(1 - 0.000727272727272727*m.x2110) + m.x2110 +
0.003003125*m.x2110*(1 - 0.000727272727272727*m.x2110)*(1 - 0.00145454545454545*m.x2110) +
6.0669191919192e-8*(1189.2375*m.x2110*(1 - 0.000727272727272727*m.x2110)*(1 -
0.00145454545454545*m.x2110) - 1.86*(0.93*m.x2110*(1 - 0.000727272727272727*m.x2110))**2 -
1.49610402*m.x2110*m.x2110*(1 - 0.000727272727272727*m.x2110)*(1 - 0.00145454545454545*m.x2110
)*(1 - 0.00145454545454545*m.x2110))) + m.x638 <= 0)
m.c1660 = Constraint(expr=-0.007*m.x1610*m.x1059*(0.0775*m.x2111*(1 - 0.000727272727272727*m.x2111) + m.x2111 +
0.003003125*m.x2111*(1 - 0.000727272727272727*m.x2111)*(1 - 0.00145454545454545*m.x2111) +
6.0669191919192e-8*(1189.2375*m.x2111*(1 - 0.000727272727272727*m.x2111)*(1 -
0.00145454545454545*m.x2111) - 1.86*(0.93*m.x2111*(1 - 0.000727272727272727*m.x2111))**2 -
1.49610402*m.x2111*m.x2111*(1 - 0.000727272727272727*m.x2111)*(1 - 0.00145454545454545*m.x2111
)*(1 - 0.00145454545454545*m.x2111))) + m.x639 <= 0)
m.c1661 = Constraint(expr=-0.007*m.x1610*m.x1060*(0.0775*m.x2112*(1 - 0.000727272727272727*m.x2112) + m.x2112 +
0.003003125*m.x2112*(1 - 0.000727272727272727*m.x2112)*(1 - 0.00145454545454545*m.x2112) +
6.0669191919192e-8*(1189.2375*m.x2112*(1 - 0.000727272727272727*m.x2112)*(1 -
0.00145454545454545*m.x2112) - 1.86*(0.93*m.x2112*(1 - 0.000727272727272727*m.x2112))**2 -
1.49610402*m.x2112*m.x2112*(1 - 0.000727272727272727*m.x2112)*(1 - 0.00145454545454545*m.x2112
)*(1 - 0.00145454545454545*m.x2112))) + m.x640 <= 0)
m.c1662 = Constraint(expr=-0.007*m.x1610*m.x1061*(0.0775*m.x2113*(1 - 0.000727272727272727*m.x2113) + m.x2113 +
0.003003125*m.x2113*(1 - 0.000727272727272727*m.x2113)*(1 - 0.00145454545454545*m.x2113) +
6.0669191919192e-8*(1189.2375*m.x2113*(1 - 0.000727272727272727*m.x2113)*(1 -
0.00145454545454545*m.x2113) - 1.86*(0.93*m.x2113*(1 - 0.000727272727272727*m.x2113))**2 -
1.49610402*m.x2113*m.x2113*(1 - 0.000727272727272727*m.x2113)*(1 - 0.00145454545454545*m.x2113
)*(1 - 0.00145454545454545*m.x2113))) + m.x641 <= 0)
m.c1663 = Constraint(expr=-0.007*m.x1610*m.x1062*(0.0775*m.x2114*(1 - 0.000727272727272727*m.x2114) + m.x2114 +
0.003003125*m.x2114*(1 - 0.000727272727272727*m.x2114)*(1 - 0.00145454545454545*m.x2114) +
6.0669191919192e-8*(1189.2375*m.x2114*(1 - 0.000727272727272727*m.x2114)*(1 -
0.00145454545454545*m.x2114) - 1.86*(0.93*m.x2114*(1 - 0.000727272727272727*m.x2114))**2 -
1.49610402*m.x2114*m.x2114*(1 - 0.000727272727272727*m.x2114)*(1 - 0.00145454545454545*m.x2114
)*(1 - 0.00145454545454545*m.x2114))) + m.x642 <= 0)
m.c1664 = Constraint(expr=-0.007*m.x1610*m.x1063*(0.0775*m.x2115*(1 - 0.000727272727272727*m.x2115) + m.x2115 +
0.003003125*m.x2115*(1 - 0.000727272727272727*m.x2115)*(1 - 0.00145454545454545*m.x2115) +
6.0669191919192e-8*(1189.2375*m.x2115*(1 - 0.000727272727272727*m.x2115)*(1 -
0.00145454545454545*m.x2115) - 1.86*(0.93*m.x2115*(1 - 0.000727272727272727*m.x2115))**2 -
1.49610402*m.x2115*m.x2115*(1 - 0.000727272727272727*m.x2115)*(1 - 0.00145454545454545*m.x2115
)*(1 - 0.00145454545454545*m.x2115))) + m.x643 <= 0)
m.c1665 = Constraint(expr=-0.007*m.x1610*m.x1064*(0.0775*m.x2116*(1 - 0.000727272727272727*m.x2116) + m.x2116 +
0.003003125*m.x2116*(1 - 0.000727272727272727*m.x2116)*(1 - 0.00145454545454545*m.x2116) +
6.0669191919192e-8*(1189.2375*m.x2116*(1 - 0.000727272727272727*m.x2116)*(1 -
0.00145454545454545*m.x2116) - 1.86*(0.93*m.x2116*(1 - 0.000727272727272727*m.x2116))**2 -
1.49610402*m.x2116*m.x2116*(1 - 0.000727272727272727*m.x2116)*(1 - 0.00145454545454545*m.x2116
)*(1 - 0.00145454545454545*m.x2116))) + m.x644 <= 0)
m.c1666 = Constraint(expr=-0.007*m.x1610*m.x1065*(0.0775*m.x2117*(1 - 0.000727272727272727*m.x2117) + m.x2117 +
0.003003125*m.x2117*(1 - 0.000727272727272727*m.x2117)*(1 - 0.00145454545454545*m.x2117) +
6.0669191919192e-8*(1189.2375*m.x2117*(1 - 0.000727272727272727*m.x2117)*(1 -
0.00145454545454545*m.x2117) - 1.86*(0.93*m.x2117*(1 - 0.000727272727272727*m.x2117))**2 -
1.49610402*m.x2117*m.x2117*(1 - 0.000727272727272727*m.x2117)*(1 - 0.00145454545454545*m.x2117
)*(1 - 0.00145454545454545*m.x2117))) + m.x645 <= 0)
m.c1667 = Constraint(expr=-0.007*m.x1610*m.x1066*(0.0775*m.x2118*(1 - 0.000727272727272727*m.x2118) + m.x2118 +
0.003003125*m.x2118*(1 - 0.000727272727272727*m.x2118)*(1 - 0.00145454545454545*m.x2118) +
6.0669191919192e-8*(1189.2375*m.x2118*(1 - 0.000727272727272727*m.x2118)*(1 -
0.00145454545454545*m.x2118) - 1.86*(0.93*m.x2118*(1 - 0.000727272727272727*m.x2118))**2 -
1.49610402*m.x2118*m.x2118*(1 - 0.000727272727272727*m.x2118)*(1 - 0.00145454545454545*m.x2118
)*(1 - 0.00145454545454545*m.x2118))) + m.x646 <= 0)
m.c1668 = Constraint(expr=-0.007*m.x1610*m.x1067*(0.0775*m.x2119*(1 - 0.000727272727272727*m.x2119) + m.x2119 +
0.003003125*m.x2119*(1 - 0.000727272727272727*m.x2119)*(1 - 0.00145454545454545*m.x2119) +
6.0669191919192e-8*(1189.2375*m.x2119*(1 - 0.000727272727272727*m.x2119)*(1 -
0.00145454545454545*m.x2119) - 1.86*(0.93*m.x2119*(1 - 0.000727272727272727*m.x2119))**2 -
1.49610402*m.x2119*m.x2119*(1 - 0.000727272727272727*m.x2119)*(1 - 0.00145454545454545*m.x2119
)*(1 - 0.00145454545454545*m.x2119))) + m.x647 <= 0)
m.c1669 = Constraint(expr=-0.007*m.x1610*m.x1068*(0.0775*m.x2120*(1 - 0.000727272727272727*m.x2120) + m.x2120 +
0.003003125*m.x2120*(1 - 0.000727272727272727*m.x2120)*(1 - 0.00145454545454545*m.x2120) +
6.0669191919192e-8*(1189.2375*m.x2120*(1 - 0.000727272727272727*m.x2120)*(1 -
0.00145454545454545*m.x2120) - 1.86*(0.93*m.x2120*(1 - 0.000727272727272727*m.x2120))**2 -
1.49610402*m.x2120*m.x2120*(1 - 0.000727272727272727*m.x2120)*(1 - 0.00145454545454545*m.x2120
)*(1 - 0.00145454545454545*m.x2120))) + m.x648 <= 0)
m.c1670 = Constraint(expr=-0.007*m.x1611*m.x1069*(0.0775*m.x2121*(1 - 0.000727272727272727*m.x2121) + m.x2121 +
0.003003125*m.x2121*(1 - 0.000727272727272727*m.x2121)*(1 - 0.00145454545454545*m.x2121) +
6.0669191919192e-8*(1189.2375*m.x2121*(1 - 0.000727272727272727*m.x2121)*(1 -
0.00145454545454545*m.x2121) - 1.86*(0.93*m.x2121*(1 - 0.000727272727272727*m.x2121))**2 -
1.49610402*m.x2121*m.x2121*(1 - 0.000727272727272727*m.x2121)*(1 - 0.00145454545454545*m.x2121
)*(1 - 0.00145454545454545*m.x2121))) + m.x649 <= 0)
m.c1671 = Constraint(expr=-0.007*m.x1611*m.x1070*(0.0775*m.x2122*(1 - 0.000727272727272727*m.x2122) + m.x2122 +
0.003003125*m.x2122*(1 - 0.000727272727272727*m.x2122)*(1 - 0.00145454545454545*m.x2122) +
6.0669191919192e-8*(1189.2375*m.x2122*(1 - 0.000727272727272727*m.x2122)*(1 -
0.00145454545454545*m.x2122) - 1.86*(0.93*m.x2122*(1 - 0.000727272727272727*m.x2122))**2 -
1.49610402*m.x2122*m.x2122*(1 - 0.000727272727272727*m.x2122)*(1 - 0.00145454545454545*m.x2122
)*(1 - 0.00145454545454545*m.x2122))) + m.x650 <= 0)
m.c1672 = Constraint(expr=-0.007*m.x1611*m.x1071*(0.0775*m.x2123*(1 - 0.000727272727272727*m.x2123) + m.x2123 +
0.003003125*m.x2123*(1 - 0.000727272727272727*m.x2123)*(1 - 0.00145454545454545*m.x2123) +
6.0669191919192e-8*(1189.2375*m.x2123*(1 - 0.000727272727272727*m.x2123)*(1 -
0.00145454545454545*m.x2123) - 1.86*(0.93*m.x2123*(1 - 0.000727272727272727*m.x2123))**2 -
1.49610402*m.x2123*m.x2123*(1 - 0.000727272727272727*m.x2123)*(1 - 0.00145454545454545*m.x2123
)*(1 - 0.00145454545454545*m.x2123))) + m.x651 <= 0)
m.c1673 = Constraint(expr=-0.007*m.x1611*m.x1072*(0.0775*m.x2124*(1 - 0.000727272727272727*m.x2124) + m.x2124 +
0.003003125*m.x2124*(1 - 0.000727272727272727*m.x2124)*(1 - 0.00145454545454545*m.x2124) +
6.0669191919192e-8*(1189.2375*m.x2124*(1 - 0.000727272727272727*m.x2124)*(1 -
0.00145454545454545*m.x2124) - 1.86*(0.93*m.x2124*(1 - 0.000727272727272727*m.x2124))**2 -
1.49610402*m.x2124*m.x2124*(1 - 0.000727272727272727*m.x2124)*(1 - 0.00145454545454545*m.x2124
)*(1 - 0.00145454545454545*m.x2124))) + m.x652 <= 0)
m.c1674 = Constraint(expr=-0.007*m.x1611*m.x1073*(0.0775*m.x2125*(1 - 0.000727272727272727*m.x2125) + m.x2125 +
0.003003125*m.x2125*(1 - 0.000727272727272727*m.x2125)*(1 - 0.00145454545454545*m.x2125) +
6.0669191919192e-8*(1189.2375*m.x2125*(1 - 0.000727272727272727*m.x2125)*(1 -
0.00145454545454545*m.x2125) - 1.86*(0.93*m.x2125*(1 - 0.000727272727272727*m.x2125))**2 -
1.49610402*m.x2125*m.x2125*(1 - 0.000727272727272727*m.x2125)*(1 - 0.00145454545454545*m.x2125
)*(1 - 0.00145454545454545*m.x2125))) + m.x653 <= 0)
m.c1675 = Constraint(expr=-0.007*m.x1611*m.x1074*(0.0775*m.x2126*(1 - 0.000727272727272727*m.x2126) + m.x2126 +
0.003003125*m.x2126*(1 - 0.000727272727272727*m.x2126)*(1 - 0.00145454545454545*m.x2126) +
6.0669191919192e-8*(1189.2375*m.x2126*(1 - 0.000727272727272727*m.x2126)*(1 -
0.00145454545454545*m.x2126) - 1.86*(0.93*m.x2126*(1 - 0.000727272727272727*m.x2126))**2 -
1.49610402*m.x2126*m.x2126*(1 - 0.000727272727272727*m.x2126)*(1 - 0.00145454545454545*m.x2126
)*(1 - 0.00145454545454545*m.x2126))) + m.x654 <= 0)
m.c1676 = Constraint(expr=-0.007*m.x1611*m.x1075*(0.0775*m.x2127*(1 - 0.000727272727272727*m.x2127) + m.x2127 +
0.003003125*m.x2127*(1 - 0.000727272727272727*m.x2127)*(1 - 0.00145454545454545*m.x2127) +
6.0669191919192e-8*(1189.2375*m.x2127*(1 - 0.000727272727272727*m.x2127)*(1 -
0.00145454545454545*m.x2127) - 1.86*(0.93*m.x2127*(1 - 0.000727272727272727*m.x2127))**2 -
1.49610402*m.x2127*m.x2127*(1 - 0.000727272727272727*m.x2127)*(1 - 0.00145454545454545*m.x2127
)*(1 - 0.00145454545454545*m.x2127))) + m.x655 <= 0)
m.c1677 = Constraint(expr=-0.007*m.x1611*m.x1076*(0.0775*m.x2128*(1 - 0.000727272727272727*m.x2128) + m.x2128 +
0.003003125*m.x2128*(1 - 0.000727272727272727*m.x2128)*(1 - 0.00145454545454545*m.x2128) +
6.0669191919192e-8*(1189.2375*m.x2128*(1 - 0.000727272727272727*m.x2128)*(1 -
0.00145454545454545*m.x2128) - 1.86*(0.93*m.x2128*(1 - 0.000727272727272727*m.x2128))**2 -
1.49610402*m.x2128*m.x2128*(1 - 0.000727272727272727*m.x2128)*(1 - 0.00145454545454545*m.x2128
)*(1 - 0.00145454545454545*m.x2128))) + m.x656 <= 0)
m.c1678 = Constraint(expr=-0.007*m.x1611*m.x1077*(0.0775*m.x2129*(1 - 0.000727272727272727*m.x2129) + m.x2129 +
0.003003125*m.x2129*(1 - 0.000727272727272727*m.x2129)*(1 - 0.00145454545454545*m.x2129) +
6.0669191919192e-8*(1189.2375*m.x2129*(1 - 0.000727272727272727*m.x2129)*(1 -
0.00145454545454545*m.x2129) - 1.86*(0.93*m.x2129*(1 - 0.000727272727272727*m.x2129))**2 -
1.49610402*m.x2129*m.x2129*(1 - 0.000727272727272727*m.x2129)*(1 - 0.00145454545454545*m.x2129
)*(1 - 0.00145454545454545*m.x2129))) + m.x657 <= 0)
m.c1679 = Constraint(expr=-0.007*m.x1611*m.x1078*(0.0775*m.x2130*(1 - 0.000727272727272727*m.x2130) + m.x2130 +
0.003003125*m.x2130*(1 - 0.000727272727272727*m.x2130)*(1 - 0.00145454545454545*m.x2130) +
6.0669191919192e-8*(1189.2375*m.x2130*(1 - 0.000727272727272727*m.x2130)*(1 -
0.00145454545454545*m.x2130) - 1.86*(0.93*m.x2130*(1 - 0.000727272727272727*m.x2130))**2 -
1.49610402*m.x2130*m.x2130*(1 - 0.000727272727272727*m.x2130)*(1 - 0.00145454545454545*m.x2130
)*(1 - 0.00145454545454545*m.x2130))) + m.x658 <= 0)
m.c1680 = Constraint(expr=-0.007*m.x1611*m.x1079*(0.0775*m.x2131*(1 - 0.000727272727272727*m.x2131) + m.x2131 +
0.003003125*m.x2131*(1 - 0.000727272727272727*m.x2131)*(1 - 0.00145454545454545*m.x2131) +
6.0669191919192e-8*(1189.2375*m.x2131*(1 - 0.000727272727272727*m.x2131)*(1 -
0.00145454545454545*m.x2131) - 1.86*(0.93*m.x2131*(1 - 0.000727272727272727*m.x2131))**2 -
1.49610402*m.x2131*m.x2131*(1 - 0.000727272727272727*m.x2131)*(1 - 0.00145454545454545*m.x2131
)*(1 - 0.00145454545454545*m.x2131))) + m.x659 <= 0)
m.c1681 = Constraint(expr=-0.007*m.x1611*m.x1080*(0.0775*m.x2132*(1 - 0.000727272727272727*m.x2132) + m.x2132 +
0.003003125*m.x2132*(1 - 0.000727272727272727*m.x2132)*(1 - 0.00145454545454545*m.x2132) +
6.0669191919192e-8*(1189.2375*m.x2132*(1 - 0.000727272727272727*m.x2132)*(1 -
0.00145454545454545*m.x2132) - 1.86*(0.93*m.x2132*(1 - 0.000727272727272727*m.x2132))**2 -
1.49610402*m.x2132*m.x2132*(1 - 0.000727272727272727*m.x2132)*(1 - 0.00145454545454545*m.x2132
)*(1 - 0.00145454545454545*m.x2132))) + m.x660 <= 0)
m.c1682 = Constraint(expr=-0.007*m.x1612*m.x1081*(0.0775*m.x2133*(1 - 0.000727272727272727*m.x2133) + m.x2133 +
0.003003125*m.x2133*(1 - 0.000727272727272727*m.x2133)*(1 - 0.00145454545454545*m.x2133) +
6.0669191919192e-8*(1189.2375*m.x2133*(1 - 0.000727272727272727*m.x2133)*(1 -
0.00145454545454545*m.x2133) - 1.86*(0.93*m.x2133*(1 - 0.000727272727272727*m.x2133))**2 -
1.49610402*m.x2133*m.x2133*(1 - 0.000727272727272727*m.x2133)*(1 - 0.00145454545454545*m.x2133
)*(1 - 0.00145454545454545*m.x2133))) + m.x661 <= 0)
m.c1683 = Constraint(expr=-0.007*m.x1612*m.x1082*(0.0775*m.x2134*(1 - 0.000727272727272727*m.x2134) + m.x2134 +
0.003003125*m.x2134*(1 - 0.000727272727272727*m.x2134)*(1 - 0.00145454545454545*m.x2134) +
6.0669191919192e-8*(1189.2375*m.x2134*(1 - 0.000727272727272727*m.x2134)*(1 -
0.00145454545454545*m.x2134) - 1.86*(0.93*m.x2134*(1 - 0.000727272727272727*m.x2134))**2 -
1.49610402*m.x2134*m.x2134*(1 - 0.000727272727272727*m.x2134)*(1 - 0.00145454545454545*m.x2134
)*(1 - 0.00145454545454545*m.x2134))) + m.x662 <= 0)
m.c1684 = Constraint(expr=-0.007*m.x1612*m.x1083*(0.0775*m.x2135*(1 - 0.000727272727272727*m.x2135) + m.x2135 +
0.003003125*m.x2135*(1 - 0.000727272727272727*m.x2135)*(1 - 0.00145454545454545*m.x2135) +
6.0669191919192e-8*(1189.2375*m.x2135*(1 - 0.000727272727272727*m.x2135)*(1 -
0.00145454545454545*m.x2135) - 1.86*(0.93*m.x2135*(1 - 0.000727272727272727*m.x2135))**2 -
1.49610402*m.x2135*m.x2135*(1 - 0.000727272727272727*m.x2135)*(1 - 0.00145454545454545*m.x2135
)*(1 - 0.00145454545454545*m.x2135))) + m.x663 <= 0)
m.c1685 = Constraint(expr=-0.007*m.x1612*m.x1084*(0.0775*m.x2136*(1 - 0.000727272727272727*m.x2136) + m.x2136 +
0.003003125*m.x2136*(1 - 0.000727272727272727*m.x2136)*(1 - 0.00145454545454545*m.x2136) +
6.0669191919192e-8*(1189.2375*m.x2136*(1 - 0.000727272727272727*m.x2136)*(1 -
0.00145454545454545*m.x2136) - 1.86*(0.93*m.x2136*(1 - 0.000727272727272727*m.x2136))**2 -
1.49610402*m.x2136*m.x2136*(1 - 0.000727272727272727*m.x2136)*(1 - 0.00145454545454545*m.x2136
)*(1 - 0.00145454545454545*m.x2136))) + m.x664 <= 0)
m.c1686 = Constraint(expr=-0.007*m.x1612*m.x1085*(0.0775*m.x2137*(1 - 0.000727272727272727*m.x2137) + m.x2137 +
0.003003125*m.x2137*(1 - 0.000727272727272727*m.x2137)*(1 - 0.00145454545454545*m.x2137) +
6.0669191919192e-8*(1189.2375*m.x2137*(1 - 0.000727272727272727*m.x2137)*(1 -
0.00145454545454545*m.x2137) - 1.86*(0.93*m.x2137*(1 - 0.000727272727272727*m.x2137))**2 -
1.49610402*m.x2137*m.x2137*(1 - 0.000727272727272727*m.x2137)*(1 - 0.00145454545454545*m.x2137
)*(1 - 0.00145454545454545*m.x2137))) + m.x665 <= 0)
m.c1687 = Constraint(expr=-0.007*m.x1612*m.x1086*(0.0775*m.x2138*(1 - 0.000727272727272727*m.x2138) + m.x2138 +
0.003003125*m.x2138*(1 - 0.000727272727272727*m.x2138)*(1 - 0.00145454545454545*m.x2138) +
6.0669191919192e-8*(1189.2375*m.x2138*(1 - 0.000727272727272727*m.x2138)*(1 -
0.00145454545454545*m.x2138) - 1.86*(0.93*m.x2138*(1 - 0.000727272727272727*m.x2138))**2 -
1.49610402*m.x2138*m.x2138*(1 - 0.000727272727272727*m.x2138)*(1 - 0.00145454545454545*m.x2138
)*(1 - 0.00145454545454545*m.x2138))) + m.x666 <= 0)
m.c1688 = Constraint(expr=-0.007*m.x1612*m.x1087*(0.0775*m.x2139*(1 - 0.000727272727272727*m.x2139) + m.x2139 +
0.003003125*m.x2139*(1 - 0.000727272727272727*m.x2139)*(1 - 0.00145454545454545*m.x2139) +
6.0669191919192e-8*(1189.2375*m.x2139*(1 - 0.000727272727272727*m.x2139)*(1 -
0.00145454545454545*m.x2139) - 1.86*(0.93*m.x2139*(1 - 0.000727272727272727*m.x2139))**2 -
1.49610402*m.x2139*m.x2139*(1 - 0.000727272727272727*m.x2139)*(1 - 0.00145454545454545*m.x2139
)*(1 - 0.00145454545454545*m.x2139))) + m.x667 <= 0)
m.c1689 = Constraint(expr=-0.007*m.x1612*m.x1088*(0.0775*m.x2140*(1 - 0.000727272727272727*m.x2140) + m.x2140 +
0.003003125*m.x2140*(1 - 0.000727272727272727*m.x2140)*(1 - 0.00145454545454545*m.x2140) +
6.0669191919192e-8*(1189.2375*m.x2140*(1 - 0.000727272727272727*m.x2140)*(1 -
0.00145454545454545*m.x2140) - 1.86*(0.93*m.x2140*(1 - 0.000727272727272727*m.x2140))**2 -
1.49610402*m.x2140*m.x2140*(1 - 0.000727272727272727*m.x2140)*(1 - 0.00145454545454545*m.x2140
)*(1 - 0.00145454545454545*m.x2140))) + m.x668 <= 0)
m.c1690 = Constraint(expr=-0.007*m.x1612*m.x1089*(0.0775*m.x2141*(1 - 0.000727272727272727*m.x2141) + m.x2141 +
0.003003125*m.x2141*(1 - 0.000727272727272727*m.x2141)*(1 - 0.00145454545454545*m.x2141) +
6.0669191919192e-8*(1189.2375*m.x2141*(1 - 0.000727272727272727*m.x2141)*(1 -
0.00145454545454545*m.x2141) - 1.86*(0.93*m.x2141*(1 - 0.000727272727272727*m.x2141))**2 -
1.49610402*m.x2141*m.x2141*(1 - 0.000727272727272727*m.x2141)*(1 - 0.00145454545454545*m.x2141
)*(1 - 0.00145454545454545*m.x2141))) + m.x669 <= 0)
m.c1691 = Constraint(expr=-0.007*m.x1612*m.x1090*(0.0775*m.x2142*(1 - 0.000727272727272727*m.x2142) + m.x2142 +
0.003003125*m.x2142*(1 - 0.000727272727272727*m.x2142)*(1 - 0.00145454545454545*m.x2142) +
6.0669191919192e-8*(1189.2375*m.x2142*(1 - 0.000727272727272727*m.x2142)*(1 -
0.00145454545454545*m.x2142) - 1.86*(0.93*m.x2142*(1 - 0.000727272727272727*m.x2142))**2 -
1.49610402*m.x2142*m.x2142*(1 - 0.000727272727272727*m.x2142)*(1 - 0.00145454545454545*m.x2142
)*(1 - 0.00145454545454545*m.x2142))) + m.x670 <= 0)
m.c1692 = Constraint(expr=-0.007*m.x1612*m.x1091*(0.0775*m.x2143*(1 - 0.000727272727272727*m.x2143) + m.x2143 +
0.003003125*m.x2143*(1 - 0.000727272727272727*m.x2143)*(1 - 0.00145454545454545*m.x2143) +
6.0669191919192e-8*(1189.2375*m.x2143*(1 - 0.000727272727272727*m.x2143)*(1 -
0.00145454545454545*m.x2143) - 1.86*(0.93*m.x2143*(1 - 0.000727272727272727*m.x2143))**2 -
1.49610402*m.x2143*m.x2143*(1 - 0.000727272727272727*m.x2143)*(1 - 0.00145454545454545*m.x2143
)*(1 - 0.00145454545454545*m.x2143))) + m.x671 <= 0)
m.c1693 = Constraint(expr=-0.007*m.x1612*m.x1092*(0.0775*m.x2144*(1 - 0.000727272727272727*m.x2144) + m.x2144 +
0.003003125*m.x2144*(1 - 0.000727272727272727*m.x2144)*(1 - 0.00145454545454545*m.x2144) +
6.0669191919192e-8*(1189.2375*m.x2144*(1 - 0.000727272727272727*m.x2144)*(1 -
0.00145454545454545*m.x2144) - 1.86*(0.93*m.x2144*(1 - 0.000727272727272727*m.x2144))**2 -
1.49610402*m.x2144*m.x2144*(1 - 0.000727272727272727*m.x2144)*(1 - 0.00145454545454545*m.x2144
)*(1 - 0.00145454545454545*m.x2144))) + m.x672 <= 0)
m.c1694 = Constraint(expr=-0.007*m.x1613*m.x1093*(0.0775*m.x2145*(1 - 0.000727272727272727*m.x2145) + m.x2145 +
0.003003125*m.x2145*(1 - 0.000727272727272727*m.x2145)*(1 - 0.00145454545454545*m.x2145) +
6.0669191919192e-8*(1189.2375*m.x2145*(1 - 0.000727272727272727*m.x2145)*(1 -
0.00145454545454545*m.x2145) - 1.86*(0.93*m.x2145*(1 - 0.000727272727272727*m.x2145))**2 -
1.49610402*m.x2145*m.x2145*(1 - 0.000727272727272727*m.x2145)*(1 - 0.00145454545454545*m.x2145
)*(1 - 0.00145454545454545*m.x2145))) + m.x673 <= 0)
m.c1695 = Constraint(expr=-0.007*m.x1613*m.x1094*(0.0775*m.x2146*(1 - 0.000727272727272727*m.x2146) + m.x2146 +
0.003003125*m.x2146*(1 - 0.000727272727272727*m.x2146)*(1 - 0.00145454545454545*m.x2146) +
6.0669191919192e-8*(1189.2375*m.x2146*(1 - 0.000727272727272727*m.x2146)*(1 -
0.00145454545454545*m.x2146) - 1.86*(0.93*m.x2146*(1 - 0.000727272727272727*m.x2146))**2 -
1.49610402*m.x2146*m.x2146*(1 - 0.000727272727272727*m.x2146)*(1 - 0.00145454545454545*m.x2146
)*(1 - 0.00145454545454545*m.x2146))) + m.x674 <= 0)
m.c1696 = Constraint(expr=-0.007*m.x1613*m.x1095*(0.0775*m.x2147*(1 - 0.000727272727272727*m.x2147) + m.x2147 +
0.003003125*m.x2147*(1 - 0.000727272727272727*m.x2147)*(1 - 0.00145454545454545*m.x2147) +
6.0669191919192e-8*(1189.2375*m.x2147*(1 - 0.000727272727272727*m.x2147)*(1 -
0.00145454545454545*m.x2147) - 1.86*(0.93*m.x2147*(1 - 0.000727272727272727*m.x2147))**2 -
1.49610402*m.x2147*m.x2147*(1 - 0.000727272727272727*m.x2147)*(1 - 0.00145454545454545*m.x2147
)*(1 - 0.00145454545454545*m.x2147))) + m.x675 <= 0)
m.c1697 = Constraint(expr=-0.007*m.x1613*m.x1096*(0.0775*m.x2148*(1 - 0.000727272727272727*m.x2148) + m.x2148 +
0.003003125*m.x2148*(1 - 0.000727272727272727*m.x2148)*(1 - 0.00145454545454545*m.x2148) +
6.0669191919192e-8*(1189.2375*m.x2148*(1 - 0.000727272727272727*m.x2148)*(1 -
0.00145454545454545*m.x2148) - 1.86*(0.93*m.x2148*(1 - 0.000727272727272727*m.x2148))**2 -
1.49610402*m.x2148*m.x2148*(1 - 0.000727272727272727*m.x2148)*(1 - 0.00145454545454545*m.x2148
)*(1 - 0.00145454545454545*m.x2148))) + m.x676 <= 0)
m.c1698 = Constraint(expr=-0.007*m.x1613*m.x1097*(0.0775*m.x2149*(1 - 0.000727272727272727*m.x2149) + m.x2149 +
0.003003125*m.x2149*(1 - 0.000727272727272727*m.x2149)*(1 - 0.00145454545454545*m.x2149) +
6.0669191919192e-8*(1189.2375*m.x2149*(1 - 0.000727272727272727*m.x2149)*(1 -
0.00145454545454545*m.x2149) - 1.86*(0.93*m.x2149*(1 - 0.000727272727272727*m.x2149))**2 -
1.49610402*m.x2149*m.x2149*(1 - 0.000727272727272727*m.x2149)*(1 - 0.00145454545454545*m.x2149
)*(1 - 0.00145454545454545*m.x2149))) + m.x677 <= 0)
m.c1699 = Constraint(expr=-0.007*m.x1613*m.x1098*(0.0775*m.x2150*(1 - 0.000727272727272727*m.x2150) + m.x2150 +
0.003003125*m.x2150*(1 - 0.000727272727272727*m.x2150)*(1 - 0.00145454545454545*m.x2150) +
6.0669191919192e-8*(1189.2375*m.x2150*(1 - 0.000727272727272727*m.x2150)*(1 -
0.00145454545454545*m.x2150) - 1.86*(0.93*m.x2150*(1 - 0.000727272727272727*m.x2150))**2 -
1.49610402*m.x2150*m.x2150*(1 - 0.000727272727272727*m.x2150)*(1 - 0.00145454545454545*m.x2150
)*(1 - 0.00145454545454545*m.x2150))) + m.x678 <= 0)
m.c1700 = Constraint(expr=-0.007*m.x1613*m.x1099*(0.0775*m.x2151*(1 - 0.000727272727272727*m.x2151) + m.x2151 +
0.003003125*m.x2151*(1 - 0.000727272727272727*m.x2151)*(1 - 0.00145454545454545*m.x2151) +
6.0669191919192e-8*(1189.2375*m.x2151*(1 - 0.000727272727272727*m.x2151)*(1 -
0.00145454545454545*m.x2151) - 1.86*(0.93*m.x2151*(1 - 0.000727272727272727*m.x2151))**2 -
1.49610402*m.x2151*m.x2151*(1 - 0.000727272727272727*m.x2151)*(1 - 0.00145454545454545*m.x2151
)*(1 - 0.00145454545454545*m.x2151))) + m.x679 <= 0)
m.c1701 = Constraint(expr=-0.007*m.x1613*m.x1100*(0.0775*m.x2152*(1 - 0.000727272727272727*m.x2152) + m.x2152 +
0.003003125*m.x2152*(1 - 0.000727272727272727*m.x2152)*(1 - 0.00145454545454545*m.x2152) +
6.0669191919192e-8*(1189.2375*m.x2152*(1 - 0.000727272727272727*m.x2152)*(1 -
0.00145454545454545*m.x2152) - 1.86*(0.93*m.x2152*(1 - 0.000727272727272727*m.x2152))**2 -
1.49610402*m.x2152*m.x2152*(1 - 0.000727272727272727*m.x2152)*(1 - 0.00145454545454545*m.x2152
)*(1 - 0.00145454545454545*m.x2152))) + m.x680 <= 0)
m.c1702 = Constraint(expr=-0.007*m.x1613*m.x1101*(0.0775*m.x2153*(1 - 0.000727272727272727*m.x2153) + m.x2153 +
0.003003125*m.x2153*(1 - 0.000727272727272727*m.x2153)*(1 - 0.00145454545454545*m.x2153) +
6.0669191919192e-8*(1189.2375*m.x2153*(1 - 0.000727272727272727*m.x2153)*(1 -
0.00145454545454545*m.x2153) - 1.86*(0.93*m.x2153*(1 - 0.000727272727272727*m.x2153))**2 -
1.49610402*m.x2153*m.x2153*(1 - 0.000727272727272727*m.x2153)*(1 - 0.00145454545454545*m.x2153
)*(1 - 0.00145454545454545*m.x2153))) + m.x681 <= 0)
m.c1703 = Constraint(expr=-0.007*m.x1613*m.x1102*(0.0775*m.x2154*(1 - 0.000727272727272727*m.x2154) + m.x2154 +
0.003003125*m.x2154*(1 - 0.000727272727272727*m.x2154)*(1 - 0.00145454545454545*m.x2154) +
6.0669191919192e-8*(1189.2375*m.x2154*(1 - 0.000727272727272727*m.x2154)*(1 -
0.00145454545454545*m.x2154) - 1.86*(0.93*m.x2154*(1 - 0.000727272727272727*m.x2154))**2 -
1.49610402*m.x2154*m.x2154*(1 - 0.000727272727272727*m.x2154)*(1 - 0.00145454545454545*m.x2154
)*(1 - 0.00145454545454545*m.x2154))) + m.x682 <= 0)
m.c1704 = Constraint(expr=-0.007*m.x1613*m.x1103*(0.0775*m.x2155*(1 - 0.000727272727272727*m.x2155) + m.x2155 +
0.003003125*m.x2155*(1 - 0.000727272727272727*m.x2155)*(1 - 0.00145454545454545*m.x2155) +
6.0669191919192e-8*(1189.2375*m.x2155*(1 - 0.000727272727272727*m.x2155)*(1 -
0.00145454545454545*m.x2155) - 1.86*(0.93*m.x2155*(1 - 0.000727272727272727*m.x2155))**2 -
1.49610402*m.x2155*m.x2155*(1 - 0.000727272727272727*m.x2155)*(1 - 0.00145454545454545*m.x2155
)*(1 - 0.00145454545454545*m.x2155))) + m.x683 <= 0)
m.c1705 = Constraint(expr=-0.007*m.x1613*m.x1104*(0.0775*m.x2156*(1 - 0.000727272727272727*m.x2156) + m.x2156 +
0.003003125*m.x2156*(1 - 0.000727272727272727*m.x2156)*(1 - 0.00145454545454545*m.x2156) +
6.0669191919192e-8*(1189.2375*m.x2156*(1 - 0.000727272727272727*m.x2156)*(1 -
0.00145454545454545*m.x2156) - 1.86*(0.93*m.x2156*(1 - 0.000727272727272727*m.x2156))**2 -
1.49610402*m.x2156*m.x2156*(1 - 0.000727272727272727*m.x2156)*(1 - 0.00145454545454545*m.x2156
)*(1 - 0.00145454545454545*m.x2156))) + m.x684 <= 0)
m.c1706 = Constraint(expr=-0.007*m.x1614*m.x1105*(0.0775*m.x2157*(1 - 0.000727272727272727*m.x2157) + m.x2157 +
0.003003125*m.x2157*(1 - 0.000727272727272727*m.x2157)*(1 - 0.00145454545454545*m.x2157) +
6.0669191919192e-8*(1189.2375*m.x2157*(1 - 0.000727272727272727*m.x2157)*(1 -
0.00145454545454545*m.x2157) - 1.86*(0.93*m.x2157*(1 - 0.000727272727272727*m.x2157))**2 -
1.49610402*m.x2157*m.x2157*(1 - 0.000727272727272727*m.x2157)*(1 - 0.00145454545454545*m.x2157
)*(1 - 0.00145454545454545*m.x2157))) + m.x685 <= 0)
m.c1707 = Constraint(expr=-0.007*m.x1614*m.x1106*(0.0775*m.x2158*(1 - 0.000727272727272727*m.x2158) + m.x2158 +
0.003003125*m.x2158*(1 - 0.000727272727272727*m.x2158)*(1 - 0.00145454545454545*m.x2158) +
6.0669191919192e-8*(1189.2375*m.x2158*(1 - 0.000727272727272727*m.x2158)*(1 -
0.00145454545454545*m.x2158) - 1.86*(0.93*m.x2158*(1 - 0.000727272727272727*m.x2158))**2 -
1.49610402*m.x2158*m.x2158*(1 - 0.000727272727272727*m.x2158)*(1 - 0.00145454545454545*m.x2158
)*(1 - 0.00145454545454545*m.x2158))) + m.x686 <= 0)
m.c1708 = Constraint(expr=-0.007*m.x1614*m.x1107*(0.0775*m.x2159*(1 - 0.000727272727272727*m.x2159) + m.x2159 +
0.003003125*m.x2159*(1 - 0.000727272727272727*m.x2159)*(1 - 0.00145454545454545*m.x2159) +
6.0669191919192e-8*(1189.2375*m.x2159*(1 - 0.000727272727272727*m.x2159)*(1 -
0.00145454545454545*m.x2159) - 1.86*(0.93*m.x2159*(1 - 0.000727272727272727*m.x2159))**2 -
1.49610402*m.x2159*m.x2159*(1 - 0.000727272727272727*m.x2159)*(1 - 0.00145454545454545*m.x2159
)*(1 - 0.00145454545454545*m.x2159))) + m.x687 <= 0)
m.c1709 = Constraint(expr=-0.007*m.x1614*m.x1108*(0.0775*m.x2160*(1 - 0.000727272727272727*m.x2160) + m.x2160 +
0.003003125*m.x2160*(1 - 0.000727272727272727*m.x2160)*(1 - 0.00145454545454545*m.x2160) +
6.0669191919192e-8*(1189.2375*m.x2160*(1 - 0.000727272727272727*m.x2160)*(1 -
0.00145454545454545*m.x2160) - 1.86*(0.93*m.x2160*(1 - 0.000727272727272727*m.x2160))**2 -
1.49610402*m.x2160*m.x2160*(1 - 0.000727272727272727*m.x2160)*(1 - 0.00145454545454545*m.x2160
)*(1 - 0.00145454545454545*m.x2160))) + m.x688 <= 0)
m.c1710 = Constraint(expr=-0.007*m.x1614*m.x1109*(0.0775*m.x2161*(1 - 0.000727272727272727*m.x2161) + m.x2161 +
0.003003125*m.x2161*(1 - 0.000727272727272727*m.x2161)*(1 - 0.00145454545454545*m.x2161) +
6.0669191919192e-8*(1189.2375*m.x2161*(1 - 0.000727272727272727*m.x2161)*(1 -
0.00145454545454545*m.x2161) - 1.86*(0.93*m.x2161*(1 - 0.000727272727272727*m.x2161))**2 -
1.49610402*m.x2161*m.x2161*(1 - 0.000727272727272727*m.x2161)*(1 - 0.00145454545454545*m.x2161
)*(1 - 0.00145454545454545*m.x2161))) + m.x689 <= 0)
m.c1711 = Constraint(expr=-0.007*m.x1614*m.x1110*(0.0775*m.x2162*(1 - 0.000727272727272727*m.x2162) + m.x2162 +
0.003003125*m.x2162*(1 - 0.000727272727272727*m.x2162)*(1 - 0.00145454545454545*m.x2162) +
6.0669191919192e-8*(1189.2375*m.x2162*(1 - 0.000727272727272727*m.x2162)*(1 -
0.00145454545454545*m.x2162) - 1.86*(0.93*m.x2162*(1 - 0.000727272727272727*m.x2162))**2 -
1.49610402*m.x2162*m.x2162*(1 - 0.000727272727272727*m.x2162)*(1 - 0.00145454545454545*m.x2162
)*(1 - 0.00145454545454545*m.x2162))) + m.x690 <= 0)
m.c1712 = Constraint(expr=-0.007*m.x1614*m.x1111*(0.0775*m.x2163*(1 - 0.000727272727272727*m.x2163) + m.x2163 +
0.003003125*m.x2163*(1 - 0.000727272727272727*m.x2163)*(1 - 0.00145454545454545*m.x2163) +
6.0669191919192e-8*(1189.2375*m.x2163*(1 - 0.000727272727272727*m.x2163)*(1 -
0.00145454545454545*m.x2163) - 1.86*(0.93*m.x2163*(1 - 0.000727272727272727*m.x2163))**2 -
1.49610402*m.x2163*m.x2163*(1 - 0.000727272727272727*m.x2163)*(1 - 0.00145454545454545*m.x2163
)*(1 - 0.00145454545454545*m.x2163))) + m.x691 <= 0)
m.c1713 = Constraint(expr=-0.007*m.x1614*m.x1112*(0.0775*m.x2164*(1 - 0.000727272727272727*m.x2164) + m.x2164 +
0.003003125*m.x2164*(1 - 0.000727272727272727*m.x2164)*(1 - 0.00145454545454545*m.x2164) +
6.0669191919192e-8*(1189.2375*m.x2164*(1 - 0.000727272727272727*m.x2164)*(1 -
0.00145454545454545*m.x2164) - 1.86*(0.93*m.x2164*(1 - 0.000727272727272727*m.x2164))**2 -
1.49610402*m.x2164*m.x2164*(1 - 0.000727272727272727*m.x2164)*(1 - 0.00145454545454545*m.x2164
)*(1 - 0.00145454545454545*m.x2164))) + m.x692 <= 0)
m.c1714 = Constraint(expr=-0.007*m.x1614*m.x1113*(0.0775*m.x2165*(1 - 0.000727272727272727*m.x2165) + m.x2165 +
0.003003125*m.x2165*(1 - 0.000727272727272727*m.x2165)*(1 - 0.00145454545454545*m.x2165) +
6.0669191919192e-8*(1189.2375*m.x2165*(1 - 0.000727272727272727*m.x2165)*(1 -
0.00145454545454545*m.x2165) - 1.86*(0.93*m.x2165*(1 - 0.000727272727272727*m.x2165))**2 -
1.49610402*m.x2165*m.x2165*(1 - 0.000727272727272727*m.x2165)*(1 - 0.00145454545454545*m.x2165
)*(1 - 0.00145454545454545*m.x2165))) + m.x693 <= 0)
m.c1715 = Constraint(expr=-0.007*m.x1614*m.x1114*(0.0775*m.x2166*(1 - 0.000727272727272727*m.x2166) + m.x2166 +
0.003003125*m.x2166*(1 - 0.000727272727272727*m.x2166)*(1 - 0.00145454545454545*m.x2166) +
6.0669191919192e-8*(1189.2375*m.x2166*(1 - 0.000727272727272727*m.x2166)*(1 -
0.00145454545454545*m.x2166) - 1.86*(0.93*m.x2166*(1 - 0.000727272727272727*m.x2166))**2 -
1.49610402*m.x2166*m.x2166*(1 - 0.000727272727272727*m.x2166)*(1 - 0.00145454545454545*m.x2166
)*(1 - 0.00145454545454545*m.x2166))) + m.x694 <= 0)
m.c1716 = Constraint(expr=-0.007*m.x1614*m.x1115*(0.0775*m.x2167*(1 - 0.000727272727272727*m.x2167) + m.x2167 +
0.003003125*m.x2167*(1 - 0.000727272727272727*m.x2167)*(1 - 0.00145454545454545*m.x2167) +
6.0669191919192e-8*(1189.2375*m.x2167*(1 - 0.000727272727272727*m.x2167)*(1 -
0.00145454545454545*m.x2167) - 1.86*(0.93*m.x2167*(1 - 0.000727272727272727*m.x2167))**2 -
1.49610402*m.x2167*m.x2167*(1 - 0.000727272727272727*m.x2167)*(1 - 0.00145454545454545*m.x2167
)*(1 - 0.00145454545454545*m.x2167))) + m.x695 <= 0)
m.c1717 = Constraint(expr=-0.007*m.x1614*m.x1116*(0.0775*m.x2168*(1 - 0.000727272727272727*m.x2168) + m.x2168 +
0.003003125*m.x2168*(1 - 0.000727272727272727*m.x2168)*(1 - 0.00145454545454545*m.x2168) +
6.0669191919192e-8*(1189.2375*m.x2168*(1 - 0.000727272727272727*m.x2168)*(1 -
0.00145454545454545*m.x2168) - 1.86*(0.93*m.x2168*(1 - 0.000727272727272727*m.x2168))**2 -
1.49610402*m.x2168*m.x2168*(1 - 0.000727272727272727*m.x2168)*(1 - 0.00145454545454545*m.x2168
)*(1 - 0.00145454545454545*m.x2168))) + m.x696 <= 0)
m.c1718 = Constraint(expr=-0.007*m.x1615*m.x1117*(0.0775*m.x2169*(1 - 0.000727272727272727*m.x2169) + m.x2169 +
0.003003125*m.x2169*(1 - 0.000727272727272727*m.x2169)*(1 - 0.00145454545454545*m.x2169) +
6.0669191919192e-8*(1189.2375*m.x2169*(1 - 0.000727272727272727*m.x2169)*(1 -
0.00145454545454545*m.x2169) - 1.86*(0.93*m.x2169*(1 - 0.000727272727272727*m.x2169))**2 -
1.49610402*m.x2169*m.x2169*(1 - 0.000727272727272727*m.x2169)*(1 - 0.00145454545454545*m.x2169
)*(1 - 0.00145454545454545*m.x2169))) + m.x697 <= 0)
m.c1719 = Constraint(expr=-0.007*m.x1615*m.x1118*(0.0775*m.x2170*(1 - 0.000727272727272727*m.x2170) + m.x2170 +
0.003003125*m.x2170*(1 - 0.000727272727272727*m.x2170)*(1 - 0.00145454545454545*m.x2170) +
6.0669191919192e-8*(1189.2375*m.x2170*(1 - 0.000727272727272727*m.x2170)*(1 -
0.00145454545454545*m.x2170) - 1.86*(0.93*m.x2170*(1 - 0.000727272727272727*m.x2170))**2 -
1.49610402*m.x2170*m.x2170*(1 - 0.000727272727272727*m.x2170)*(1 - 0.00145454545454545*m.x2170
)*(1 - 0.00145454545454545*m.x2170))) + m.x698 <= 0)
m.c1720 = Constraint(expr=-0.007*m.x1615*m.x1119*(0.0775*m.x2171*(1 - 0.000727272727272727*m.x2171) + m.x2171 +
0.003003125*m.x2171*(1 - 0.000727272727272727*m.x2171)*(1 - 0.00145454545454545*m.x2171) +
6.0669191919192e-8*(1189.2375*m.x2171*(1 - 0.000727272727272727*m.x2171)*(1 -
0.00145454545454545*m.x2171) - 1.86*(0.93*m.x2171*(1 - 0.000727272727272727*m.x2171))**2 -
1.49610402*m.x2171*m.x2171*(1 - 0.000727272727272727*m.x2171)*(1 - 0.00145454545454545*m.x2171
)*(1 - 0.00145454545454545*m.x2171))) + m.x699 <= 0)
m.c1721 = Constraint(expr=-0.007*m.x1615*m.x1120*(0.0775*m.x2172*(1 - 0.000727272727272727*m.x2172) + m.x2172 +
0.003003125*m.x2172*(1 - 0.000727272727272727*m.x2172)*(1 - 0.00145454545454545*m.x2172) +
6.0669191919192e-8*(1189.2375*m.x2172*(1 - 0.000727272727272727*m.x2172)*(1 -
0.00145454545454545*m.x2172) - 1.86*(0.93*m.x2172*(1 - 0.000727272727272727*m.x2172))**2 -
1.49610402*m.x2172*m.x2172*(1 - 0.000727272727272727*m.x2172)*(1 - 0.00145454545454545*m.x2172
)*(1 - 0.00145454545454545*m.x2172))) + m.x700 <= 0)
m.c1722 = Constraint(expr=-0.007*m.x1615*m.x1121*(0.0775*m.x2173*(1 - 0.000727272727272727*m.x2173) + m.x2173 +
0.003003125*m.x2173*(1 - 0.000727272727272727*m.x2173)*(1 - 0.00145454545454545*m.x2173) +
6.0669191919192e-8*(1189.2375*m.x2173*(1 - 0.000727272727272727*m.x2173)*(1 -
0.00145454545454545*m.x2173) - 1.86*(0.93*m.x2173*(1 - 0.000727272727272727*m.x2173))**2 -
1.49610402*m.x2173*m.x2173*(1 - 0.000727272727272727*m.x2173)*(1 - 0.00145454545454545*m.x2173
)*(1 - 0.00145454545454545*m.x2173))) + m.x701 <= 0)
m.c1723 = Constraint(expr=-0.007*m.x1615*m.x1122*(0.0775*m.x2174*(1 - 0.000727272727272727*m.x2174) + m.x2174 +
0.003003125*m.x2174*(1 - 0.000727272727272727*m.x2174)*(1 - 0.00145454545454545*m.x2174) +
6.0669191919192e-8*(1189.2375*m.x2174*(1 - 0.000727272727272727*m.x2174)*(1 -
0.00145454545454545*m.x2174) - 1.86*(0.93*m.x2174*(1 - 0.000727272727272727*m.x2174))**2 -
1.49610402*m.x2174*m.x2174*(1 - 0.000727272727272727*m.x2174)*(1 - 0.00145454545454545*m.x2174
)*(1 - 0.00145454545454545*m.x2174))) + m.x702 <= 0)
m.c1724 = Constraint(expr=-0.007*m.x1615*m.x1123*(0.0775*m.x2175*(1 - 0.000727272727272727*m.x2175) + m.x2175 +
0.003003125*m.x2175*(1 - 0.000727272727272727*m.x2175)*(1 - 0.00145454545454545*m.x2175) +
6.0669191919192e-8*(1189.2375*m.x2175*(1 - 0.000727272727272727*m.x2175)*(1 -
0.00145454545454545*m.x2175) - 1.86*(0.93*m.x2175*(1 - 0.000727272727272727*m.x2175))**2 -
1.49610402*m.x2175*m.x2175*(1 - 0.000727272727272727*m.x2175)*(1 - 0.00145454545454545*m.x2175
)*(1 - 0.00145454545454545*m.x2175))) + m.x703 <= 0)
m.c1725 = Constraint(expr=-0.007*m.x1615*m.x1124*(0.0775*m.x2176*(1 - 0.000727272727272727*m.x2176) + m.x2176 +
0.003003125*m.x2176*(1 - 0.000727272727272727*m.x2176)*(1 - 0.00145454545454545*m.x2176) +
6.0669191919192e-8*(1189.2375*m.x2176*(1 - 0.000727272727272727*m.x2176)*(1 -
0.00145454545454545*m.x2176) - 1.86*(0.93*m.x2176*(1 - 0.000727272727272727*m.x2176))**2 -
1.49610402*m.x2176*m.x2176*(1 - 0.000727272727272727*m.x2176)*(1 - 0.00145454545454545*m.x2176
)*(1 - 0.00145454545454545*m.x2176))) + m.x704 <= 0)
m.c1726 = Constraint(expr=-0.007*m.x1615*m.x1125*(0.0775*m.x2177*(1 - 0.000727272727272727*m.x2177) + m.x2177 +
0.003003125*m.x2177*(1 - 0.000727272727272727*m.x2177)*(1 - 0.00145454545454545*m.x2177) +
6.0669191919192e-8*(1189.2375*m.x2177*(1 - 0.000727272727272727*m.x2177)*(1 -
0.00145454545454545*m.x2177) - 1.86*(0.93*m.x2177*(1 - 0.000727272727272727*m.x2177))**2 -
1.49610402*m.x2177*m.x2177*(1 - 0.000727272727272727*m.x2177)*(1 - 0.00145454545454545*m.x2177
)*(1 - 0.00145454545454545*m.x2177))) + m.x705 <= 0)
m.c1727 = Constraint(expr=-0.007*m.x1615*m.x1126*(0.0775*m.x2178*(1 - 0.000727272727272727*m.x2178) + m.x2178 +
0.003003125*m.x2178*(1 - 0.000727272727272727*m.x2178)*(1 - 0.00145454545454545*m.x2178) +
6.0669191919192e-8*(1189.2375*m.x2178*(1 - 0.000727272727272727*m.x2178)*(1 -
0.00145454545454545*m.x2178) - 1.86*(0.93*m.x2178*(1 - 0.000727272727272727*m.x2178))**2 -
1.49610402*m.x2178*m.x2178*(1 - 0.000727272727272727*m.x2178)*(1 - 0.00145454545454545*m.x2178
)*(1 - 0.00145454545454545*m.x2178))) + m.x706 <= 0)
m.c1728 = Constraint(expr=-0.007*m.x1615*m.x1127*(0.0775*m.x2179*(1 - 0.000727272727272727*m.x2179) + m.x2179 +
0.003003125*m.x2179*(1 - 0.000727272727272727*m.x2179)*(1 - 0.00145454545454545*m.x2179) +
6.0669191919192e-8*(1189.2375*m.x2179*(1 - 0.000727272727272727*m.x2179)*(1 -
0.00145454545454545*m.x2179) - 1.86*(0.93*m.x2179*(1 - 0.000727272727272727*m.x2179))**2 -
1.49610402*m.x2179*m.x2179*(1 - 0.000727272727272727*m.x2179)*(1 - 0.00145454545454545*m.x2179
)*(1 - 0.00145454545454545*m.x2179))) + m.x707 <= 0)
m.c1729 = Constraint(expr=-0.007*m.x1615*m.x1128*(0.0775*m.x2180*(1 - 0.000727272727272727*m.x2180) + m.x2180 +
0.003003125*m.x2180*(1 - 0.000727272727272727*m.x2180)*(1 - 0.00145454545454545*m.x2180) +
6.0669191919192e-8*(1189.2375*m.x2180*(1 - 0.000727272727272727*m.x2180)*(1 -
0.00145454545454545*m.x2180) - 1.86*(0.93*m.x2180*(1 - 0.000727272727272727*m.x2180))**2 -
1.49610402*m.x2180*m.x2180*(1 - 0.000727272727272727*m.x2180)*(1 - 0.00145454545454545*m.x2180
)*(1 - 0.00145454545454545*m.x2180))) + m.x708 <= 0)
m.c1730 = Constraint(expr=-0.007*m.x1616*m.x1129*(0.0775*m.x2181*(1 - 0.000727272727272727*m.x2181) + m.x2181 +
0.003003125*m.x2181*(1 - 0.000727272727272727*m.x2181)*(1 - 0.00145454545454545*m.x2181) +
6.0669191919192e-8*(1189.2375*m.x2181*(1 - 0.000727272727272727*m.x2181)*(1 -
0.00145454545454545*m.x2181) - 1.86*(0.93*m.x2181*(1 - 0.000727272727272727*m.x2181))**2 -
1.49610402*m.x2181*m.x2181*(1 - 0.000727272727272727*m.x2181)*(1 - 0.00145454545454545*m.x2181
)*(1 - 0.00145454545454545*m.x2181))) + m.x709 <= 0)
m.c1731 = Constraint(expr=-0.007*m.x1616*m.x1130*(0.0775*m.x2182*(1 - 0.000727272727272727*m.x2182) + m.x2182 +
0.003003125*m.x2182*(1 - 0.000727272727272727*m.x2182)*(1 - 0.00145454545454545*m.x2182) +
6.0669191919192e-8*(1189.2375*m.x2182*(1 - 0.000727272727272727*m.x2182)*(1 -
0.00145454545454545*m.x2182) - 1.86*(0.93*m.x2182*(1 - 0.000727272727272727*m.x2182))**2 -
1.49610402*m.x2182*m.x2182*(1 - 0.000727272727272727*m.x2182)*(1 - 0.00145454545454545*m.x2182
)*(1 - 0.00145454545454545*m.x2182))) + m.x710 <= 0)
m.c1732 = Constraint(expr=-0.007*m.x1616*m.x1131*(0.0775*m.x2183*(1 - 0.000727272727272727*m.x2183) + m.x2183 +
0.003003125*m.x2183*(1 - 0.000727272727272727*m.x2183)*(1 - 0.00145454545454545*m.x2183) +
6.0669191919192e-8*(1189.2375*m.x2183*(1 - 0.000727272727272727*m.x2183)*(1 -
0.00145454545454545*m.x2183) - 1.86*(0.93*m.x2183*(1 - 0.000727272727272727*m.x2183))**2 -
1.49610402*m.x2183*m.x2183*(1 - 0.000727272727272727*m.x2183)*(1 - 0.00145454545454545*m.x2183
)*(1 - 0.00145454545454545*m.x2183))) + m.x711 <= 0)
m.c1733 = Constraint(expr=-0.007*m.x1616*m.x1132*(0.0775*m.x2184*(1 - 0.000727272727272727*m.x2184) + m.x2184 +
0.003003125*m.x2184*(1 - 0.000727272727272727*m.x2184)*(1 - 0.00145454545454545*m.x2184) +
6.0669191919192e-8*(1189.2375*m.x2184*(1 - 0.000727272727272727*m.x2184)*(1 -
0.00145454545454545*m.x2184) - 1.86*(0.93*m.x2184*(1 - 0.000727272727272727*m.x2184))**2 -
1.49610402*m.x2184*m.x2184*(1 - 0.000727272727272727*m.x2184)*(1 - 0.00145454545454545*m.x2184
)*(1 - 0.00145454545454545*m.x2184))) + m.x712 <= 0)
m.c1734 = Constraint(expr=-0.007*m.x1616*m.x1133*(0.0775*m.x2185*(1 - 0.000727272727272727*m.x2185) + m.x2185 +
0.003003125*m.x2185*(1 - 0.000727272727272727*m.x2185)*(1 - 0.00145454545454545*m.x2185) +
6.0669191919192e-8*(1189.2375*m.x2185*(1 - 0.000727272727272727*m.x2185)*(1 -
0.00145454545454545*m.x2185) - 1.86*(0.93*m.x2185*(1 - 0.000727272727272727*m.x2185))**2 -
1.49610402*m.x2185*m.x2185*(1 - 0.000727272727272727*m.x2185)*(1 - 0.00145454545454545*m.x2185
)*(1 - 0.00145454545454545*m.x2185))) + m.x713 <= 0)
m.c1735 = Constraint(expr=-0.007*m.x1616*m.x1134*(0.0775*m.x2186*(1 - 0.000727272727272727*m.x2186) + m.x2186 +
0.003003125*m.x2186*(1 - 0.000727272727272727*m.x2186)*(1 - 0.00145454545454545*m.x2186) +
6.0669191919192e-8*(1189.2375*m.x2186*(1 - 0.000727272727272727*m.x2186)*(1 -
0.00145454545454545*m.x2186) - 1.86*(0.93*m.x2186*(1 - 0.000727272727272727*m.x2186))**2 -
1.49610402*m.x2186*m.x2186*(1 - 0.000727272727272727*m.x2186)*(1 - 0.00145454545454545*m.x2186
)*(1 - 0.00145454545454545*m.x2186))) + m.x714 <= 0)
m.c1736 = Constraint(expr=-0.007*m.x1616*m.x1135*(0.0775*m.x2187*(1 - 0.000727272727272727*m.x2187) + m.x2187 +
0.003003125*m.x2187*(1 - 0.000727272727272727*m.x2187)*(1 - 0.00145454545454545*m.x2187) +
6.0669191919192e-8*(1189.2375*m.x2187*(1 - 0.000727272727272727*m.x2187)*(1 -
0.00145454545454545*m.x2187) - 1.86*(0.93*m.x2187*(1 - 0.000727272727272727*m.x2187))**2 -
1.49610402*m.x2187*m.x2187*(1 - 0.000727272727272727*m.x2187)*(1 - 0.00145454545454545*m.x2187
)*(1 - 0.00145454545454545*m.x2187))) + m.x715 <= 0)
m.c1737 = Constraint(expr=-0.007*m.x1616*m.x1136*(0.0775*m.x2188*(1 - 0.000727272727272727*m.x2188) + m.x2188 +
0.003003125*m.x2188*(1 - 0.000727272727272727*m.x2188)*(1 - 0.00145454545454545*m.x2188) +
6.0669191919192e-8*(1189.2375*m.x2188*(1 - 0.000727272727272727*m.x2188)*(1 -
0.00145454545454545*m.x2188) - 1.86*(0.93*m.x2188*(1 - 0.000727272727272727*m.x2188))**2 -
1.49610402*m.x2188*m.x2188*(1 - 0.000727272727272727*m.x2188)*(1 - 0.00145454545454545*m.x2188
)*(1 - 0.00145454545454545*m.x2188))) + m.x716 <= 0)
m.c1738 = Constraint(expr=-0.007*m.x1616*m.x1137*(0.0775*m.x2189*(1 - 0.000727272727272727*m.x2189) + m.x2189 +
0.003003125*m.x2189*(1 - 0.000727272727272727*m.x2189)*(1 - 0.00145454545454545*m.x2189) +
6.0669191919192e-8*(1189.2375*m.x2189*(1 - 0.000727272727272727*m.x2189)*(1 -
0.00145454545454545*m.x2189) - 1.86*(0.93*m.x2189*(1 - 0.000727272727272727*m.x2189))**2 -
1.49610402*m.x2189*m.x2189*(1 - 0.000727272727272727*m.x2189)*(1 - 0.00145454545454545*m.x2189
)*(1 - 0.00145454545454545*m.x2189))) + m.x717 <= 0)
m.c1739 = Constraint(expr=-0.007*m.x1616*m.x1138*(0.0775*m.x2190*(1 - 0.000727272727272727*m.x2190) + m.x2190 +
0.003003125*m.x2190*(1 - 0.000727272727272727*m.x2190)*(1 - 0.00145454545454545*m.x2190) +
6.0669191919192e-8*(1189.2375*m.x2190*(1 - 0.000727272727272727*m.x2190)*(1 -
0.00145454545454545*m.x2190) - 1.86*(0.93*m.x2190*(1 - 0.000727272727272727*m.x2190))**2 -
1.49610402*m.x2190*m.x2190*(1 - 0.000727272727272727*m.x2190)*(1 - 0.00145454545454545*m.x2190
)*(1 - 0.00145454545454545*m.x2190))) + m.x718 <= 0)
m.c1740 = Constraint(expr=-0.007*m.x1616*m.x1139*(0.0775*m.x2191*(1 - 0.000727272727272727*m.x2191) + m.x2191 +
0.003003125*m.x2191*(1 - 0.000727272727272727*m.x2191)*(1 - 0.00145454545454545*m.x2191) +
6.0669191919192e-8*(1189.2375*m.x2191*(1 - 0.000727272727272727*m.x2191)*(1 -
0.00145454545454545*m.x2191) - 1.86*(0.93*m.x2191*(1 - 0.000727272727272727*m.x2191))**2 -
1.49610402*m.x2191*m.x2191*(1 - 0.000727272727272727*m.x2191)*(1 - 0.00145454545454545*m.x2191
)*(1 - 0.00145454545454545*m.x2191))) + m.x719 <= 0)
m.c1741 = Constraint(expr=-0.007*m.x1616*m.x1140*(0.0775*m.x2192*(1 - 0.000727272727272727*m.x2192) + m.x2192 +
0.003003125*m.x2192*(1 - 0.000727272727272727*m.x2192)*(1 - 0.00145454545454545*m.x2192) +
6.0669191919192e-8*(1189.2375*m.x2192*(1 - 0.000727272727272727*m.x2192)*(1 -
0.00145454545454545*m.x2192) - 1.86*(0.93*m.x2192*(1 - 0.000727272727272727*m.x2192))**2 -
1.49610402*m.x2192*m.x2192*(1 - 0.000727272727272727*m.x2192)*(1 - 0.00145454545454545*m.x2192
)*(1 - 0.00145454545454545*m.x2192))) + m.x720 <= 0)
m.c1742 = Constraint(expr=-0.007*m.x1617*m.x1141*(0.0775*m.x2193*(1 - 0.000727272727272727*m.x2193) + m.x2193 +
0.003003125*m.x2193*(1 - 0.000727272727272727*m.x2193)*(1 - 0.00145454545454545*m.x2193) +
6.0669191919192e-8*(1189.2375*m.x2193*(1 - 0.000727272727272727*m.x2193)*(1 -
0.00145454545454545*m.x2193) - 1.86*(0.93*m.x2193*(1 - 0.000727272727272727*m.x2193))**2 -
1.49610402*m.x2193*m.x2193*(1 - 0.000727272727272727*m.x2193)*(1 - 0.00145454545454545*m.x2193
)*(1 - 0.00145454545454545*m.x2193))) + m.x721 <= 0)
m.c1743 = Constraint(expr=-0.007*m.x1617*m.x1142*(0.0775*m.x2194*(1 - 0.000727272727272727*m.x2194) + m.x2194 +
0.003003125*m.x2194*(1 - 0.000727272727272727*m.x2194)*(1 - 0.00145454545454545*m.x2194) +
6.0669191919192e-8*(1189.2375*m.x2194*(1 - 0.000727272727272727*m.x2194)*(1 -
0.00145454545454545*m.x2194) - 1.86*(0.93*m.x2194*(1 - 0.000727272727272727*m.x2194))**2 -
1.49610402*m.x2194*m.x2194*(1 - 0.000727272727272727*m.x2194)*(1 - 0.00145454545454545*m.x2194
)*(1 - 0.00145454545454545*m.x2194))) + m.x722 <= 0)
m.c1744 = Constraint(expr=-0.007*m.x1617*m.x1143*(0.0775*m.x2195*(1 - 0.000727272727272727*m.x2195) + m.x2195 +
0.003003125*m.x2195*(1 - 0.000727272727272727*m.x2195)*(1 - 0.00145454545454545*m.x2195) +
6.0669191919192e-8*(1189.2375*m.x2195*(1 - 0.000727272727272727*m.x2195)*(1 -
0.00145454545454545*m.x2195) - 1.86*(0.93*m.x2195*(1 - 0.000727272727272727*m.x2195))**2 -
1.49610402*m.x2195*m.x2195*(1 - 0.000727272727272727*m.x2195)*(1 - 0.00145454545454545*m.x2195
)*(1 - 0.00145454545454545*m.x2195))) + m.x723 <= 0)
m.c1745 = Constraint(expr=-0.007*m.x1617*m.x1144*(0.0775*m.x2196*(1 - 0.000727272727272727*m.x2196) + m.x2196 +
0.003003125*m.x2196*(1 - 0.000727272727272727*m.x2196)*(1 - 0.00145454545454545*m.x2196) +
6.0669191919192e-8*(1189.2375*m.x2196*(1 - 0.000727272727272727*m.x2196)*(1 -
0.00145454545454545*m.x2196) - 1.86*(0.93*m.x2196*(1 - 0.000727272727272727*m.x2196))**2 -
1.49610402*m.x2196*m.x2196*(1 - 0.000727272727272727*m.x2196)*(1 - 0.00145454545454545*m.x2196
)*(1 - 0.00145454545454545*m.x2196))) + m.x724 <= 0)
m.c1746 = Constraint(expr=-0.007*m.x1617*m.x1145*(0.0775*m.x2197*(1 - 0.000727272727272727*m.x2197) + m.x2197 +
0.003003125*m.x2197*(1 - 0.000727272727272727*m.x2197)*(1 - 0.00145454545454545*m.x2197) +
6.0669191919192e-8*(1189.2375*m.x2197*(1 - 0.000727272727272727*m.x2197)*(1 -
0.00145454545454545*m.x2197) - 1.86*(0.93*m.x2197*(1 - 0.000727272727272727*m.x2197))**2 -
1.49610402*m.x2197*m.x2197*(1 - 0.000727272727272727*m.x2197)*(1 - 0.00145454545454545*m.x2197
)*(1 - 0.00145454545454545*m.x2197))) + m.x725 <= 0)
m.c1747 = Constraint(expr=-0.007*m.x1617*m.x1146*(0.0775*m.x2198*(1 - 0.000727272727272727*m.x2198) + m.x2198 +
0.003003125*m.x2198*(1 - 0.000727272727272727*m.x2198)*(1 - 0.00145454545454545*m.x2198) +
6.0669191919192e-8*(1189.2375*m.x2198*(1 - 0.000727272727272727*m.x2198)*(1 -
0.00145454545454545*m.x2198) - 1.86*(0.93*m.x2198*(1 - 0.000727272727272727*m.x2198))**2 -
1.49610402*m.x2198*m.x2198*(1 - 0.000727272727272727*m.x2198)*(1 - 0.00145454545454545*m.x2198
)*(1 - 0.00145454545454545*m.x2198))) + m.x726 <= 0)
m.c1748 = Constraint(expr=-0.007*m.x1617*m.x1147*(0.0775*m.x2199*(1 - 0.000727272727272727*m.x2199) + m.x2199 +
0.003003125*m.x2199*(1 - 0.000727272727272727*m.x2199)*(1 - 0.00145454545454545*m.x2199) +
6.0669191919192e-8*(1189.2375*m.x2199*(1 - 0.000727272727272727*m.x2199)*(1 -
0.00145454545454545*m.x2199) - 1.86*(0.93*m.x2199*(1 - 0.000727272727272727*m.x2199))**2 -
1.49610402*m.x2199*m.x2199*(1 - 0.000727272727272727*m.x2199)*(1 - 0.00145454545454545*m.x2199
)*(1 - 0.00145454545454545*m.x2199))) + m.x727 <= 0)
m.c1749 = Constraint(expr=-0.007*m.x1617*m.x1148*(0.0775*m.x2200*(1 - 0.000727272727272727*m.x2200) + m.x2200 +
0.003003125*m.x2200*(1 - 0.000727272727272727*m.x2200)*(1 - 0.00145454545454545*m.x2200) +
6.0669191919192e-8*(1189.2375*m.x2200*(1 - 0.000727272727272727*m.x2200)*(1 -
0.00145454545454545*m.x2200) - 1.86*(0.93*m.x2200*(1 - 0.000727272727272727*m.x2200))**2 -
1.49610402*m.x2200*m.x2200*(1 - 0.000727272727272727*m.x2200)*(1 - 0.00145454545454545*m.x2200
)*(1 - 0.00145454545454545*m.x2200))) + m.x728 <= 0)
m.c1750 = Constraint(expr=-0.007*m.x1617*m.x1149*(0.0775*m.x2201*(1 - 0.000727272727272727*m.x2201) + m.x2201 +
0.003003125*m.x2201*(1 - 0.000727272727272727*m.x2201)*(1 - 0.00145454545454545*m.x2201) +
6.0669191919192e-8*(1189.2375*m.x2201*(1 - 0.000727272727272727*m.x2201)*(1 -
0.00145454545454545*m.x2201) - 1.86*(0.93*m.x2201*(1 - 0.000727272727272727*m.x2201))**2 -
1.49610402*m.x2201*m.x2201*(1 - 0.000727272727272727*m.x2201)*(1 - 0.00145454545454545*m.x2201
)*(1 - 0.00145454545454545*m.x2201))) + m.x729 <= 0)
m.c1751 = Constraint(expr=-0.007*m.x1617*m.x1150*(0.0775*m.x2202*(1 - 0.000727272727272727*m.x2202) + m.x2202 +
0.003003125*m.x2202*(1 - 0.000727272727272727*m.x2202)*(1 - 0.00145454545454545*m.x2202) +
6.0669191919192e-8*(1189.2375*m.x2202*(1 - 0.000727272727272727*m.x2202)*(1 -
0.00145454545454545*m.x2202) - 1.86*(0.93*m.x2202*(1 - 0.000727272727272727*m.x2202))**2 -
1.49610402*m.x2202*m.x2202*(1 - 0.000727272727272727*m.x2202)*(1 - 0.00145454545454545*m.x2202
)*(1 - 0.00145454545454545*m.x2202))) + m.x730 <= 0)
m.c1752 = Constraint(expr=-0.007*m.x1617*m.x1151*(0.0775*m.x2203*(1 - 0.000727272727272727*m.x2203) + m.x2203 +
0.003003125*m.x2203*(1 - 0.000727272727272727*m.x2203)*(1 - 0.00145454545454545*m.x2203) +
6.0669191919192e-8*(1189.2375*m.x2203*(1 - 0.000727272727272727*m.x2203)*(1 -
0.00145454545454545*m.x2203) - 1.86*(0.93*m.x2203*(1 - 0.000727272727272727*m.x2203))**2 -
1.49610402*m.x2203*m.x2203*(1 - 0.000727272727272727*m.x2203)*(1 - 0.00145454545454545*m.x2203
)*(1 - 0.00145454545454545*m.x2203))) + m.x731 <= 0)
m.c1753 = Constraint(expr=-0.007*m.x1617*m.x1152*(0.0775*m.x2204*(1 - 0.000727272727272727*m.x2204) + m.x2204 +
0.003003125*m.x2204*(1 - 0.000727272727272727*m.x2204)*(1 - 0.00145454545454545*m.x2204) +
6.0669191919192e-8*(1189.2375*m.x2204*(1 - 0.000727272727272727*m.x2204)*(1 -
0.00145454545454545*m.x2204) - 1.86*(0.93*m.x2204*(1 - 0.000727272727272727*m.x2204))**2 -
1.49610402*m.x2204*m.x2204*(1 - 0.000727272727272727*m.x2204)*(1 - 0.00145454545454545*m.x2204
)*(1 - 0.00145454545454545*m.x2204))) + m.x732 <= 0)
m.c1754 = Constraint(expr=-0.007*m.x1618*m.x1153*(0.0775*m.x2205*(1 - 0.000727272727272727*m.x2205) + m.x2205 +
0.003003125*m.x2205*(1 - 0.000727272727272727*m.x2205)*(1 - 0.00145454545454545*m.x2205) +
6.0669191919192e-8*(1189.2375*m.x2205*(1 - 0.000727272727272727*m.x2205)*(1 -
0.00145454545454545*m.x2205) - 1.86*(0.93*m.x2205*(1 - 0.000727272727272727*m.x2205))**2 -
1.49610402*m.x2205*m.x2205*(1 - 0.000727272727272727*m.x2205)*(1 - 0.00145454545454545*m.x2205
)*(1 - 0.00145454545454545*m.x2205))) + m.x733 <= 0)
m.c1755 = Constraint(expr=-0.007*m.x1618*m.x1154*(0.0775*m.x2206*(1 - 0.000727272727272727*m.x2206) + m.x2206 +
0.003003125*m.x2206*(1 - 0.000727272727272727*m.x2206)*(1 - 0.00145454545454545*m.x2206) +
6.0669191919192e-8*(1189.2375*m.x2206*(1 - 0.000727272727272727*m.x2206)*(1 -
0.00145454545454545*m.x2206) - 1.86*(0.93*m.x2206*(1 - 0.000727272727272727*m.x2206))**2 -
1.49610402*m.x2206*m.x2206*(1 - 0.000727272727272727*m.x2206)*(1 - 0.00145454545454545*m.x2206
)*(1 - 0.00145454545454545*m.x2206))) + m.x734 <= 0)
m.c1756 = Constraint(expr=-0.007*m.x1618*m.x1155*(0.0775*m.x2207*(1 - 0.000727272727272727*m.x2207) + m.x2207 +
0.003003125*m.x2207*(1 - 0.000727272727272727*m.x2207)*(1 - 0.00145454545454545*m.x2207) +
6.0669191919192e-8*(1189.2375*m.x2207*(1 - 0.000727272727272727*m.x2207)*(1 -
0.00145454545454545*m.x2207) - 1.86*(0.93*m.x2207*(1 - 0.000727272727272727*m.x2207))**2 -
1.49610402*m.x2207*m.x2207*(1 - 0.000727272727272727*m.x2207)*(1 - 0.00145454545454545*m.x2207
)*(1 - 0.00145454545454545*m.x2207))) + m.x735 <= 0)
m.c1757 = Constraint(expr=-0.007*m.x1618*m.x1156*(0.0775*m.x2208*(1 - 0.000727272727272727*m.x2208) + m.x2208 +
0.003003125*m.x2208*(1 - 0.000727272727272727*m.x2208)*(1 - 0.00145454545454545*m.x2208) +
6.0669191919192e-8*(1189.2375*m.x2208*(1 - 0.000727272727272727*m.x2208)*(1 -
0.00145454545454545*m.x2208) - 1.86*(0.93*m.x2208*(1 - 0.000727272727272727*m.x2208))**2 -
1.49610402*m.x2208*m.x2208*(1 - 0.000727272727272727*m.x2208)*(1 - 0.00145454545454545*m.x2208
)*(1 - 0.00145454545454545*m.x2208))) + m.x736 <= 0)
m.c1758 = Constraint(expr=-0.007*m.x1618*m.x1157*(0.0775*m.x2209*(1 - 0.000727272727272727*m.x2209) + m.x2209 +
0.003003125*m.x2209*(1 - 0.000727272727272727*m.x2209)*(1 - 0.00145454545454545*m.x2209) +
6.0669191919192e-8*(1189.2375*m.x2209*(1 - 0.000727272727272727*m.x2209)*(1 -
0.00145454545454545*m.x2209) - 1.86*(0.93*m.x2209*(1 - 0.000727272727272727*m.x2209))**2 -
1.49610402*m.x2209*m.x2209*(1 - 0.000727272727272727*m.x2209)*(1 - 0.00145454545454545*m.x2209
)*(1 - 0.00145454545454545*m.x2209))) + m.x737 <= 0)
m.c1759 = Constraint(expr=-0.007*m.x1618*m.x1158*(0.0775*m.x2210*(1 - 0.000727272727272727*m.x2210) + m.x2210 +
0.003003125*m.x2210*(1 - 0.000727272727272727*m.x2210)*(1 - 0.00145454545454545*m.x2210) +
6.0669191919192e-8*(1189.2375*m.x2210*(1 - 0.000727272727272727*m.x2210)*(1 -
0.00145454545454545*m.x2210) - 1.86*(0.93*m.x2210*(1 - 0.000727272727272727*m.x2210))**2 -
1.49610402*m.x2210*m.x2210*(1 - 0.000727272727272727*m.x2210)*(1 - 0.00145454545454545*m.x2210
)*(1 - 0.00145454545454545*m.x2210))) + m.x738 <= 0)
m.c1760 = Constraint(expr=-0.007*m.x1618*m.x1159*(0.0775*m.x2211*(1 - 0.000727272727272727*m.x2211) + m.x2211 +
0.003003125*m.x2211*(1 - 0.000727272727272727*m.x2211)*(1 - 0.00145454545454545*m.x2211) +
6.0669191919192e-8*(1189.2375*m.x2211*(1 - 0.000727272727272727*m.x2211)*(1 -
0.00145454545454545*m.x2211) - 1.86*(0.93*m.x2211*(1 - 0.000727272727272727*m.x2211))**2 -
1.49610402*m.x2211*m.x2211*(1 - 0.000727272727272727*m.x2211)*(1 - 0.00145454545454545*m.x2211
)*(1 - 0.00145454545454545*m.x2211))) + m.x739 <= 0)
m.c1761 = Constraint(expr=-0.007*m.x1618*m.x1160*(0.0775*m.x2212*(1 - 0.000727272727272727*m.x2212) + m.x2212 +
0.003003125*m.x2212*(1 - 0.000727272727272727*m.x2212)*(1 - 0.00145454545454545*m.x2212) +
6.0669191919192e-8*(1189.2375*m.x2212*(1 - 0.000727272727272727*m.x2212)*(1 -
0.00145454545454545*m.x2212) - 1.86*(0.93*m.x2212*(1 - 0.000727272727272727*m.x2212))**2 -
1.49610402*m.x2212*m.x2212*(1 - 0.000727272727272727*m.x2212)*(1 - 0.00145454545454545*m.x2212
)*(1 - 0.00145454545454545*m.x2212))) + m.x740 <= 0)
m.c1762 = Constraint(expr=-0.007*m.x1618*m.x1161*(0.0775*m.x2213*(1 - 0.000727272727272727*m.x2213) + m.x2213 +
0.003003125*m.x2213*(1 - 0.000727272727272727*m.x2213)*(1 - 0.00145454545454545*m.x2213) +
6.0669191919192e-8*(1189.2375*m.x2213*(1 - 0.000727272727272727*m.x2213)*(1 -
0.00145454545454545*m.x2213) - 1.86*(0.93*m.x2213*(1 - 0.000727272727272727*m.x2213))**2 -
1.49610402*m.x2213*m.x2213*(1 - 0.000727272727272727*m.x2213)*(1 - 0.00145454545454545*m.x2213
)*(1 - 0.00145454545454545*m.x2213))) + m.x741 <= 0)
m.c1763 = Constraint(expr=-0.007*m.x1618*m.x1162*(0.0775*m.x2214*(1 - 0.000727272727272727*m.x2214) + m.x2214 +
0.003003125*m.x2214*(1 - 0.000727272727272727*m.x2214)*(1 - 0.00145454545454545*m.x2214) +
6.0669191919192e-8*(1189.2375*m.x2214*(1 - 0.000727272727272727*m.x2214)*(1 -
0.00145454545454545*m.x2214) - 1.86*(0.93*m.x2214*(1 - 0.000727272727272727*m.x2214))**2 -
1.49610402*m.x2214*m.x2214*(1 - 0.000727272727272727*m.x2214)*(1 - 0.00145454545454545*m.x2214
)*(1 - 0.00145454545454545*m.x2214))) + m.x742 <= 0)
m.c1764 = Constraint(expr=-0.007*m.x1618*m.x1163*(0.0775*m.x2215*(1 - 0.000727272727272727*m.x2215) + m.x2215 +
0.003003125*m.x2215*(1 - 0.000727272727272727*m.x2215)*(1 - 0.00145454545454545*m.x2215) +
6.0669191919192e-8*(1189.2375*m.x2215*(1 - 0.000727272727272727*m.x2215)*(1 -
0.00145454545454545*m.x2215) - 1.86*(0.93*m.x2215*(1 - 0.000727272727272727*m.x2215))**2 -
1.49610402*m.x2215*m.x2215*(1 - 0.000727272727272727*m.x2215)*(1 - 0.00145454545454545*m.x2215
)*(1 - 0.00145454545454545*m.x2215))) + m.x743 <= 0)
m.c1765 = Constraint(expr=-0.007*m.x1618*m.x1164*(0.0775*m.x2216*(1 - 0.000727272727272727*m.x2216) + m.x2216 +
0.003003125*m.x2216*(1 - 0.000727272727272727*m.x2216)*(1 - 0.00145454545454545*m.x2216) +
6.0669191919192e-8*(1189.2375*m.x2216*(1 - 0.000727272727272727*m.x2216)*(1 -
0.00145454545454545*m.x2216) - 1.86*(0.93*m.x2216*(1 - 0.000727272727272727*m.x2216))**2 -
1.49610402*m.x2216*m.x2216*(1 - 0.000727272727272727*m.x2216)*(1 - 0.00145454545454545*m.x2216
)*(1 - 0.00145454545454545*m.x2216))) + m.x744 <= 0)
m.c1766 = Constraint(expr=-0.007*m.x1619*m.x1165*(0.0775*m.x2217*(1 - 0.000727272727272727*m.x2217) + m.x2217 +
0.003003125*m.x2217*(1 - 0.000727272727272727*m.x2217)*(1 - 0.00145454545454545*m.x2217) +
6.0669191919192e-8*(1189.2375*m.x2217*(1 - 0.000727272727272727*m.x2217)*(1 -
0.00145454545454545*m.x2217) - 1.86*(0.93*m.x2217*(1 - 0.000727272727272727*m.x2217))**2 -
1.49610402*m.x2217*m.x2217*(1 - 0.000727272727272727*m.x2217)*(1 - 0.00145454545454545*m.x2217
)*(1 - 0.00145454545454545*m.x2217))) + m.x745 <= 0)
m.c1767 = Constraint(expr=-0.007*m.x1619*m.x1166*(0.0775*m.x2218*(1 - 0.000727272727272727*m.x2218) + m.x2218 +
0.003003125*m.x2218*(1 - 0.000727272727272727*m.x2218)*(1 - 0.00145454545454545*m.x2218) +
6.0669191919192e-8*(1189.2375*m.x2218*(1 - 0.000727272727272727*m.x2218)*(1 -
0.00145454545454545*m.x2218) - 1.86*(0.93*m.x2218*(1 - 0.000727272727272727*m.x2218))**2 -
1.49610402*m.x2218*m.x2218*(1 - 0.000727272727272727*m.x2218)*(1 - 0.00145454545454545*m.x2218
)*(1 - 0.00145454545454545*m.x2218))) + m.x746 <= 0)
m.c1768 = Constraint(expr=-0.007*m.x1619*m.x1167*(0.0775*m.x2219*(1 - 0.000727272727272727*m.x2219) + m.x2219 +
0.003003125*m.x2219*(1 - 0.000727272727272727*m.x2219)*(1 - 0.00145454545454545*m.x2219) +
6.0669191919192e-8*(1189.2375*m.x2219*(1 - 0.000727272727272727*m.x2219)*(1 -
0.00145454545454545*m.x2219) - 1.86*(0.93*m.x2219*(1 - 0.000727272727272727*m.x2219))**2 -
1.49610402*m.x2219*m.x2219*(1 - 0.000727272727272727*m.x2219)*(1 - 0.00145454545454545*m.x2219
)*(1 - 0.00145454545454545*m.x2219))) + m.x747 <= 0)
m.c1769 = Constraint(expr=-0.007*m.x1619*m.x1168*(0.0775*m.x2220*(1 - 0.000727272727272727*m.x2220) + m.x2220 +
0.003003125*m.x2220*(1 - 0.000727272727272727*m.x2220)*(1 - 0.00145454545454545*m.x2220) +
6.0669191919192e-8*(1189.2375*m.x2220*(1 - 0.000727272727272727*m.x2220)*(1 -
0.00145454545454545*m.x2220) - 1.86*(0.93*m.x2220*(1 - 0.000727272727272727*m.x2220))**2 -
1.49610402*m.x2220*m.x2220*(1 - 0.000727272727272727*m.x2220)*(1 - 0.00145454545454545*m.x2220
)*(1 - 0.00145454545454545*m.x2220))) + m.x748 <= 0)
m.c1770 = Constraint(expr=-0.007*m.x1619*m.x1169*(0.0775*m.x2221*(1 - 0.000727272727272727*m.x2221) + m.x2221 +
0.003003125*m.x2221*(1 - 0.000727272727272727*m.x2221)*(1 - 0.00145454545454545*m.x2221) +
6.0669191919192e-8*(1189.2375*m.x2221*(1 - 0.000727272727272727*m.x2221)*(1 -
0.00145454545454545*m.x2221) - 1.86*(0.93*m.x2221*(1 - 0.000727272727272727*m.x2221))**2 -
1.49610402*m.x2221*m.x2221*(1 - 0.000727272727272727*m.x2221)*(1 - 0.00145454545454545*m.x2221
)*(1 - 0.00145454545454545*m.x2221))) + m.x749 <= 0)
m.c1771 = Constraint(expr=-0.007*m.x1619*m.x1170*(0.0775*m.x2222*(1 - 0.000727272727272727*m.x2222) + m.x2222 +
0.003003125*m.x2222*(1 - 0.000727272727272727*m.x2222)*(1 - 0.00145454545454545*m.x2222) +
6.0669191919192e-8*(1189.2375*m.x2222*(1 - 0.000727272727272727*m.x2222)*(1 -
0.00145454545454545*m.x2222) - 1.86*(0.93*m.x2222*(1 - 0.000727272727272727*m.x2222))**2 -
1.49610402*m.x2222*m.x2222*(1 - 0.000727272727272727*m.x2222)*(1 - 0.00145454545454545*m.x2222
)*(1 - 0.00145454545454545*m.x2222))) + m.x750 <= 0)
m.c1772 = Constraint(expr=-0.007*m.x1619*m.x1171*(0.0775*m.x2223*(1 - 0.000727272727272727*m.x2223) + m.x2223 +
0.003003125*m.x2223*(1 - 0.000727272727272727*m.x2223)*(1 - 0.00145454545454545*m.x2223) +
6.0669191919192e-8*(1189.2375*m.x2223*(1 - 0.000727272727272727*m.x2223)*(1 -
0.00145454545454545*m.x2223) - 1.86*(0.93*m.x2223*(1 - 0.000727272727272727*m.x2223))**2 -
1.49610402*m.x2223*m.x2223*(1 - 0.000727272727272727*m.x2223)*(1 - 0.00145454545454545*m.x2223
)*(1 - 0.00145454545454545*m.x2223))) + m.x751 <= 0)
m.c1773 = Constraint(expr=-0.007*m.x1619*m.x1172*(0.0775*m.x2224*(1 - 0.000727272727272727*m.x2224) + m.x2224 +
0.003003125*m.x2224*(1 - 0.000727272727272727*m.x2224)*(1 - 0.00145454545454545*m.x2224) +
6.0669191919192e-8*(1189.2375*m.x2224*(1 - 0.000727272727272727*m.x2224)*(1 -
0.00145454545454545*m.x2224) - 1.86*(0.93*m.x2224*(1 - 0.000727272727272727*m.x2224))**2 -
1.49610402*m.x2224*m.x2224*(1 - 0.000727272727272727*m.x2224)*(1 - 0.00145454545454545*m.x2224
)*(1 - 0.00145454545454545*m.x2224))) + m.x752 <= 0)
m.c1774 = Constraint(expr=-0.007*m.x1619*m.x1173*(0.0775*m.x2225*(1 - 0.000727272727272727*m.x2225) + m.x2225 +
0.003003125*m.x2225*(1 - 0.000727272727272727*m.x2225)*(1 - 0.00145454545454545*m.x2225) +
6.0669191919192e-8*(1189.2375*m.x2225*(1 - 0.000727272727272727*m.x2225)*(1 -
0.00145454545454545*m.x2225) - 1.86*(0.93*m.x2225*(1 - 0.000727272727272727*m.x2225))**2 -
1.49610402*m.x2225*m.x2225*(1 - 0.000727272727272727*m.x2225)*(1 - 0.00145454545454545*m.x2225
)*(1 - 0.00145454545454545*m.x2225))) + m.x753 <= 0)
m.c1775 = Constraint(expr=-0.007*m.x1619*m.x1174*(0.0775*m.x2226*(1 - 0.000727272727272727*m.x2226) + m.x2226 +
0.003003125*m.x2226*(1 - 0.000727272727272727*m.x2226)*(1 - 0.00145454545454545*m.x2226) +
6.0669191919192e-8*(1189.2375*m.x2226*(1 - 0.000727272727272727*m.x2226)*(1 -
0.00145454545454545*m.x2226) - 1.86*(0.93*m.x2226*(1 - 0.000727272727272727*m.x2226))**2 -
1.49610402*m.x2226*m.x2226*(1 - 0.000727272727272727*m.x2226)*(1 - 0.00145454545454545*m.x2226
)*(1 - 0.00145454545454545*m.x2226))) + m.x754 <= 0)
m.c1776 = Constraint(expr=-0.007*m.x1619*m.x1175*(0.0775*m.x2227*(1 - 0.000727272727272727*m.x2227) + m.x2227 +
0.003003125*m.x2227*(1 - 0.000727272727272727*m.x2227)*(1 - 0.00145454545454545*m.x2227) +
6.0669191919192e-8*(1189.2375*m.x2227*(1 - 0.000727272727272727*m.x2227)*(1 -
0.00145454545454545*m.x2227) - 1.86*(0.93*m.x2227*(1 - 0.000727272727272727*m.x2227))**2 -
1.49610402*m.x2227*m.x2227*(1 - 0.000727272727272727*m.x2227)*(1 - 0.00145454545454545*m.x2227
)*(1 - 0.00145454545454545*m.x2227))) + m.x755 <= 0)
m.c1777 = Constraint(expr=-0.007*m.x1619*m.x1176*(0.0775*m.x2228*(1 - 0.000727272727272727*m.x2228) + m.x2228 +
0.003003125*m.x2228*(1 - 0.000727272727272727*m.x2228)*(1 - 0.00145454545454545*m.x2228) +
6.0669191919192e-8*(1189.2375*m.x2228*(1 - 0.000727272727272727*m.x2228)*(1 -
0.00145454545454545*m.x2228) - 1.86*(0.93*m.x2228*(1 - 0.000727272727272727*m.x2228))**2 -
1.49610402*m.x2228*m.x2228*(1 - 0.000727272727272727*m.x2228)*(1 - 0.00145454545454545*m.x2228
)*(1 - 0.00145454545454545*m.x2228))) + m.x756 <= 0)
m.c1778 = Constraint(expr=-0.007*m.x1620*m.x1177*(0.0775*m.x2229*(1 - 0.000727272727272727*m.x2229) + m.x2229 +
0.003003125*m.x2229*(1 - 0.000727272727272727*m.x2229)*(1 - 0.00145454545454545*m.x2229) +
6.0669191919192e-8*(1189.2375*m.x2229*(1 - 0.000727272727272727*m.x2229)*(1 -
0.00145454545454545*m.x2229) - 1.86*(0.93*m.x2229*(1 - 0.000727272727272727*m.x2229))**2 -
1.49610402*m.x2229*m.x2229*(1 - 0.000727272727272727*m.x2229)*(1 - 0.00145454545454545*m.x2229
)*(1 - 0.00145454545454545*m.x2229))) + m.x757 <= 0)
m.c1779 = Constraint(expr=-0.007*m.x1620*m.x1178*(0.0775*m.x2230*(1 - 0.000727272727272727*m.x2230) + m.x2230 +
0.003003125*m.x2230*(1 - 0.000727272727272727*m.x2230)*(1 - 0.00145454545454545*m.x2230) +
6.0669191919192e-8*(1189.2375*m.x2230*(1 - 0.000727272727272727*m.x2230)*(1 -
0.00145454545454545*m.x2230) - 1.86*(0.93*m.x2230*(1 - 0.000727272727272727*m.x2230))**2 -
1.49610402*m.x2230*m.x2230*(1 - 0.000727272727272727*m.x2230)*(1 - 0.00145454545454545*m.x2230
)*(1 - 0.00145454545454545*m.x2230))) + m.x758 <= 0)
m.c1780 = Constraint(expr=-0.007*m.x1620*m.x1179*(0.0775*m.x2231*(1 - 0.000727272727272727*m.x2231) + m.x2231 +
0.003003125*m.x2231*(1 - 0.000727272727272727*m.x2231)*(1 - 0.00145454545454545*m.x2231) +
6.0669191919192e-8*(1189.2375*m.x2231*(1 - 0.000727272727272727*m.x2231)*(1 -
0.00145454545454545*m.x2231) - 1.86*(0.93*m.x2231*(1 - 0.000727272727272727*m.x2231))**2 -
1.49610402*m.x2231*m.x2231*(1 - 0.000727272727272727*m.x2231)*(1 - 0.00145454545454545*m.x2231
)*(1 - 0.00145454545454545*m.x2231))) + m.x759 <= 0)
m.c1781 = Constraint(expr=-0.007*m.x1620*m.x1180*(0.0775*m.x2232*(1 - 0.000727272727272727*m.x2232) + m.x2232 +
0.003003125*m.x2232*(1 - 0.000727272727272727*m.x2232)*(1 - 0.00145454545454545*m.x2232) +
6.0669191919192e-8*(1189.2375*m.x2232*(1 - 0.000727272727272727*m.x2232)*(1 -
0.00145454545454545*m.x2232) - 1.86*(0.93*m.x2232*(1 - 0.000727272727272727*m.x2232))**2 -
1.49610402*m.x2232*m.x2232*(1 - 0.000727272727272727*m.x2232)*(1 - 0.00145454545454545*m.x2232
)*(1 - 0.00145454545454545*m.x2232))) + m.x760 <= 0)
m.c1782 = Constraint(expr=-0.007*m.x1620*m.x1181*(0.0775*m.x2233*(1 - 0.000727272727272727*m.x2233) + m.x2233 +
0.003003125*m.x2233*(1 - 0.000727272727272727*m.x2233)*(1 - 0.00145454545454545*m.x2233) +
6.0669191919192e-8*(1189.2375*m.x2233*(1 - 0.000727272727272727*m.x2233)*(1 -
0.00145454545454545*m.x2233) - 1.86*(0.93*m.x2233*(1 - 0.000727272727272727*m.x2233))**2 -
1.49610402*m.x2233*m.x2233*(1 - 0.000727272727272727*m.x2233)*(1 - 0.00145454545454545*m.x2233
)*(1 - 0.00145454545454545*m.x2233))) + m.x761 <= 0)
m.c1783 = Constraint(expr=-0.007*m.x1620*m.x1182*(0.0775*m.x2234*(1 - 0.000727272727272727*m.x2234) + m.x2234 +
0.003003125*m.x2234*(1 - 0.000727272727272727*m.x2234)*(1 - 0.00145454545454545*m.x2234) +
6.0669191919192e-8*(1189.2375*m.x2234*(1 - 0.000727272727272727*m.x2234)*(1 -
0.00145454545454545*m.x2234) - 1.86*(0.93*m.x2234*(1 - 0.000727272727272727*m.x2234))**2 -
1.49610402*m.x2234*m.x2234*(1 - 0.000727272727272727*m.x2234)*(1 - 0.00145454545454545*m.x2234
)*(1 - 0.00145454545454545*m.x2234))) + m.x762 <= 0)
m.c1784 = Constraint(expr=-0.007*m.x1620*m.x1183*(0.0775*m.x2235*(1 - 0.000727272727272727*m.x2235) + m.x2235 +
0.003003125*m.x2235*(1 - 0.000727272727272727*m.x2235)*(1 - 0.00145454545454545*m.x2235) +
6.0669191919192e-8*(1189.2375*m.x2235*(1 - 0.000727272727272727*m.x2235)*(1 -
0.00145454545454545*m.x2235) - 1.86*(0.93*m.x2235*(1 - 0.000727272727272727*m.x2235))**2 -
1.49610402*m.x2235*m.x2235*(1 - 0.000727272727272727*m.x2235)*(1 - 0.00145454545454545*m.x2235
)*(1 - 0.00145454545454545*m.x2235))) + m.x763 <= 0)
m.c1785 = Constraint(expr=-0.007*m.x1620*m.x1184*(0.0775*m.x2236*(1 - 0.000727272727272727*m.x2236) + m.x2236 +
0.003003125*m.x2236*(1 - 0.000727272727272727*m.x2236)*(1 - 0.00145454545454545*m.x2236) +
6.0669191919192e-8*(1189.2375*m.x2236*(1 - 0.000727272727272727*m.x2236)*(1 -
0.00145454545454545*m.x2236) - 1.86*(0.93*m.x2236*(1 - 0.000727272727272727*m.x2236))**2 -
1.49610402*m.x2236*m.x2236*(1 - 0.000727272727272727*m.x2236)*(1 - 0.00145454545454545*m.x2236
)*(1 - 0.00145454545454545*m.x2236))) + m.x764 <= 0)
m.c1786 = Constraint(expr=-0.007*m.x1620*m.x1185*(0.0775*m.x2237*(1 - 0.000727272727272727*m.x2237) + m.x2237 +
0.003003125*m.x2237*(1 - 0.000727272727272727*m.x2237)*(1 - 0.00145454545454545*m.x2237) +
6.0669191919192e-8*(1189.2375*m.x2237*(1 - 0.000727272727272727*m.x2237)*(1 -
0.00145454545454545*m.x2237) - 1.86*(0.93*m.x2237*(1 - 0.000727272727272727*m.x2237))**2 -
1.49610402*m.x2237*m.x2237*(1 - 0.000727272727272727*m.x2237)*(1 - 0.00145454545454545*m.x2237
)*(1 - 0.00145454545454545*m.x2237))) + m.x765 <= 0)
m.c1787 = Constraint(expr=-0.007*m.x1620*m.x1186*(0.0775*m.x2238*(1 - 0.000727272727272727*m.x2238) + m.x2238 +
0.003003125*m.x2238*(1 - 0.000727272727272727*m.x2238)*(1 - 0.00145454545454545*m.x2238) +
6.0669191919192e-8*(1189.2375*m.x2238*(1 - 0.000727272727272727*m.x2238)*(1 -
0.00145454545454545*m.x2238) - 1.86*(0.93*m.x2238*(1 - 0.000727272727272727*m.x2238))**2 -
1.49610402*m.x2238*m.x2238*(1 - 0.000727272727272727*m.x2238)*(1 - 0.00145454545454545*m.x2238
)*(1 - 0.00145454545454545*m.x2238))) + m.x766 <= 0)
m.c1788 = Constraint(expr=-0.007*m.x1620*m.x1187*(0.0775*m.x2239*(1 - 0.000727272727272727*m.x2239) + m.x2239 +
0.003003125*m.x2239*(1 - 0.000727272727272727*m.x2239)*(1 - 0.00145454545454545*m.x2239) +
6.0669191919192e-8*(1189.2375*m.x2239*(1 - 0.000727272727272727*m.x2239)*(1 -
0.00145454545454545*m.x2239) - 1.86*(0.93*m.x2239*(1 - 0.000727272727272727*m.x2239))**2 -
1.49610402*m.x2239*m.x2239*(1 - 0.000727272727272727*m.x2239)*(1 - 0.00145454545454545*m.x2239
)*(1 - 0.00145454545454545*m.x2239))) + m.x767 <= 0)
m.c1789 = Constraint(expr=-0.007*m.x1620*m.x1188*(0.0775*m.x2240*(1 - 0.000727272727272727*m.x2240) + m.x2240 +
0.003003125*m.x2240*(1 - 0.000727272727272727*m.x2240)*(1 - 0.00145454545454545*m.x2240) +
6.0669191919192e-8*(1189.2375*m.x2240*(1 - 0.000727272727272727*m.x2240)*(1 -
0.00145454545454545*m.x2240) - 1.86*(0.93*m.x2240*(1 - 0.000727272727272727*m.x2240))**2 -
1.49610402*m.x2240*m.x2240*(1 - 0.000727272727272727*m.x2240)*(1 - 0.00145454545454545*m.x2240
)*(1 - 0.00145454545454545*m.x2240))) + m.x768 <= 0)
m.c1790 = Constraint(expr=-0.007*m.x1621*m.x1189*(0.0775*m.x2241*(1 - 0.000727272727272727*m.x2241) + m.x2241 +
0.003003125*m.x2241*(1 - 0.000727272727272727*m.x2241)*(1 - 0.00145454545454545*m.x2241) +
6.0669191919192e-8*(1189.2375*m.x2241*(1 - 0.000727272727272727*m.x2241)*(1 -
0.00145454545454545*m.x2241) - 1.86*(0.93*m.x2241*(1 - 0.000727272727272727*m.x2241))**2 -
1.49610402*m.x2241*m.x2241*(1 - 0.000727272727272727*m.x2241)*(1 - 0.00145454545454545*m.x2241
)*(1 - 0.00145454545454545*m.x2241))) + m.x769 <= 0)
m.c1791 = Constraint(expr=-0.007*m.x1621*m.x1190*(0.0775*m.x2242*(1 - 0.000727272727272727*m.x2242) + m.x2242 +
0.003003125*m.x2242*(1 - 0.000727272727272727*m.x2242)*(1 - 0.00145454545454545*m.x2242) +
6.0669191919192e-8*(1189.2375*m.x2242*(1 - 0.000727272727272727*m.x2242)*(1 -
0.00145454545454545*m.x2242) - 1.86*(0.93*m.x2242*(1 - 0.000727272727272727*m.x2242))**2 -
1.49610402*m.x2242*m.x2242*(1 - 0.000727272727272727*m.x2242)*(1 - 0.00145454545454545*m.x2242
)*(1 - 0.00145454545454545*m.x2242))) + m.x770 <= 0)
m.c1792 = Constraint(expr=-0.007*m.x1621*m.x1191*(0.0775*m.x2243*(1 - 0.000727272727272727*m.x2243) + m.x2243 +
0.003003125*m.x2243*(1 - 0.000727272727272727*m.x2243)*(1 - 0.00145454545454545*m.x2243) +
6.0669191919192e-8*(1189.2375*m.x2243*(1 - 0.000727272727272727*m.x2243)*(1 -
0.00145454545454545*m.x2243) - 1.86*(0.93*m.x2243*(1 - 0.000727272727272727*m.x2243))**2 -
1.49610402*m.x2243*m.x2243*(1 - 0.000727272727272727*m.x2243)*(1 - 0.00145454545454545*m.x2243
)*(1 - 0.00145454545454545*m.x2243))) + m.x771 <= 0)
m.c1793 = Constraint(expr=-0.007*m.x1621*m.x1192*(0.0775*m.x2244*(1 - 0.000727272727272727*m.x2244) + m.x2244 +
0.003003125*m.x2244*(1 - 0.000727272727272727*m.x2244)*(1 - 0.00145454545454545*m.x2244) +
6.0669191919192e-8*(1189.2375*m.x2244*(1 - 0.000727272727272727*m.x2244)*(1 -
0.00145454545454545*m.x2244) - 1.86*(0.93*m.x2244*(1 - 0.000727272727272727*m.x2244))**2 -
1.49610402*m.x2244*m.x2244*(1 - 0.000727272727272727*m.x2244)*(1 - 0.00145454545454545*m.x2244
)*(1 - 0.00145454545454545*m.x2244))) + m.x772 <= 0)
m.c1794 = Constraint(expr=-0.007*m.x1621*m.x1193*(0.0775*m.x2245*(1 - 0.000727272727272727*m.x2245) + m.x2245 +
0.003003125*m.x2245*(1 - 0.000727272727272727*m.x2245)*(1 - 0.00145454545454545*m.x2245) +
6.0669191919192e-8*(1189.2375*m.x2245*(1 - 0.000727272727272727*m.x2245)*(1 -
0.00145454545454545*m.x2245) - 1.86*(0.93*m.x2245*(1 - 0.000727272727272727*m.x2245))**2 -
1.49610402*m.x2245*m.x2245*(1 - 0.000727272727272727*m.x2245)*(1 - 0.00145454545454545*m.x2245
)*(1 - 0.00145454545454545*m.x2245))) + m.x773 <= 0)
m.c1795 = Constraint(expr=-0.007*m.x1621*m.x1194*(0.0775*m.x2246*(1 - 0.000727272727272727*m.x2246) + m.x2246 +
0.003003125*m.x2246*(1 - 0.000727272727272727*m.x2246)*(1 - 0.00145454545454545*m.x2246) +
6.0669191919192e-8*(1189.2375*m.x2246*(1 - 0.000727272727272727*m.x2246)*(1 -
0.00145454545454545*m.x2246) - 1.86*(0.93*m.x2246*(1 - 0.000727272727272727*m.x2246))**2 -
1.49610402*m.x2246*m.x2246*(1 - 0.000727272727272727*m.x2246)*(1 - 0.00145454545454545*m.x2246
)*(1 - 0.00145454545454545*m.x2246))) + m.x774 <= 0)
m.c1796 = Constraint(expr=-0.007*m.x1621*m.x1195*(0.0775*m.x2247*(1 - 0.000727272727272727*m.x2247) + m.x2247 +
0.003003125*m.x2247*(1 - 0.000727272727272727*m.x2247)*(1 - 0.00145454545454545*m.x2247) +
6.0669191919192e-8*(1189.2375*m.x2247*(1 - 0.000727272727272727*m.x2247)*(1 -
0.00145454545454545*m.x2247) - 1.86*(0.93*m.x2247*(1 - 0.000727272727272727*m.x2247))**2 -
1.49610402*m.x2247*m.x2247*(1 - 0.000727272727272727*m.x2247)*(1 - 0.00145454545454545*m.x2247
)*(1 - 0.00145454545454545*m.x2247))) + m.x775 <= 0)
m.c1797 = Constraint(expr=-0.007*m.x1621*m.x1196*(0.0775*m.x2248*(1 - 0.000727272727272727*m.x2248) + m.x2248 +
0.003003125*m.x2248*(1 - 0.000727272727272727*m.x2248)*(1 - 0.00145454545454545*m.x2248) +
6.0669191919192e-8*(1189.2375*m.x2248*(1 - 0.000727272727272727*m.x2248)*(1 -
0.00145454545454545*m.x2248) - 1.86*(0.93*m.x2248*(1 - 0.000727272727272727*m.x2248))**2 -
1.49610402*m.x2248*m.x2248*(1 - 0.000727272727272727*m.x2248)*(1 - 0.00145454545454545*m.x2248
)*(1 - 0.00145454545454545*m.x2248))) + m.x776 <= 0)
m.c1798 = Constraint(expr=-0.007*m.x1621*m.x1197*(0.0775*m.x2249*(1 - 0.000727272727272727*m.x2249) + m.x2249 +
0.003003125*m.x2249*(1 - 0.000727272727272727*m.x2249)*(1 - 0.00145454545454545*m.x2249) +
6.0669191919192e-8*(1189.2375*m.x2249*(1 - 0.000727272727272727*m.x2249)*(1 -
0.00145454545454545*m.x2249) - 1.86*(0.93*m.x2249*(1 - 0.000727272727272727*m.x2249))**2 -
1.49610402*m.x2249*m.x2249*(1 - 0.000727272727272727*m.x2249)*(1 - 0.00145454545454545*m.x2249
)*(1 - 0.00145454545454545*m.x2249))) + m.x777 <= 0)
m.c1799 = Constraint(expr=-0.007*m.x1621*m.x1198*(0.0775*m.x2250*(1 - 0.000727272727272727*m.x2250) + m.x2250 +
0.003003125*m.x2250*(1 - 0.000727272727272727*m.x2250)*(1 - 0.00145454545454545*m.x2250) +
6.0669191919192e-8*(1189.2375*m.x2250*(1 - 0.000727272727272727*m.x2250)*(1 -
0.00145454545454545*m.x2250) - 1.86*(0.93*m.x2250*(1 - 0.000727272727272727*m.x2250))**2 -
1.49610402*m.x2250*m.x2250*(1 - 0.000727272727272727*m.x2250)*(1 - 0.00145454545454545*m.x2250
)*(1 - 0.00145454545454545*m.x2250))) + m.x778 <= 0)
m.c1800 = Constraint(expr=-0.007*m.x1621*m.x1199*(0.0775*m.x2251*(1 - 0.000727272727272727*m.x2251) + m.x2251 +
0.003003125*m.x2251*(1 - 0.000727272727272727*m.x2251)*(1 - 0.00145454545454545*m.x2251) +
6.0669191919192e-8*(1189.2375*m.x2251*(1 - 0.000727272727272727*m.x2251)*(1 -
0.00145454545454545*m.x2251) - 1.86*(0.93*m.x2251*(1 - 0.000727272727272727*m.x2251))**2 -
1.49610402*m.x2251*m.x2251*(1 - 0.000727272727272727*m.x2251)*(1 - 0.00145454545454545*m.x2251
)*(1 - 0.00145454545454545*m.x2251))) + m.x779 <= 0)
m.c1801 = Constraint(expr=-0.007*m.x1621*m.x1200*(0.0775*m.x2252*(1 - 0.000727272727272727*m.x2252) + m.x2252 +
0.003003125*m.x2252*(1 - 0.000727272727272727*m.x2252)*(1 - 0.00145454545454545*m.x2252) +
6.0669191919192e-8*(1189.2375*m.x2252*(1 - 0.000727272727272727*m.x2252)*(1 -
0.00145454545454545*m.x2252) - 1.86*(0.93*m.x2252*(1 - 0.000727272727272727*m.x2252))**2 -
1.49610402*m.x2252*m.x2252*(1 - 0.000727272727272727*m.x2252)*(1 - 0.00145454545454545*m.x2252
)*(1 - 0.00145454545454545*m.x2252))) + m.x780 <= 0)
m.c1802 = Constraint(expr=-0.007*m.x1622*m.x1201*(0.0775*m.x1893*(1 - 0.000727272727272727*m.x1893) + m.x1893 +
0.003003125*m.x1893*(1 - 0.000727272727272727*m.x1893)*(1 - 0.00145454545454545*m.x1893) +
6.0669191919192e-8*(1189.2375*m.x1893*(1 - 0.000727272727272727*m.x1893)*(1 -
0.00145454545454545*m.x1893) - 1.86*(0.93*m.x1893*(1 - 0.000727272727272727*m.x1893))**2 -
1.49610402*m.x1893*m.x1893*(1 - 0.000727272727272727*m.x1893)*(1 - 0.00145454545454545*m.x1893
)*(1 - 0.00145454545454545*m.x1893))) + m.x421 <= 0)
m.c1803 = Constraint(expr=-0.007*m.x1622*m.x1202*(0.0775*m.x1894*(1 - 0.000727272727272727*m.x1894) + m.x1894 +
0.003003125*m.x1894*(1 - 0.000727272727272727*m.x1894)*(1 - 0.00145454545454545*m.x1894) +
6.0669191919192e-8*(1189.2375*m.x1894*(1 - 0.000727272727272727*m.x1894)*(1 -
0.00145454545454545*m.x1894) - 1.86*(0.93*m.x1894*(1 - 0.000727272727272727*m.x1894))**2 -
1.49610402*m.x1894*m.x1894*(1 - 0.000727272727272727*m.x1894)*(1 - 0.00145454545454545*m.x1894
)*(1 - 0.00145454545454545*m.x1894))) + m.x422 <= 0)
m.c1804 = Constraint(expr=-0.007*m.x1622*m.x1203*(0.0775*m.x1895*(1 - 0.000727272727272727*m.x1895) + m.x1895 +
0.003003125*m.x1895*(1 - 0.000727272727272727*m.x1895)*(1 - 0.00145454545454545*m.x1895) +
6.0669191919192e-8*(1189.2375*m.x1895*(1 - 0.000727272727272727*m.x1895)*(1 -
0.00145454545454545*m.x1895) - 1.86*(0.93*m.x1895*(1 - 0.000727272727272727*m.x1895))**2 -
1.49610402*m.x1895*m.x1895*(1 - 0.000727272727272727*m.x1895)*(1 - 0.00145454545454545*m.x1895
)*(1 - 0.00145454545454545*m.x1895))) + m.x423 <= 0)
m.c1805 = Constraint(expr=-0.007*m.x1622*m.x1204*(0.0775*m.x1896*(1 - 0.000727272727272727*m.x1896) + m.x1896 +
0.003003125*m.x1896*(1 - 0.000727272727272727*m.x1896)*(1 - 0.00145454545454545*m.x1896) +
6.0669191919192e-8*(1189.2375*m.x1896*(1 - 0.000727272727272727*m.x1896)*(1 -
0.00145454545454545*m.x1896) - 1.86*(0.93*m.x1896*(1 - 0.000727272727272727*m.x1896))**2 -
1.49610402*m.x1896*m.x1896*(1 - 0.000727272727272727*m.x1896)*(1 - 0.00145454545454545*m.x1896
)*(1 - 0.00145454545454545*m.x1896))) + m.x424 <= 0)
m.c1806 = Constraint(expr=-0.007*m.x1622*m.x1205*(0.0775*m.x1897*(1 - 0.000727272727272727*m.x1897) + m.x1897 +
0.003003125*m.x1897*(1 - 0.000727272727272727*m.x1897)*(1 - 0.00145454545454545*m.x1897) +
6.0669191919192e-8*(1189.2375*m.x1897*(1 - 0.000727272727272727*m.x1897)*(1 -
0.00145454545454545*m.x1897) - 1.86*(0.93*m.x1897*(1 - 0.000727272727272727*m.x1897))**2 -
1.49610402*m.x1897*m.x1897*(1 - 0.000727272727272727*m.x1897)*(1 - 0.00145454545454545*m.x1897
)*(1 - 0.00145454545454545*m.x1897))) + m.x425 <= 0)
m.c1807 = Constraint(expr=-0.007*m.x1622*m.x1206*(0.0775*m.x1898*(1 - 0.000727272727272727*m.x1898) + m.x1898 +
0.003003125*m.x1898*(1 - 0.000727272727272727*m.x1898)*(1 - 0.00145454545454545*m.x1898) +
6.0669191919192e-8*(1189.2375*m.x1898*(1 - 0.000727272727272727*m.x1898)*(1 -
0.00145454545454545*m.x1898) - 1.86*(0.93*m.x1898*(1 - 0.000727272727272727*m.x1898))**2 -
1.49610402*m.x1898*m.x1898*(1 - 0.000727272727272727*m.x1898)*(1 - 0.00145454545454545*m.x1898
)*(1 - 0.00145454545454545*m.x1898))) + m.x426 <= 0)
m.c1808 = Constraint(expr=-0.007*m.x1622*m.x1207*(0.0775*m.x1899*(1 - 0.000727272727272727*m.x1899) + m.x1899 +
0.003003125*m.x1899*(1 - 0.000727272727272727*m.x1899)*(1 - 0.00145454545454545*m.x1899) +
6.0669191919192e-8*(1189.2375*m.x1899*(1 - 0.000727272727272727*m.x1899)*(1 -
0.00145454545454545*m.x1899) - 1.86*(0.93*m.x1899*(1 - 0.000727272727272727*m.x1899))**2 -
1.49610402*m.x1899*m.x1899*(1 - 0.000727272727272727*m.x1899)*(1 - 0.00145454545454545*m.x1899
)*(1 - 0.00145454545454545*m.x1899))) + m.x427 <= 0)
m.c1809 = Constraint(expr=-0.007*m.x1622*m.x1208*(0.0775*m.x1900*(1 - 0.000727272727272727*m.x1900) + m.x1900 +
0.003003125*m.x1900*(1 - 0.000727272727272727*m.x1900)*(1 - 0.00145454545454545*m.x1900) +
6.0669191919192e-8*(1189.2375*m.x1900*(1 - 0.000727272727272727*m.x1900)*(1 -
0.00145454545454545*m.x1900) - 1.86*(0.93*m.x1900*(1 - 0.000727272727272727*m.x1900))**2 -
1.49610402*m.x1900*m.x1900*(1 - 0.000727272727272727*m.x1900)*(1 - 0.00145454545454545*m.x1900
)*(1 - 0.00145454545454545*m.x1900))) + m.x428 <= 0)
m.c1810 = Constraint(expr=-0.007*m.x1622*m.x1209*(0.0775*m.x1901*(1 - 0.000727272727272727*m.x1901) + m.x1901 +
0.003003125*m.x1901*(1 - 0.000727272727272727*m.x1901)*(1 - 0.00145454545454545*m.x1901) +
6.0669191919192e-8*(1189.2375*m.x1901*(1 - 0.000727272727272727*m.x1901)*(1 -
0.00145454545454545*m.x1901) - 1.86*(0.93*m.x1901*(1 - 0.000727272727272727*m.x1901))**2 -
1.49610402*m.x1901*m.x1901*(1 - 0.000727272727272727*m.x1901)*(1 - 0.00145454545454545*m.x1901
)*(1 - 0.00145454545454545*m.x1901))) + m.x429 <= 0)
m.c1811 = Constraint(expr=-0.007*m.x1622*m.x1210*(0.0775*m.x1902*(1 - 0.000727272727272727*m.x1902) + m.x1902 +
0.003003125*m.x1902*(1 - 0.000727272727272727*m.x1902)*(1 - 0.00145454545454545*m.x1902) +
6.0669191919192e-8*(1189.2375*m.x1902*(1 - 0.000727272727272727*m.x1902)*(1 -
0.00145454545454545*m.x1902) - 1.86*(0.93*m.x1902*(1 - 0.000727272727272727*m.x1902))**2 -
1.49610402*m.x1902*m.x1902*(1 - 0.000727272727272727*m.x1902)*(1 - 0.00145454545454545*m.x1902
)*(1 - 0.00145454545454545*m.x1902))) + m.x430 <= 0)
m.c1812 = Constraint(expr=-0.007*m.x1622*m.x1211*(0.0775*m.x1903*(1 - 0.000727272727272727*m.x1903) + m.x1903 +
0.003003125*m.x1903*(1 - 0.000727272727272727*m.x1903)*(1 - 0.00145454545454545*m.x1903) +
6.0669191919192e-8*(1189.2375*m.x1903*(1 - 0.000727272727272727*m.x1903)*(1 -
0.00145454545454545*m.x1903) - 1.86*(0.93*m.x1903*(1 - 0.000727272727272727*m.x1903))**2 -
1.49610402*m.x1903*m.x1903*(1 - 0.000727272727272727*m.x1903)*(1 - 0.00145454545454545*m.x1903
)*(1 - 0.00145454545454545*m.x1903))) + m.x431 <= 0)
m.c1813 = Constraint(expr=-0.007*m.x1622*m.x1212*(0.0775*m.x1904*(1 - 0.000727272727272727*m.x1904) + m.x1904 +
0.003003125*m.x1904*(1 - 0.000727272727272727*m.x1904)*(1 - 0.00145454545454545*m.x1904) +
6.0669191919192e-8*(1189.2375*m.x1904*(1 - 0.000727272727272727*m.x1904)*(1 -
0.00145454545454545*m.x1904) - 1.86*(0.93*m.x1904*(1 - 0.000727272727272727*m.x1904))**2 -
1.49610402*m.x1904*m.x1904*(1 - 0.000727272727272727*m.x1904)*(1 - 0.00145454545454545*m.x1904
)*(1 - 0.00145454545454545*m.x1904))) + m.x432 <= 0)
m.c1814 = Constraint(expr=-0.007*m.x1623*m.x1213*(0.0775*m.x1905*(1 - 0.000727272727272727*m.x1905) + m.x1905 +
0.003003125*m.x1905*(1 - 0.000727272727272727*m.x1905)*(1 - 0.00145454545454545*m.x1905) +
6.0669191919192e-8*(1189.2375*m.x1905*(1 - 0.000727272727272727*m.x1905)*(1 -
0.00145454545454545*m.x1905) - 1.86*(0.93*m.x1905*(1 - 0.000727272727272727*m.x1905))**2 -
1.49610402*m.x1905*m.x1905*(1 - 0.000727272727272727*m.x1905)*(1 - 0.00145454545454545*m.x1905
)*(1 - 0.00145454545454545*m.x1905))) + m.x433 <= 0)
m.c1815 = Constraint(expr=-0.007*m.x1623*m.x1214*(0.0775*m.x1906*(1 - 0.000727272727272727*m.x1906) + m.x1906 +
0.003003125*m.x1906*(1 - 0.000727272727272727*m.x1906)*(1 - 0.00145454545454545*m.x1906) +
6.0669191919192e-8*(1189.2375*m.x1906*(1 - 0.000727272727272727*m.x1906)*(1 -
0.00145454545454545*m.x1906) - 1.86*(0.93*m.x1906*(1 - 0.000727272727272727*m.x1906))**2 -
1.49610402*m.x1906*m.x1906*(1 - 0.000727272727272727*m.x1906)*(1 - 0.00145454545454545*m.x1906
)*(1 - 0.00145454545454545*m.x1906))) + m.x434 <= 0)
m.c1816 = Constraint(expr=-0.007*m.x1623*m.x1215*(0.0775*m.x1907*(1 - 0.000727272727272727*m.x1907) + m.x1907 +
0.003003125*m.x1907*(1 - 0.000727272727272727*m.x1907)*(1 - 0.00145454545454545*m.x1907) +
6.0669191919192e-8*(1189.2375*m.x1907*(1 - 0.000727272727272727*m.x1907)*(1 -
0.00145454545454545*m.x1907) - 1.86*(0.93*m.x1907*(1 - 0.000727272727272727*m.x1907))**2 -
1.49610402*m.x1907*m.x1907*(1 - 0.000727272727272727*m.x1907)*(1 - 0.00145454545454545*m.x1907
)*(1 - 0.00145454545454545*m.x1907))) + m.x435 <= 0)
m.c1817 = Constraint(expr=-0.007*m.x1623*m.x1216*(0.0775*m.x1908*(1 - 0.000727272727272727*m.x1908) + m.x1908 +
0.003003125*m.x1908*(1 - 0.000727272727272727*m.x1908)*(1 - 0.00145454545454545*m.x1908) +
6.0669191919192e-8*(1189.2375*m.x1908*(1 - 0.000727272727272727*m.x1908)*(1 -
0.00145454545454545*m.x1908) - 1.86*(0.93*m.x1908*(1 - 0.000727272727272727*m.x1908))**2 -
1.49610402*m.x1908*m.x1908*(1 - 0.000727272727272727*m.x1908)*(1 - 0.00145454545454545*m.x1908
)*(1 - 0.00145454545454545*m.x1908))) + m.x436 <= 0)
m.c1818 = Constraint(expr=-0.007*m.x1623*m.x1217*(0.0775*m.x1909*(1 - 0.000727272727272727*m.x1909) + m.x1909 +
0.003003125*m.x1909*(1 - 0.000727272727272727*m.x1909)*(1 - 0.00145454545454545*m.x1909) +
6.0669191919192e-8*(1189.2375*m.x1909*(1 - 0.000727272727272727*m.x1909)*(1 -
0.00145454545454545*m.x1909) - 1.86*(0.93*m.x1909*(1 - 0.000727272727272727*m.x1909))**2 -
1.49610402*m.x1909*m.x1909*(1 - 0.000727272727272727*m.x1909)*(1 - 0.00145454545454545*m.x1909
)*(1 - 0.00145454545454545*m.x1909))) + m.x437 <= 0)
m.c1819 = Constraint(expr=-0.007*m.x1623*m.x1218*(0.0775*m.x1910*(1 - 0.000727272727272727*m.x1910) + m.x1910 +
0.003003125*m.x1910*(1 - 0.000727272727272727*m.x1910)*(1 - 0.00145454545454545*m.x1910) +
6.0669191919192e-8*(1189.2375*m.x1910*(1 - 0.000727272727272727*m.x1910)*(1 -
0.00145454545454545*m.x1910) - 1.86*(0.93*m.x1910*(1 - 0.000727272727272727*m.x1910))**2 -
1.49610402*m.x1910*m.x1910*(1 - 0.000727272727272727*m.x1910)*(1 - 0.00145454545454545*m.x1910
)*(1 - 0.00145454545454545*m.x1910))) + m.x438 <= 0)
m.c1820 = Constraint(expr=-0.007*m.x1623*m.x1219*(0.0775*m.x1911*(1 - 0.000727272727272727*m.x1911) + m.x1911 +
0.003003125*m.x1911*(1 - 0.000727272727272727*m.x1911)*(1 - 0.00145454545454545*m.x1911) +
6.0669191919192e-8*(1189.2375*m.x1911*(1 - 0.000727272727272727*m.x1911)*(1 -
0.00145454545454545*m.x1911) - 1.86*(0.93*m.x1911*(1 - 0.000727272727272727*m.x1911))**2 -
1.49610402*m.x1911*m.x1911*(1 - 0.000727272727272727*m.x1911)*(1 - 0.00145454545454545*m.x1911
)*(1 - 0.00145454545454545*m.x1911))) + m.x439 <= 0)
m.c1821 = Constraint(expr=-0.007*m.x1623*m.x1220*(0.0775*m.x1912*(1 - 0.000727272727272727*m.x1912) + m.x1912 +
0.003003125*m.x1912*(1 - 0.000727272727272727*m.x1912)*(1 - 0.00145454545454545*m.x1912) +
6.0669191919192e-8*(1189.2375*m.x1912*(1 - 0.000727272727272727*m.x1912)*(1 -
0.00145454545454545*m.x1912) - 1.86*(0.93*m.x1912*(1 - 0.000727272727272727*m.x1912))**2 -
1.49610402*m.x1912*m.x1912*(1 - 0.000727272727272727*m.x1912)*(1 - 0.00145454545454545*m.x1912
)*(1 - 0.00145454545454545*m.x1912))) + m.x440 <= 0)
m.c1822 = Constraint(expr=-0.007*m.x1623*m.x1221*(0.0775*m.x1913*(1 - 0.000727272727272727*m.x1913) + m.x1913 +
0.003003125*m.x1913*(1 - 0.000727272727272727*m.x1913)*(1 - 0.00145454545454545*m.x1913) +
6.0669191919192e-8*(1189.2375*m.x1913*(1 - 0.000727272727272727*m.x1913)*(1 -
0.00145454545454545*m.x1913) - 1.86*(0.93*m.x1913*(1 - 0.000727272727272727*m.x1913))**2 -
1.49610402*m.x1913*m.x1913*(1 - 0.000727272727272727*m.x1913)*(1 - 0.00145454545454545*m.x1913
)*(1 - 0.00145454545454545*m.x1913))) + m.x441 <= 0)
m.c1823 = Constraint(expr=-0.007*m.x1623*m.x1222*(0.0775*m.x1914*(1 - 0.000727272727272727*m.x1914) + m.x1914 +
0.003003125*m.x1914*(1 - 0.000727272727272727*m.x1914)*(1 - 0.00145454545454545*m.x1914) +
6.0669191919192e-8*(1189.2375*m.x1914*(1 - 0.000727272727272727*m.x1914)*(1 -
0.00145454545454545*m.x1914) - 1.86*(0.93*m.x1914*(1 - 0.000727272727272727*m.x1914))**2 -
1.49610402*m.x1914*m.x1914*(1 - 0.000727272727272727*m.x1914)*(1 - 0.00145454545454545*m.x1914
)*(1 - 0.00145454545454545*m.x1914))) + m.x442 <= 0)
m.c1824 = Constraint(expr=-0.007*m.x1623*m.x1223*(0.0775*m.x1915*(1 - 0.000727272727272727*m.x1915) + m.x1915 +
0.003003125*m.x1915*(1 - 0.000727272727272727*m.x1915)*(1 - 0.00145454545454545*m.x1915) +
6.0669191919192e-8*(1189.2375*m.x1915*(1 - 0.000727272727272727*m.x1915)*(1 -
0.00145454545454545*m.x1915) - 1.86*(0.93*m.x1915*(1 - 0.000727272727272727*m.x1915))**2 -
1.49610402*m.x1915*m.x1915*(1 - 0.000727272727272727*m.x1915)*(1 - 0.00145454545454545*m.x1915
)*(1 - 0.00145454545454545*m.x1915))) + m.x443 <= 0)
m.c1825 = Constraint(expr=-0.007*m.x1623*m.x1224*(0.0775*m.x1916*(1 - 0.000727272727272727*m.x1916) + m.x1916 +
0.003003125*m.x1916*(1 - 0.000727272727272727*m.x1916)*(1 - 0.00145454545454545*m.x1916) +
6.0669191919192e-8*(1189.2375*m.x1916*(1 - 0.000727272727272727*m.x1916)*(1 -
0.00145454545454545*m.x1916) - 1.86*(0.93*m.x1916*(1 - 0.000727272727272727*m.x1916))**2 -
1.49610402*m.x1916*m.x1916*(1 - 0.000727272727272727*m.x1916)*(1 - 0.00145454545454545*m.x1916
)*(1 - 0.00145454545454545*m.x1916))) + m.x444 <= 0)
m.c1826 = Constraint(expr=-0.007*m.x1624*m.x1225*(0.0775*m.x1917*(1 - 0.000727272727272727*m.x1917) + m.x1917 +
0.003003125*m.x1917*(1 - 0.000727272727272727*m.x1917)*(1 - 0.00145454545454545*m.x1917) +
6.0669191919192e-8*(1189.2375*m.x1917*(1 - 0.000727272727272727*m.x1917)*(1 -
0.00145454545454545*m.x1917) - 1.86*(0.93*m.x1917*(1 - 0.000727272727272727*m.x1917))**2 -
1.49610402*m.x1917*m.x1917*(1 - 0.000727272727272727*m.x1917)*(1 - 0.00145454545454545*m.x1917
)*(1 - 0.00145454545454545*m.x1917))) + m.x445 <= 0)
m.c1827 = Constraint(expr=-0.007*m.x1624*m.x1226*(0.0775*m.x1918*(1 - 0.000727272727272727*m.x1918) + m.x1918 +
0.003003125*m.x1918*(1 - 0.000727272727272727*m.x1918)*(1 - 0.00145454545454545*m.x1918) +
6.0669191919192e-8*(1189.2375*m.x1918*(1 - 0.000727272727272727*m.x1918)*(1 -
0.00145454545454545*m.x1918) - 1.86*(0.93*m.x1918*(1 - 0.000727272727272727*m.x1918))**2 -
1.49610402*m.x1918*m.x1918*(1 - 0.000727272727272727*m.x1918)*(1 - 0.00145454545454545*m.x1918
)*(1 - 0.00145454545454545*m.x1918))) + m.x446 <= 0)
m.c1828 = Constraint(expr=-0.007*m.x1624*m.x1227*(0.0775*m.x1919*(1 - 0.000727272727272727*m.x1919) + m.x1919 +
0.003003125*m.x1919*(1 - 0.000727272727272727*m.x1919)*(1 - 0.00145454545454545*m.x1919) +
6.0669191919192e-8*(1189.2375*m.x1919*(1 - 0.000727272727272727*m.x1919)*(1 -
0.00145454545454545*m.x1919) - 1.86*(0.93*m.x1919*(1 - 0.000727272727272727*m.x1919))**2 -
1.49610402*m.x1919*m.x1919*(1 - 0.000727272727272727*m.x1919)*(1 - 0.00145454545454545*m.x1919
)*(1 - 0.00145454545454545*m.x1919))) + m.x447 <= 0)
m.c1829 = Constraint(expr=-0.007*m.x1624*m.x1228*(0.0775*m.x1920*(1 - 0.000727272727272727*m.x1920) + m.x1920 +
0.003003125*m.x1920*(1 - 0.000727272727272727*m.x1920)*(1 - 0.00145454545454545*m.x1920) +
6.0669191919192e-8*(1189.2375*m.x1920*(1 - 0.000727272727272727*m.x1920)*(1 -
0.00145454545454545*m.x1920) - 1.86*(0.93*m.x1920*(1 - 0.000727272727272727*m.x1920))**2 -
1.49610402*m.x1920*m.x1920*(1 - 0.000727272727272727*m.x1920)*(1 - 0.00145454545454545*m.x1920
)*(1 - 0.00145454545454545*m.x1920))) + m.x448 <= 0)
m.c1830 = Constraint(expr=-0.007*m.x1624*m.x1229*(0.0775*m.x1921*(1 - 0.000727272727272727*m.x1921) + m.x1921 +
0.003003125*m.x1921*(1 - 0.000727272727272727*m.x1921)*(1 - 0.00145454545454545*m.x1921) +
6.0669191919192e-8*(1189.2375*m.x1921*(1 - 0.000727272727272727*m.x1921)*(1 -
0.00145454545454545*m.x1921) - 1.86*(0.93*m.x1921*(1 - 0.000727272727272727*m.x1921))**2 -
1.49610402*m.x1921*m.x1921*(1 - 0.000727272727272727*m.x1921)*(1 - 0.00145454545454545*m.x1921
)*(1 - 0.00145454545454545*m.x1921))) + m.x449 <= 0)
m.c1831 = Constraint(expr=-0.007*m.x1624*m.x1230*(0.0775*m.x1922*(1 - 0.000727272727272727*m.x1922) + m.x1922 +
0.003003125*m.x1922*(1 - 0.000727272727272727*m.x1922)*(1 - 0.00145454545454545*m.x1922) +
6.0669191919192e-8*(1189.2375*m.x1922*(1 - 0.000727272727272727*m.x1922)*(1 -
0.00145454545454545*m.x1922) - 1.86*(0.93*m.x1922*(1 - 0.000727272727272727*m.x1922))**2 -
1.49610402*m.x1922*m.x1922*(1 - 0.000727272727272727*m.x1922)*(1 - 0.00145454545454545*m.x1922
)*(1 - 0.00145454545454545*m.x1922))) + m.x450 <= 0)
m.c1832 = Constraint(expr=-0.007*m.x1624*m.x1231*(0.0775*m.x1923*(1 - 0.000727272727272727*m.x1923) + m.x1923 +
0.003003125*m.x1923*(1 - 0.000727272727272727*m.x1923)*(1 - 0.00145454545454545*m.x1923) +
6.0669191919192e-8*(1189.2375*m.x1923*(1 - 0.000727272727272727*m.x1923)*(1 -
0.00145454545454545*m.x1923) - 1.86*(0.93*m.x1923*(1 - 0.000727272727272727*m.x1923))**2 -
1.49610402*m.x1923*m.x1923*(1 - 0.000727272727272727*m.x1923)*(1 - 0.00145454545454545*m.x1923
)*(1 - 0.00145454545454545*m.x1923))) + m.x451 <= 0)
m.c1833 = Constraint(expr=-0.007*m.x1624*m.x1232*(0.0775*m.x1924*(1 - 0.000727272727272727*m.x1924) + m.x1924 +
0.003003125*m.x1924*(1 - 0.000727272727272727*m.x1924)*(1 - 0.00145454545454545*m.x1924) +
6.0669191919192e-8*(1189.2375*m.x1924*(1 - 0.000727272727272727*m.x1924)*(1 -
0.00145454545454545*m.x1924) - 1.86*(0.93*m.x1924*(1 - 0.000727272727272727*m.x1924))**2 -
1.49610402*m.x1924*m.x1924*(1 - 0.000727272727272727*m.x1924)*(1 - 0.00145454545454545*m.x1924
)*(1 - 0.00145454545454545*m.x1924))) + m.x452 <= 0)
m.c1834 = Constraint(expr=-0.007*m.x1624*m.x1233*(0.0775*m.x1925*(1 - 0.000727272727272727*m.x1925) + m.x1925 +
0.003003125*m.x1925*(1 - 0.000727272727272727*m.x1925)*(1 - 0.00145454545454545*m.x1925) +
6.0669191919192e-8*(1189.2375*m.x1925*(1 - 0.000727272727272727*m.x1925)*(1 -
0.00145454545454545*m.x1925) - 1.86*(0.93*m.x1925*(1 - 0.000727272727272727*m.x1925))**2 -
1.49610402*m.x1925*m.x1925*(1 - 0.000727272727272727*m.x1925)*(1 - 0.00145454545454545*m.x1925
)*(1 - 0.00145454545454545*m.x1925))) + m.x453 <= 0)
m.c1835 = Constraint(expr=-0.007*m.x1624*m.x1234*(0.0775*m.x1926*(1 - 0.000727272727272727*m.x1926) + m.x1926 +
0.003003125*m.x1926*(1 - 0.000727272727272727*m.x1926)*(1 - 0.00145454545454545*m.x1926) +
6.0669191919192e-8*(1189.2375*m.x1926*(1 - 0.000727272727272727*m.x1926)*(1 -
0.00145454545454545*m.x1926) - 1.86*(0.93*m.x1926*(1 - 0.000727272727272727*m.x1926))**2 -
1.49610402*m.x1926*m.x1926*(1 - 0.000727272727272727*m.x1926)*(1 - 0.00145454545454545*m.x1926
)*(1 - 0.00145454545454545*m.x1926))) + m.x454 <= 0)
m.c1836 = Constraint(expr=-0.007*m.x1624*m.x1235*(0.0775*m.x1927*(1 - 0.000727272727272727*m.x1927) + m.x1927 +
0.003003125*m.x1927*(1 - 0.000727272727272727*m.x1927)*(1 - 0.00145454545454545*m.x1927) +
6.0669191919192e-8*(1189.2375*m.x1927*(1 - 0.000727272727272727*m.x1927)*(1 -
0.00145454545454545*m.x1927) - 1.86*(0.93*m.x1927*(1 - 0.000727272727272727*m.x1927))**2 -
1.49610402*m.x1927*m.x1927*(1 - 0.000727272727272727*m.x1927)*(1 - 0.00145454545454545*m.x1927
)*(1 - 0.00145454545454545*m.x1927))) + m.x455 <= 0)
m.c1837 = Constraint(expr=-0.007*m.x1624*m.x1236*(0.0775*m.x1928*(1 - 0.000727272727272727*m.x1928) + m.x1928 +
0.003003125*m.x1928*(1 - 0.000727272727272727*m.x1928)*(1 - 0.00145454545454545*m.x1928) +
6.0669191919192e-8*(1189.2375*m.x1928*(1 - 0.000727272727272727*m.x1928)*(1 -
0.00145454545454545*m.x1928) - 1.86*(0.93*m.x1928*(1 - 0.000727272727272727*m.x1928))**2 -
1.49610402*m.x1928*m.x1928*(1 - 0.000727272727272727*m.x1928)*(1 - 0.00145454545454545*m.x1928
)*(1 - 0.00145454545454545*m.x1928))) + m.x456 <= 0)
m.c1838 = Constraint(expr=-0.007*m.x1625*m.x1237*(0.0775*m.x1929*(1 - 0.000727272727272727*m.x1929) + m.x1929 +
0.003003125*m.x1929*(1 - 0.000727272727272727*m.x1929)*(1 - 0.00145454545454545*m.x1929) +
6.0669191919192e-8*(1189.2375*m.x1929*(1 - 0.000727272727272727*m.x1929)*(1 -
0.00145454545454545*m.x1929) - 1.86*(0.93*m.x1929*(1 - 0.000727272727272727*m.x1929))**2 -
1.49610402*m.x1929*m.x1929*(1 - 0.000727272727272727*m.x1929)*(1 - 0.00145454545454545*m.x1929
)*(1 - 0.00145454545454545*m.x1929))) + m.x457 <= 0)
m.c1839 = Constraint(expr=-0.007*m.x1625*m.x1238*(0.0775*m.x1930*(1 - 0.000727272727272727*m.x1930) + m.x1930 +
0.003003125*m.x1930*(1 - 0.000727272727272727*m.x1930)*(1 - 0.00145454545454545*m.x1930) +
6.0669191919192e-8*(1189.2375*m.x1930*(1 - 0.000727272727272727*m.x1930)*(1 -
0.00145454545454545*m.x1930) - 1.86*(0.93*m.x1930*(1 - 0.000727272727272727*m.x1930))**2 -
1.49610402*m.x1930*m.x1930*(1 - 0.000727272727272727*m.x1930)*(1 - 0.00145454545454545*m.x1930
)*(1 - 0.00145454545454545*m.x1930))) + m.x458 <= 0)
m.c1840 = Constraint(expr=-0.007*m.x1625*m.x1239*(0.0775*m.x1931*(1 - 0.000727272727272727*m.x1931) + m.x1931 +
0.003003125*m.x1931*(1 - 0.000727272727272727*m.x1931)*(1 - 0.00145454545454545*m.x1931) +
6.0669191919192e-8*(1189.2375*m.x1931*(1 - 0.000727272727272727*m.x1931)*(1 -
0.00145454545454545*m.x1931) - 1.86*(0.93*m.x1931*(1 - 0.000727272727272727*m.x1931))**2 -
1.49610402*m.x1931*m.x1931*(1 - 0.000727272727272727*m.x1931)*(1 - 0.00145454545454545*m.x1931
)*(1 - 0.00145454545454545*m.x1931))) + m.x459 <= 0)
m.c1841 = Constraint(expr=-0.007*m.x1625*m.x1240*(0.0775*m.x1932*(1 - 0.000727272727272727*m.x1932) + m.x1932 +
0.003003125*m.x1932*(1 - 0.000727272727272727*m.x1932)*(1 - 0.00145454545454545*m.x1932) +
6.0669191919192e-8*(1189.2375*m.x1932*(1 - 0.000727272727272727*m.x1932)*(1 -
0.00145454545454545*m.x1932) - 1.86*(0.93*m.x1932*(1 - 0.000727272727272727*m.x1932))**2 -
1.49610402*m.x1932*m.x1932*(1 - 0.000727272727272727*m.x1932)*(1 - 0.00145454545454545*m.x1932
)*(1 - 0.00145454545454545*m.x1932))) + m.x460 <= 0)
m.c1842 = Constraint(expr=-0.007*m.x1625*m.x1241*(0.0775*m.x1933*(1 - 0.000727272727272727*m.x1933) + m.x1933 +
0.003003125*m.x1933*(1 - 0.000727272727272727*m.x1933)*(1 - 0.00145454545454545*m.x1933) +
6.0669191919192e-8*(1189.2375*m.x1933*(1 - 0.000727272727272727*m.x1933)*(1 -
0.00145454545454545*m.x1933) - 1.86*(0.93*m.x1933*(1 - 0.000727272727272727*m.x1933))**2 -
1.49610402*m.x1933*m.x1933*(1 - 0.000727272727272727*m.x1933)*(1 - 0.00145454545454545*m.x1933
)*(1 - 0.00145454545454545*m.x1933))) + m.x461 <= 0)
m.c1843 = Constraint(expr=-0.007*m.x1625*m.x1242*(0.0775*m.x1934*(1 - 0.000727272727272727*m.x1934) + m.x1934 +
0.003003125*m.x1934*(1 - 0.000727272727272727*m.x1934)*(1 - 0.00145454545454545*m.x1934) +
6.0669191919192e-8*(1189.2375*m.x1934*(1 - 0.000727272727272727*m.x1934)*(1 -
0.00145454545454545*m.x1934) - 1.86*(0.93*m.x1934*(1 - 0.000727272727272727*m.x1934))**2 -
1.49610402*m.x1934*m.x1934*(1 - 0.000727272727272727*m.x1934)*(1 - 0.00145454545454545*m.x1934
)*(1 - 0.00145454545454545*m.x1934))) + m.x462 <= 0)
m.c1844 = Constraint(expr=-0.007*m.x1625*m.x1243*(0.0775*m.x1935*(1 - 0.000727272727272727*m.x1935) + m.x1935 +
0.003003125*m.x1935*(1 - 0.000727272727272727*m.x1935)*(1 - 0.00145454545454545*m.x1935) +
6.0669191919192e-8*(1189.2375*m.x1935*(1 - 0.000727272727272727*m.x1935)*(1 -
0.00145454545454545*m.x1935) - 1.86*(0.93*m.x1935*(1 - 0.000727272727272727*m.x1935))**2 -
1.49610402*m.x1935*m.x1935*(1 - 0.000727272727272727*m.x1935)*(1 - 0.00145454545454545*m.x1935
)*(1 - 0.00145454545454545*m.x1935))) + m.x463 <= 0)
m.c1845 = Constraint(expr=-0.007*m.x1625*m.x1244*(0.0775*m.x1936*(1 - 0.000727272727272727*m.x1936) + m.x1936 +
0.003003125*m.x1936*(1 - 0.000727272727272727*m.x1936)*(1 - 0.00145454545454545*m.x1936) +
6.0669191919192e-8*(1189.2375*m.x1936*(1 - 0.000727272727272727*m.x1936)*(1 -
0.00145454545454545*m.x1936) - 1.86*(0.93*m.x1936*(1 - 0.000727272727272727*m.x1936))**2 -
1.49610402*m.x1936*m.x1936*(1 - 0.000727272727272727*m.x1936)*(1 - 0.00145454545454545*m.x1936
)*(1 - 0.00145454545454545*m.x1936))) + m.x464 <= 0)
m.c1846 = Constraint(expr=-0.007*m.x1625*m.x1245*(0.0775*m.x1937*(1 - 0.000727272727272727*m.x1937) + m.x1937 +
0.003003125*m.x1937*(1 - 0.000727272727272727*m.x1937)*(1 - 0.00145454545454545*m.x1937) +
6.0669191919192e-8*(1189.2375*m.x1937*(1 - 0.000727272727272727*m.x1937)*(1 -
0.00145454545454545*m.x1937) - 1.86*(0.93*m.x1937*(1 - 0.000727272727272727*m.x1937))**2 -
1.49610402*m.x1937*m.x1937*(1 - 0.000727272727272727*m.x1937)*(1 - 0.00145454545454545*m.x1937
)*(1 - 0.00145454545454545*m.x1937))) + m.x465 <= 0)
m.c1847 = Constraint(expr=-0.007*m.x1625*m.x1246*(0.0775*m.x1938*(1 - 0.000727272727272727*m.x1938) + m.x1938 +
0.003003125*m.x1938*(1 - 0.000727272727272727*m.x1938)*(1 - 0.00145454545454545*m.x1938) +
6.0669191919192e-8*(1189.2375*m.x1938*(1 - 0.000727272727272727*m.x1938)*(1 -
0.00145454545454545*m.x1938) - 1.86*(0.93*m.x1938*(1 - 0.000727272727272727*m.x1938))**2 -
1.49610402*m.x1938*m.x1938*(1 - 0.000727272727272727*m.x1938)*(1 - 0.00145454545454545*m.x1938
)*(1 - 0.00145454545454545*m.x1938))) + m.x466 <= 0)
m.c1848 = Constraint(expr=-0.007*m.x1625*m.x1247*(0.0775*m.x1939*(1 - 0.000727272727272727*m.x1939) + m.x1939 +
0.003003125*m.x1939*(1 - 0.000727272727272727*m.x1939)*(1 - 0.00145454545454545*m.x1939) +
6.0669191919192e-8*(1189.2375*m.x1939*(1 - 0.000727272727272727*m.x1939)*(1 -
0.00145454545454545*m.x1939) - 1.86*(0.93*m.x1939*(1 - 0.000727272727272727*m.x1939))**2 -
1.49610402*m.x1939*m.x1939*(1 - 0.000727272727272727*m.x1939)*(1 - 0.00145454545454545*m.x1939
)*(1 - 0.00145454545454545*m.x1939))) + m.x467 <= 0)
m.c1849 = Constraint(expr=-0.007*m.x1625*m.x1248*(0.0775*m.x1940*(1 - 0.000727272727272727*m.x1940) + m.x1940 +
0.003003125*m.x1940*(1 - 0.000727272727272727*m.x1940)*(1 - 0.00145454545454545*m.x1940) +
6.0669191919192e-8*(1189.2375*m.x1940*(1 - 0.000727272727272727*m.x1940)*(1 -
0.00145454545454545*m.x1940) - 1.86*(0.93*m.x1940*(1 - 0.000727272727272727*m.x1940))**2 -
1.49610402*m.x1940*m.x1940*(1 - 0.000727272727272727*m.x1940)*(1 - 0.00145454545454545*m.x1940
)*(1 - 0.00145454545454545*m.x1940))) + m.x468 <= 0)
m.c1850 = Constraint(expr=-0.007*m.x1626*m.x1249*(0.0775*m.x1941*(1 - 0.000727272727272727*m.x1941) + m.x1941 +
0.003003125*m.x1941*(1 - 0.000727272727272727*m.x1941)*(1 - 0.00145454545454545*m.x1941) +
6.0669191919192e-8*(1189.2375*m.x1941*(1 - 0.000727272727272727*m.x1941)*(1 -
0.00145454545454545*m.x1941) - 1.86*(0.93*m.x1941*(1 - 0.000727272727272727*m.x1941))**2 -
1.49610402*m.x1941*m.x1941*(1 - 0.000727272727272727*m.x1941)*(1 - 0.00145454545454545*m.x1941
)*(1 - 0.00145454545454545*m.x1941))) + m.x469 <= 0)
m.c1851 = Constraint(expr=-0.007*m.x1626*m.x1250*(0.0775*m.x1942*(1 - 0.000727272727272727*m.x1942) + m.x1942 +
0.003003125*m.x1942*(1 - 0.000727272727272727*m.x1942)*(1 - 0.00145454545454545*m.x1942) +
6.0669191919192e-8*(1189.2375*m.x1942*(1 - 0.000727272727272727*m.x1942)*(1 -
0.00145454545454545*m.x1942) - 1.86*(0.93*m.x1942*(1 - 0.000727272727272727*m.x1942))**2 -
1.49610402*m.x1942*m.x1942*(1 - 0.000727272727272727*m.x1942)*(1 - 0.00145454545454545*m.x1942
)*(1 - 0.00145454545454545*m.x1942))) + m.x470 <= 0)
m.c1852 = Constraint(expr=-0.007*m.x1626*m.x1251*(0.0775*m.x1943*(1 - 0.000727272727272727*m.x1943) + m.x1943 +
0.003003125*m.x1943*(1 - 0.000727272727272727*m.x1943)*(1 - 0.00145454545454545*m.x1943) +
6.0669191919192e-8*(1189.2375*m.x1943*(1 - 0.000727272727272727*m.x1943)*(1 -
0.00145454545454545*m.x1943) - 1.86*(0.93*m.x1943*(1 - 0.000727272727272727*m.x1943))**2 -
1.49610402*m.x1943*m.x1943*(1 - 0.000727272727272727*m.x1943)*(1 - 0.00145454545454545*m.x1943
)*(1 - 0.00145454545454545*m.x1943))) + m.x471 <= 0)
m.c1853 = Constraint(expr=-0.007*m.x1626*m.x1252*(0.0775*m.x1944*(1 - 0.000727272727272727*m.x1944) + m.x1944 +
0.003003125*m.x1944*(1 - 0.000727272727272727*m.x1944)*(1 - 0.00145454545454545*m.x1944) +
6.0669191919192e-8*(1189.2375*m.x1944*(1 - 0.000727272727272727*m.x1944)*(1 -
0.00145454545454545*m.x1944) - 1.86*(0.93*m.x1944*(1 - 0.000727272727272727*m.x1944))**2 -
1.49610402*m.x1944*m.x1944*(1 - 0.000727272727272727*m.x1944)*(1 - 0.00145454545454545*m.x1944
)*(1 - 0.00145454545454545*m.x1944))) + m.x472 <= 0)
m.c1854 = Constraint(expr=-0.007*m.x1626*m.x1253*(0.0775*m.x1945*(1 - 0.000727272727272727*m.x1945) + m.x1945 +
0.003003125*m.x1945*(1 - 0.000727272727272727*m.x1945)*(1 - 0.00145454545454545*m.x1945) +
6.0669191919192e-8*(1189.2375*m.x1945*(1 - 0.000727272727272727*m.x1945)*(1 -
0.00145454545454545*m.x1945) - 1.86*(0.93*m.x1945*(1 - 0.000727272727272727*m.x1945))**2 -
1.49610402*m.x1945*m.x1945*(1 - 0.000727272727272727*m.x1945)*(1 - 0.00145454545454545*m.x1945
)*(1 - 0.00145454545454545*m.x1945))) + m.x473 <= 0)
m.c1855 = Constraint(expr=-0.007*m.x1626*m.x1254*(0.0775*m.x1946*(1 - 0.000727272727272727*m.x1946) + m.x1946 +
0.003003125*m.x1946*(1 - 0.000727272727272727*m.x1946)*(1 - 0.00145454545454545*m.x1946) +
6.0669191919192e-8*(1189.2375*m.x1946*(1 - 0.000727272727272727*m.x1946)*(1 -
0.00145454545454545*m.x1946) - 1.86*(0.93*m.x1946*(1 - 0.000727272727272727*m.x1946))**2 -
1.49610402*m.x1946*m.x1946*(1 - 0.000727272727272727*m.x1946)*(1 - 0.00145454545454545*m.x1946
)*(1 - 0.00145454545454545*m.x1946))) + m.x474 <= 0)
m.c1856 = Constraint(expr=-0.007*m.x1626*m.x1255*(0.0775*m.x1947*(1 - 0.000727272727272727*m.x1947) + m.x1947 +
0.003003125*m.x1947*(1 - 0.000727272727272727*m.x1947)*(1 - 0.00145454545454545*m.x1947) +
6.0669191919192e-8*(1189.2375*m.x1947*(1 - 0.000727272727272727*m.x1947)*(1 -
0.00145454545454545*m.x1947) - 1.86*(0.93*m.x1947*(1 - 0.000727272727272727*m.x1947))**2 -
1.49610402*m.x1947*m.x1947*(1 - 0.000727272727272727*m.x1947)*(1 - 0.00145454545454545*m.x1947
)*(1 - 0.00145454545454545*m.x1947))) + m.x475 <= 0)
m.c1857 = Constraint(expr=-0.007*m.x1626*m.x1256*(0.0775*m.x1948*(1 - 0.000727272727272727*m.x1948) + m.x1948 +
0.003003125*m.x1948*(1 - 0.000727272727272727*m.x1948)*(1 - 0.00145454545454545*m.x1948) +
6.0669191919192e-8*(1189.2375*m.x1948*(1 - 0.000727272727272727*m.x1948)*(1 -
0.00145454545454545*m.x1948) - 1.86*(0.93*m.x1948*(1 - 0.000727272727272727*m.x1948))**2 -
1.49610402*m.x1948*m.x1948*(1 - 0.000727272727272727*m.x1948)*(1 - 0.00145454545454545*m.x1948
)*(1 - 0.00145454545454545*m.x1948))) + m.x476 <= 0)
m.c1858 = Constraint(expr=-0.007*m.x1626*m.x1257*(0.0775*m.x1949*(1 - 0.000727272727272727*m.x1949) + m.x1949 +
0.003003125*m.x1949*(1 - 0.000727272727272727*m.x1949)*(1 - 0.00145454545454545*m.x1949) +
6.0669191919192e-8*(1189.2375*m.x1949*(1 - 0.000727272727272727*m.x1949)*(1 -
0.00145454545454545*m.x1949) - 1.86*(0.93*m.x1949*(1 - 0.000727272727272727*m.x1949))**2 -
1.49610402*m.x1949*m.x1949*(1 - 0.000727272727272727*m.x1949)*(1 - 0.00145454545454545*m.x1949
)*(1 - 0.00145454545454545*m.x1949))) + m.x477 <= 0)
m.c1859 = Constraint(expr=-0.007*m.x1626*m.x1258*(0.0775*m.x1950*(1 - 0.000727272727272727*m.x1950) + m.x1950 +
0.003003125*m.x1950*(1 - 0.000727272727272727*m.x1950)*(1 - 0.00145454545454545*m.x1950) +
6.0669191919192e-8*(1189.2375*m.x1950*(1 - 0.000727272727272727*m.x1950)*(1 -
0.00145454545454545*m.x1950) - 1.86*(0.93*m.x1950*(1 - 0.000727272727272727*m.x1950))**2 -
1.49610402*m.x1950*m.x1950*(1 - 0.000727272727272727*m.x1950)*(1 - 0.00145454545454545*m.x1950
)*(1 - 0.00145454545454545*m.x1950))) + m.x478 <= 0)
m.c1860 = Constraint(expr=-0.007*m.x1626*m.x1259*(0.0775*m.x1951*(1 - 0.000727272727272727*m.x1951) + m.x1951 +
0.003003125*m.x1951*(1 - 0.000727272727272727*m.x1951)*(1 - 0.00145454545454545*m.x1951) +
6.0669191919192e-8*(1189.2375*m.x1951*(1 - 0.000727272727272727*m.x1951)*(1 -
0.00145454545454545*m.x1951) - 1.86*(0.93*m.x1951*(1 - 0.000727272727272727*m.x1951))**2 -
1.49610402*m.x1951*m.x1951*(1 - 0.000727272727272727*m.x1951)*(1 - 0.00145454545454545*m.x1951
)*(1 - 0.00145454545454545*m.x1951))) + m.x479 <= 0)
m.c1861 = Constraint(expr=-0.007*m.x1626*m.x1260*(0.0775*m.x1952*(1 - 0.000727272727272727*m.x1952) + m.x1952 +
0.003003125*m.x1952*(1 - 0.000727272727272727*m.x1952)*(1 - 0.00145454545454545*m.x1952) +
6.0669191919192e-8*(1189.2375*m.x1952*(1 - 0.000727272727272727*m.x1952)*(1 -
0.00145454545454545*m.x1952) - 1.86*(0.93*m.x1952*(1 - 0.000727272727272727*m.x1952))**2 -
1.49610402*m.x1952*m.x1952*(1 - 0.000727272727272727*m.x1952)*(1 - 0.00145454545454545*m.x1952
)*(1 - 0.00145454545454545*m.x1952))) + m.x480 <= 0)
m.c1862 = Constraint(expr=-0.007*m.x1627*m.x1261*(0.0775*m.x1953*(1 - 0.000727272727272727*m.x1953) + m.x1953 +
0.003003125*m.x1953*(1 - 0.000727272727272727*m.x1953)*(1 - 0.00145454545454545*m.x1953) +
6.0669191919192e-8*(1189.2375*m.x1953*(1 - 0.000727272727272727*m.x1953)*(1 -
0.00145454545454545*m.x1953) - 1.86*(0.93*m.x1953*(1 - 0.000727272727272727*m.x1953))**2 -
1.49610402*m.x1953*m.x1953*(1 - 0.000727272727272727*m.x1953)*(1 - 0.00145454545454545*m.x1953
)*(1 - 0.00145454545454545*m.x1953))) + m.x481 <= 0)
m.c1863 = Constraint(expr=-0.007*m.x1627*m.x1262*(0.0775*m.x1954*(1 - 0.000727272727272727*m.x1954) + m.x1954 +
0.003003125*m.x1954*(1 - 0.000727272727272727*m.x1954)*(1 - 0.00145454545454545*m.x1954) +
6.0669191919192e-8*(1189.2375*m.x1954*(1 - 0.000727272727272727*m.x1954)*(1 -
0.00145454545454545*m.x1954) - 1.86*(0.93*m.x1954*(1 - 0.000727272727272727*m.x1954))**2 -
1.49610402*m.x1954*m.x1954*(1 - 0.000727272727272727*m.x1954)*(1 - 0.00145454545454545*m.x1954
)*(1 - 0.00145454545454545*m.x1954))) + m.x482 <= 0)
m.c1864 = Constraint(expr=-0.007*m.x1627*m.x1263*(0.0775*m.x1955*(1 - 0.000727272727272727*m.x1955) + m.x1955 +
0.003003125*m.x1955*(1 - 0.000727272727272727*m.x1955)*(1 - 0.00145454545454545*m.x1955) +
6.0669191919192e-8*(1189.2375*m.x1955*(1 - 0.000727272727272727*m.x1955)*(1 -
0.00145454545454545*m.x1955) - 1.86*(0.93*m.x1955*(1 - 0.000727272727272727*m.x1955))**2 -
1.49610402*m.x1955*m.x1955*(1 - 0.000727272727272727*m.x1955)*(1 - 0.00145454545454545*m.x1955
)*(1 - 0.00145454545454545*m.x1955))) + m.x483 <= 0)
m.c1865 = Constraint(expr=-0.007*m.x1627*m.x1264*(0.0775*m.x1956*(1 - 0.000727272727272727*m.x1956) + m.x1956 +
0.003003125*m.x1956*(1 - 0.000727272727272727*m.x1956)*(1 - 0.00145454545454545*m.x1956) +
6.0669191919192e-8*(1189.2375*m.x1956*(1 - 0.000727272727272727*m.x1956)*(1 -
0.00145454545454545*m.x1956) - 1.86*(0.93*m.x1956*(1 - 0.000727272727272727*m.x1956))**2 -
1.49610402*m.x1956*m.x1956*(1 - 0.000727272727272727*m.x1956)*(1 - 0.00145454545454545*m.x1956
)*(1 - 0.00145454545454545*m.x1956))) + m.x484 <= 0)
m.c1866 = Constraint(expr=-0.007*m.x1627*m.x1265*(0.0775*m.x1957*(1 - 0.000727272727272727*m.x1957) + m.x1957 +
0.003003125*m.x1957*(1 - 0.000727272727272727*m.x1957)*(1 - 0.00145454545454545*m.x1957) +
6.0669191919192e-8*(1189.2375*m.x1957*(1 - 0.000727272727272727*m.x1957)*(1 -
0.00145454545454545*m.x1957) - 1.86*(0.93*m.x1957*(1 - 0.000727272727272727*m.x1957))**2 -
1.49610402*m.x1957*m.x1957*(1 - 0.000727272727272727*m.x1957)*(1 - 0.00145454545454545*m.x1957
)*(1 - 0.00145454545454545*m.x1957))) + m.x485 <= 0)
m.c1867 = Constraint(expr=-0.007*m.x1627*m.x1266*(0.0775*m.x1958*(1 - 0.000727272727272727*m.x1958) + m.x1958 +
0.003003125*m.x1958*(1 - 0.000727272727272727*m.x1958)*(1 - 0.00145454545454545*m.x1958) +
6.0669191919192e-8*(1189.2375*m.x1958*(1 - 0.000727272727272727*m.x1958)*(1 -
0.00145454545454545*m.x1958) - 1.86*(0.93*m.x1958*(1 - 0.000727272727272727*m.x1958))**2 -
1.49610402*m.x1958*m.x1958*(1 - 0.000727272727272727*m.x1958)*(1 - 0.00145454545454545*m.x1958
)*(1 - 0.00145454545454545*m.x1958))) + m.x486 <= 0)
m.c1868 = Constraint(expr=-0.007*m.x1627*m.x1267*(0.0775*m.x1959*(1 - 0.000727272727272727*m.x1959) + m.x1959 +
0.003003125*m.x1959*(1 - 0.000727272727272727*m.x1959)*(1 - 0.00145454545454545*m.x1959) +
6.0669191919192e-8*(1189.2375*m.x1959*(1 - 0.000727272727272727*m.x1959)*(1 -
0.00145454545454545*m.x1959) - 1.86*(0.93*m.x1959*(1 - 0.000727272727272727*m.x1959))**2 -
1.49610402*m.x1959*m.x1959*(1 - 0.000727272727272727*m.x1959)*(1 - 0.00145454545454545*m.x1959
)*(1 - 0.00145454545454545*m.x1959))) + m.x487 <= 0)
m.c1869 = Constraint(expr=-0.007*m.x1627*m.x1268*(0.0775*m.x1960*(1 - 0.000727272727272727*m.x1960) + m.x1960 +
0.003003125*m.x1960*(1 - 0.000727272727272727*m.x1960)*(1 - 0.00145454545454545*m.x1960) +
6.0669191919192e-8*(1189.2375*m.x1960*(1 - 0.000727272727272727*m.x1960)*(1 -
0.00145454545454545*m.x1960) - 1.86*(0.93*m.x1960*(1 - 0.000727272727272727*m.x1960))**2 -
1.49610402*m.x1960*m.x1960*(1 - 0.000727272727272727*m.x1960)*(1 - 0.00145454545454545*m.x1960
)*(1 - 0.00145454545454545*m.x1960))) + m.x488 <= 0)
m.c1870 = Constraint(expr=-0.007*m.x1627*m.x1269*(0.0775*m.x1961*(1 - 0.000727272727272727*m.x1961) + m.x1961 +
0.003003125*m.x1961*(1 - 0.000727272727272727*m.x1961)*(1 - 0.00145454545454545*m.x1961) +
6.0669191919192e-8*(1189.2375*m.x1961*(1 - 0.000727272727272727*m.x1961)*(1 -
0.00145454545454545*m.x1961) - 1.86*(0.93*m.x1961*(1 - 0.000727272727272727*m.x1961))**2 -
1.49610402*m.x1961*m.x1961*(1 - 0.000727272727272727*m.x1961)*(1 - 0.00145454545454545*m.x1961
)*(1 - 0.00145454545454545*m.x1961))) + m.x489 <= 0)
m.c1871 = Constraint(expr=-0.007*m.x1627*m.x1270*(0.0775*m.x1962*(1 - 0.000727272727272727*m.x1962) + m.x1962 +
0.003003125*m.x1962*(1 - 0.000727272727272727*m.x1962)*(1 - 0.00145454545454545*m.x1962) +
6.0669191919192e-8*(1189.2375*m.x1962*(1 - 0.000727272727272727*m.x1962)*(1 -
0.00145454545454545*m.x1962) - 1.86*(0.93*m.x1962*(1 - 0.000727272727272727*m.x1962))**2 -
1.49610402*m.x1962*m.x1962*(1 - 0.000727272727272727*m.x1962)*(1 - 0.00145454545454545*m.x1962
)*(1 - 0.00145454545454545*m.x1962))) + m.x490 <= 0)
m.c1872 = Constraint(expr=-0.007*m.x1627*m.x1271*(0.0775*m.x1963*(1 - 0.000727272727272727*m.x1963) + m.x1963 +
0.003003125*m.x1963*(1 - 0.000727272727272727*m.x1963)*(1 - 0.00145454545454545*m.x1963) +
6.0669191919192e-8*(1189.2375*m.x1963*(1 - 0.000727272727272727*m.x1963)*(1 -
0.00145454545454545*m.x1963) - 1.86*(0.93*m.x1963*(1 - 0.000727272727272727*m.x1963))**2 -
1.49610402*m.x1963*m.x1963*(1 - 0.000727272727272727*m.x1963)*(1 - 0.00145454545454545*m.x1963
)*(1 - 0.00145454545454545*m.x1963))) + m.x491 <= 0)
m.c1873 = Constraint(expr=-0.007*m.x1627*m.x1272*(0.0775*m.x1964*(1 - 0.000727272727272727*m.x1964) + m.x1964 +
0.003003125*m.x1964*(1 - 0.000727272727272727*m.x1964)*(1 - 0.00145454545454545*m.x1964) +
6.0669191919192e-8*(1189.2375*m.x1964*(1 - 0.000727272727272727*m.x1964)*(1 -
0.00145454545454545*m.x1964) - 1.86*(0.93*m.x1964*(1 - 0.000727272727272727*m.x1964))**2 -
1.49610402*m.x1964*m.x1964*(1 - 0.000727272727272727*m.x1964)*(1 - 0.00145454545454545*m.x1964
)*(1 - 0.00145454545454545*m.x1964))) + m.x492 <= 0)
m.c1874 = Constraint(expr=-0.007*m.x1628*m.x1273*(0.0775*m.x1965*(1 - 0.000727272727272727*m.x1965) + m.x1965 +
0.003003125*m.x1965*(1 - 0.000727272727272727*m.x1965)*(1 - 0.00145454545454545*m.x1965) +
6.0669191919192e-8*(1189.2375*m.x1965*(1 - 0.000727272727272727*m.x1965)*(1 -
0.00145454545454545*m.x1965) - 1.86*(0.93*m.x1965*(1 - 0.000727272727272727*m.x1965))**2 -
1.49610402*m.x1965*m.x1965*(1 - 0.000727272727272727*m.x1965)*(1 - 0.00145454545454545*m.x1965
)*(1 - 0.00145454545454545*m.x1965))) + m.x493 <= 0)
m.c1875 = Constraint(expr=-0.007*m.x1628*m.x1274*(0.0775*m.x1966*(1 - 0.000727272727272727*m.x1966) + m.x1966 +
0.003003125*m.x1966*(1 - 0.000727272727272727*m.x1966)*(1 - 0.00145454545454545*m.x1966) +
6.0669191919192e-8*(1189.2375*m.x1966*(1 - 0.000727272727272727*m.x1966)*(1 -
0.00145454545454545*m.x1966) - 1.86*(0.93*m.x1966*(1 - 0.000727272727272727*m.x1966))**2 -
1.49610402*m.x1966*m.x1966*(1 - 0.000727272727272727*m.x1966)*(1 - 0.00145454545454545*m.x1966
)*(1 - 0.00145454545454545*m.x1966))) + m.x494 <= 0)
m.c1876 = Constraint(expr=-0.007*m.x1628*m.x1275*(0.0775*m.x1967*(1 - 0.000727272727272727*m.x1967) + m.x1967 +
0.003003125*m.x1967*(1 - 0.000727272727272727*m.x1967)*(1 - 0.00145454545454545*m.x1967) +
6.0669191919192e-8*(1189.2375*m.x1967*(1 - 0.000727272727272727*m.x1967)*(1 -
0.00145454545454545*m.x1967) - 1.86*(0.93*m.x1967*(1 - 0.000727272727272727*m.x1967))**2 -
1.49610402*m.x1967*m.x1967*(1 - 0.000727272727272727*m.x1967)*(1 - 0.00145454545454545*m.x1967
)*(1 - 0.00145454545454545*m.x1967))) + m.x495 <= 0)
m.c1877 = Constraint(expr=-0.007*m.x1628*m.x1276*(0.0775*m.x1968*(1 - 0.000727272727272727*m.x1968) + m.x1968 +
0.003003125*m.x1968*(1 - 0.000727272727272727*m.x1968)*(1 - 0.00145454545454545*m.x1968) +
6.0669191919192e-8*(1189.2375*m.x1968*(1 - 0.000727272727272727*m.x1968)*(1 -
0.00145454545454545*m.x1968) - 1.86*(0.93*m.x1968*(1 - 0.000727272727272727*m.x1968))**2 -
1.49610402*m.x1968*m.x1968*(1 - 0.000727272727272727*m.x1968)*(1 - 0.00145454545454545*m.x1968
)*(1 - 0.00145454545454545*m.x1968))) + m.x496 <= 0)
m.c1878 = Constraint(expr=-0.007*m.x1628*m.x1277*(0.0775*m.x1969*(1 - 0.000727272727272727*m.x1969) + m.x1969 +
0.003003125*m.x1969*(1 - 0.000727272727272727*m.x1969)*(1 - 0.00145454545454545*m.x1969) +
6.0669191919192e-8*(1189.2375*m.x1969*(1 - 0.000727272727272727*m.x1969)*(1 -
0.00145454545454545*m.x1969) - 1.86*(0.93*m.x1969*(1 - 0.000727272727272727*m.x1969))**2 -
1.49610402*m.x1969*m.x1969*(1 - 0.000727272727272727*m.x1969)*(1 - 0.00145454545454545*m.x1969
)*(1 - 0.00145454545454545*m.x1969))) + m.x497 <= 0)
m.c1879 = Constraint(expr=-0.007*m.x1628*m.x1278*(0.0775*m.x1970*(1 - 0.000727272727272727*m.x1970) + m.x1970 +
0.003003125*m.x1970*(1 - 0.000727272727272727*m.x1970)*(1 - 0.00145454545454545*m.x1970) +
6.0669191919192e-8*(1189.2375*m.x1970*(1 - 0.000727272727272727*m.x1970)*(1 -
0.00145454545454545*m.x1970) - 1.86*(0.93*m.x1970*(1 - 0.000727272727272727*m.x1970))**2 -
1.49610402*m.x1970*m.x1970*(1 - 0.000727272727272727*m.x1970)*(1 - 0.00145454545454545*m.x1970
)*(1 - 0.00145454545454545*m.x1970))) + m.x498 <= 0)
m.c1880 = Constraint(expr=-0.007*m.x1628*m.x1279*(0.0775*m.x1971*(1 - 0.000727272727272727*m.x1971) + m.x1971 +
0.003003125*m.x1971*(1 - 0.000727272727272727*m.x1971)*(1 - 0.00145454545454545*m.x1971) +
6.0669191919192e-8*(1189.2375*m.x1971*(1 - 0.000727272727272727*m.x1971)*(1 -
0.00145454545454545*m.x1971) - 1.86*(0.93*m.x1971*(1 - 0.000727272727272727*m.x1971))**2 -
1.49610402*m.x1971*m.x1971*(1 - 0.000727272727272727*m.x1971)*(1 - 0.00145454545454545*m.x1971
)*(1 - 0.00145454545454545*m.x1971))) + m.x499 <= 0)
m.c1881 = Constraint(expr=-0.007*m.x1628*m.x1280*(0.0775*m.x1972*(1 - 0.000727272727272727*m.x1972) + m.x1972 +
0.003003125*m.x1972*(1 - 0.000727272727272727*m.x1972)*(1 - 0.00145454545454545*m.x1972) +
6.0669191919192e-8*(1189.2375*m.x1972*(1 - 0.000727272727272727*m.x1972)*(1 -
0.00145454545454545*m.x1972) - 1.86*(0.93*m.x1972*(1 - 0.000727272727272727*m.x1972))**2 -
1.49610402*m.x1972*m.x1972*(1 - 0.000727272727272727*m.x1972)*(1 - 0.00145454545454545*m.x1972
)*(1 - 0.00145454545454545*m.x1972))) + m.x500 <= 0)
m.c1882 = Constraint(expr=-0.007*m.x1628*m.x1281*(0.0775*m.x1973*(1 - 0.000727272727272727*m.x1973) + m.x1973 +
0.003003125*m.x1973*(1 - 0.000727272727272727*m.x1973)*(1 - 0.00145454545454545*m.x1973) +
6.0669191919192e-8*(1189.2375*m.x1973*(1 - 0.000727272727272727*m.x1973)*(1 -
0.00145454545454545*m.x1973) - 1.86*(0.93*m.x1973*(1 - 0.000727272727272727*m.x1973))**2 -
1.49610402*m.x1973*m.x1973*(1 - 0.000727272727272727*m.x1973)*(1 - 0.00145454545454545*m.x1973
)*(1 - 0.00145454545454545*m.x1973))) + m.x501 <= 0)
m.c1883 = Constraint(expr=-0.007*m.x1628*m.x1282*(0.0775*m.x1974*(1 - 0.000727272727272727*m.x1974) + m.x1974 +
0.003003125*m.x1974*(1 - 0.000727272727272727*m.x1974)*(1 - 0.00145454545454545*m.x1974) +
6.0669191919192e-8*(1189.2375*m.x1974*(1 - 0.000727272727272727*m.x1974)*(1 -
0.00145454545454545*m.x1974) - 1.86*(0.93*m.x1974*(1 - 0.000727272727272727*m.x1974))**2 -
1.49610402*m.x1974*m.x1974*(1 - 0.000727272727272727*m.x1974)*(1 - 0.00145454545454545*m.x1974
)*(1 - 0.00145454545454545*m.x1974))) + m.x502 <= 0)
m.c1884 = Constraint(expr=-0.007*m.x1628*m.x1283*(0.0775*m.x1975*(1 - 0.000727272727272727*m.x1975) + m.x1975 +
0.003003125*m.x1975*(1 - 0.000727272727272727*m.x1975)*(1 - 0.00145454545454545*m.x1975) +
6.0669191919192e-8*(1189.2375*m.x1975*(1 - 0.000727272727272727*m.x1975)*(1 -
0.00145454545454545*m.x1975) - 1.86*(0.93*m.x1975*(1 - 0.000727272727272727*m.x1975))**2 -
1.49610402*m.x1975*m.x1975*(1 - 0.000727272727272727*m.x1975)*(1 - 0.00145454545454545*m.x1975
)*(1 - 0.00145454545454545*m.x1975))) + m.x503 <= 0)
m.c1885 = Constraint(expr=-0.007*m.x1628*m.x1284*(0.0775*m.x1976*(1 - 0.000727272727272727*m.x1976) + m.x1976 +
0.003003125*m.x1976*(1 - 0.000727272727272727*m.x1976)*(1 - 0.00145454545454545*m.x1976) +
6.0669191919192e-8*(1189.2375*m.x1976*(1 - 0.000727272727272727*m.x1976)*(1 -
0.00145454545454545*m.x1976) - 1.86*(0.93*m.x1976*(1 - 0.000727272727272727*m.x1976))**2 -
1.49610402*m.x1976*m.x1976*(1 - 0.000727272727272727*m.x1976)*(1 - 0.00145454545454545*m.x1976
)*(1 - 0.00145454545454545*m.x1976))) + m.x504 <= 0)
m.c1886 = Constraint(expr=-0.007*m.x1629*m.x1285*(0.0775*m.x1977*(1 - 0.000727272727272727*m.x1977) + m.x1977 +
0.003003125*m.x1977*(1 - 0.000727272727272727*m.x1977)*(1 - 0.00145454545454545*m.x1977) +
6.0669191919192e-8*(1189.2375*m.x1977*(1 - 0.000727272727272727*m.x1977)*(1 -
0.00145454545454545*m.x1977) - 1.86*(0.93*m.x1977*(1 - 0.000727272727272727*m.x1977))**2 -
1.49610402*m.x1977*m.x1977*(1 - 0.000727272727272727*m.x1977)*(1 - 0.00145454545454545*m.x1977
)*(1 - 0.00145454545454545*m.x1977))) + m.x505 <= 0)
m.c1887 = Constraint(expr=-0.007*m.x1629*m.x1286*(0.0775*m.x1978*(1 - 0.000727272727272727*m.x1978) + m.x1978 +
0.003003125*m.x1978*(1 - 0.000727272727272727*m.x1978)*(1 - 0.00145454545454545*m.x1978) +
6.0669191919192e-8*(1189.2375*m.x1978*(1 - 0.000727272727272727*m.x1978)*(1 -
0.00145454545454545*m.x1978) - 1.86*(0.93*m.x1978*(1 - 0.000727272727272727*m.x1978))**2 -
1.49610402*m.x1978*m.x1978*(1 - 0.000727272727272727*m.x1978)*(1 - 0.00145454545454545*m.x1978
)*(1 - 0.00145454545454545*m.x1978))) + m.x506 <= 0)
m.c1888 = Constraint(expr=-0.007*m.x1629*m.x1287*(0.0775*m.x1979*(1 - 0.000727272727272727*m.x1979) + m.x1979 +
0.003003125*m.x1979*(1 - 0.000727272727272727*m.x1979)*(1 - 0.00145454545454545*m.x1979) +
6.0669191919192e-8*(1189.2375*m.x1979*(1 - 0.000727272727272727*m.x1979)*(1 -
0.00145454545454545*m.x1979) - 1.86*(0.93*m.x1979*(1 - 0.000727272727272727*m.x1979))**2 -
1.49610402*m.x1979*m.x1979*(1 - 0.000727272727272727*m.x1979)*(1 - 0.00145454545454545*m.x1979
)*(1 - 0.00145454545454545*m.x1979))) + m.x507 <= 0)
m.c1889 = Constraint(expr=-0.007*m.x1629*m.x1288*(0.0775*m.x1980*(1 - 0.000727272727272727*m.x1980) + m.x1980 +
0.003003125*m.x1980*(1 - 0.000727272727272727*m.x1980)*(1 - 0.00145454545454545*m.x1980) +
6.0669191919192e-8*(1189.2375*m.x1980*(1 - 0.000727272727272727*m.x1980)*(1 -
0.00145454545454545*m.x1980) - 1.86*(0.93*m.x1980*(1 - 0.000727272727272727*m.x1980))**2 -
1.49610402*m.x1980*m.x1980*(1 - 0.000727272727272727*m.x1980)*(1 - 0.00145454545454545*m.x1980
)*(1 - 0.00145454545454545*m.x1980))) + m.x508 <= 0)
m.c1890 = Constraint(expr=-0.007*m.x1629*m.x1289*(0.0775*m.x1981*(1 - 0.000727272727272727*m.x1981) + m.x1981 +
0.003003125*m.x1981*(1 - 0.000727272727272727*m.x1981)*(1 - 0.00145454545454545*m.x1981) +
6.0669191919192e-8*(1189.2375*m.x1981*(1 - 0.000727272727272727*m.x1981)*(1 -
0.00145454545454545*m.x1981) - 1.86*(0.93*m.x1981*(1 - 0.000727272727272727*m.x1981))**2 -
1.49610402*m.x1981*m.x1981*(1 - 0.000727272727272727*m.x1981)*(1 - 0.00145454545454545*m.x1981
)*(1 - 0.00145454545454545*m.x1981))) + m.x509 <= 0)
m.c1891 = Constraint(expr=-0.007*m.x1629*m.x1290*(0.0775*m.x1982*(1 - 0.000727272727272727*m.x1982) + m.x1982 +
0.003003125*m.x1982*(1 - 0.000727272727272727*m.x1982)*(1 - 0.00145454545454545*m.x1982) +
6.0669191919192e-8*(1189.2375*m.x1982*(1 - 0.000727272727272727*m.x1982)*(1 -
0.00145454545454545*m.x1982) - 1.86*(0.93*m.x1982*(1 - 0.000727272727272727*m.x1982))**2 -
1.49610402*m.x1982*m.x1982*(1 - 0.000727272727272727*m.x1982)*(1 - 0.00145454545454545*m.x1982
)*(1 - 0.00145454545454545*m.x1982))) + m.x510 <= 0)
m.c1892 = Constraint(expr=-0.007*m.x1629*m.x1291*(0.0775*m.x1983*(1 - 0.000727272727272727*m.x1983) + m.x1983 +
0.003003125*m.x1983*(1 - 0.000727272727272727*m.x1983)*(1 - 0.00145454545454545*m.x1983) +
6.0669191919192e-8*(1189.2375*m.x1983*(1 - 0.000727272727272727*m.x1983)*(1 -
0.00145454545454545*m.x1983) - 1.86*(0.93*m.x1983*(1 - 0.000727272727272727*m.x1983))**2 -
1.49610402*m.x1983*m.x1983*(1 - 0.000727272727272727*m.x1983)*(1 - 0.00145454545454545*m.x1983
)*(1 - 0.00145454545454545*m.x1983))) + m.x511 <= 0)
m.c1893 = Constraint(expr=-0.007*m.x1629*m.x1292*(0.0775*m.x1984*(1 - 0.000727272727272727*m.x1984) + m.x1984 +
0.003003125*m.x1984*(1 - 0.000727272727272727*m.x1984)*(1 - 0.00145454545454545*m.x1984) +
6.0669191919192e-8*(1189.2375*m.x1984*(1 - 0.000727272727272727*m.x1984)*(1 -
0.00145454545454545*m.x1984) - 1.86*(0.93*m.x1984*(1 - 0.000727272727272727*m.x1984))**2 -
1.49610402*m.x1984*m.x1984*(1 - 0.000727272727272727*m.x1984)*(1 - 0.00145454545454545*m.x1984
)*(1 - 0.00145454545454545*m.x1984))) + m.x512 <= 0)
m.c1894 = Constraint(expr=-0.007*m.x1629*m.x1293*(0.0775*m.x1985*(1 - 0.000727272727272727*m.x1985) + m.x1985 +
0.003003125*m.x1985*(1 - 0.000727272727272727*m.x1985)*(1 - 0.00145454545454545*m.x1985) +
6.0669191919192e-8*(1189.2375*m.x1985*(1 - 0.000727272727272727*m.x1985)*(1 -
0.00145454545454545*m.x1985) - 1.86*(0.93*m.x1985*(1 - 0.000727272727272727*m.x1985))**2 -
1.49610402*m.x1985*m.x1985*(1 - 0.000727272727272727*m.x1985)*(1 - 0.00145454545454545*m.x1985
)*(1 - 0.00145454545454545*m.x1985))) + m.x513 <= 0)
m.c1895 = Constraint(expr=-0.007*m.x1629*m.x1294*(0.0775*m.x1986*(1 - 0.000727272727272727*m.x1986) + m.x1986 +
0.003003125*m.x1986*(1 - 0.000727272727272727*m.x1986)*(1 - 0.00145454545454545*m.x1986) +
6.0669191919192e-8*(1189.2375*m.x1986*(1 - 0.000727272727272727*m.x1986)*(1 -
0.00145454545454545*m.x1986) - 1.86*(0.93*m.x1986*(1 - 0.000727272727272727*m.x1986))**2 -
1.49610402*m.x1986*m.x1986*(1 - 0.000727272727272727*m.x1986)*(1 - 0.00145454545454545*m.x1986
)*(1 - 0.00145454545454545*m.x1986))) + m.x514 <= 0)
m.c1896 = Constraint(expr=-0.007*m.x1629*m.x1295*(0.0775*m.x1987*(1 - 0.000727272727272727*m.x1987) + m.x1987 +
0.003003125*m.x1987*(1 - 0.000727272727272727*m.x1987)*(1 - 0.00145454545454545*m.x1987) +
6.0669191919192e-8*(1189.2375*m.x1987*(1 - 0.000727272727272727*m.x1987)*(1 -
0.00145454545454545*m.x1987) - 1.86*(0.93*m.x1987*(1 - 0.000727272727272727*m.x1987))**2 -
1.49610402*m.x1987*m.x1987*(1 - 0.000727272727272727*m.x1987)*(1 - 0.00145454545454545*m.x1987
)*(1 - 0.00145454545454545*m.x1987))) + m.x515 <= 0)
m.c1897 = Constraint(expr=-0.007*m.x1629*m.x1296*(0.0775*m.x1988*(1 - 0.000727272727272727*m.x1988) + m.x1988 +
0.003003125*m.x1988*(1 - 0.000727272727272727*m.x1988)*(1 - 0.00145454545454545*m.x1988) +
6.0669191919192e-8*(1189.2375*m.x1988*(1 - 0.000727272727272727*m.x1988)*(1 -
0.00145454545454545*m.x1988) - 1.86*(0.93*m.x1988*(1 - 0.000727272727272727*m.x1988))**2 -
1.49610402*m.x1988*m.x1988*(1 - 0.000727272727272727*m.x1988)*(1 - 0.00145454545454545*m.x1988
)*(1 - 0.00145454545454545*m.x1988))) + m.x516 <= 0)
m.c1898 = Constraint(expr=-0.007*m.x1630*m.x1297*(0.0775*m.x1989*(1 - 0.000727272727272727*m.x1989) + m.x1989 +
0.003003125*m.x1989*(1 - 0.000727272727272727*m.x1989)*(1 - 0.00145454545454545*m.x1989) +
6.0669191919192e-8*(1189.2375*m.x1989*(1 - 0.000727272727272727*m.x1989)*(1 -
0.00145454545454545*m.x1989) - 1.86*(0.93*m.x1989*(1 - 0.000727272727272727*m.x1989))**2 -
1.49610402*m.x1989*m.x1989*(1 - 0.000727272727272727*m.x1989)*(1 - 0.00145454545454545*m.x1989
)*(1 - 0.00145454545454545*m.x1989))) + m.x517 <= 0)
m.c1899 = Constraint(expr=-0.007*m.x1630*m.x1298*(0.0775*m.x1990*(1 - 0.000727272727272727*m.x1990) + m.x1990 +
0.003003125*m.x1990*(1 - 0.000727272727272727*m.x1990)*(1 - 0.00145454545454545*m.x1990) +
6.0669191919192e-8*(1189.2375*m.x1990*(1 - 0.000727272727272727*m.x1990)*(1 -
0.00145454545454545*m.x1990) - 1.86*(0.93*m.x1990*(1 - 0.000727272727272727*m.x1990))**2 -
1.49610402*m.x1990*m.x1990*(1 - 0.000727272727272727*m.x1990)*(1 - 0.00145454545454545*m.x1990
)*(1 - 0.00145454545454545*m.x1990))) + m.x518 <= 0)
m.c1900 = Constraint(expr=-0.007*m.x1630*m.x1299*(0.0775*m.x1991*(1 - 0.000727272727272727*m.x1991) + m.x1991 +
0.003003125*m.x1991*(1 - 0.000727272727272727*m.x1991)*(1 - 0.00145454545454545*m.x1991) +
6.0669191919192e-8*(1189.2375*m.x1991*(1 - 0.000727272727272727*m.x1991)*(1 -
0.00145454545454545*m.x1991) - 1.86*(0.93*m.x1991*(1 - 0.000727272727272727*m.x1991))**2 -
1.49610402*m.x1991*m.x1991*(1 - 0.000727272727272727*m.x1991)*(1 - 0.00145454545454545*m.x1991
)*(1 - 0.00145454545454545*m.x1991))) + m.x519 <= 0)
m.c1901 = Constraint(expr=-0.007*m.x1630*m.x1300*(0.0775*m.x1992*(1 - 0.000727272727272727*m.x1992) + m.x1992 +
0.003003125*m.x1992*(1 - 0.000727272727272727*m.x1992)*(1 - 0.00145454545454545*m.x1992) +
6.0669191919192e-8*(1189.2375*m.x1992*(1 - 0.000727272727272727*m.x1992)*(1 -
0.00145454545454545*m.x1992) - 1.86*(0.93*m.x1992*(1 - 0.000727272727272727*m.x1992))**2 -
1.49610402*m.x1992*m.x1992*(1 - 0.000727272727272727*m.x1992)*(1 - 0.00145454545454545*m.x1992
)*(1 - 0.00145454545454545*m.x1992))) + m.x520 <= 0)
m.c1902 = Constraint(expr=-0.007*m.x1630*m.x1301*(0.0775*m.x1993*(1 - 0.000727272727272727*m.x1993) + m.x1993 +
0.003003125*m.x1993*(1 - 0.000727272727272727*m.x1993)*(1 - 0.00145454545454545*m.x1993) +
6.0669191919192e-8*(1189.2375*m.x1993*(1 - 0.000727272727272727*m.x1993)*(1 -
0.00145454545454545*m.x1993) - 1.86*(0.93*m.x1993*(1 - 0.000727272727272727*m.x1993))**2 -
1.49610402*m.x1993*m.x1993*(1 - 0.000727272727272727*m.x1993)*(1 - 0.00145454545454545*m.x1993
)*(1 - 0.00145454545454545*m.x1993))) + m.x521 <= 0)
m.c1903 = Constraint(expr=-0.007*m.x1630*m.x1302*(0.0775*m.x1994*(1 - 0.000727272727272727*m.x1994) + m.x1994 +
0.003003125*m.x1994*(1 - 0.000727272727272727*m.x1994)*(1 - 0.00145454545454545*m.x1994) +
6.0669191919192e-8*(1189.2375*m.x1994*(1 - 0.000727272727272727*m.x1994)*(1 -
0.00145454545454545*m.x1994) - 1.86*(0.93*m.x1994*(1 - 0.000727272727272727*m.x1994))**2 -
1.49610402*m.x1994*m.x1994*(1 - 0.000727272727272727*m.x1994)*(1 - 0.00145454545454545*m.x1994
)*(1 - 0.00145454545454545*m.x1994))) + m.x522 <= 0)
m.c1904 = Constraint(expr=-0.007*m.x1630*m.x1303*(0.0775*m.x1995*(1 - 0.000727272727272727*m.x1995) + m.x1995 +
0.003003125*m.x1995*(1 - 0.000727272727272727*m.x1995)*(1 - 0.00145454545454545*m.x1995) +
6.0669191919192e-8*(1189.2375*m.x1995*(1 - 0.000727272727272727*m.x1995)*(1 -
0.00145454545454545*m.x1995) - 1.86*(0.93*m.x1995*(1 - 0.000727272727272727*m.x1995))**2 -
1.49610402*m.x1995*m.x1995*(1 - 0.000727272727272727*m.x1995)*(1 - 0.00145454545454545*m.x1995
)*(1 - 0.00145454545454545*m.x1995))) + m.x523 <= 0)
m.c1905 = Constraint(expr=-0.007*m.x1630*m.x1304*(0.0775*m.x1996*(1 - 0.000727272727272727*m.x1996) + m.x1996 +
0.003003125*m.x1996*(1 - 0.000727272727272727*m.x1996)*(1 - 0.00145454545454545*m.x1996) +
6.0669191919192e-8*(1189.2375*m.x1996*(1 - 0.000727272727272727*m.x1996)*(1 -
0.00145454545454545*m.x1996) - 1.86*(0.93*m.x1996*(1 - 0.000727272727272727*m.x1996))**2 -
1.49610402*m.x1996*m.x1996*(1 - 0.000727272727272727*m.x1996)*(1 - 0.00145454545454545*m.x1996
)*(1 - 0.00145454545454545*m.x1996))) + m.x524 <= 0)
m.c1906 = Constraint(expr=-0.007*m.x1630*m.x1305*(0.0775*m.x1997*(1 - 0.000727272727272727*m.x1997) + m.x1997 +
0.003003125*m.x1997*(1 - 0.000727272727272727*m.x1997)*(1 - 0.00145454545454545*m.x1997) +
6.0669191919192e-8*(1189.2375*m.x1997*(1 - 0.000727272727272727*m.x1997)*(1 -
0.00145454545454545*m.x1997) - 1.86*(0.93*m.x1997*(1 - 0.000727272727272727*m.x1997))**2 -
1.49610402*m.x1997*m.x1997*(1 - 0.000727272727272727*m.x1997)*(1 - 0.00145454545454545*m.x1997
)*(1 - 0.00145454545454545*m.x1997))) + m.x525 <= 0)
m.c1907 = Constraint(expr=-0.007*m.x1630*m.x1306*(0.0775*m.x1998*(1 - 0.000727272727272727*m.x1998) + m.x1998 +
0.003003125*m.x1998*(1 - 0.000727272727272727*m.x1998)*(1 - 0.00145454545454545*m.x1998) +
6.0669191919192e-8*(1189.2375*m.x1998*(1 - 0.000727272727272727*m.x1998)*(1 -
0.00145454545454545*m.x1998) - 1.86*(0.93*m.x1998*(1 - 0.000727272727272727*m.x1998))**2 -
1.49610402*m.x1998*m.x1998*(1 - 0.000727272727272727*m.x1998)*(1 - 0.00145454545454545*m.x1998
)*(1 - 0.00145454545454545*m.x1998))) + m.x526 <= 0)
m.c1908 = Constraint(expr=-0.007*m.x1630*m.x1307*(0.0775*m.x1999*(1 - 0.000727272727272727*m.x1999) + m.x1999 +
0.003003125*m.x1999*(1 - 0.000727272727272727*m.x1999)*(1 - 0.00145454545454545*m.x1999) +
6.0669191919192e-8*(1189.2375*m.x1999*(1 - 0.000727272727272727*m.x1999)*(1 -
0.00145454545454545*m.x1999) - 1.86*(0.93*m.x1999*(1 - 0.000727272727272727*m.x1999))**2 -
1.49610402*m.x1999*m.x1999*(1 - 0.000727272727272727*m.x1999)*(1 - 0.00145454545454545*m.x1999
)*(1 - 0.00145454545454545*m.x1999))) + m.x527 <= 0)
m.c1909 = Constraint(expr=-0.007*m.x1630*m.x1308*(0.0775*m.x2000*(1 - 0.000727272727272727*m.x2000) + m.x2000 +
0.003003125*m.x2000*(1 - 0.000727272727272727*m.x2000)*(1 - 0.00145454545454545*m.x2000) +
6.0669191919192e-8*(1189.2375*m.x2000*(1 - 0.000727272727272727*m.x2000)*(1 -
0.00145454545454545*m.x2000) - 1.86*(0.93*m.x2000*(1 - 0.000727272727272727*m.x2000))**2 -
1.49610402*m.x2000*m.x2000*(1 - 0.000727272727272727*m.x2000)*(1 - 0.00145454545454545*m.x2000
)*(1 - 0.00145454545454545*m.x2000))) + m.x528 <= 0)
m.c1910 = Constraint(expr=-0.007*m.x1631*m.x1309*(0.0775*m.x2001*(1 - 0.000727272727272727*m.x2001) + m.x2001 +
0.003003125*m.x2001*(1 - 0.000727272727272727*m.x2001)*(1 - 0.00145454545454545*m.x2001) +
6.0669191919192e-8*(1189.2375*m.x2001*(1 - 0.000727272727272727*m.x2001)*(1 -
0.00145454545454545*m.x2001) - 1.86*(0.93*m.x2001*(1 - 0.000727272727272727*m.x2001))**2 -
1.49610402*m.x2001*m.x2001*(1 - 0.000727272727272727*m.x2001)*(1 - 0.00145454545454545*m.x2001
)*(1 - 0.00145454545454545*m.x2001))) + m.x529 <= 0)
m.c1911 = Constraint(expr=-0.007*m.x1631*m.x1310*(0.0775*m.x2002*(1 - 0.000727272727272727*m.x2002) + m.x2002 +
0.003003125*m.x2002*(1 - 0.000727272727272727*m.x2002)*(1 - 0.00145454545454545*m.x2002) +
6.0669191919192e-8*(1189.2375*m.x2002*(1 - 0.000727272727272727*m.x2002)*(1 -
0.00145454545454545*m.x2002) - 1.86*(0.93*m.x2002*(1 - 0.000727272727272727*m.x2002))**2 -
1.49610402*m.x2002*m.x2002*(1 - 0.000727272727272727*m.x2002)*(1 - 0.00145454545454545*m.x2002
)*(1 - 0.00145454545454545*m.x2002))) + m.x530 <= 0)
m.c1912 = Constraint(expr=-0.007*m.x1631*m.x1311*(0.0775*m.x2003*(1 - 0.000727272727272727*m.x2003) + m.x2003 +
0.003003125*m.x2003*(1 - 0.000727272727272727*m.x2003)*(1 - 0.00145454545454545*m.x2003) +
6.0669191919192e-8*(1189.2375*m.x2003*(1 - 0.000727272727272727*m.x2003)*(1 -
0.00145454545454545*m.x2003) - 1.86*(0.93*m.x2003*(1 - 0.000727272727272727*m.x2003))**2 -
1.49610402*m.x2003*m.x2003*(1 - 0.000727272727272727*m.x2003)*(1 - 0.00145454545454545*m.x2003
)*(1 - 0.00145454545454545*m.x2003))) + m.x531 <= 0)
m.c1913 = Constraint(expr=-0.007*m.x1631*m.x1312*(0.0775*m.x2004*(1 - 0.000727272727272727*m.x2004) + m.x2004 +
0.003003125*m.x2004*(1 - 0.000727272727272727*m.x2004)*(1 - 0.00145454545454545*m.x2004) +
6.0669191919192e-8*(1189.2375*m.x2004*(1 - 0.000727272727272727*m.x2004)*(1 -
0.00145454545454545*m.x2004) - 1.86*(0.93*m.x2004*(1 - 0.000727272727272727*m.x2004))**2 -
1.49610402*m.x2004*m.x2004*(1 - 0.000727272727272727*m.x2004)*(1 - 0.00145454545454545*m.x2004
)*(1 - 0.00145454545454545*m.x2004))) + m.x532 <= 0)
m.c1914 = Constraint(expr=-0.007*m.x1631*m.x1313*(0.0775*m.x2005*(1 - 0.000727272727272727*m.x2005) + m.x2005 +
0.003003125*m.x2005*(1 - 0.000727272727272727*m.x2005)*(1 - 0.00145454545454545*m.x2005) +
6.0669191919192e-8*(1189.2375*m.x2005*(1 - 0.000727272727272727*m.x2005)*(1 -
0.00145454545454545*m.x2005) - 1.86*(0.93*m.x2005*(1 - 0.000727272727272727*m.x2005))**2 -
1.49610402*m.x2005*m.x2005*(1 - 0.000727272727272727*m.x2005)*(1 - 0.00145454545454545*m.x2005
)*(1 - 0.00145454545454545*m.x2005))) + m.x533 <= 0)
m.c1915 = Constraint(expr=-0.007*m.x1631*m.x1314*(0.0775*m.x2006*(1 - 0.000727272727272727*m.x2006) + m.x2006 +
0.003003125*m.x2006*(1 - 0.000727272727272727*m.x2006)*(1 - 0.00145454545454545*m.x2006) +
6.0669191919192e-8*(1189.2375*m.x2006*(1 - 0.000727272727272727*m.x2006)*(1 -
0.00145454545454545*m.x2006) - 1.86*(0.93*m.x2006*(1 - 0.000727272727272727*m.x2006))**2 -
1.49610402*m.x2006*m.x2006*(1 - 0.000727272727272727*m.x2006)*(1 - 0.00145454545454545*m.x2006
)*(1 - 0.00145454545454545*m.x2006))) + m.x534 <= 0)
m.c1916 = Constraint(expr=-0.007*m.x1631*m.x1315*(0.0775*m.x2007*(1 - 0.000727272727272727*m.x2007) + m.x2007 +
0.003003125*m.x2007*(1 - 0.000727272727272727*m.x2007)*(1 - 0.00145454545454545*m.x2007) +
6.0669191919192e-8*(1189.2375*m.x2007*(1 - 0.000727272727272727*m.x2007)*(1 -
0.00145454545454545*m.x2007) - 1.86*(0.93*m.x2007*(1 - 0.000727272727272727*m.x2007))**2 -
1.49610402*m.x2007*m.x2007*(1 - 0.000727272727272727*m.x2007)*(1 - 0.00145454545454545*m.x2007
)*(1 - 0.00145454545454545*m.x2007))) + m.x535 <= 0)
m.c1917 = Constraint(expr=-0.007*m.x1631*m.x1316*(0.0775*m.x2008*(1 - 0.000727272727272727*m.x2008) + m.x2008 +
0.003003125*m.x2008*(1 - 0.000727272727272727*m.x2008)*(1 - 0.00145454545454545*m.x2008) +
6.0669191919192e-8*(1189.2375*m.x2008*(1 - 0.000727272727272727*m.x2008)*(1 -
0.00145454545454545*m.x2008) - 1.86*(0.93*m.x2008*(1 - 0.000727272727272727*m.x2008))**2 -
1.49610402*m.x2008*m.x2008*(1 - 0.000727272727272727*m.x2008)*(1 - 0.00145454545454545*m.x2008
)*(1 - 0.00145454545454545*m.x2008))) + m.x536 <= 0)
m.c1918 = Constraint(expr=-0.007*m.x1631*m.x1317*(0.0775*m.x2009*(1 - 0.000727272727272727*m.x2009) + m.x2009 +
0.003003125*m.x2009*(1 - 0.000727272727272727*m.x2009)*(1 - 0.00145454545454545*m.x2009) +
6.0669191919192e-8*(1189.2375*m.x2009*(1 - 0.000727272727272727*m.x2009)*(1 -
0.00145454545454545*m.x2009) - 1.86*(0.93*m.x2009*(1 - 0.000727272727272727*m.x2009))**2 -
1.49610402*m.x2009*m.x2009*(1 - 0.000727272727272727*m.x2009)*(1 - 0.00145454545454545*m.x2009
)*(1 - 0.00145454545454545*m.x2009))) + m.x537 <= 0)
m.c1919 = Constraint(expr=-0.007*m.x1631*m.x1318*(0.0775*m.x2010*(1 - 0.000727272727272727*m.x2010) + m.x2010 +
0.003003125*m.x2010*(1 - 0.000727272727272727*m.x2010)*(1 - 0.00145454545454545*m.x2010) +
6.0669191919192e-8*(1189.2375*m.x2010*(1 - 0.000727272727272727*m.x2010)*(1 -
0.00145454545454545*m.x2010) - 1.86*(0.93*m.x2010*(1 - 0.000727272727272727*m.x2010))**2 -
1.49610402*m.x2010*m.x2010*(1 - 0.000727272727272727*m.x2010)*(1 - 0.00145454545454545*m.x2010
)*(1 - 0.00145454545454545*m.x2010))) + m.x538 <= 0)
m.c1920 = Constraint(expr=-0.007*m.x1631*m.x1319*(0.0775*m.x2011*(1 - 0.000727272727272727*m.x2011) + m.x2011 +
0.003003125*m.x2011*(1 - 0.000727272727272727*m.x2011)*(1 - 0.00145454545454545*m.x2011) +
6.0669191919192e-8*(1189.2375*m.x2011*(1 - 0.000727272727272727*m.x2011)*(1 -
0.00145454545454545*m.x2011) - 1.86*(0.93*m.x2011*(1 - 0.000727272727272727*m.x2011))**2 -
1.49610402*m.x2011*m.x2011*(1 - 0.000727272727272727*m.x2011)*(1 - 0.00145454545454545*m.x2011
)*(1 - 0.00145454545454545*m.x2011))) + m.x539 <= 0)
m.c1921 = Constraint(expr=-0.007*m.x1631*m.x1320*(0.0775*m.x2012*(1 - 0.000727272727272727*m.x2012) + m.x2012 +
0.003003125*m.x2012*(1 - 0.000727272727272727*m.x2012)*(1 - 0.00145454545454545*m.x2012) +
6.0669191919192e-8*(1189.2375*m.x2012*(1 - 0.000727272727272727*m.x2012)*(1 -
0.00145454545454545*m.x2012) - 1.86*(0.93*m.x2012*(1 - 0.000727272727272727*m.x2012))**2 -
1.49610402*m.x2012*m.x2012*(1 - 0.000727272727272727*m.x2012)*(1 - 0.00145454545454545*m.x2012
)*(1 - 0.00145454545454545*m.x2012))) + m.x540 <= 0)
m.c1922 = Constraint(expr=-0.007*m.x1632*m.x1321*(0.0775*m.x2013*(1 - 0.000727272727272727*m.x2013) + m.x2013 +
0.003003125*m.x2013*(1 - 0.000727272727272727*m.x2013)*(1 - 0.00145454545454545*m.x2013) +
6.0669191919192e-8*(1189.2375*m.x2013*(1 - 0.000727272727272727*m.x2013)*(1 -
0.00145454545454545*m.x2013) - 1.86*(0.93*m.x2013*(1 - 0.000727272727272727*m.x2013))**2 -
1.49610402*m.x2013*m.x2013*(1 - 0.000727272727272727*m.x2013)*(1 - 0.00145454545454545*m.x2013
)*(1 - 0.00145454545454545*m.x2013))) + m.x541 <= 0)
m.c1923 = Constraint(expr=-0.007*m.x1632*m.x1322*(0.0775*m.x2014*(1 - 0.000727272727272727*m.x2014) + m.x2014 +
0.003003125*m.x2014*(1 - 0.000727272727272727*m.x2014)*(1 - 0.00145454545454545*m.x2014) +
6.0669191919192e-8*(1189.2375*m.x2014*(1 - 0.000727272727272727*m.x2014)*(1 -
0.00145454545454545*m.x2014) - 1.86*(0.93*m.x2014*(1 - 0.000727272727272727*m.x2014))**2 -
1.49610402*m.x2014*m.x2014*(1 - 0.000727272727272727*m.x2014)*(1 - 0.00145454545454545*m.x2014
)*(1 - 0.00145454545454545*m.x2014))) + m.x542 <= 0)
m.c1924 = Constraint(expr=-0.007*m.x1632*m.x1323*(0.0775*m.x2015*(1 - 0.000727272727272727*m.x2015) + m.x2015 +
0.003003125*m.x2015*(1 - 0.000727272727272727*m.x2015)*(1 - 0.00145454545454545*m.x2015) +
6.0669191919192e-8*(1189.2375*m.x2015*(1 - 0.000727272727272727*m.x2015)*(1 -
0.00145454545454545*m.x2015) - 1.86*(0.93*m.x2015*(1 - 0.000727272727272727*m.x2015))**2 -
1.49610402*m.x2015*m.x2015*(1 - 0.000727272727272727*m.x2015)*(1 - 0.00145454545454545*m.x2015
)*(1 - 0.00145454545454545*m.x2015))) + m.x543 <= 0)
m.c1925 = Constraint(expr=-0.007*m.x1632*m.x1324*(0.0775*m.x2016*(1 - 0.000727272727272727*m.x2016) + m.x2016 +
0.003003125*m.x2016*(1 - 0.000727272727272727*m.x2016)*(1 - 0.00145454545454545*m.x2016) +
6.0669191919192e-8*(1189.2375*m.x2016*(1 - 0.000727272727272727*m.x2016)*(1 -
0.00145454545454545*m.x2016) - 1.86*(0.93*m.x2016*(1 - 0.000727272727272727*m.x2016))**2 -
1.49610402*m.x2016*m.x2016*(1 - 0.000727272727272727*m.x2016)*(1 - 0.00145454545454545*m.x2016
)*(1 - 0.00145454545454545*m.x2016))) + m.x544 <= 0)
m.c1926 = Constraint(expr=-0.007*m.x1632*m.x1325*(0.0775*m.x2017*(1 - 0.000727272727272727*m.x2017) + m.x2017 +
0.003003125*m.x2017*(1 - 0.000727272727272727*m.x2017)*(1 - 0.00145454545454545*m.x2017) +
6.0669191919192e-8*(1189.2375*m.x2017*(1 - 0.000727272727272727*m.x2017)*(1 -
0.00145454545454545*m.x2017) - 1.86*(0.93*m.x2017*(1 - 0.000727272727272727*m.x2017))**2 -
1.49610402*m.x2017*m.x2017*(1 - 0.000727272727272727*m.x2017)*(1 - 0.00145454545454545*m.x2017
)*(1 - 0.00145454545454545*m.x2017))) + m.x545 <= 0)
m.c1927 = Constraint(expr=-0.007*m.x1632*m.x1326*(0.0775*m.x2018*(1 - 0.000727272727272727*m.x2018) + m.x2018 +
0.003003125*m.x2018*(1 - 0.000727272727272727*m.x2018)*(1 - 0.00145454545454545*m.x2018) +
6.0669191919192e-8*(1189.2375*m.x2018*(1 - 0.000727272727272727*m.x2018)*(1 -
0.00145454545454545*m.x2018) - 1.86*(0.93*m.x2018*(1 - 0.000727272727272727*m.x2018))**2 -
1.49610402*m.x2018*m.x2018*(1 - 0.000727272727272727*m.x2018)*(1 - 0.00145454545454545*m.x2018
)*(1 - 0.00145454545454545*m.x2018))) + m.x546 <= 0)
m.c1928 = Constraint(expr=-0.007*m.x1632*m.x1327*(0.0775*m.x2019*(1 - 0.000727272727272727*m.x2019) + m.x2019 +
0.003003125*m.x2019*(1 - 0.000727272727272727*m.x2019)*(1 - 0.00145454545454545*m.x2019) +
6.0669191919192e-8*(1189.2375*m.x2019*(1 - 0.000727272727272727*m.x2019)*(1 -
0.00145454545454545*m.x2019) - 1.86*(0.93*m.x2019*(1 - 0.000727272727272727*m.x2019))**2 -
1.49610402*m.x2019*m.x2019*(1 - 0.000727272727272727*m.x2019)*(1 - 0.00145454545454545*m.x2019
)*(1 - 0.00145454545454545*m.x2019))) + m.x547 <= 0)
m.c1929 = Constraint(expr=-0.007*m.x1632*m.x1328*(0.0775*m.x2020*(1 - 0.000727272727272727*m.x2020) + m.x2020 +
0.003003125*m.x2020*(1 - 0.000727272727272727*m.x2020)*(1 - 0.00145454545454545*m.x2020) +
6.0669191919192e-8*(1189.2375*m.x2020*(1 - 0.000727272727272727*m.x2020)*(1 -
0.00145454545454545*m.x2020) - 1.86*(0.93*m.x2020*(1 - 0.000727272727272727*m.x2020))**2 -
1.49610402*m.x2020*m.x2020*(1 - 0.000727272727272727*m.x2020)*(1 - 0.00145454545454545*m.x2020
)*(1 - 0.00145454545454545*m.x2020))) + m.x548 <= 0)
m.c1930 = Constraint(expr=-0.007*m.x1632*m.x1329*(0.0775*m.x2021*(1 - 0.000727272727272727*m.x2021) + m.x2021 +
0.003003125*m.x2021*(1 - 0.000727272727272727*m.x2021)*(1 - 0.00145454545454545*m.x2021) +
6.0669191919192e-8*(1189.2375*m.x2021*(1 - 0.000727272727272727*m.x2021)*(1 -
0.00145454545454545*m.x2021) - 1.86*(0.93*m.x2021*(1 - 0.000727272727272727*m.x2021))**2 -
1.49610402*m.x2021*m.x2021*(1 - 0.000727272727272727*m.x2021)*(1 - 0.00145454545454545*m.x2021
)*(1 - 0.00145454545454545*m.x2021))) + m.x549 <= 0)
m.c1931 = Constraint(expr=-0.007*m.x1632*m.x1330*(0.0775*m.x2022*(1 - 0.000727272727272727*m.x2022) + m.x2022 +
0.003003125*m.x2022*(1 - 0.000727272727272727*m.x2022)*(1 - 0.00145454545454545*m.x2022) +
6.0669191919192e-8*(1189.2375*m.x2022*(1 - 0.000727272727272727*m.x2022)*(1 -
0.00145454545454545*m.x2022) - 1.86*(0.93*m.x2022*(1 - 0.000727272727272727*m.x2022))**2 -
1.49610402*m.x2022*m.x2022*(1 - 0.000727272727272727*m.x2022)*(1 - 0.00145454545454545*m.x2022
)*(1 - 0.00145454545454545*m.x2022))) + m.x550 <= 0)
m.c1932 = Constraint(expr=-0.007*m.x1632*m.x1331*(0.0775*m.x2023*(1 - 0.000727272727272727*m.x2023) + m.x2023 +
0.003003125*m.x2023*(1 - 0.000727272727272727*m.x2023)*(1 - 0.00145454545454545*m.x2023) +
6.0669191919192e-8*(1189.2375*m.x2023*(1 - 0.000727272727272727*m.x2023)*(1 -
0.00145454545454545*m.x2023) - 1.86*(0.93*m.x2023*(1 - 0.000727272727272727*m.x2023))**2 -
1.49610402*m.x2023*m.x2023*(1 - 0.000727272727272727*m.x2023)*(1 - 0.00145454545454545*m.x2023
)*(1 - 0.00145454545454545*m.x2023))) + m.x551 <= 0)
m.c1933 = Constraint(expr=-0.007*m.x1632*m.x1332*(0.0775*m.x2024*(1 - 0.000727272727272727*m.x2024) + m.x2024 +
0.003003125*m.x2024*(1 - 0.000727272727272727*m.x2024)*(1 - 0.00145454545454545*m.x2024) +
6.0669191919192e-8*(1189.2375*m.x2024*(1 - 0.000727272727272727*m.x2024)*(1 -
0.00145454545454545*m.x2024) - 1.86*(0.93*m.x2024*(1 - 0.000727272727272727*m.x2024))**2 -
1.49610402*m.x2024*m.x2024*(1 - 0.000727272727272727*m.x2024)*(1 - 0.00145454545454545*m.x2024
)*(1 - 0.00145454545454545*m.x2024))) + m.x552 <= 0)
m.c1934 = Constraint(expr=-0.007*m.x1633*m.x1333*(0.0775*m.x2025*(1 - 0.000727272727272727*m.x2025) + m.x2025 +
0.003003125*m.x2025*(1 - 0.000727272727272727*m.x2025)*(1 - 0.00145454545454545*m.x2025) +
6.0669191919192e-8*(1189.2375*m.x2025*(1 - 0.000727272727272727*m.x2025)*(1 -
0.00145454545454545*m.x2025) - 1.86*(0.93*m.x2025*(1 - 0.000727272727272727*m.x2025))**2 -
1.49610402*m.x2025*m.x2025*(1 - 0.000727272727272727*m.x2025)*(1 - 0.00145454545454545*m.x2025
)*(1 - 0.00145454545454545*m.x2025))) + m.x553 <= 0)
m.c1935 = Constraint(expr=-0.007*m.x1633*m.x1334*(0.0775*m.x2026*(1 - 0.000727272727272727*m.x2026) + m.x2026 +
0.003003125*m.x2026*(1 - 0.000727272727272727*m.x2026)*(1 - 0.00145454545454545*m.x2026) +
6.0669191919192e-8*(1189.2375*m.x2026*(1 - 0.000727272727272727*m.x2026)*(1 -
0.00145454545454545*m.x2026) - 1.86*(0.93*m.x2026*(1 - 0.000727272727272727*m.x2026))**2 -
1.49610402*m.x2026*m.x2026*(1 - 0.000727272727272727*m.x2026)*(1 - 0.00145454545454545*m.x2026
)*(1 - 0.00145454545454545*m.x2026))) + m.x554 <= 0)
m.c1936 = Constraint(expr=-0.007*m.x1633*m.x1335*(0.0775*m.x2027*(1 - 0.000727272727272727*m.x2027) + m.x2027 +
0.003003125*m.x2027*(1 - 0.000727272727272727*m.x2027)*(1 - 0.00145454545454545*m.x2027) +
6.0669191919192e-8*(1189.2375*m.x2027*(1 - 0.000727272727272727*m.x2027)*(1 -
0.00145454545454545*m.x2027) - 1.86*(0.93*m.x2027*(1 - 0.000727272727272727*m.x2027))**2 -
1.49610402*m.x2027*m.x2027*(1 - 0.000727272727272727*m.x2027)*(1 - 0.00145454545454545*m.x2027
)*(1 - 0.00145454545454545*m.x2027))) + m.x555 <= 0)
m.c1937 = Constraint(expr=-0.007*m.x1633*m.x1336*(0.0775*m.x2028*(1 - 0.000727272727272727*m.x2028) + m.x2028 +
0.003003125*m.x2028*(1 - 0.000727272727272727*m.x2028)*(1 - 0.00145454545454545*m.x2028) +
6.0669191919192e-8*(1189.2375*m.x2028*(1 - 0.000727272727272727*m.x2028)*(1 -
0.00145454545454545*m.x2028) - 1.86*(0.93*m.x2028*(1 - 0.000727272727272727*m.x2028))**2 -
1.49610402*m.x2028*m.x2028*(1 - 0.000727272727272727*m.x2028)*(1 - 0.00145454545454545*m.x2028
)*(1 - 0.00145454545454545*m.x2028))) + m.x556 <= 0)
m.c1938 = Constraint(expr=-0.007*m.x1633*m.x1337*(0.0775*m.x2029*(1 - 0.000727272727272727*m.x2029) + m.x2029 +
0.003003125*m.x2029*(1 - 0.000727272727272727*m.x2029)*(1 - 0.00145454545454545*m.x2029) +
6.0669191919192e-8*(1189.2375*m.x2029*(1 - 0.000727272727272727*m.x2029)*(1 -
0.00145454545454545*m.x2029) - 1.86*(0.93*m.x2029*(1 - 0.000727272727272727*m.x2029))**2 -
1.49610402*m.x2029*m.x2029*(1 - 0.000727272727272727*m.x2029)*(1 - 0.00145454545454545*m.x2029
)*(1 - 0.00145454545454545*m.x2029))) + m.x557 <= 0)
m.c1939 = Constraint(expr=-0.007*m.x1633*m.x1338*(0.0775*m.x2030*(1 - 0.000727272727272727*m.x2030) + m.x2030 +
0.003003125*m.x2030*(1 - 0.000727272727272727*m.x2030)*(1 - 0.00145454545454545*m.x2030) +
6.0669191919192e-8*(1189.2375*m.x2030*(1 - 0.000727272727272727*m.x2030)*(1 -
0.00145454545454545*m.x2030) - 1.86*(0.93*m.x2030*(1 - 0.000727272727272727*m.x2030))**2 -
1.49610402*m.x2030*m.x2030*(1 - 0.000727272727272727*m.x2030)*(1 - 0.00145454545454545*m.x2030
)*(1 - 0.00145454545454545*m.x2030))) + m.x558 <= 0)
m.c1940 = Constraint(expr=-0.007*m.x1633*m.x1339*(0.0775*m.x2031*(1 - 0.000727272727272727*m.x2031) + m.x2031 +
0.003003125*m.x2031*(1 - 0.000727272727272727*m.x2031)*(1 - 0.00145454545454545*m.x2031) +
6.0669191919192e-8*(1189.2375*m.x2031*(1 - 0.000727272727272727*m.x2031)*(1 -
0.00145454545454545*m.x2031) - 1.86*(0.93*m.x2031*(1 - 0.000727272727272727*m.x2031))**2 -
1.49610402*m.x2031*m.x2031*(1 - 0.000727272727272727*m.x2031)*(1 - 0.00145454545454545*m.x2031
)*(1 - 0.00145454545454545*m.x2031))) + m.x559 <= 0)
m.c1941 = Constraint(expr=-0.007*m.x1633*m.x1340*(0.0775*m.x2032*(1 - 0.000727272727272727*m.x2032) + m.x2032 +
0.003003125*m.x2032*(1 - 0.000727272727272727*m.x2032)*(1 - 0.00145454545454545*m.x2032) +
6.0669191919192e-8*(1189.2375*m.x2032*(1 - 0.000727272727272727*m.x2032)*(1 -
0.00145454545454545*m.x2032) - 1.86*(0.93*m.x2032*(1 - 0.000727272727272727*m.x2032))**2 -
1.49610402*m.x2032*m.x2032*(1 - 0.000727272727272727*m.x2032)*(1 - 0.00145454545454545*m.x2032
)*(1 - 0.00145454545454545*m.x2032))) + m.x560 <= 0)
m.c1942 = Constraint(expr=-0.007*m.x1633*m.x1341*(0.0775*m.x2033*(1 - 0.000727272727272727*m.x2033) + m.x2033 +
0.003003125*m.x2033*(1 - 0.000727272727272727*m.x2033)*(1 - 0.00145454545454545*m.x2033) +
6.0669191919192e-8*(1189.2375*m.x2033*(1 - 0.000727272727272727*m.x2033)*(1 -
0.00145454545454545*m.x2033) - 1.86*(0.93*m.x2033*(1 - 0.000727272727272727*m.x2033))**2 -
1.49610402*m.x2033*m.x2033*(1 - 0.000727272727272727*m.x2033)*(1 - 0.00145454545454545*m.x2033
)*(1 - 0.00145454545454545*m.x2033))) + m.x561 <= 0)
m.c1943 = Constraint(expr=-0.007*m.x1633*m.x1342*(0.0775*m.x2034*(1 - 0.000727272727272727*m.x2034) + m.x2034 +
0.003003125*m.x2034*(1 - 0.000727272727272727*m.x2034)*(1 - 0.00145454545454545*m.x2034) +
6.0669191919192e-8*(1189.2375*m.x2034*(1 - 0.000727272727272727*m.x2034)*(1 -
0.00145454545454545*m.x2034) - 1.86*(0.93*m.x2034*(1 - 0.000727272727272727*m.x2034))**2 -
1.49610402*m.x2034*m.x2034*(1 - 0.000727272727272727*m.x2034)*(1 - 0.00145454545454545*m.x2034
)*(1 - 0.00145454545454545*m.x2034))) + m.x562 <= 0)
m.c1944 = Constraint(expr=-0.007*m.x1633*m.x1343*(0.0775*m.x2035*(1 - 0.000727272727272727*m.x2035) + m.x2035 +
0.003003125*m.x2035*(1 - 0.000727272727272727*m.x2035)*(1 - 0.00145454545454545*m.x2035) +
6.0669191919192e-8*(1189.2375*m.x2035*(1 - 0.000727272727272727*m.x2035)*(1 -
0.00145454545454545*m.x2035) - 1.86*(0.93*m.x2035*(1 - 0.000727272727272727*m.x2035))**2 -
1.49610402*m.x2035*m.x2035*(1 - 0.000727272727272727*m.x2035)*(1 - 0.00145454545454545*m.x2035
)*(1 - 0.00145454545454545*m.x2035))) + m.x563 <= 0)
m.c1945 = Constraint(expr=-0.007*m.x1633*m.x1344*(0.0775*m.x2036*(1 - 0.000727272727272727*m.x2036) + m.x2036 +
0.003003125*m.x2036*(1 - 0.000727272727272727*m.x2036)*(1 - 0.00145454545454545*m.x2036) +
6.0669191919192e-8*(1189.2375*m.x2036*(1 - 0.000727272727272727*m.x2036)*(1 -
0.00145454545454545*m.x2036) - 1.86*(0.93*m.x2036*(1 - 0.000727272727272727*m.x2036))**2 -
1.49610402*m.x2036*m.x2036*(1 - 0.000727272727272727*m.x2036)*(1 - 0.00145454545454545*m.x2036
)*(1 - 0.00145454545454545*m.x2036))) + m.x564 <= 0)
m.c1946 = Constraint(expr=-0.007*m.x1634*m.x1345*(0.0775*m.x2037*(1 - 0.000727272727272727*m.x2037) + m.x2037 +
0.003003125*m.x2037*(1 - 0.000727272727272727*m.x2037)*(1 - 0.00145454545454545*m.x2037) +
6.0669191919192e-8*(1189.2375*m.x2037*(1 - 0.000727272727272727*m.x2037)*(1 -
0.00145454545454545*m.x2037) - 1.86*(0.93*m.x2037*(1 - 0.000727272727272727*m.x2037))**2 -
1.49610402*m.x2037*m.x2037*(1 - 0.000727272727272727*m.x2037)*(1 - 0.00145454545454545*m.x2037
)*(1 - 0.00145454545454545*m.x2037))) + m.x565 <= 0)
m.c1947 = Constraint(expr=-0.007*m.x1634*m.x1346*(0.0775*m.x2038*(1 - 0.000727272727272727*m.x2038) + m.x2038 +
0.003003125*m.x2038*(1 - 0.000727272727272727*m.x2038)*(1 - 0.00145454545454545*m.x2038) +
6.0669191919192e-8*(1189.2375*m.x2038*(1 - 0.000727272727272727*m.x2038)*(1 -
0.00145454545454545*m.x2038) - 1.86*(0.93*m.x2038*(1 - 0.000727272727272727*m.x2038))**2 -
1.49610402*m.x2038*m.x2038*(1 - 0.000727272727272727*m.x2038)*(1 - 0.00145454545454545*m.x2038
)*(1 - 0.00145454545454545*m.x2038))) + m.x566 <= 0)
m.c1948 = Constraint(expr=-0.007*m.x1634*m.x1347*(0.0775*m.x2039*(1 - 0.000727272727272727*m.x2039) + m.x2039 +
0.003003125*m.x2039*(1 - 0.000727272727272727*m.x2039)*(1 - 0.00145454545454545*m.x2039) +
6.0669191919192e-8*(1189.2375*m.x2039*(1 - 0.000727272727272727*m.x2039)*(1 -
0.00145454545454545*m.x2039) - 1.86*(0.93*m.x2039*(1 - 0.000727272727272727*m.x2039))**2 -
1.49610402*m.x2039*m.x2039*(1 - 0.000727272727272727*m.x2039)*(1 - 0.00145454545454545*m.x2039
)*(1 - 0.00145454545454545*m.x2039))) + m.x567 <= 0)
m.c1949 = Constraint(expr=-0.007*m.x1634*m.x1348*(0.0775*m.x2040*(1 - 0.000727272727272727*m.x2040) + m.x2040 +
0.003003125*m.x2040*(1 - 0.000727272727272727*m.x2040)*(1 - 0.00145454545454545*m.x2040) +
6.0669191919192e-8*(1189.2375*m.x2040*(1 - 0.000727272727272727*m.x2040)*(1 -
0.00145454545454545*m.x2040) - 1.86*(0.93*m.x2040*(1 - 0.000727272727272727*m.x2040))**2 -
1.49610402*m.x2040*m.x2040*(1 - 0.000727272727272727*m.x2040)*(1 - 0.00145454545454545*m.x2040
)*(1 - 0.00145454545454545*m.x2040))) + m.x568 <= 0)
m.c1950 = Constraint(expr=-0.007*m.x1634*m.x1349*(0.0775*m.x2041*(1 - 0.000727272727272727*m.x2041) + m.x2041 +
0.003003125*m.x2041*(1 - 0.000727272727272727*m.x2041)*(1 - 0.00145454545454545*m.x2041) +
6.0669191919192e-8*(1189.2375*m.x2041*(1 - 0.000727272727272727*m.x2041)*(1 -
0.00145454545454545*m.x2041) - 1.86*(0.93*m.x2041*(1 - 0.000727272727272727*m.x2041))**2 -
1.49610402*m.x2041*m.x2041*(1 - 0.000727272727272727*m.x2041)*(1 - 0.00145454545454545*m.x2041
)*(1 - 0.00145454545454545*m.x2041))) + m.x569 <= 0)
m.c1951 = Constraint(expr=-0.007*m.x1634*m.x1350*(0.0775*m.x2042*(1 - 0.000727272727272727*m.x2042) + m.x2042 +
0.003003125*m.x2042*(1 - 0.000727272727272727*m.x2042)*(1 - 0.00145454545454545*m.x2042) +
6.0669191919192e-8*(1189.2375*m.x2042*(1 - 0.000727272727272727*m.x2042)*(1 -
0.00145454545454545*m.x2042) - 1.86*(0.93*m.x2042*(1 - 0.000727272727272727*m.x2042))**2 -
1.49610402*m.x2042*m.x2042*(1 - 0.000727272727272727*m.x2042)*(1 - 0.00145454545454545*m.x2042
)*(1 - 0.00145454545454545*m.x2042))) + m.x570 <= 0)
m.c1952 = Constraint(expr=-0.007*m.x1634*m.x1351*(0.0775*m.x2043*(1 - 0.000727272727272727*m.x2043) + m.x2043 +
0.003003125*m.x2043*(1 - 0.000727272727272727*m.x2043)*(1 - 0.00145454545454545*m.x2043) +
6.0669191919192e-8*(1189.2375*m.x2043*(1 - 0.000727272727272727*m.x2043)*(1 -
0.00145454545454545*m.x2043) - 1.86*(0.93*m.x2043*(1 - 0.000727272727272727*m.x2043))**2 -
1.49610402*m.x2043*m.x2043*(1 - 0.000727272727272727*m.x2043)*(1 - 0.00145454545454545*m.x2043
)*(1 - 0.00145454545454545*m.x2043))) + m.x571 <= 0)
m.c1953 = Constraint(expr=-0.007*m.x1634*m.x1352*(0.0775*m.x2044*(1 - 0.000727272727272727*m.x2044) + m.x2044 +
0.003003125*m.x2044*(1 - 0.000727272727272727*m.x2044)*(1 - 0.00145454545454545*m.x2044) +
6.0669191919192e-8*(1189.2375*m.x2044*(1 - 0.000727272727272727*m.x2044)*(1 -
0.00145454545454545*m.x2044) - 1.86*(0.93*m.x2044*(1 - 0.000727272727272727*m.x2044))**2 -
1.49610402*m.x2044*m.x2044*(1 - 0.000727272727272727*m.x2044)*(1 - 0.00145454545454545*m.x2044
)*(1 - 0.00145454545454545*m.x2044))) + m.x572 <= 0)
m.c1954 = Constraint(expr=-0.007*m.x1634*m.x1353*(0.0775*m.x2045*(1 - 0.000727272727272727*m.x2045) + m.x2045 +
0.003003125*m.x2045*(1 - 0.000727272727272727*m.x2045)*(1 - 0.00145454545454545*m.x2045) +
6.0669191919192e-8*(1189.2375*m.x2045*(1 - 0.000727272727272727*m.x2045)*(1 -
0.00145454545454545*m.x2045) - 1.86*(0.93*m.x2045*(1 - 0.000727272727272727*m.x2045))**2 -
1.49610402*m.x2045*m.x2045*(1 - 0.000727272727272727*m.x2045)*(1 - 0.00145454545454545*m.x2045
)*(1 - 0.00145454545454545*m.x2045))) + m.x573 <= 0)
m.c1955 = Constraint(expr=-0.007*m.x1634*m.x1354*(0.0775*m.x2046*(1 - 0.000727272727272727*m.x2046) + m.x2046 +
0.003003125*m.x2046*(1 - 0.000727272727272727*m.x2046)*(1 - 0.00145454545454545*m.x2046) +
6.0669191919192e-8*(1189.2375*m.x2046*(1 - 0.000727272727272727*m.x2046)*(1 -
0.00145454545454545*m.x2046) - 1.86*(0.93*m.x2046*(1 - 0.000727272727272727*m.x2046))**2 -
1.49610402*m.x2046*m.x2046*(1 - 0.000727272727272727*m.x2046)*(1 - 0.00145454545454545*m.x2046
)*(1 - 0.00145454545454545*m.x2046))) + m.x574 <= 0)
m.c1956 = Constraint(expr=-0.007*m.x1634*m.x1355*(0.0775*m.x2047*(1 - 0.000727272727272727*m.x2047) + m.x2047 +
0.003003125*m.x2047*(1 - 0.000727272727272727*m.x2047)*(1 - 0.00145454545454545*m.x2047) +
6.0669191919192e-8*(1189.2375*m.x2047*(1 - 0.000727272727272727*m.x2047)*(1 -
0.00145454545454545*m.x2047) - 1.86*(0.93*m.x2047*(1 - 0.000727272727272727*m.x2047))**2 -
1.49610402*m.x2047*m.x2047*(1 - 0.000727272727272727*m.x2047)*(1 - 0.00145454545454545*m.x2047
)*(1 - 0.00145454545454545*m.x2047))) + m.x575 <= 0)
m.c1957 = Constraint(expr=-0.007*m.x1634*m.x1356*(0.0775*m.x2048*(1 - 0.000727272727272727*m.x2048) + m.x2048 +
0.003003125*m.x2048*(1 - 0.000727272727272727*m.x2048)*(1 - 0.00145454545454545*m.x2048) +
6.0669191919192e-8*(1189.2375*m.x2048*(1 - 0.000727272727272727*m.x2048)*(1 -
0.00145454545454545*m.x2048) - 1.86*(0.93*m.x2048*(1 - 0.000727272727272727*m.x2048))**2 -
1.49610402*m.x2048*m.x2048*(1 - 0.000727272727272727*m.x2048)*(1 - 0.00145454545454545*m.x2048
)*(1 - 0.00145454545454545*m.x2048))) + m.x576 <= 0)
m.c1958 = Constraint(expr=-0.007*m.x1635*m.x1357*(0.0775*m.x2049*(1 - 0.000727272727272727*m.x2049) + m.x2049 +
0.003003125*m.x2049*(1 - 0.000727272727272727*m.x2049)*(1 - 0.00145454545454545*m.x2049) +
6.0669191919192e-8*(1189.2375*m.x2049*(1 - 0.000727272727272727*m.x2049)*(1 -
0.00145454545454545*m.x2049) - 1.86*(0.93*m.x2049*(1 - 0.000727272727272727*m.x2049))**2 -
1.49610402*m.x2049*m.x2049*(1 - 0.000727272727272727*m.x2049)*(1 - 0.00145454545454545*m.x2049
)*(1 - 0.00145454545454545*m.x2049))) + m.x577 <= 0)
m.c1959 = Constraint(expr=-0.007*m.x1635*m.x1358*(0.0775*m.x2050*(1 - 0.000727272727272727*m.x2050) + m.x2050 +
0.003003125*m.x2050*(1 - 0.000727272727272727*m.x2050)*(1 - 0.00145454545454545*m.x2050) +
6.0669191919192e-8*(1189.2375*m.x2050*(1 - 0.000727272727272727*m.x2050)*(1 -
0.00145454545454545*m.x2050) - 1.86*(0.93*m.x2050*(1 - 0.000727272727272727*m.x2050))**2 -
1.49610402*m.x2050*m.x2050*(1 - 0.000727272727272727*m.x2050)*(1 - 0.00145454545454545*m.x2050
)*(1 - 0.00145454545454545*m.x2050))) + m.x578 <= 0)
m.c1960 = Constraint(expr=-0.007*m.x1635*m.x1359*(0.0775*m.x2051*(1 - 0.000727272727272727*m.x2051) + m.x2051 +
0.003003125*m.x2051*(1 - 0.000727272727272727*m.x2051)*(1 - 0.00145454545454545*m.x2051) +
6.0669191919192e-8*(1189.2375*m.x2051*(1 - 0.000727272727272727*m.x2051)*(1 -
0.00145454545454545*m.x2051) - 1.86*(0.93*m.x2051*(1 - 0.000727272727272727*m.x2051))**2 -
1.49610402*m.x2051*m.x2051*(1 - 0.000727272727272727*m.x2051)*(1 - 0.00145454545454545*m.x2051
)*(1 - 0.00145454545454545*m.x2051))) + m.x579 <= 0)
m.c1961 = Constraint(expr=-0.007*m.x1635*m.x1360*(0.0775*m.x2052*(1 - 0.000727272727272727*m.x2052) + m.x2052 +
0.003003125*m.x2052*(1 - 0.000727272727272727*m.x2052)*(1 - 0.00145454545454545*m.x2052) +
6.0669191919192e-8*(1189.2375*m.x2052*(1 - 0.000727272727272727*m.x2052)*(1 -
0.00145454545454545*m.x2052) - 1.86*(0.93*m.x2052*(1 - 0.000727272727272727*m.x2052))**2 -
1.49610402*m.x2052*m.x2052*(1 - 0.000727272727272727*m.x2052)*(1 - 0.00145454545454545*m.x2052
)*(1 - 0.00145454545454545*m.x2052))) + m.x580 <= 0)
m.c1962 = Constraint(expr=-0.007*m.x1635*m.x1361*(0.0775*m.x2053*(1 - 0.000727272727272727*m.x2053) + m.x2053 +
0.003003125*m.x2053*(1 - 0.000727272727272727*m.x2053)*(1 - 0.00145454545454545*m.x2053) +
6.0669191919192e-8*(1189.2375*m.x2053*(1 - 0.000727272727272727*m.x2053)*(1 -
0.00145454545454545*m.x2053) - 1.86*(0.93*m.x2053*(1 - 0.000727272727272727*m.x2053))**2 -
1.49610402*m.x2053*m.x2053*(1 - 0.000727272727272727*m.x2053)*(1 - 0.00145454545454545*m.x2053
)*(1 - 0.00145454545454545*m.x2053))) + m.x581 <= 0)
m.c1963 = Constraint(expr=-0.007*m.x1635*m.x1362*(0.0775*m.x2054*(1 - 0.000727272727272727*m.x2054) + m.x2054 +
0.003003125*m.x2054*(1 - 0.000727272727272727*m.x2054)*(1 - 0.00145454545454545*m.x2054) +
6.0669191919192e-8*(1189.2375*m.x2054*(1 - 0.000727272727272727*m.x2054)*(1 -
0.00145454545454545*m.x2054) - 1.86*(0.93*m.x2054*(1 - 0.000727272727272727*m.x2054))**2 -
1.49610402*m.x2054*m.x2054*(1 - 0.000727272727272727*m.x2054)*(1 - 0.00145454545454545*m.x2054
)*(1 - 0.00145454545454545*m.x2054))) + m.x582 <= 0)
m.c1964 = Constraint(expr=-0.007*m.x1635*m.x1363*(0.0775*m.x2055*(1 - 0.000727272727272727*m.x2055) + m.x2055 +
0.003003125*m.x2055*(1 - 0.000727272727272727*m.x2055)*(1 - 0.00145454545454545*m.x2055) +
6.0669191919192e-8*(1189.2375*m.x2055*(1 - 0.000727272727272727*m.x2055)*(1 -
0.00145454545454545*m.x2055) - 1.86*(0.93*m.x2055*(1 - 0.000727272727272727*m.x2055))**2 -
1.49610402*m.x2055*m.x2055*(1 - 0.000727272727272727*m.x2055)*(1 - 0.00145454545454545*m.x2055
)*(1 - 0.00145454545454545*m.x2055))) + m.x583 <= 0)
m.c1965 = Constraint(expr=-0.007*m.x1635*m.x1364*(0.0775*m.x2056*(1 - 0.000727272727272727*m.x2056) + m.x2056 +
0.003003125*m.x2056*(1 - 0.000727272727272727*m.x2056)*(1 - 0.00145454545454545*m.x2056) +
6.0669191919192e-8*(1189.2375*m.x2056*(1 - 0.000727272727272727*m.x2056)*(1 -
0.00145454545454545*m.x2056) - 1.86*(0.93*m.x2056*(1 - 0.000727272727272727*m.x2056))**2 -
1.49610402*m.x2056*m.x2056*(1 - 0.000727272727272727*m.x2056)*(1 - 0.00145454545454545*m.x2056
)*(1 - 0.00145454545454545*m.x2056))) + m.x584 <= 0)
m.c1966 = Constraint(expr=-0.007*m.x1635*m.x1365*(0.0775*m.x2057*(1 - 0.000727272727272727*m.x2057) + m.x2057 +
0.003003125*m.x2057*(1 - 0.000727272727272727*m.x2057)*(1 - 0.00145454545454545*m.x2057) +
6.0669191919192e-8*(1189.2375*m.x2057*(1 - 0.000727272727272727*m.x2057)*(1 -
0.00145454545454545*m.x2057) - 1.86*(0.93*m.x2057*(1 - 0.000727272727272727*m.x2057))**2 -
1.49610402*m.x2057*m.x2057*(1 - 0.000727272727272727*m.x2057)*(1 - 0.00145454545454545*m.x2057
)*(1 - 0.00145454545454545*m.x2057))) + m.x585 <= 0)
m.c1967 = Constraint(expr=-0.007*m.x1635*m.x1366*(0.0775*m.x2058*(1 - 0.000727272727272727*m.x2058) + m.x2058 +
0.003003125*m.x2058*(1 - 0.000727272727272727*m.x2058)*(1 - 0.00145454545454545*m.x2058) +
6.0669191919192e-8*(1189.2375*m.x2058*(1 - 0.000727272727272727*m.x2058)*(1 -
0.00145454545454545*m.x2058) - 1.86*(0.93*m.x2058*(1 - 0.000727272727272727*m.x2058))**2 -
1.49610402*m.x2058*m.x2058*(1 - 0.000727272727272727*m.x2058)*(1 - 0.00145454545454545*m.x2058
)*(1 - 0.00145454545454545*m.x2058))) + m.x586 <= 0)
m.c1968 = Constraint(expr=-0.007*m.x1635*m.x1367*(0.0775*m.x2059*(1 - 0.000727272727272727*m.x2059) + m.x2059 +
0.003003125*m.x2059*(1 - 0.000727272727272727*m.x2059)*(1 - 0.00145454545454545*m.x2059) +
6.0669191919192e-8*(1189.2375*m.x2059*(1 - 0.000727272727272727*m.x2059)*(1 -
0.00145454545454545*m.x2059) - 1.86*(0.93*m.x2059*(1 - 0.000727272727272727*m.x2059))**2 -
1.49610402*m.x2059*m.x2059*(1 - 0.000727272727272727*m.x2059)*(1 - 0.00145454545454545*m.x2059
)*(1 - 0.00145454545454545*m.x2059))) + m.x587 <= 0)
m.c1969 = Constraint(expr=-0.007*m.x1635*m.x1368*(0.0775*m.x2060*(1 - 0.000727272727272727*m.x2060) + m.x2060 +
0.003003125*m.x2060*(1 - 0.000727272727272727*m.x2060)*(1 - 0.00145454545454545*m.x2060) +
6.0669191919192e-8*(1189.2375*m.x2060*(1 - 0.000727272727272727*m.x2060)*(1 -
0.00145454545454545*m.x2060) - 1.86*(0.93*m.x2060*(1 - 0.000727272727272727*m.x2060))**2 -
1.49610402*m.x2060*m.x2060*(1 - 0.000727272727272727*m.x2060)*(1 - 0.00145454545454545*m.x2060
)*(1 - 0.00145454545454545*m.x2060))) + m.x588 <= 0)
m.c1970 = Constraint(expr=-0.007*m.x1636*m.x1369*(0.0775*m.x2061*(1 - 0.000727272727272727*m.x2061) + m.x2061 +
0.003003125*m.x2061*(1 - 0.000727272727272727*m.x2061)*(1 - 0.00145454545454545*m.x2061) +
6.0669191919192e-8*(1189.2375*m.x2061*(1 - 0.000727272727272727*m.x2061)*(1 -
0.00145454545454545*m.x2061) - 1.86*(0.93*m.x2061*(1 - 0.000727272727272727*m.x2061))**2 -
1.49610402*m.x2061*m.x2061*(1 - 0.000727272727272727*m.x2061)*(1 - 0.00145454545454545*m.x2061
)*(1 - 0.00145454545454545*m.x2061))) + m.x589 <= 0)
m.c1971 = Constraint(expr=-0.007*m.x1636*m.x1370*(0.0775*m.x2062*(1 - 0.000727272727272727*m.x2062) + m.x2062 +
0.003003125*m.x2062*(1 - 0.000727272727272727*m.x2062)*(1 - 0.00145454545454545*m.x2062) +
6.0669191919192e-8*(1189.2375*m.x2062*(1 - 0.000727272727272727*m.x2062)*(1 -
0.00145454545454545*m.x2062) - 1.86*(0.93*m.x2062*(1 - 0.000727272727272727*m.x2062))**2 -
1.49610402*m.x2062*m.x2062*(1 - 0.000727272727272727*m.x2062)*(1 - 0.00145454545454545*m.x2062
)*(1 - 0.00145454545454545*m.x2062))) + m.x590 <= 0)
m.c1972 = Constraint(expr=-0.007*m.x1636*m.x1371*(0.0775*m.x2063*(1 - 0.000727272727272727*m.x2063) + m.x2063 +
0.003003125*m.x2063*(1 - 0.000727272727272727*m.x2063)*(1 - 0.00145454545454545*m.x2063) +
6.0669191919192e-8*(1189.2375*m.x2063*(1 - 0.000727272727272727*m.x2063)*(1 -
0.00145454545454545*m.x2063) - 1.86*(0.93*m.x2063*(1 - 0.000727272727272727*m.x2063))**2 -
1.49610402*m.x2063*m.x2063*(1 - 0.000727272727272727*m.x2063)*(1 - 0.00145454545454545*m.x2063
)*(1 - 0.00145454545454545*m.x2063))) + m.x591 <= 0)
m.c1973 = Constraint(expr=-0.007*m.x1636*m.x1372*(0.0775*m.x2064*(1 - 0.000727272727272727*m.x2064) + m.x2064 +
0.003003125*m.x2064*(1 - 0.000727272727272727*m.x2064)*(1 - 0.00145454545454545*m.x2064) +
6.0669191919192e-8*(1189.2375*m.x2064*(1 - 0.000727272727272727*m.x2064)*(1 -
0.00145454545454545*m.x2064) - 1.86*(0.93*m.x2064*(1 - 0.000727272727272727*m.x2064))**2 -
1.49610402*m.x2064*m.x2064*(1 - 0.000727272727272727*m.x2064)*(1 - 0.00145454545454545*m.x2064
)*(1 - 0.00145454545454545*m.x2064))) + m.x592 <= 0)
m.c1974 = Constraint(expr=-0.007*m.x1636*m.x1373*(0.0775*m.x2065*(1 - 0.000727272727272727*m.x2065) + m.x2065 +
0.003003125*m.x2065*(1 - 0.000727272727272727*m.x2065)*(1 - 0.00145454545454545*m.x2065) +
6.0669191919192e-8*(1189.2375*m.x2065*(1 - 0.000727272727272727*m.x2065)*(1 -
0.00145454545454545*m.x2065) - 1.86*(0.93*m.x2065*(1 - 0.000727272727272727*m.x2065))**2 -
1.49610402*m.x2065*m.x2065*(1 - 0.000727272727272727*m.x2065)*(1 - 0.00145454545454545*m.x2065
)*(1 - 0.00145454545454545*m.x2065))) + m.x593 <= 0)
m.c1975 = Constraint(expr=-0.007*m.x1636*m.x1374*(0.0775*m.x2066*(1 - 0.000727272727272727*m.x2066) + m.x2066 +
0.003003125*m.x2066*(1 - 0.000727272727272727*m.x2066)*(1 - 0.00145454545454545*m.x2066) +
6.0669191919192e-8*(1189.2375*m.x2066*(1 - 0.000727272727272727*m.x2066)*(1 -
0.00145454545454545*m.x2066) - 1.86*(0.93*m.x2066*(1 - 0.000727272727272727*m.x2066))**2 -
1.49610402*m.x2066*m.x2066*(1 - 0.000727272727272727*m.x2066)*(1 - 0.00145454545454545*m.x2066
)*(1 - 0.00145454545454545*m.x2066))) + m.x594 <= 0)
m.c1976 = Constraint(expr=-0.007*m.x1636*m.x1375*(0.0775*m.x2067*(1 - 0.000727272727272727*m.x2067) + m.x2067 +
0.003003125*m.x2067*(1 - 0.000727272727272727*m.x2067)*(1 - 0.00145454545454545*m.x2067) +
6.0669191919192e-8*(1189.2375*m.x2067*(1 - 0.000727272727272727*m.x2067)*(1 -
0.00145454545454545*m.x2067) - 1.86*(0.93*m.x2067*(1 - 0.000727272727272727*m.x2067))**2 -
1.49610402*m.x2067*m.x2067*(1 - 0.000727272727272727*m.x2067)*(1 - 0.00145454545454545*m.x2067
)*(1 - 0.00145454545454545*m.x2067))) + m.x595 <= 0)
m.c1977 = Constraint(expr=-0.007*m.x1636*m.x1376*(0.0775*m.x2068*(1 - 0.000727272727272727*m.x2068) + m.x2068 +
0.003003125*m.x2068*(1 - 0.000727272727272727*m.x2068)*(1 - 0.00145454545454545*m.x2068) +
6.0669191919192e-8*(1189.2375*m.x2068*(1 - 0.000727272727272727*m.x2068)*(1 -
0.00145454545454545*m.x2068) - 1.86*(0.93*m.x2068*(1 - 0.000727272727272727*m.x2068))**2 -
1.49610402*m.x2068*m.x2068*(1 - 0.000727272727272727*m.x2068)*(1 - 0.00145454545454545*m.x2068
)*(1 - 0.00145454545454545*m.x2068))) + m.x596 <= 0)
m.c1978 = Constraint(expr=-0.007*m.x1636*m.x1377*(0.0775*m.x2069*(1 - 0.000727272727272727*m.x2069) + m.x2069 +
0.003003125*m.x2069*(1 - 0.000727272727272727*m.x2069)*(1 - 0.00145454545454545*m.x2069) +
6.0669191919192e-8*(1189.2375*m.x2069*(1 - 0.000727272727272727*m.x2069)*(1 -
0.00145454545454545*m.x2069) - 1.86*(0.93*m.x2069*(1 - 0.000727272727272727*m.x2069))**2 -
1.49610402*m.x2069*m.x2069*(1 - 0.000727272727272727*m.x2069)*(1 - 0.00145454545454545*m.x2069
)*(1 - 0.00145454545454545*m.x2069))) + m.x597 <= 0)
m.c1979 = Constraint(expr=-0.007*m.x1636*m.x1378*(0.0775*m.x2070*(1 - 0.000727272727272727*m.x2070) + m.x2070 +
0.003003125*m.x2070*(1 - 0.000727272727272727*m.x2070)*(1 - 0.00145454545454545*m.x2070) +
6.0669191919192e-8*(1189.2375*m.x2070*(1 - 0.000727272727272727*m.x2070)*(1 -
0.00145454545454545*m.x2070) - 1.86*(0.93*m.x2070*(1 - 0.000727272727272727*m.x2070))**2 -
1.49610402*m.x2070*m.x2070*(1 - 0.000727272727272727*m.x2070)*(1 - 0.00145454545454545*m.x2070
)*(1 - 0.00145454545454545*m.x2070))) + m.x598 <= 0)
m.c1980 = Constraint(expr=-0.007*m.x1636*m.x1379*(0.0775*m.x2071*(1 - 0.000727272727272727*m.x2071) + m.x2071 +
0.003003125*m.x2071*(1 - 0.000727272727272727*m.x2071)*(1 - 0.00145454545454545*m.x2071) +
6.0669191919192e-8*(1189.2375*m.x2071*(1 - 0.000727272727272727*m.x2071)*(1 -
0.00145454545454545*m.x2071) - 1.86*(0.93*m.x2071*(1 - 0.000727272727272727*m.x2071))**2 -
1.49610402*m.x2071*m.x2071*(1 - 0.000727272727272727*m.x2071)*(1 - 0.00145454545454545*m.x2071
)*(1 - 0.00145454545454545*m.x2071))) + m.x599 <= 0)
m.c1981 = Constraint(expr=-0.007*m.x1636*m.x1380*(0.0775*m.x2072*(1 - 0.000727272727272727*m.x2072) + m.x2072 +
0.003003125*m.x2072*(1 - 0.000727272727272727*m.x2072)*(1 - 0.00145454545454545*m.x2072) +
6.0669191919192e-8*(1189.2375*m.x2072*(1 - 0.000727272727272727*m.x2072)*(1 -
0.00145454545454545*m.x2072) - 1.86*(0.93*m.x2072*(1 - 0.000727272727272727*m.x2072))**2 -
1.49610402*m.x2072*m.x2072*(1 - 0.000727272727272727*m.x2072)*(1 - 0.00145454545454545*m.x2072
)*(1 - 0.00145454545454545*m.x2072))) + m.x600 <= 0)
m.c1982 = Constraint(expr=-0.007*m.x1637*m.x1381*(0.0775*m.x2073*(1 - 0.000727272727272727*m.x2073) + m.x2073 +
0.003003125*m.x2073*(1 - 0.000727272727272727*m.x2073)*(1 - 0.00145454545454545*m.x2073) +
6.0669191919192e-8*(1189.2375*m.x2073*(1 - 0.000727272727272727*m.x2073)*(1 -
0.00145454545454545*m.x2073) - 1.86*(0.93*m.x2073*(1 - 0.000727272727272727*m.x2073))**2 -
1.49610402*m.x2073*m.x2073*(1 - 0.000727272727272727*m.x2073)*(1 - 0.00145454545454545*m.x2073
)*(1 - 0.00145454545454545*m.x2073))) + m.x601 <= 0)
m.c1983 = Constraint(expr=-0.007*m.x1637*m.x1382*(0.0775*m.x2074*(1 - 0.000727272727272727*m.x2074) + m.x2074 +
0.003003125*m.x2074*(1 - 0.000727272727272727*m.x2074)*(1 - 0.00145454545454545*m.x2074) +
6.0669191919192e-8*(1189.2375*m.x2074*(1 - 0.000727272727272727*m.x2074)*(1 -
0.00145454545454545*m.x2074) - 1.86*(0.93*m.x2074*(1 - 0.000727272727272727*m.x2074))**2 -
1.49610402*m.x2074*m.x2074*(1 - 0.000727272727272727*m.x2074)*(1 - 0.00145454545454545*m.x2074
)*(1 - 0.00145454545454545*m.x2074))) + m.x602 <= 0)
m.c1984 = Constraint(expr=-0.007*m.x1637*m.x1383*(0.0775*m.x2075*(1 - 0.000727272727272727*m.x2075) + m.x2075 +
0.003003125*m.x2075*(1 - 0.000727272727272727*m.x2075)*(1 - 0.00145454545454545*m.x2075) +
6.0669191919192e-8*(1189.2375*m.x2075*(1 - 0.000727272727272727*m.x2075)*(1 -
0.00145454545454545*m.x2075) - 1.86*(0.93*m.x2075*(1 - 0.000727272727272727*m.x2075))**2 -
1.49610402*m.x2075*m.x2075*(1 - 0.000727272727272727*m.x2075)*(1 - 0.00145454545454545*m.x2075
)*(1 - 0.00145454545454545*m.x2075))) + m.x603 <= 0)
m.c1985 = Constraint(expr=-0.007*m.x1637*m.x1384*(0.0775*m.x2076*(1 - 0.000727272727272727*m.x2076) + m.x2076 +
0.003003125*m.x2076*(1 - 0.000727272727272727*m.x2076)*(1 - 0.00145454545454545*m.x2076) +
6.0669191919192e-8*(1189.2375*m.x2076*(1 - 0.000727272727272727*m.x2076)*(1 -
0.00145454545454545*m.x2076) - 1.86*(0.93*m.x2076*(1 - 0.000727272727272727*m.x2076))**2 -
1.49610402*m.x2076*m.x2076*(1 - 0.000727272727272727*m.x2076)*(1 - 0.00145454545454545*m.x2076
)*(1 - 0.00145454545454545*m.x2076))) + m.x604 <= 0)
m.c1986 = Constraint(expr=-0.007*m.x1637*m.x1385*(0.0775*m.x2077*(1 - 0.000727272727272727*m.x2077) + m.x2077 +
0.003003125*m.x2077*(1 - 0.000727272727272727*m.x2077)*(1 - 0.00145454545454545*m.x2077) +
6.0669191919192e-8*(1189.2375*m.x2077*(1 - 0.000727272727272727*m.x2077)*(1 -
0.00145454545454545*m.x2077) - 1.86*(0.93*m.x2077*(1 - 0.000727272727272727*m.x2077))**2 -
1.49610402*m.x2077*m.x2077*(1 - 0.000727272727272727*m.x2077)*(1 - 0.00145454545454545*m.x2077
)*(1 - 0.00145454545454545*m.x2077))) + m.x605 <= 0)
m.c1987 = Constraint(expr=-0.007*m.x1637*m.x1386*(0.0775*m.x2078*(1 - 0.000727272727272727*m.x2078) + m.x2078 +
0.003003125*m.x2078*(1 - 0.000727272727272727*m.x2078)*(1 - 0.00145454545454545*m.x2078) +
6.0669191919192e-8*(1189.2375*m.x2078*(1 - 0.000727272727272727*m.x2078)*(1 -
0.00145454545454545*m.x2078) - 1.86*(0.93*m.x2078*(1 - 0.000727272727272727*m.x2078))**2 -
1.49610402*m.x2078*m.x2078*(1 - 0.000727272727272727*m.x2078)*(1 - 0.00145454545454545*m.x2078
)*(1 - 0.00145454545454545*m.x2078))) + m.x606 <= 0)
m.c1988 = Constraint(expr=-0.007*m.x1637*m.x1387*(0.0775*m.x2079*(1 - 0.000727272727272727*m.x2079) + m.x2079 +
0.003003125*m.x2079*(1 - 0.000727272727272727*m.x2079)*(1 - 0.00145454545454545*m.x2079) +
6.0669191919192e-8*(1189.2375*m.x2079*(1 - 0.000727272727272727*m.x2079)*(1 -
0.00145454545454545*m.x2079) - 1.86*(0.93*m.x2079*(1 - 0.000727272727272727*m.x2079))**2 -
1.49610402*m.x2079*m.x2079*(1 - 0.000727272727272727*m.x2079)*(1 - 0.00145454545454545*m.x2079
)*(1 - 0.00145454545454545*m.x2079))) + m.x607 <= 0)
m.c1989 = Constraint(expr=-0.007*m.x1637*m.x1388*(0.0775*m.x2080*(1 - 0.000727272727272727*m.x2080) + m.x2080 +
0.003003125*m.x2080*(1 - 0.000727272727272727*m.x2080)*(1 - 0.00145454545454545*m.x2080) +
6.0669191919192e-8*(1189.2375*m.x2080*(1 - 0.000727272727272727*m.x2080)*(1 -
0.00145454545454545*m.x2080) - 1.86*(0.93*m.x2080*(1 - 0.000727272727272727*m.x2080))**2 -
1.49610402*m.x2080*m.x2080*(1 - 0.000727272727272727*m.x2080)*(1 - 0.00145454545454545*m.x2080
)*(1 - 0.00145454545454545*m.x2080))) + m.x608 <= 0)
m.c1990 = Constraint(expr=-0.007*m.x1637*m.x1389*(0.0775*m.x2081*(1 - 0.000727272727272727*m.x2081) + m.x2081 +
0.003003125*m.x2081*(1 - 0.000727272727272727*m.x2081)*(1 - 0.00145454545454545*m.x2081) +
6.0669191919192e-8*(1189.2375*m.x2081*(1 - 0.000727272727272727*m.x2081)*(1 -
0.00145454545454545*m.x2081) - 1.86*(0.93*m.x2081*(1 - 0.000727272727272727*m.x2081))**2 -
1.49610402*m.x2081*m.x2081*(1 - 0.000727272727272727*m.x2081)*(1 - 0.00145454545454545*m.x2081
)*(1 - 0.00145454545454545*m.x2081))) + m.x609 <= 0)
m.c1991 = Constraint(expr=-0.007*m.x1637*m.x1390*(0.0775*m.x2082*(1 - 0.000727272727272727*m.x2082) + m.x2082 +
0.003003125*m.x2082*(1 - 0.000727272727272727*m.x2082)*(1 - 0.00145454545454545*m.x2082) +
6.0669191919192e-8*(1189.2375*m.x2082*(1 - 0.000727272727272727*m.x2082)*(1 -
0.00145454545454545*m.x2082) - 1.86*(0.93*m.x2082*(1 - 0.000727272727272727*m.x2082))**2 -
1.49610402*m.x2082*m.x2082*(1 - 0.000727272727272727*m.x2082)*(1 - 0.00145454545454545*m.x2082
)*(1 - 0.00145454545454545*m.x2082))) + m.x610 <= 0)
m.c1992 = Constraint(expr=-0.007*m.x1637*m.x1391*(0.0775*m.x2083*(1 - 0.000727272727272727*m.x2083) + m.x2083 +
0.003003125*m.x2083*(1 - 0.000727272727272727*m.x2083)*(1 - 0.00145454545454545*m.x2083) +
6.0669191919192e-8*(1189.2375*m.x2083*(1 - 0.000727272727272727*m.x2083)*(1 -
0.00145454545454545*m.x2083) - 1.86*(0.93*m.x2083*(1 - 0.000727272727272727*m.x2083))**2 -
1.49610402*m.x2083*m.x2083*(1 - 0.000727272727272727*m.x2083)*(1 - 0.00145454545454545*m.x2083
)*(1 - 0.00145454545454545*m.x2083))) + m.x611 <= 0)
m.c1993 = Constraint(expr=-0.007*m.x1637*m.x1392*(0.0775*m.x2084*(1 - 0.000727272727272727*m.x2084) + m.x2084 +
0.003003125*m.x2084*(1 - 0.000727272727272727*m.x2084)*(1 - 0.00145454545454545*m.x2084) +
6.0669191919192e-8*(1189.2375*m.x2084*(1 - 0.000727272727272727*m.x2084)*(1 -
0.00145454545454545*m.x2084) - 1.86*(0.93*m.x2084*(1 - 0.000727272727272727*m.x2084))**2 -
1.49610402*m.x2084*m.x2084*(1 - 0.000727272727272727*m.x2084)*(1 - 0.00145454545454545*m.x2084
)*(1 - 0.00145454545454545*m.x2084))) + m.x612 <= 0)
m.c1994 = Constraint(expr=-0.007*m.x1638*m.x1393*(0.0775*m.x2085*(1 - 0.000727272727272727*m.x2085) + m.x2085 +
0.003003125*m.x2085*(1 - 0.000727272727272727*m.x2085)*(1 - 0.00145454545454545*m.x2085) +
6.0669191919192e-8*(1189.2375*m.x2085*(1 - 0.000727272727272727*m.x2085)*(1 -
0.00145454545454545*m.x2085) - 1.86*(0.93*m.x2085*(1 - 0.000727272727272727*m.x2085))**2 -
1.49610402*m.x2085*m.x2085*(1 - 0.000727272727272727*m.x2085)*(1 - 0.00145454545454545*m.x2085
)*(1 - 0.00145454545454545*m.x2085))) + m.x613 <= 0)
m.c1995 = Constraint(expr=-0.007*m.x1638*m.x1394*(0.0775*m.x2086*(1 - 0.000727272727272727*m.x2086) + m.x2086 +
0.003003125*m.x2086*(1 - 0.000727272727272727*m.x2086)*(1 - 0.00145454545454545*m.x2086) +
6.0669191919192e-8*(1189.2375*m.x2086*(1 - 0.000727272727272727*m.x2086)*(1 -
0.00145454545454545*m.x2086) - 1.86*(0.93*m.x2086*(1 - 0.000727272727272727*m.x2086))**2 -
1.49610402*m.x2086*m.x2086*(1 - 0.000727272727272727*m.x2086)*(1 - 0.00145454545454545*m.x2086
)*(1 - 0.00145454545454545*m.x2086))) + m.x614 <= 0)
m.c1996 = Constraint(expr=-0.007*m.x1638*m.x1395*(0.0775*m.x2087*(1 - 0.000727272727272727*m.x2087) + m.x2087 +
0.003003125*m.x2087*(1 - 0.000727272727272727*m.x2087)*(1 - 0.00145454545454545*m.x2087) +
6.0669191919192e-8*(1189.2375*m.x2087*(1 - 0.000727272727272727*m.x2087)*(1 -
0.00145454545454545*m.x2087) - 1.86*(0.93*m.x2087*(1 - 0.000727272727272727*m.x2087))**2 -
1.49610402*m.x2087*m.x2087*(1 - 0.000727272727272727*m.x2087)*(1 - 0.00145454545454545*m.x2087
)*(1 - 0.00145454545454545*m.x2087))) + m.x615 <= 0)
m.c1997 = Constraint(expr=-0.007*m.x1638*m.x1396*(0.0775*m.x2088*(1 - 0.000727272727272727*m.x2088) + m.x2088 +
0.003003125*m.x2088*(1 - 0.000727272727272727*m.x2088)*(1 - 0.00145454545454545*m.x2088) +
6.0669191919192e-8*(1189.2375*m.x2088*(1 - 0.000727272727272727*m.x2088)*(1 -
0.00145454545454545*m.x2088) - 1.86*(0.93*m.x2088*(1 - 0.000727272727272727*m.x2088))**2 -
1.49610402*m.x2088*m.x2088*(1 - 0.000727272727272727*m.x2088)*(1 - 0.00145454545454545*m.x2088
)*(1 - 0.00145454545454545*m.x2088))) + m.x616 <= 0)
m.c1998 = Constraint(expr=-0.007*m.x1638*m.x1397*(0.0775*m.x2089*(1 - 0.000727272727272727*m.x2089) + m.x2089 +
0.003003125*m.x2089*(1 - 0.000727272727272727*m.x2089)*(1 - 0.00145454545454545*m.x2089) +
6.0669191919192e-8*(1189.2375*m.x2089*(1 - 0.000727272727272727*m.x2089)*(1 -
0.00145454545454545*m.x2089) - 1.86*(0.93*m.x2089*(1 - 0.000727272727272727*m.x2089))**2 -
1.49610402*m.x2089*m.x2089*(1 - 0.000727272727272727*m.x2089)*(1 - 0.00145454545454545*m.x2089
)*(1 - 0.00145454545454545*m.x2089))) + m.x617 <= 0)
m.c1999 = Constraint(expr=-0.007*m.x1638*m.x1398*(0.0775*m.x2090*(1 - 0.000727272727272727*m.x2090) + m.x2090 +
0.003003125*m.x2090*(1 - 0.000727272727272727*m.x2090)*(1 - 0.00145454545454545*m.x2090) +
6.0669191919192e-8*(1189.2375*m.x2090*(1 - 0.000727272727272727*m.x2090)*(1 -
0.00145454545454545*m.x2090) - 1.86*(0.93*m.x2090*(1 - 0.000727272727272727*m.x2090))**2 -
1.49610402*m.x2090*m.x2090*(1 - 0.000727272727272727*m.x2090)*(1 - 0.00145454545454545*m.x2090
)*(1 - 0.00145454545454545*m.x2090))) + m.x618 <= 0)
m.c2000 = Constraint(expr=-0.007*m.x1638*m.x1399*(0.0775*m.x2091*(1 - 0.000727272727272727*m.x2091) + m.x2091 +
0.003003125*m.x2091*(1 - 0.000727272727272727*m.x2091)*(1 - 0.00145454545454545*m.x2091) +
6.0669191919192e-8*(1189.2375*m.x2091*(1 - 0.000727272727272727*m.x2091)*(1 -
0.00145454545454545*m.x2091) - 1.86*(0.93*m.x2091*(1 - 0.000727272727272727*m.x2091))**2 -
1.49610402*m.x2091*m.x2091*(1 - 0.000727272727272727*m.x2091)*(1 - 0.00145454545454545*m.x2091
)*(1 - 0.00145454545454545*m.x2091))) + m.x619 <= 0)
m.c2001 = Constraint(expr=-0.007*m.x1638*m.x1400*(0.0775*m.x2092*(1 - 0.000727272727272727*m.x2092) + m.x2092 +
0.003003125*m.x2092*(1 - 0.000727272727272727*m.x2092)*(1 - 0.00145454545454545*m.x2092) +
6.0669191919192e-8*(1189.2375*m.x2092*(1 - 0.000727272727272727*m.x2092)*(1 -
0.00145454545454545*m.x2092) - 1.86*(0.93*m.x2092*(1 - 0.000727272727272727*m.x2092))**2 -
1.49610402*m.x2092*m.x2092*(1 - 0.000727272727272727*m.x2092)*(1 - 0.00145454545454545*m.x2092
)*(1 - 0.00145454545454545*m.x2092))) + m.x620 <= 0)
m.c2002 = Constraint(expr=-0.007*m.x1638*m.x1401*(0.0775*m.x2093*(1 - 0.000727272727272727*m.x2093) + m.x2093 +
0.003003125*m.x2093*(1 - 0.000727272727272727*m.x2093)*(1 - 0.00145454545454545*m.x2093) +
6.0669191919192e-8*(1189.2375*m.x2093*(1 - 0.000727272727272727*m.x2093)*(1 -
0.00145454545454545*m.x2093) - 1.86*(0.93*m.x2093*(1 - 0.000727272727272727*m.x2093))**2 -
1.49610402*m.x2093*m.x2093*(1 - 0.000727272727272727*m.x2093)*(1 - 0.00145454545454545*m.x2093
)*(1 - 0.00145454545454545*m.x2093))) + m.x621 <= 0)
m.c2003 = Constraint(expr=-0.007*m.x1638*m.x1402*(0.0775*m.x2094*(1 - 0.000727272727272727*m.x2094) + m.x2094 +
0.003003125*m.x2094*(1 - 0.000727272727272727*m.x2094)*(1 - 0.00145454545454545*m.x2094) +
6.0669191919192e-8*(1189.2375*m.x2094*(1 - 0.000727272727272727*m.x2094)*(1 -
0.00145454545454545*m.x2094) - 1.86*(0.93*m.x2094*(1 - 0.000727272727272727*m.x2094))**2 -
1.49610402*m.x2094*m.x2094*(1 - 0.000727272727272727*m.x2094)*(1 - 0.00145454545454545*m.x2094
)*(1 - 0.00145454545454545*m.x2094))) + m.x622 <= 0)
m.c2004 = Constraint(expr=-0.007*m.x1638*m.x1403*(0.0775*m.x2095*(1 - 0.000727272727272727*m.x2095) + m.x2095 +
0.003003125*m.x2095*(1 - 0.000727272727272727*m.x2095)*(1 - 0.00145454545454545*m.x2095) +
6.0669191919192e-8*(1189.2375*m.x2095*(1 - 0.000727272727272727*m.x2095)*(1 -
0.00145454545454545*m.x2095) - 1.86*(0.93*m.x2095*(1 - 0.000727272727272727*m.x2095))**2 -
1.49610402*m.x2095*m.x2095*(1 - 0.000727272727272727*m.x2095)*(1 - 0.00145454545454545*m.x2095
)*(1 - 0.00145454545454545*m.x2095))) + m.x623 <= 0)
m.c2005 = Constraint(expr=-0.007*m.x1638*m.x1404*(0.0775*m.x2096*(1 - 0.000727272727272727*m.x2096) + m.x2096 +
0.003003125*m.x2096*(1 - 0.000727272727272727*m.x2096)*(1 - 0.00145454545454545*m.x2096) +
6.0669191919192e-8*(1189.2375*m.x2096*(1 - 0.000727272727272727*m.x2096)*(1 -
0.00145454545454545*m.x2096) - 1.86*(0.93*m.x2096*(1 - 0.000727272727272727*m.x2096))**2 -
1.49610402*m.x2096*m.x2096*(1 - 0.000727272727272727*m.x2096)*(1 - 0.00145454545454545*m.x2096
)*(1 - 0.00145454545454545*m.x2096))) + m.x624 <= 0)
m.c2006 = Constraint(expr=-0.007*m.x1639*m.x1405*(0.0775*m.x2097*(1 - 0.000727272727272727*m.x2097) + m.x2097 +
0.003003125*m.x2097*(1 - 0.000727272727272727*m.x2097)*(1 - 0.00145454545454545*m.x2097) +
6.0669191919192e-8*(1189.2375*m.x2097*(1 - 0.000727272727272727*m.x2097)*(1 -
0.00145454545454545*m.x2097) - 1.86*(0.93*m.x2097*(1 - 0.000727272727272727*m.x2097))**2 -
1.49610402*m.x2097*m.x2097*(1 - 0.000727272727272727*m.x2097)*(1 - 0.00145454545454545*m.x2097
)*(1 - 0.00145454545454545*m.x2097))) + m.x625 <= 0)
m.c2007 = Constraint(expr=-0.007*m.x1639*m.x1406*(0.0775*m.x2098*(1 - 0.000727272727272727*m.x2098) + m.x2098 +
0.003003125*m.x2098*(1 - 0.000727272727272727*m.x2098)*(1 - 0.00145454545454545*m.x2098) +
6.0669191919192e-8*(1189.2375*m.x2098*(1 - 0.000727272727272727*m.x2098)*(1 -
0.00145454545454545*m.x2098) - 1.86*(0.93*m.x2098*(1 - 0.000727272727272727*m.x2098))**2 -
1.49610402*m.x2098*m.x2098*(1 - 0.000727272727272727*m.x2098)*(1 - 0.00145454545454545*m.x2098
)*(1 - 0.00145454545454545*m.x2098))) + m.x626 <= 0)
m.c2008 = Constraint(expr=-0.007*m.x1639*m.x1407*(0.0775*m.x2099*(1 - 0.000727272727272727*m.x2099) + m.x2099 +
0.003003125*m.x2099*(1 - 0.000727272727272727*m.x2099)*(1 - 0.00145454545454545*m.x2099) +
6.0669191919192e-8*(1189.2375*m.x2099*(1 - 0.000727272727272727*m.x2099)*(1 -
0.00145454545454545*m.x2099) - 1.86*(0.93*m.x2099*(1 - 0.000727272727272727*m.x2099))**2 -
1.49610402*m.x2099*m.x2099*(1 - 0.000727272727272727*m.x2099)*(1 - 0.00145454545454545*m.x2099
)*(1 - 0.00145454545454545*m.x2099))) + m.x627 <= 0)
m.c2009 = Constraint(expr=-0.007*m.x1639*m.x1408*(0.0775*m.x2100*(1 - 0.000727272727272727*m.x2100) + m.x2100 +
0.003003125*m.x2100*(1 - 0.000727272727272727*m.x2100)*(1 - 0.00145454545454545*m.x2100) +
6.0669191919192e-8*(1189.2375*m.x2100*(1 - 0.000727272727272727*m.x2100)*(1 -
0.00145454545454545*m.x2100) - 1.86*(0.93*m.x2100*(1 - 0.000727272727272727*m.x2100))**2 -
1.49610402*m.x2100*m.x2100*(1 - 0.000727272727272727*m.x2100)*(1 - 0.00145454545454545*m.x2100
)*(1 - 0.00145454545454545*m.x2100))) + m.x628 <= 0)
m.c2010 = Constraint(expr=-0.007*m.x1639*m.x1409*(0.0775*m.x2101*(1 - 0.000727272727272727*m.x2101) + m.x2101 +
0.003003125*m.x2101*(1 - 0.000727272727272727*m.x2101)*(1 - 0.00145454545454545*m.x2101) +
6.0669191919192e-8*(1189.2375*m.x2101*(1 - 0.000727272727272727*m.x2101)*(1 -
0.00145454545454545*m.x2101) - 1.86*(0.93*m.x2101*(1 - 0.000727272727272727*m.x2101))**2 -
1.49610402*m.x2101*m.x2101*(1 - 0.000727272727272727*m.x2101)*(1 - 0.00145454545454545*m.x2101
)*(1 - 0.00145454545454545*m.x2101))) + m.x629 <= 0)
m.c2011 = Constraint(expr=-0.007*m.x1639*m.x1410*(0.0775*m.x2102*(1 - 0.000727272727272727*m.x2102) + m.x2102 +
0.003003125*m.x2102*(1 - 0.000727272727272727*m.x2102)*(1 - 0.00145454545454545*m.x2102) +
6.0669191919192e-8*(1189.2375*m.x2102*(1 - 0.000727272727272727*m.x2102)*(1 -
0.00145454545454545*m.x2102) - 1.86*(0.93*m.x2102*(1 - 0.000727272727272727*m.x2102))**2 -
1.49610402*m.x2102*m.x2102*(1 - 0.000727272727272727*m.x2102)*(1 - 0.00145454545454545*m.x2102
)*(1 - 0.00145454545454545*m.x2102))) + m.x630 <= 0)
m.c2012 = Constraint(expr=-0.007*m.x1639*m.x1411*(0.0775*m.x2103*(1 - 0.000727272727272727*m.x2103) + m.x2103 +
0.003003125*m.x2103*(1 - 0.000727272727272727*m.x2103)*(1 - 0.00145454545454545*m.x2103) +
6.0669191919192e-8*(1189.2375*m.x2103*(1 - 0.000727272727272727*m.x2103)*(1 -
0.00145454545454545*m.x2103) - 1.86*(0.93*m.x2103*(1 - 0.000727272727272727*m.x2103))**2 -
1.49610402*m.x2103*m.x2103*(1 - 0.000727272727272727*m.x2103)*(1 - 0.00145454545454545*m.x2103
)*(1 - 0.00145454545454545*m.x2103))) + m.x631 <= 0)
m.c2013 = Constraint(expr=-0.007*m.x1639*m.x1412*(0.0775*m.x2104*(1 - 0.000727272727272727*m.x2104) + m.x2104 +
0.003003125*m.x2104*(1 - 0.000727272727272727*m.x2104)*(1 - 0.00145454545454545*m.x2104) +
6.0669191919192e-8*(1189.2375*m.x2104*(1 - 0.000727272727272727*m.x2104)*(1 -
0.00145454545454545*m.x2104) - 1.86*(0.93*m.x2104*(1 - 0.000727272727272727*m.x2104))**2 -
1.49610402*m.x2104*m.x2104*(1 - 0.000727272727272727*m.x2104)*(1 - 0.00145454545454545*m.x2104
)*(1 - 0.00145454545454545*m.x2104))) + m.x632 <= 0)
m.c2014 = Constraint(expr=-0.007*m.x1639*m.x1413*(0.0775*m.x2105*(1 - 0.000727272727272727*m.x2105) + m.x2105 +
0.003003125*m.x2105*(1 - 0.000727272727272727*m.x2105)*(1 - 0.00145454545454545*m.x2105) +
6.0669191919192e-8*(1189.2375*m.x2105*(1 - 0.000727272727272727*m.x2105)*(1 -
0.00145454545454545*m.x2105) - 1.86*(0.93*m.x2105*(1 - 0.000727272727272727*m.x2105))**2 -
1.49610402*m.x2105*m.x2105*(1 - 0.000727272727272727*m.x2105)*(1 - 0.00145454545454545*m.x2105
)*(1 - 0.00145454545454545*m.x2105))) + m.x633 <= 0)
m.c2015 = Constraint(expr=-0.007*m.x1639*m.x1414*(0.0775*m.x2106*(1 - 0.000727272727272727*m.x2106) + m.x2106 +
0.003003125*m.x2106*(1 - 0.000727272727272727*m.x2106)*(1 - 0.00145454545454545*m.x2106) +
6.0669191919192e-8*(1189.2375*m.x2106*(1 - 0.000727272727272727*m.x2106)*(1 -
0.00145454545454545*m.x2106) - 1.86*(0.93*m.x2106*(1 - 0.000727272727272727*m.x2106))**2 -
1.49610402*m.x2106*m.x2106*(1 - 0.000727272727272727*m.x2106)*(1 - 0.00145454545454545*m.x2106
)*(1 - 0.00145454545454545*m.x2106))) + m.x634 <= 0)
m.c2016 = Constraint(expr=-0.007*m.x1639*m.x1415*(0.0775*m.x2107*(1 - 0.000727272727272727*m.x2107) + m.x2107 +
0.003003125*m.x2107*(1 - 0.000727272727272727*m.x2107)*(1 - 0.00145454545454545*m.x2107) +
6.0669191919192e-8*(1189.2375*m.x2107*(1 - 0.000727272727272727*m.x2107)*(1 -
0.00145454545454545*m.x2107) - 1.86*(0.93*m.x2107*(1 - 0.000727272727272727*m.x2107))**2 -
1.49610402*m.x2107*m.x2107*(1 - 0.000727272727272727*m.x2107)*(1 - 0.00145454545454545*m.x2107
)*(1 - 0.00145454545454545*m.x2107))) + m.x635 <= 0)
m.c2017 = Constraint(expr=-0.007*m.x1639*m.x1416*(0.0775*m.x2108*(1 - 0.000727272727272727*m.x2108) + m.x2108 +
0.003003125*m.x2108*(1 - 0.000727272727272727*m.x2108)*(1 - 0.00145454545454545*m.x2108) +
6.0669191919192e-8*(1189.2375*m.x2108*(1 - 0.000727272727272727*m.x2108)*(1 -
0.00145454545454545*m.x2108) - 1.86*(0.93*m.x2108*(1 - 0.000727272727272727*m.x2108))**2 -
1.49610402*m.x2108*m.x2108*(1 - 0.000727272727272727*m.x2108)*(1 - 0.00145454545454545*m.x2108
)*(1 - 0.00145454545454545*m.x2108))) + m.x636 <= 0)
m.c2018 = Constraint(expr=-0.007*m.x1640*m.x1417*(0.0775*m.x2109*(1 - 0.000727272727272727*m.x2109) + m.x2109 +
0.003003125*m.x2109*(1 - 0.000727272727272727*m.x2109)*(1 - 0.00145454545454545*m.x2109) +
6.0669191919192e-8*(1189.2375*m.x2109*(1 - 0.000727272727272727*m.x2109)*(1 -
0.00145454545454545*m.x2109) - 1.86*(0.93*m.x2109*(1 - 0.000727272727272727*m.x2109))**2 -
1.49610402*m.x2109*m.x2109*(1 - 0.000727272727272727*m.x2109)*(1 - 0.00145454545454545*m.x2109
)*(1 - 0.00145454545454545*m.x2109))) + m.x637 <= 0)
m.c2019 = Constraint(expr=-0.007*m.x1640*m.x1418*(0.0775*m.x2110*(1 - 0.000727272727272727*m.x2110) + m.x2110 +
0.003003125*m.x2110*(1 - 0.000727272727272727*m.x2110)*(1 - 0.00145454545454545*m.x2110) +
6.0669191919192e-8*(1189.2375*m.x2110*(1 - 0.000727272727272727*m.x2110)*(1 -
0.00145454545454545*m.x2110) - 1.86*(0.93*m.x2110*(1 - 0.000727272727272727*m.x2110))**2 -
1.49610402*m.x2110*m.x2110*(1 - 0.000727272727272727*m.x2110)*(1 - 0.00145454545454545*m.x2110
)*(1 - 0.00145454545454545*m.x2110))) + m.x638 <= 0)
m.c2020 = Constraint(expr=-0.007*m.x1640*m.x1419*(0.0775*m.x2111*(1 - 0.000727272727272727*m.x2111) + m.x2111 +
0.003003125*m.x2111*(1 - 0.000727272727272727*m.x2111)*(1 - 0.00145454545454545*m.x2111) +
6.0669191919192e-8*(1189.2375*m.x2111*(1 - 0.000727272727272727*m.x2111)*(1 -
0.00145454545454545*m.x2111) - 1.86*(0.93*m.x2111*(1 - 0.000727272727272727*m.x2111))**2 -
1.49610402*m.x2111*m.x2111*(1 - 0.000727272727272727*m.x2111)*(1 - 0.00145454545454545*m.x2111
)*(1 - 0.00145454545454545*m.x2111))) + m.x639 <= 0)
m.c2021 = Constraint(expr=-0.007*m.x1640*m.x1420*(0.0775*m.x2112*(1 - 0.000727272727272727*m.x2112) + m.x2112 +
0.003003125*m.x2112*(1 - 0.000727272727272727*m.x2112)*(1 - 0.00145454545454545*m.x2112) +
6.0669191919192e-8*(1189.2375*m.x2112*(1 - 0.000727272727272727*m.x2112)*(1 -
0.00145454545454545*m.x2112) - 1.86*(0.93*m.x2112*(1 - 0.000727272727272727*m.x2112))**2 -
1.49610402*m.x2112*m.x2112*(1 - 0.000727272727272727*m.x2112)*(1 - 0.00145454545454545*m.x2112
)*(1 - 0.00145454545454545*m.x2112))) + m.x640 <= 0)
m.c2022 = Constraint(expr=-0.007*m.x1640*m.x1421*(0.0775*m.x2113*(1 - 0.000727272727272727*m.x2113) + m.x2113 +
0.003003125*m.x2113*(1 - 0.000727272727272727*m.x2113)*(1 - 0.00145454545454545*m.x2113) +
6.0669191919192e-8*(1189.2375*m.x2113*(1 - 0.000727272727272727*m.x2113)*(1 -
0.00145454545454545*m.x2113) - 1.86*(0.93*m.x2113*(1 - 0.000727272727272727*m.x2113))**2 -
1.49610402*m.x2113*m.x2113*(1 - 0.000727272727272727*m.x2113)*(1 - 0.00145454545454545*m.x2113
)*(1 - 0.00145454545454545*m.x2113))) + m.x641 <= 0)
m.c2023 = Constraint(expr=-0.007*m.x1640*m.x1422*(0.0775*m.x2114*(1 - 0.000727272727272727*m.x2114) + m.x2114 +
0.003003125*m.x2114*(1 - 0.000727272727272727*m.x2114)*(1 - 0.00145454545454545*m.x2114) +
6.0669191919192e-8*(1189.2375*m.x2114*(1 - 0.000727272727272727*m.x2114)*(1 -
0.00145454545454545*m.x2114) - 1.86*(0.93*m.x2114*(1 - 0.000727272727272727*m.x2114))**2 -
1.49610402*m.x2114*m.x2114*(1 - 0.000727272727272727*m.x2114)*(1 - 0.00145454545454545*m.x2114
)*(1 - 0.00145454545454545*m.x2114))) + m.x642 <= 0)
m.c2024 = Constraint(expr=-0.007*m.x1640*m.x1423*(0.0775*m.x2115*(1 - 0.000727272727272727*m.x2115) + m.x2115 +
0.003003125*m.x2115*(1 - 0.000727272727272727*m.x2115)*(1 - 0.00145454545454545*m.x2115) +
6.0669191919192e-8*(1189.2375*m.x2115*(1 - 0.000727272727272727*m.x2115)*(1 -
0.00145454545454545*m.x2115) - 1.86*(0.93*m.x2115*(1 - 0.000727272727272727*m.x2115))**2 -
1.49610402*m.x2115*m.x2115*(1 - 0.000727272727272727*m.x2115)*(1 - 0.00145454545454545*m.x2115
)*(1 - 0.00145454545454545*m.x2115))) + m.x643 <= 0)
m.c2025 = Constraint(expr=-0.007*m.x1640*m.x1424*(0.0775*m.x2116*(1 - 0.000727272727272727*m.x2116) + m.x2116 +
0.003003125*m.x2116*(1 - 0.000727272727272727*m.x2116)*(1 - 0.00145454545454545*m.x2116) +
6.0669191919192e-8*(1189.2375*m.x2116*(1 - 0.000727272727272727*m.x2116)*(1 -
0.00145454545454545*m.x2116) - 1.86*(0.93*m.x2116*(1 - 0.000727272727272727*m.x2116))**2 -
1.49610402*m.x2116*m.x2116*(1 - 0.000727272727272727*m.x2116)*(1 - 0.00145454545454545*m.x2116
)*(1 - 0.00145454545454545*m.x2116))) + m.x644 <= 0)
m.c2026 = Constraint(expr=-0.007*m.x1640*m.x1425*(0.0775*m.x2117*(1 - 0.000727272727272727*m.x2117) + m.x2117 +
0.003003125*m.x2117*(1 - 0.000727272727272727*m.x2117)*(1 - 0.00145454545454545*m.x2117) +
6.0669191919192e-8*(1189.2375*m.x2117*(1 - 0.000727272727272727*m.x2117)*(1 -
0.00145454545454545*m.x2117) - 1.86*(0.93*m.x2117*(1 - 0.000727272727272727*m.x2117))**2 -
1.49610402*m.x2117*m.x2117*(1 - 0.000727272727272727*m.x2117)*(1 - 0.00145454545454545*m.x2117
)*(1 - 0.00145454545454545*m.x2117))) + m.x645 <= 0)
m.c2027 = Constraint(expr=-0.007*m.x1640*m.x1426*(0.0775*m.x2118*(1 - 0.000727272727272727*m.x2118) + m.x2118 +
0.003003125*m.x2118*(1 - 0.000727272727272727*m.x2118)*(1 - 0.00145454545454545*m.x2118) +
6.0669191919192e-8*(1189.2375*m.x2118*(1 - 0.000727272727272727*m.x2118)*(1 -
0.00145454545454545*m.x2118) - 1.86*(0.93*m.x2118*(1 - 0.000727272727272727*m.x2118))**2 -
1.49610402*m.x2118*m.x2118*(1 - 0.000727272727272727*m.x2118)*(1 - 0.00145454545454545*m.x2118
)*(1 - 0.00145454545454545*m.x2118))) + m.x646 <= 0)
m.c2028 = Constraint(expr=-0.007*m.x1640*m.x1427*(0.0775*m.x2119*(1 - 0.000727272727272727*m.x2119) + m.x2119 +
0.003003125*m.x2119*(1 - 0.000727272727272727*m.x2119)*(1 - 0.00145454545454545*m.x2119) +
6.0669191919192e-8*(1189.2375*m.x2119*(1 - 0.000727272727272727*m.x2119)*(1 -
0.00145454545454545*m.x2119) - 1.86*(0.93*m.x2119*(1 - 0.000727272727272727*m.x2119))**2 -
1.49610402*m.x2119*m.x2119*(1 - 0.000727272727272727*m.x2119)*(1 - 0.00145454545454545*m.x2119
)*(1 - 0.00145454545454545*m.x2119))) + m.x647 <= 0)
m.c2029 = Constraint(expr=-0.007*m.x1640*m.x1428*(0.0775*m.x2120*(1 - 0.000727272727272727*m.x2120) + m.x2120 +
0.003003125*m.x2120*(1 - 0.000727272727272727*m.x2120)*(1 - 0.00145454545454545*m.x2120) +
6.0669191919192e-8*(1189.2375*m.x2120*(1 - 0.000727272727272727*m.x2120)*(1 -
0.00145454545454545*m.x2120) - 1.86*(0.93*m.x2120*(1 - 0.000727272727272727*m.x2120))**2 -
1.49610402*m.x2120*m.x2120*(1 - 0.000727272727272727*m.x2120)*(1 - 0.00145454545454545*m.x2120
)*(1 - 0.00145454545454545*m.x2120))) + m.x648 <= 0)
m.c2030 = Constraint(expr=-0.007*m.x1641*m.x1429*(0.0775*m.x2121*(1 - 0.000727272727272727*m.x2121) + m.x2121 +
0.003003125*m.x2121*(1 - 0.000727272727272727*m.x2121)*(1 - 0.00145454545454545*m.x2121) +
6.0669191919192e-8*(1189.2375*m.x2121*(1 - 0.000727272727272727*m.x2121)*(1 -
0.00145454545454545*m.x2121) - 1.86*(0.93*m.x2121*(1 - 0.000727272727272727*m.x2121))**2 -
1.49610402*m.x2121*m.x2121*(1 - 0.000727272727272727*m.x2121)*(1 - 0.00145454545454545*m.x2121
)*(1 - 0.00145454545454545*m.x2121))) + m.x649 <= 0)
m.c2031 = Constraint(expr=-0.007*m.x1641*m.x1430*(0.0775*m.x2122*(1 - 0.000727272727272727*m.x2122) + m.x2122 +
0.003003125*m.x2122*(1 - 0.000727272727272727*m.x2122)*(1 - 0.00145454545454545*m.x2122) +
6.0669191919192e-8*(1189.2375*m.x2122*(1 - 0.000727272727272727*m.x2122)*(1 -
0.00145454545454545*m.x2122) - 1.86*(0.93*m.x2122*(1 - 0.000727272727272727*m.x2122))**2 -
1.49610402*m.x2122*m.x2122*(1 - 0.000727272727272727*m.x2122)*(1 - 0.00145454545454545*m.x2122
)*(1 - 0.00145454545454545*m.x2122))) + m.x650 <= 0)
m.c2032 = Constraint(expr=-0.007*m.x1641*m.x1431*(0.0775*m.x2123*(1 - 0.000727272727272727*m.x2123) + m.x2123 +
0.003003125*m.x2123*(1 - 0.000727272727272727*m.x2123)*(1 - 0.00145454545454545*m.x2123) +
6.0669191919192e-8*(1189.2375*m.x2123*(1 - 0.000727272727272727*m.x2123)*(1 -
0.00145454545454545*m.x2123) - 1.86*(0.93*m.x2123*(1 - 0.000727272727272727*m.x2123))**2 -
1.49610402*m.x2123*m.x2123*(1 - 0.000727272727272727*m.x2123)*(1 - 0.00145454545454545*m.x2123
)*(1 - 0.00145454545454545*m.x2123))) + m.x651 <= 0)
m.c2033 = Constraint(expr=-0.007*m.x1641*m.x1432*(0.0775*m.x2124*(1 - 0.000727272727272727*m.x2124) + m.x2124 +
0.003003125*m.x2124*(1 - 0.000727272727272727*m.x2124)*(1 - 0.00145454545454545*m.x2124) +
6.0669191919192e-8*(1189.2375*m.x2124*(1 - 0.000727272727272727*m.x2124)*(1 -
0.00145454545454545*m.x2124) - 1.86*(0.93*m.x2124*(1 - 0.000727272727272727*m.x2124))**2 -
1.49610402*m.x2124*m.x2124*(1 - 0.000727272727272727*m.x2124)*(1 - 0.00145454545454545*m.x2124
)*(1 - 0.00145454545454545*m.x2124))) + m.x652 <= 0)
m.c2034 = Constraint(expr=-0.007*m.x1641*m.x1433*(0.0775*m.x2125*(1 - 0.000727272727272727*m.x2125) + m.x2125 +
0.003003125*m.x2125*(1 - 0.000727272727272727*m.x2125)*(1 - 0.00145454545454545*m.x2125) +
6.0669191919192e-8*(1189.2375*m.x2125*(1 - 0.000727272727272727*m.x2125)*(1 -
0.00145454545454545*m.x2125) - 1.86*(0.93*m.x2125*(1 - 0.000727272727272727*m.x2125))**2 -
1.49610402*m.x2125*m.x2125*(1 - 0.000727272727272727*m.x2125)*(1 - 0.00145454545454545*m.x2125
)*(1 - 0.00145454545454545*m.x2125))) + m.x653 <= 0)
m.c2035 = Constraint(expr=-0.007*m.x1641*m.x1434*(0.0775*m.x2126*(1 - 0.000727272727272727*m.x2126) + m.x2126 +
0.003003125*m.x2126*(1 - 0.000727272727272727*m.x2126)*(1 - 0.00145454545454545*m.x2126) +
6.0669191919192e-8*(1189.2375*m.x2126*(1 - 0.000727272727272727*m.x2126)*(1 -
0.00145454545454545*m.x2126) - 1.86*(0.93*m.x2126*(1 - 0.000727272727272727*m.x2126))**2 -
1.49610402*m.x2126*m.x2126*(1 - 0.000727272727272727*m.x2126)*(1 - 0.00145454545454545*m.x2126
)*(1 - 0.00145454545454545*m.x2126))) + m.x654 <= 0)
m.c2036 = Constraint(expr=-0.007*m.x1641*m.x1435*(0.0775*m.x2127*(1 - 0.000727272727272727*m.x2127) + m.x2127 +
0.003003125*m.x2127*(1 - 0.000727272727272727*m.x2127)*(1 - 0.00145454545454545*m.x2127) +
6.0669191919192e-8*(1189.2375*m.x2127*(1 - 0.000727272727272727*m.x2127)*(1 -
0.00145454545454545*m.x2127) - 1.86*(0.93*m.x2127*(1 - 0.000727272727272727*m.x2127))**2 -
1.49610402*m.x2127*m.x2127*(1 - 0.000727272727272727*m.x2127)*(1 - 0.00145454545454545*m.x2127
)*(1 - 0.00145454545454545*m.x2127))) + m.x655 <= 0)
m.c2037 = Constraint(expr=-0.007*m.x1641*m.x1436*(0.0775*m.x2128*(1 - 0.000727272727272727*m.x2128) + m.x2128 +
0.003003125*m.x2128*(1 - 0.000727272727272727*m.x2128)*(1 - 0.00145454545454545*m.x2128) +
6.0669191919192e-8*(1189.2375*m.x2128*(1 - 0.000727272727272727*m.x2128)*(1 -
0.00145454545454545*m.x2128) - 1.86*(0.93*m.x2128*(1 - 0.000727272727272727*m.x2128))**2 -
1.49610402*m.x2128*m.x2128*(1 - 0.000727272727272727*m.x2128)*(1 - 0.00145454545454545*m.x2128
)*(1 - 0.00145454545454545*m.x2128))) + m.x656 <= 0)
m.c2038 = Constraint(expr=-0.007*m.x1641*m.x1437*(0.0775*m.x2129*(1 - 0.000727272727272727*m.x2129) + m.x2129 +
0.003003125*m.x2129*(1 - 0.000727272727272727*m.x2129)*(1 - 0.00145454545454545*m.x2129) +
6.0669191919192e-8*(1189.2375*m.x2129*(1 - 0.000727272727272727*m.x2129)*(1 -
0.00145454545454545*m.x2129) - 1.86*(0.93*m.x2129*(1 - 0.000727272727272727*m.x2129))**2 -
1.49610402*m.x2129*m.x2129*(1 - 0.000727272727272727*m.x2129)*(1 - 0.00145454545454545*m.x2129
)*(1 - 0.00145454545454545*m.x2129))) + m.x657 <= 0)
m.c2039 = Constraint(expr=-0.007*m.x1641*m.x1438*(0.0775*m.x2130*(1 - 0.000727272727272727*m.x2130) + m.x2130 +
0.003003125*m.x2130*(1 - 0.000727272727272727*m.x2130)*(1 - 0.00145454545454545*m.x2130) +
6.0669191919192e-8*(1189.2375*m.x2130*(1 - 0.000727272727272727*m.x2130)*(1 -
0.00145454545454545*m.x2130) - 1.86*(0.93*m.x2130*(1 - 0.000727272727272727*m.x2130))**2 -
1.49610402*m.x2130*m.x2130*(1 - 0.000727272727272727*m.x2130)*(1 - 0.00145454545454545*m.x2130
)*(1 - 0.00145454545454545*m.x2130))) + m.x658 <= 0)
m.c2040 = Constraint(expr=-0.007*m.x1641*m.x1439*(0.0775*m.x2131*(1 - 0.000727272727272727*m.x2131) + m.x2131 +
0.003003125*m.x2131*(1 - 0.000727272727272727*m.x2131)*(1 - 0.00145454545454545*m.x2131) +
6.0669191919192e-8*(1189.2375*m.x2131*(1 - 0.000727272727272727*m.x2131)*(1 -
0.00145454545454545*m.x2131) - 1.86*(0.93*m.x2131*(1 - 0.000727272727272727*m.x2131))**2 -
1.49610402*m.x2131*m.x2131*(1 - 0.000727272727272727*m.x2131)*(1 - 0.00145454545454545*m.x2131
)*(1 - 0.00145454545454545*m.x2131))) + m.x659 <= 0)
m.c2041 = Constraint(expr=-0.007*m.x1641*m.x1440*(0.0775*m.x2132*(1 - 0.000727272727272727*m.x2132) + m.x2132 +
0.003003125*m.x2132*(1 - 0.000727272727272727*m.x2132)*(1 - 0.00145454545454545*m.x2132) +
6.0669191919192e-8*(1189.2375*m.x2132*(1 - 0.000727272727272727*m.x2132)*(1 -
0.00145454545454545*m.x2132) - 1.86*(0.93*m.x2132*(1 - 0.000727272727272727*m.x2132))**2 -
1.49610402*m.x2132*m.x2132*(1 - 0.000727272727272727*m.x2132)*(1 - 0.00145454545454545*m.x2132
)*(1 - 0.00145454545454545*m.x2132))) + m.x660 <= 0)
m.c2042 = Constraint(expr=-0.007*m.x1642*m.x1441*(0.0775*m.x2133*(1 - 0.000727272727272727*m.x2133) + m.x2133 +
0.003003125*m.x2133*(1 - 0.000727272727272727*m.x2133)*(1 - 0.00145454545454545*m.x2133) +
6.0669191919192e-8*(1189.2375*m.x2133*(1 - 0.000727272727272727*m.x2133)*(1 -
0.00145454545454545*m.x2133) - 1.86*(0.93*m.x2133*(1 - 0.000727272727272727*m.x2133))**2 -
1.49610402*m.x2133*m.x2133*(1 - 0.000727272727272727*m.x2133)*(1 - 0.00145454545454545*m.x2133
)*(1 - 0.00145454545454545*m.x2133))) + m.x661 <= 0)
m.c2043 = Constraint(expr=-0.007*m.x1642*m.x1442*(0.0775*m.x2134*(1 - 0.000727272727272727*m.x2134) + m.x2134 +
0.003003125*m.x2134*(1 - 0.000727272727272727*m.x2134)*(1 - 0.00145454545454545*m.x2134) +
6.0669191919192e-8*(1189.2375*m.x2134*(1 - 0.000727272727272727*m.x2134)*(1 -
0.00145454545454545*m.x2134) - 1.86*(0.93*m.x2134*(1 - 0.000727272727272727*m.x2134))**2 -
1.49610402*m.x2134*m.x2134*(1 - 0.000727272727272727*m.x2134)*(1 - 0.00145454545454545*m.x2134
)*(1 - 0.00145454545454545*m.x2134))) + m.x662 <= 0)
m.c2044 = Constraint(expr=-0.007*m.x1642*m.x1443*(0.0775*m.x2135*(1 - 0.000727272727272727*m.x2135) + m.x2135 +
0.003003125*m.x2135*(1 - 0.000727272727272727*m.x2135)*(1 - 0.00145454545454545*m.x2135) +
6.0669191919192e-8*(1189.2375*m.x2135*(1 - 0.000727272727272727*m.x2135)*(1 -
0.00145454545454545*m.x2135) - 1.86*(0.93*m.x2135*(1 - 0.000727272727272727*m.x2135))**2 -
1.49610402*m.x2135*m.x2135*(1 - 0.000727272727272727*m.x2135)*(1 - 0.00145454545454545*m.x2135
)*(1 - 0.00145454545454545*m.x2135))) + m.x663 <= 0)
m.c2045 = Constraint(expr=-0.007*m.x1642*m.x1444*(0.0775*m.x2136*(1 - 0.000727272727272727*m.x2136) + m.x2136 +
0.003003125*m.x2136*(1 - 0.000727272727272727*m.x2136)*(1 - 0.00145454545454545*m.x2136) +
6.0669191919192e-8*(1189.2375*m.x2136*(1 - 0.000727272727272727*m.x2136)*(1 -
0.00145454545454545*m.x2136) - 1.86*(0.93*m.x2136*(1 - 0.000727272727272727*m.x2136))**2 -
1.49610402*m.x2136*m.x2136*(1 - 0.000727272727272727*m.x2136)*(1 - 0.00145454545454545*m.x2136
)*(1 - 0.00145454545454545*m.x2136))) + m.x664 <= 0)
m.c2046 = Constraint(expr=-0.007*m.x1642*m.x1445*(0.0775*m.x2137*(1 - 0.000727272727272727*m.x2137) + m.x2137 +
0.003003125*m.x2137*(1 - 0.000727272727272727*m.x2137)*(1 - 0.00145454545454545*m.x2137) +
6.0669191919192e-8*(1189.2375*m.x2137*(1 - 0.000727272727272727*m.x2137)*(1 -
0.00145454545454545*m.x2137) - 1.86*(0.93*m.x2137*(1 - 0.000727272727272727*m.x2137))**2 -
1.49610402*m.x2137*m.x2137*(1 - 0.000727272727272727*m.x2137)*(1 - 0.00145454545454545*m.x2137
)*(1 - 0.00145454545454545*m.x2137))) + m.x665 <= 0)
m.c2047 = Constraint(expr=-0.007*m.x1642*m.x1446*(0.0775*m.x2138*(1 - 0.000727272727272727*m.x2138) + m.x2138 +
0.003003125*m.x2138*(1 - 0.000727272727272727*m.x2138)*(1 - 0.00145454545454545*m.x2138) +
6.0669191919192e-8*(1189.2375*m.x2138*(1 - 0.000727272727272727*m.x2138)*(1 -
0.00145454545454545*m.x2138) - 1.86*(0.93*m.x2138*(1 - 0.000727272727272727*m.x2138))**2 -
1.49610402*m.x2138*m.x2138*(1 - 0.000727272727272727*m.x2138)*(1 - 0.00145454545454545*m.x2138
)*(1 - 0.00145454545454545*m.x2138))) + m.x666 <= 0)
m.c2048 = Constraint(expr=-0.007*m.x1642*m.x1447*(0.0775*m.x2139*(1 - 0.000727272727272727*m.x2139) + m.x2139 +
0.003003125*m.x2139*(1 - 0.000727272727272727*m.x2139)*(1 - 0.00145454545454545*m.x2139) +
6.0669191919192e-8*(1189.2375*m.x2139*(1 - 0.000727272727272727*m.x2139)*(1 -
0.00145454545454545*m.x2139) - 1.86*(0.93*m.x2139*(1 - 0.000727272727272727*m.x2139))**2 -
1.49610402*m.x2139*m.x2139*(1 - 0.000727272727272727*m.x2139)*(1 - 0.00145454545454545*m.x2139
)*(1 - 0.00145454545454545*m.x2139))) + m.x667 <= 0)
m.c2049 = Constraint(expr=-0.007*m.x1642*m.x1448*(0.0775*m.x2140*(1 - 0.000727272727272727*m.x2140) + m.x2140 +
0.003003125*m.x2140*(1 - 0.000727272727272727*m.x2140)*(1 - 0.00145454545454545*m.x2140) +
6.0669191919192e-8*(1189.2375*m.x2140*(1 - 0.000727272727272727*m.x2140)*(1 -
0.00145454545454545*m.x2140) - 1.86*(0.93*m.x2140*(1 - 0.000727272727272727*m.x2140))**2 -
1.49610402*m.x2140*m.x2140*(1 - 0.000727272727272727*m.x2140)*(1 - 0.00145454545454545*m.x2140
)*(1 - 0.00145454545454545*m.x2140))) + m.x668 <= 0)
m.c2050 = Constraint(expr=-0.007*m.x1642*m.x1449*(0.0775*m.x2141*(1 - 0.000727272727272727*m.x2141) + m.x2141 +
0.003003125*m.x2141*(1 - 0.000727272727272727*m.x2141)*(1 - 0.00145454545454545*m.x2141) +
6.0669191919192e-8*(1189.2375*m.x2141*(1 - 0.000727272727272727*m.x2141)*(1 -
0.00145454545454545*m.x2141) - 1.86*(0.93*m.x2141*(1 - 0.000727272727272727*m.x2141))**2 -
1.49610402*m.x2141*m.x2141*(1 - 0.000727272727272727*m.x2141)*(1 - 0.00145454545454545*m.x2141
)*(1 - 0.00145454545454545*m.x2141))) + m.x669 <= 0)
m.c2051 = Constraint(expr=-0.007*m.x1642*m.x1450*(0.0775*m.x2142*(1 - 0.000727272727272727*m.x2142) + m.x2142 +
0.003003125*m.x2142*(1 - 0.000727272727272727*m.x2142)*(1 - 0.00145454545454545*m.x2142) +
6.0669191919192e-8*(1189.2375*m.x2142*(1 - 0.000727272727272727*m.x2142)*(1 -
0.00145454545454545*m.x2142) - 1.86*(0.93*m.x2142*(1 - 0.000727272727272727*m.x2142))**2 -
1.49610402*m.x2142*m.x2142*(1 - 0.000727272727272727*m.x2142)*(1 - 0.00145454545454545*m.x2142
)*(1 - 0.00145454545454545*m.x2142))) + m.x670 <= 0)
m.c2052 = Constraint(expr=-0.007*m.x1642*m.x1451*(0.0775*m.x2143*(1 - 0.000727272727272727*m.x2143) + m.x2143 +
0.003003125*m.x2143*(1 - 0.000727272727272727*m.x2143)*(1 - 0.00145454545454545*m.x2143) +
6.0669191919192e-8*(1189.2375*m.x2143*(1 - 0.000727272727272727*m.x2143)*(1 -
0.00145454545454545*m.x2143) - 1.86*(0.93*m.x2143*(1 - 0.000727272727272727*m.x2143))**2 -
1.49610402*m.x2143*m.x2143*(1 - 0.000727272727272727*m.x2143)*(1 - 0.00145454545454545*m.x2143
)*(1 - 0.00145454545454545*m.x2143))) + m.x671 <= 0)
m.c2053 = Constraint(expr=-0.007*m.x1642*m.x1452*(0.0775*m.x2144*(1 - 0.000727272727272727*m.x2144) + m.x2144 +
0.003003125*m.x2144*(1 - 0.000727272727272727*m.x2144)*(1 - 0.00145454545454545*m.x2144) +
6.0669191919192e-8*(1189.2375*m.x2144*(1 - 0.000727272727272727*m.x2144)*(1 -
0.00145454545454545*m.x2144) - 1.86*(0.93*m.x2144*(1 - 0.000727272727272727*m.x2144))**2 -
1.49610402*m.x2144*m.x2144*(1 - 0.000727272727272727*m.x2144)*(1 - 0.00145454545454545*m.x2144
)*(1 - 0.00145454545454545*m.x2144))) + m.x672 <= 0)
m.c2054 = Constraint(expr=-0.007*m.x1643*m.x1453*(0.0775*m.x2145*(1 - 0.000727272727272727*m.x2145) + m.x2145 +
0.003003125*m.x2145*(1 - 0.000727272727272727*m.x2145)*(1 - 0.00145454545454545*m.x2145) +
6.0669191919192e-8*(1189.2375*m.x2145*(1 - 0.000727272727272727*m.x2145)*(1 -
0.00145454545454545*m.x2145) - 1.86*(0.93*m.x2145*(1 - 0.000727272727272727*m.x2145))**2 -
1.49610402*m.x2145*m.x2145*(1 - 0.000727272727272727*m.x2145)*(1 - 0.00145454545454545*m.x2145
)*(1 - 0.00145454545454545*m.x2145))) + m.x673 <= 0)
m.c2055 = Constraint(expr=-0.007*m.x1643*m.x1454*(0.0775*m.x2146*(1 - 0.000727272727272727*m.x2146) + m.x2146 +
0.003003125*m.x2146*(1 - 0.000727272727272727*m.x2146)*(1 - 0.00145454545454545*m.x2146) +
6.0669191919192e-8*(1189.2375*m.x2146*(1 - 0.000727272727272727*m.x2146)*(1 -
0.00145454545454545*m.x2146) - 1.86*(0.93*m.x2146*(1 - 0.000727272727272727*m.x2146))**2 -
1.49610402*m.x2146*m.x2146*(1 - 0.000727272727272727*m.x2146)*(1 - 0.00145454545454545*m.x2146
)*(1 - 0.00145454545454545*m.x2146))) + m.x674 <= 0)
m.c2056 = Constraint(expr=-0.007*m.x1643*m.x1455*(0.0775*m.x2147*(1 - 0.000727272727272727*m.x2147) + m.x2147 +
0.003003125*m.x2147*(1 - 0.000727272727272727*m.x2147)*(1 - 0.00145454545454545*m.x2147) +
6.0669191919192e-8*(1189.2375*m.x2147*(1 - 0.000727272727272727*m.x2147)*(1 -
0.00145454545454545*m.x2147) - 1.86*(0.93*m.x2147*(1 - 0.000727272727272727*m.x2147))**2 -
1.49610402*m.x2147*m.x2147*(1 - 0.000727272727272727*m.x2147)*(1 - 0.00145454545454545*m.x2147
)*(1 - 0.00145454545454545*m.x2147))) + m.x675 <= 0)
m.c2057 = Constraint(expr=-0.007*m.x1643*m.x1456*(0.0775*m.x2148*(1 - 0.000727272727272727*m.x2148) + m.x2148 +
0.003003125*m.x2148*(1 - 0.000727272727272727*m.x2148)*(1 - 0.00145454545454545*m.x2148) +
6.0669191919192e-8*(1189.2375*m.x2148*(1 - 0.000727272727272727*m.x2148)*(1 -
0.00145454545454545*m.x2148) - 1.86*(0.93*m.x2148*(1 - 0.000727272727272727*m.x2148))**2 -
1.49610402*m.x2148*m.x2148*(1 - 0.000727272727272727*m.x2148)*(1 - 0.00145454545454545*m.x2148
)*(1 - 0.00145454545454545*m.x2148))) + m.x676 <= 0)
m.c2058 = Constraint(expr=-0.007*m.x1643*m.x1457*(0.0775*m.x2149*(1 - 0.000727272727272727*m.x2149) + m.x2149 +
0.003003125*m.x2149*(1 - 0.000727272727272727*m.x2149)*(1 - 0.00145454545454545*m.x2149) +
6.0669191919192e-8*(1189.2375*m.x2149*(1 - 0.000727272727272727*m.x2149)*(1 -
0.00145454545454545*m.x2149) - 1.86*(0.93*m.x2149*(1 - 0.000727272727272727*m.x2149))**2 -
1.49610402*m.x2149*m.x2149*(1 - 0.000727272727272727*m.x2149)*(1 - 0.00145454545454545*m.x2149
)*(1 - 0.00145454545454545*m.x2149))) + m.x677 <= 0)
m.c2059 = Constraint(expr=-0.007*m.x1643*m.x1458*(0.0775*m.x2150*(1 - 0.000727272727272727*m.x2150) + m.x2150 +
0.003003125*m.x2150*(1 - 0.000727272727272727*m.x2150)*(1 - 0.00145454545454545*m.x2150) +
6.0669191919192e-8*(1189.2375*m.x2150*(1 - 0.000727272727272727*m.x2150)*(1 -
0.00145454545454545*m.x2150) - 1.86*(0.93*m.x2150*(1 - 0.000727272727272727*m.x2150))**2 -
1.49610402*m.x2150*m.x2150*(1 - 0.000727272727272727*m.x2150)*(1 - 0.00145454545454545*m.x2150
)*(1 - 0.00145454545454545*m.x2150))) + m.x678 <= 0)
m.c2060 = Constraint(expr=-0.007*m.x1643*m.x1459*(0.0775*m.x2151*(1 - 0.000727272727272727*m.x2151) + m.x2151 +
0.003003125*m.x2151*(1 - 0.000727272727272727*m.x2151)*(1 - 0.00145454545454545*m.x2151) +
6.0669191919192e-8*(1189.2375*m.x2151*(1 - 0.000727272727272727*m.x2151)*(1 -
0.00145454545454545*m.x2151) - 1.86*(0.93*m.x2151*(1 - 0.000727272727272727*m.x2151))**2 -
1.49610402*m.x2151*m.x2151*(1 - 0.000727272727272727*m.x2151)*(1 - 0.00145454545454545*m.x2151
)*(1 - 0.00145454545454545*m.x2151))) + m.x679 <= 0)
m.c2061 = Constraint(expr=-0.007*m.x1643*m.x1460*(0.0775*m.x2152*(1 - 0.000727272727272727*m.x2152) + m.x2152 +
0.003003125*m.x2152*(1 - 0.000727272727272727*m.x2152)*(1 - 0.00145454545454545*m.x2152) +
6.0669191919192e-8*(1189.2375*m.x2152*(1 - 0.000727272727272727*m.x2152)*(1 -
0.00145454545454545*m.x2152) - 1.86*(0.93*m.x2152*(1 - 0.000727272727272727*m.x2152))**2 -
1.49610402*m.x2152*m.x2152*(1 - 0.000727272727272727*m.x2152)*(1 - 0.00145454545454545*m.x2152
)*(1 - 0.00145454545454545*m.x2152))) + m.x680 <= 0)
m.c2062 = Constraint(expr=-0.007*m.x1643*m.x1461*(0.0775*m.x2153*(1 - 0.000727272727272727*m.x2153) + m.x2153 +
0.003003125*m.x2153*(1 - 0.000727272727272727*m.x2153)*(1 - 0.00145454545454545*m.x2153) +
6.0669191919192e-8*(1189.2375*m.x2153*(1 - 0.000727272727272727*m.x2153)*(1 -
0.00145454545454545*m.x2153) - 1.86*(0.93*m.x2153*(1 - 0.000727272727272727*m.x2153))**2 -
1.49610402*m.x2153*m.x2153*(1 - 0.000727272727272727*m.x2153)*(1 - 0.00145454545454545*m.x2153
)*(1 - 0.00145454545454545*m.x2153))) + m.x681 <= 0)
m.c2063 = Constraint(expr=-0.007*m.x1643*m.x1462*(0.0775*m.x2154*(1 - 0.000727272727272727*m.x2154) + m.x2154 +
0.003003125*m.x2154*(1 - 0.000727272727272727*m.x2154)*(1 - 0.00145454545454545*m.x2154) +
6.0669191919192e-8*(1189.2375*m.x2154*(1 - 0.000727272727272727*m.x2154)*(1 -
0.00145454545454545*m.x2154) - 1.86*(0.93*m.x2154*(1 - 0.000727272727272727*m.x2154))**2 -
1.49610402*m.x2154*m.x2154*(1 - 0.000727272727272727*m.x2154)*(1 - 0.00145454545454545*m.x2154
)*(1 - 0.00145454545454545*m.x2154))) + m.x682 <= 0)
m.c2064 = Constraint(expr=-0.007*m.x1643*m.x1463*(0.0775*m.x2155*(1 - 0.000727272727272727*m.x2155) + m.x2155 +
0.003003125*m.x2155*(1 - 0.000727272727272727*m.x2155)*(1 - 0.00145454545454545*m.x2155) +
6.0669191919192e-8*(1189.2375*m.x2155*(1 - 0.000727272727272727*m.x2155)*(1 -
0.00145454545454545*m.x2155) - 1.86*(0.93*m.x2155*(1 - 0.000727272727272727*m.x2155))**2 -
1.49610402*m.x2155*m.x2155*(1 - 0.000727272727272727*m.x2155)*(1 - 0.00145454545454545*m.x2155
)*(1 - 0.00145454545454545*m.x2155))) + m.x683 <= 0)
m.c2065 = Constraint(expr=-0.007*m.x1643*m.x1464*(0.0775*m.x2156*(1 - 0.000727272727272727*m.x2156) + m.x2156 +
0.003003125*m.x2156*(1 - 0.000727272727272727*m.x2156)*(1 - 0.00145454545454545*m.x2156) +
6.0669191919192e-8*(1189.2375*m.x2156*(1 - 0.000727272727272727*m.x2156)*(1 -
0.00145454545454545*m.x2156) - 1.86*(0.93*m.x2156*(1 - 0.000727272727272727*m.x2156))**2 -
1.49610402*m.x2156*m.x2156*(1 - 0.000727272727272727*m.x2156)*(1 - 0.00145454545454545*m.x2156
)*(1 - 0.00145454545454545*m.x2156))) + m.x684 <= 0)
m.c2066 = Constraint(expr=-0.007*m.x1644*m.x1465*(0.0775*m.x2157*(1 - 0.000727272727272727*m.x2157) + m.x2157 +
0.003003125*m.x2157*(1 - 0.000727272727272727*m.x2157)*(1 - 0.00145454545454545*m.x2157) +
6.0669191919192e-8*(1189.2375*m.x2157*(1 - 0.000727272727272727*m.x2157)*(1 -
0.00145454545454545*m.x2157) - 1.86*(0.93*m.x2157*(1 - 0.000727272727272727*m.x2157))**2 -
1.49610402*m.x2157*m.x2157*(1 - 0.000727272727272727*m.x2157)*(1 - 0.00145454545454545*m.x2157
)*(1 - 0.00145454545454545*m.x2157))) + m.x685 <= 0)
m.c2067 = Constraint(expr=-0.007*m.x1644*m.x1466*(0.0775*m.x2158*(1 - 0.000727272727272727*m.x2158) + m.x2158 +
0.003003125*m.x2158*(1 - 0.000727272727272727*m.x2158)*(1 - 0.00145454545454545*m.x2158) +
6.0669191919192e-8*(1189.2375*m.x2158*(1 - 0.000727272727272727*m.x2158)*(1 -
0.00145454545454545*m.x2158) - 1.86*(0.93*m.x2158*(1 - 0.000727272727272727*m.x2158))**2 -
1.49610402*m.x2158*m.x2158*(1 - 0.000727272727272727*m.x2158)*(1 - 0.00145454545454545*m.x2158
)*(1 - 0.00145454545454545*m.x2158))) + m.x686 <= 0)
m.c2068 = Constraint(expr=-0.007*m.x1644*m.x1467*(0.0775*m.x2159*(1 - 0.000727272727272727*m.x2159) + m.x2159 +
0.003003125*m.x2159*(1 - 0.000727272727272727*m.x2159)*(1 - 0.00145454545454545*m.x2159) +
6.0669191919192e-8*(1189.2375*m.x2159*(1 - 0.000727272727272727*m.x2159)*(1 -
0.00145454545454545*m.x2159) - 1.86*(0.93*m.x2159*(1 - 0.000727272727272727*m.x2159))**2 -
1.49610402*m.x2159*m.x2159*(1 - 0.000727272727272727*m.x2159)*(1 - 0.00145454545454545*m.x2159
)*(1 - 0.00145454545454545*m.x2159))) + m.x687 <= 0)
m.c2069 = Constraint(expr=-0.007*m.x1644*m.x1468*(0.0775*m.x2160*(1 - 0.000727272727272727*m.x2160) + m.x2160 +
0.003003125*m.x2160*(1 - 0.000727272727272727*m.x2160)*(1 - 0.00145454545454545*m.x2160) +
6.0669191919192e-8*(1189.2375*m.x2160*(1 - 0.000727272727272727*m.x2160)*(1 -
0.00145454545454545*m.x2160) - 1.86*(0.93*m.x2160*(1 - 0.000727272727272727*m.x2160))**2 -
1.49610402*m.x2160*m.x2160*(1 - 0.000727272727272727*m.x2160)*(1 - 0.00145454545454545*m.x2160
)*(1 - 0.00145454545454545*m.x2160))) + m.x688 <= 0)
m.c2070 = Constraint(expr=-0.007*m.x1644*m.x1469*(0.0775*m.x2161*(1 - 0.000727272727272727*m.x2161) + m.x2161 +
0.003003125*m.x2161*(1 - 0.000727272727272727*m.x2161)*(1 - 0.00145454545454545*m.x2161) +
6.0669191919192e-8*(1189.2375*m.x2161*(1 - 0.000727272727272727*m.x2161)*(1 -
0.00145454545454545*m.x2161) - 1.86*(0.93*m.x2161*(1 - 0.000727272727272727*m.x2161))**2 -
1.49610402*m.x2161*m.x2161*(1 - 0.000727272727272727*m.x2161)*(1 - 0.00145454545454545*m.x2161
)*(1 - 0.00145454545454545*m.x2161))) + m.x689 <= 0)
m.c2071 = Constraint(expr=-0.007*m.x1644*m.x1470*(0.0775*m.x2162*(1 - 0.000727272727272727*m.x2162) + m.x2162 +
0.003003125*m.x2162*(1 - 0.000727272727272727*m.x2162)*(1 - 0.00145454545454545*m.x2162) +
6.0669191919192e-8*(1189.2375*m.x2162*(1 - 0.000727272727272727*m.x2162)*(1 -
0.00145454545454545*m.x2162) - 1.86*(0.93*m.x2162*(1 - 0.000727272727272727*m.x2162))**2 -
1.49610402*m.x2162*m.x2162*(1 - 0.000727272727272727*m.x2162)*(1 - 0.00145454545454545*m.x2162
)*(1 - 0.00145454545454545*m.x2162))) + m.x690 <= 0)
m.c2072 = Constraint(expr=-0.007*m.x1644*m.x1471*(0.0775*m.x2163*(1 - 0.000727272727272727*m.x2163) + m.x2163 +
0.003003125*m.x2163*(1 - 0.000727272727272727*m.x2163)*(1 - 0.00145454545454545*m.x2163) +
6.0669191919192e-8*(1189.2375*m.x2163*(1 - 0.000727272727272727*m.x2163)*(1 -
0.00145454545454545*m.x2163) - 1.86*(0.93*m.x2163*(1 - 0.000727272727272727*m.x2163))**2 -
1.49610402*m.x2163*m.x2163*(1 - 0.000727272727272727*m.x2163)*(1 - 0.00145454545454545*m.x2163
)*(1 - 0.00145454545454545*m.x2163))) + m.x691 <= 0)
m.c2073 = Constraint(expr=-0.007*m.x1644*m.x1472*(0.0775*m.x2164*(1 - 0.000727272727272727*m.x2164) + m.x2164 +
0.003003125*m.x2164*(1 - 0.000727272727272727*m.x2164)*(1 - 0.00145454545454545*m.x2164) +
6.0669191919192e-8*(1189.2375*m.x2164*(1 - 0.000727272727272727*m.x2164)*(1 -
0.00145454545454545*m.x2164) - 1.86*(0.93*m.x2164*(1 - 0.000727272727272727*m.x2164))**2 -
1.49610402*m.x2164*m.x2164*(1 - 0.000727272727272727*m.x2164)*(1 - 0.00145454545454545*m.x2164
)*(1 - 0.00145454545454545*m.x2164))) + m.x692 <= 0)
m.c2074 = Constraint(expr=-0.007*m.x1644*m.x1473*(0.0775*m.x2165*(1 - 0.000727272727272727*m.x2165) + m.x2165 +
0.003003125*m.x2165*(1 - 0.000727272727272727*m.x2165)*(1 - 0.00145454545454545*m.x2165) +
6.0669191919192e-8*(1189.2375*m.x2165*(1 - 0.000727272727272727*m.x2165)*(1 -
0.00145454545454545*m.x2165) - 1.86*(0.93*m.x2165*(1 - 0.000727272727272727*m.x2165))**2 -
1.49610402*m.x2165*m.x2165*(1 - 0.000727272727272727*m.x2165)*(1 - 0.00145454545454545*m.x2165
)*(1 - 0.00145454545454545*m.x2165))) + m.x693 <= 0)
m.c2075 = Constraint(expr=-0.007*m.x1644*m.x1474*(0.0775*m.x2166*(1 - 0.000727272727272727*m.x2166) + m.x2166 +
0.003003125*m.x2166*(1 - 0.000727272727272727*m.x2166)*(1 - 0.00145454545454545*m.x2166) +
6.0669191919192e-8*(1189.2375*m.x2166*(1 - 0.000727272727272727*m.x2166)*(1 -
0.00145454545454545*m.x2166) - 1.86*(0.93*m.x2166*(1 - 0.000727272727272727*m.x2166))**2 -
1.49610402*m.x2166*m.x2166*(1 - 0.000727272727272727*m.x2166)*(1 - 0.00145454545454545*m.x2166
)*(1 - 0.00145454545454545*m.x2166))) + m.x694 <= 0)
m.c2076 = Constraint(expr=-0.007*m.x1644*m.x1475*(0.0775*m.x2167*(1 - 0.000727272727272727*m.x2167) + m.x2167 +
0.003003125*m.x2167*(1 - 0.000727272727272727*m.x2167)*(1 - 0.00145454545454545*m.x2167) +
6.0669191919192e-8*(1189.2375*m.x2167*(1 - 0.000727272727272727*m.x2167)*(1 -
0.00145454545454545*m.x2167) - 1.86*(0.93*m.x2167*(1 - 0.000727272727272727*m.x2167))**2 -
1.49610402*m.x2167*m.x2167*(1 - 0.000727272727272727*m.x2167)*(1 - 0.00145454545454545*m.x2167
)*(1 - 0.00145454545454545*m.x2167))) + m.x695 <= 0)
m.c2077 = Constraint(expr=-0.007*m.x1644*m.x1476*(0.0775*m.x2168*(1 - 0.000727272727272727*m.x2168) + m.x2168 +
0.003003125*m.x2168*(1 - 0.000727272727272727*m.x2168)*(1 - 0.00145454545454545*m.x2168) +
6.0669191919192e-8*(1189.2375*m.x2168*(1 - 0.000727272727272727*m.x2168)*(1 -
0.00145454545454545*m.x2168) - 1.86*(0.93*m.x2168*(1 - 0.000727272727272727*m.x2168))**2 -
1.49610402*m.x2168*m.x2168*(1 - 0.000727272727272727*m.x2168)*(1 - 0.00145454545454545*m.x2168
)*(1 - 0.00145454545454545*m.x2168))) + m.x696 <= 0)
m.c2078 = Constraint(expr=-0.007*m.x1645*m.x1477*(0.0775*m.x2169*(1 - 0.000727272727272727*m.x2169) + m.x2169 +
0.003003125*m.x2169*(1 - 0.000727272727272727*m.x2169)*(1 - 0.00145454545454545*m.x2169) +
6.0669191919192e-8*(1189.2375*m.x2169*(1 - 0.000727272727272727*m.x2169)*(1 -
0.00145454545454545*m.x2169) - 1.86*(0.93*m.x2169*(1 - 0.000727272727272727*m.x2169))**2 -
1.49610402*m.x2169*m.x2169*(1 - 0.000727272727272727*m.x2169)*(1 - 0.00145454545454545*m.x2169
)*(1 - 0.00145454545454545*m.x2169))) + m.x697 <= 0)
m.c2079 = Constraint(expr=-0.007*m.x1645*m.x1478*(0.0775*m.x2170*(1 - 0.000727272727272727*m.x2170) + m.x2170 +
0.003003125*m.x2170*(1 - 0.000727272727272727*m.x2170)*(1 - 0.00145454545454545*m.x2170) +
6.0669191919192e-8*(1189.2375*m.x2170*(1 - 0.000727272727272727*m.x2170)*(1 -
0.00145454545454545*m.x2170) - 1.86*(0.93*m.x2170*(1 - 0.000727272727272727*m.x2170))**2 -
1.49610402*m.x2170*m.x2170*(1 - 0.000727272727272727*m.x2170)*(1 - 0.00145454545454545*m.x2170
)*(1 - 0.00145454545454545*m.x2170))) + m.x698 <= 0)
m.c2080 = Constraint(expr=-0.007*m.x1645*m.x1479*(0.0775*m.x2171*(1 - 0.000727272727272727*m.x2171) + m.x2171 +
0.003003125*m.x2171*(1 - 0.000727272727272727*m.x2171)*(1 - 0.00145454545454545*m.x2171) +
6.0669191919192e-8*(1189.2375*m.x2171*(1 - 0.000727272727272727*m.x2171)*(1 -
0.00145454545454545*m.x2171) - 1.86*(0.93*m.x2171*(1 - 0.000727272727272727*m.x2171))**2 -
1.49610402*m.x2171*m.x2171*(1 - 0.000727272727272727*m.x2171)*(1 - 0.00145454545454545*m.x2171
)*(1 - 0.00145454545454545*m.x2171))) + m.x699 <= 0)
m.c2081 = Constraint(expr=-0.007*m.x1645*m.x1480*(0.0775*m.x2172*(1 - 0.000727272727272727*m.x2172) + m.x2172 +
0.003003125*m.x2172*(1 - 0.000727272727272727*m.x2172)*(1 - 0.00145454545454545*m.x2172) +
6.0669191919192e-8*(1189.2375*m.x2172*(1 - 0.000727272727272727*m.x2172)*(1 -
0.00145454545454545*m.x2172) - 1.86*(0.93*m.x2172*(1 - 0.000727272727272727*m.x2172))**2 -
1.49610402*m.x2172*m.x2172*(1 - 0.000727272727272727*m.x2172)*(1 - 0.00145454545454545*m.x2172
)*(1 - 0.00145454545454545*m.x2172))) + m.x700 <= 0)
m.c2082 = Constraint(expr=-0.007*m.x1645*m.x1481*(0.0775*m.x2173*(1 - 0.000727272727272727*m.x2173) + m.x2173 +
0.003003125*m.x2173*(1 - 0.000727272727272727*m.x2173)*(1 - 0.00145454545454545*m.x2173) +
6.0669191919192e-8*(1189.2375*m.x2173*(1 - 0.000727272727272727*m.x2173)*(1 -
0.00145454545454545*m.x2173) - 1.86*(0.93*m.x2173*(1 - 0.000727272727272727*m.x2173))**2 -
1.49610402*m.x2173*m.x2173*(1 - 0.000727272727272727*m.x2173)*(1 - 0.00145454545454545*m.x2173
)*(1 - 0.00145454545454545*m.x2173))) + m.x701 <= 0)
m.c2083 = Constraint(expr=-0.007*m.x1645*m.x1482*(0.0775*m.x2174*(1 - 0.000727272727272727*m.x2174) + m.x2174 +
0.003003125*m.x2174*(1 - 0.000727272727272727*m.x2174)*(1 - 0.00145454545454545*m.x2174) +
6.0669191919192e-8*(1189.2375*m.x2174*(1 - 0.000727272727272727*m.x2174)*(1 -
0.00145454545454545*m.x2174) - 1.86*(0.93*m.x2174*(1 - 0.000727272727272727*m.x2174))**2 -
1.49610402*m.x2174*m.x2174*(1 - 0.000727272727272727*m.x2174)*(1 - 0.00145454545454545*m.x2174
)*(1 - 0.00145454545454545*m.x2174))) + m.x702 <= 0)
m.c2084 = Constraint(expr=-0.007*m.x1645*m.x1483*(0.0775*m.x2175*(1 - 0.000727272727272727*m.x2175) + m.x2175 +
0.003003125*m.x2175*(1 - 0.000727272727272727*m.x2175)*(1 - 0.00145454545454545*m.x2175) +
6.0669191919192e-8*(1189.2375*m.x2175*(1 - 0.000727272727272727*m.x2175)*(1 -
0.00145454545454545*m.x2175) - 1.86*(0.93*m.x2175*(1 - 0.000727272727272727*m.x2175))**2 -
1.49610402*m.x2175*m.x2175*(1 - 0.000727272727272727*m.x2175)*(1 - 0.00145454545454545*m.x2175
)*(1 - 0.00145454545454545*m.x2175))) + m.x703 <= 0)
m.c2085 = Constraint(expr=-0.007*m.x1645*m.x1484*(0.0775*m.x2176*(1 - 0.000727272727272727*m.x2176) + m.x2176 +
0.003003125*m.x2176*(1 - 0.000727272727272727*m.x2176)*(1 - 0.00145454545454545*m.x2176) +
6.0669191919192e-8*(1189.2375*m.x2176*(1 - 0.000727272727272727*m.x2176)*(1 -
0.00145454545454545*m.x2176) - 1.86*(0.93*m.x2176*(1 - 0.000727272727272727*m.x2176))**2 -
1.49610402*m.x2176*m.x2176*(1 - 0.000727272727272727*m.x2176)*(1 - 0.00145454545454545*m.x2176
)*(1 - 0.00145454545454545*m.x2176))) + m.x704 <= 0)
m.c2086 = Constraint(expr=-0.007*m.x1645*m.x1485*(0.0775*m.x2177*(1 - 0.000727272727272727*m.x2177) + m.x2177 +
0.003003125*m.x2177*(1 - 0.000727272727272727*m.x2177)*(1 - 0.00145454545454545*m.x2177) +
6.0669191919192e-8*(1189.2375*m.x2177*(1 - 0.000727272727272727*m.x2177)*(1 -
0.00145454545454545*m.x2177) - 1.86*(0.93*m.x2177*(1 - 0.000727272727272727*m.x2177))**2 -
1.49610402*m.x2177*m.x2177*(1 - 0.000727272727272727*m.x2177)*(1 - 0.00145454545454545*m.x2177
)*(1 - 0.00145454545454545*m.x2177))) + m.x705 <= 0)
m.c2087 = Constraint(expr=-0.007*m.x1645*m.x1486*(0.0775*m.x2178*(1 - 0.000727272727272727*m.x2178) + m.x2178 +
0.003003125*m.x2178*(1 - 0.000727272727272727*m.x2178)*(1 - 0.00145454545454545*m.x2178) +
6.0669191919192e-8*(1189.2375*m.x2178*(1 - 0.000727272727272727*m.x2178)*(1 -
0.00145454545454545*m.x2178) - 1.86*(0.93*m.x2178*(1 - 0.000727272727272727*m.x2178))**2 -
1.49610402*m.x2178*m.x2178*(1 - 0.000727272727272727*m.x2178)*(1 - 0.00145454545454545*m.x2178
)*(1 - 0.00145454545454545*m.x2178))) + m.x706 <= 0)
m.c2088 = Constraint(expr=-0.007*m.x1645*m.x1487*(0.0775*m.x2179*(1 - 0.000727272727272727*m.x2179) + m.x2179 +
0.003003125*m.x2179*(1 - 0.000727272727272727*m.x2179)*(1 - 0.00145454545454545*m.x2179) +
6.0669191919192e-8*(1189.2375*m.x2179*(1 - 0.000727272727272727*m.x2179)*(1 -
0.00145454545454545*m.x2179) - 1.86*(0.93*m.x2179*(1 - 0.000727272727272727*m.x2179))**2 -
1.49610402*m.x2179*m.x2179*(1 - 0.000727272727272727*m.x2179)*(1 - 0.00145454545454545*m.x2179
)*(1 - 0.00145454545454545*m.x2179))) + m.x707 <= 0)
m.c2089 = Constraint(expr=-0.007*m.x1645*m.x1488*(0.0775*m.x2180*(1 - 0.000727272727272727*m.x2180) + m.x2180 +
0.003003125*m.x2180*(1 - 0.000727272727272727*m.x2180)*(1 - 0.00145454545454545*m.x2180) +
6.0669191919192e-8*(1189.2375*m.x2180*(1 - 0.000727272727272727*m.x2180)*(1 -
0.00145454545454545*m.x2180) - 1.86*(0.93*m.x2180*(1 - 0.000727272727272727*m.x2180))**2 -
1.49610402*m.x2180*m.x2180*(1 - 0.000727272727272727*m.x2180)*(1 - 0.00145454545454545*m.x2180
)*(1 - 0.00145454545454545*m.x2180))) + m.x708 <= 0)
m.c2090 = Constraint(expr=-0.007*m.x1646*m.x1489*(0.0775*m.x2181*(1 - 0.000727272727272727*m.x2181) + m.x2181 +
0.003003125*m.x2181*(1 - 0.000727272727272727*m.x2181)*(1 - 0.00145454545454545*m.x2181) +
6.0669191919192e-8*(1189.2375*m.x2181*(1 - 0.000727272727272727*m.x2181)*(1 -
0.00145454545454545*m.x2181) - 1.86*(0.93*m.x2181*(1 - 0.000727272727272727*m.x2181))**2 -
1.49610402*m.x2181*m.x2181*(1 - 0.000727272727272727*m.x2181)*(1 - 0.00145454545454545*m.x2181
)*(1 - 0.00145454545454545*m.x2181))) + m.x709 <= 0)
m.c2091 = Constraint(expr=-0.007*m.x1646*m.x1490*(0.0775*m.x2182*(1 - 0.000727272727272727*m.x2182) + m.x2182 +
0.003003125*m.x2182*(1 - 0.000727272727272727*m.x2182)*(1 - 0.00145454545454545*m.x2182) +
6.0669191919192e-8*(1189.2375*m.x2182*(1 - 0.000727272727272727*m.x2182)*(1 -
0.00145454545454545*m.x2182) - 1.86*(0.93*m.x2182*(1 - 0.000727272727272727*m.x2182))**2 -
1.49610402*m.x2182*m.x2182*(1 - 0.000727272727272727*m.x2182)*(1 - 0.00145454545454545*m.x2182
)*(1 - 0.00145454545454545*m.x2182))) + m.x710 <= 0)
m.c2092 = Constraint(expr=-0.007*m.x1646*m.x1491*(0.0775*m.x2183*(1 - 0.000727272727272727*m.x2183) + m.x2183 +
0.003003125*m.x2183*(1 - 0.000727272727272727*m.x2183)*(1 - 0.00145454545454545*m.x2183) +
6.0669191919192e-8*(1189.2375*m.x2183*(1 - 0.000727272727272727*m.x2183)*(1 -
0.00145454545454545*m.x2183) - 1.86*(0.93*m.x2183*(1 - 0.000727272727272727*m.x2183))**2 -
1.49610402*m.x2183*m.x2183*(1 - 0.000727272727272727*m.x2183)*(1 - 0.00145454545454545*m.x2183
)*(1 - 0.00145454545454545*m.x2183))) + m.x711 <= 0)
m.c2093 = Constraint(expr=-0.007*m.x1646*m.x1492*(0.0775*m.x2184*(1 - 0.000727272727272727*m.x2184) + m.x2184 +
0.003003125*m.x2184*(1 - 0.000727272727272727*m.x2184)*(1 - 0.00145454545454545*m.x2184) +
6.0669191919192e-8*(1189.2375*m.x2184*(1 - 0.000727272727272727*m.x2184)*(1 -
0.00145454545454545*m.x2184) - 1.86*(0.93*m.x2184*(1 - 0.000727272727272727*m.x2184))**2 -
1.49610402*m.x2184*m.x2184*(1 - 0.000727272727272727*m.x2184)*(1 - 0.00145454545454545*m.x2184
)*(1 - 0.00145454545454545*m.x2184))) + m.x712 <= 0)
m.c2094 = Constraint(expr=-0.007*m.x1646*m.x1493*(0.0775*m.x2185*(1 - 0.000727272727272727*m.x2185) + m.x2185 +
0.003003125*m.x2185*(1 - 0.000727272727272727*m.x2185)*(1 - 0.00145454545454545*m.x2185) +
6.0669191919192e-8*(1189.2375*m.x2185*(1 - 0.000727272727272727*m.x2185)*(1 -
0.00145454545454545*m.x2185) - 1.86*(0.93*m.x2185*(1 - 0.000727272727272727*m.x2185))**2 -
1.49610402*m.x2185*m.x2185*(1 - 0.000727272727272727*m.x2185)*(1 - 0.00145454545454545*m.x2185
)*(1 - 0.00145454545454545*m.x2185))) + m.x713 <= 0)
m.c2095 = Constraint(expr=-0.007*m.x1646*m.x1494*(0.0775*m.x2186*(1 - 0.000727272727272727*m.x2186) + m.x2186 +
0.003003125*m.x2186*(1 - 0.000727272727272727*m.x2186)*(1 - 0.00145454545454545*m.x2186) +
6.0669191919192e-8*(1189.2375*m.x2186*(1 - 0.000727272727272727*m.x2186)*(1 -
0.00145454545454545*m.x2186) - 1.86*(0.93*m.x2186*(1 - 0.000727272727272727*m.x2186))**2 -
1.49610402*m.x2186*m.x2186*(1 - 0.000727272727272727*m.x2186)*(1 - 0.00145454545454545*m.x2186
)*(1 - 0.00145454545454545*m.x2186))) + m.x714 <= 0)
m.c2096 = Constraint(expr=-0.007*m.x1646*m.x1495*(0.0775*m.x2187*(1 - 0.000727272727272727*m.x2187) + m.x2187 +
0.003003125*m.x2187*(1 - 0.000727272727272727*m.x2187)*(1 - 0.00145454545454545*m.x2187) +
6.0669191919192e-8*(1189.2375*m.x2187*(1 - 0.000727272727272727*m.x2187)*(1 -
0.00145454545454545*m.x2187) - 1.86*(0.93*m.x2187*(1 - 0.000727272727272727*m.x2187))**2 -
1.49610402*m.x2187*m.x2187*(1 - 0.000727272727272727*m.x2187)*(1 - 0.00145454545454545*m.x2187
)*(1 - 0.00145454545454545*m.x2187))) + m.x715 <= 0)
m.c2097 = Constraint(expr=-0.007*m.x1646*m.x1496*(0.0775*m.x2188*(1 - 0.000727272727272727*m.x2188) + m.x2188 +
0.003003125*m.x2188*(1 - 0.000727272727272727*m.x2188)*(1 - 0.00145454545454545*m.x2188) +
6.0669191919192e-8*(1189.2375*m.x2188*(1 - 0.000727272727272727*m.x2188)*(1 -
0.00145454545454545*m.x2188) - 1.86*(0.93*m.x2188*(1 - 0.000727272727272727*m.x2188))**2 -
1.49610402*m.x2188*m.x2188*(1 - 0.000727272727272727*m.x2188)*(1 - 0.00145454545454545*m.x2188
)*(1 - 0.00145454545454545*m.x2188))) + m.x716 <= 0)
m.c2098 = Constraint(expr=-0.007*m.x1646*m.x1497*(0.0775*m.x2189*(1 - 0.000727272727272727*m.x2189) + m.x2189 +
0.003003125*m.x2189*(1 - 0.000727272727272727*m.x2189)*(1 - 0.00145454545454545*m.x2189) +
6.0669191919192e-8*(1189.2375*m.x2189*(1 - 0.000727272727272727*m.x2189)*(1 -
0.00145454545454545*m.x2189) - 1.86*(0.93*m.x2189*(1 - 0.000727272727272727*m.x2189))**2 -
1.49610402*m.x2189*m.x2189*(1 - 0.000727272727272727*m.x2189)*(1 - 0.00145454545454545*m.x2189
)*(1 - 0.00145454545454545*m.x2189))) + m.x717 <= 0)
m.c2099 = Constraint(expr=-0.007*m.x1646*m.x1498*(0.0775*m.x2190*(1 - 0.000727272727272727*m.x2190) + m.x2190 +
0.003003125*m.x2190*(1 - 0.000727272727272727*m.x2190)*(1 - 0.00145454545454545*m.x2190) +
6.0669191919192e-8*(1189.2375*m.x2190*(1 - 0.000727272727272727*m.x2190)*(1 -
0.00145454545454545*m.x2190) - 1.86*(0.93*m.x2190*(1 - 0.000727272727272727*m.x2190))**2 -
1.49610402*m.x2190*m.x2190*(1 - 0.000727272727272727*m.x2190)*(1 - 0.00145454545454545*m.x2190
)*(1 - 0.00145454545454545*m.x2190))) + m.x718 <= 0)
m.c2100 = Constraint(expr=-0.007*m.x1646*m.x1499*(0.0775*m.x2191*(1 - 0.000727272727272727*m.x2191) + m.x2191 +
0.003003125*m.x2191*(1 - 0.000727272727272727*m.x2191)*(1 - 0.00145454545454545*m.x2191) +
6.0669191919192e-8*(1189.2375*m.x2191*(1 - 0.000727272727272727*m.x2191)*(1 -
0.00145454545454545*m.x2191) - 1.86*(0.93*m.x2191*(1 - 0.000727272727272727*m.x2191))**2 -
1.49610402*m.x2191*m.x2191*(1 - 0.000727272727272727*m.x2191)*(1 - 0.00145454545454545*m.x2191
)*(1 - 0.00145454545454545*m.x2191))) + m.x719 <= 0)
m.c2101 = Constraint(expr=-0.007*m.x1646*m.x1500*(0.0775*m.x2192*(1 - 0.000727272727272727*m.x2192) + m.x2192 +
0.003003125*m.x2192*(1 - 0.000727272727272727*m.x2192)*(1 - 0.00145454545454545*m.x2192) +
6.0669191919192e-8*(1189.2375*m.x2192*(1 - 0.000727272727272727*m.x2192)*(1 -
0.00145454545454545*m.x2192) - 1.86*(0.93*m.x2192*(1 - 0.000727272727272727*m.x2192))**2 -
1.49610402*m.x2192*m.x2192*(1 - 0.000727272727272727*m.x2192)*(1 - 0.00145454545454545*m.x2192
)*(1 - 0.00145454545454545*m.x2192))) + m.x720 <= 0)
m.c2102 = Constraint(expr=-0.007*m.x1647*m.x1501*(0.0775*m.x2193*(1 - 0.000727272727272727*m.x2193) + m.x2193 +
0.003003125*m.x2193*(1 - 0.000727272727272727*m.x2193)*(1 - 0.00145454545454545*m.x2193) +
6.0669191919192e-8*(1189.2375*m.x2193*(1 - 0.000727272727272727*m.x2193)*(1 -
0.00145454545454545*m.x2193) - 1.86*(0.93*m.x2193*(1 - 0.000727272727272727*m.x2193))**2 -
1.49610402*m.x2193*m.x2193*(1 - 0.000727272727272727*m.x2193)*(1 - 0.00145454545454545*m.x2193
)*(1 - 0.00145454545454545*m.x2193))) + m.x721 <= 0)
m.c2103 = Constraint(expr=-0.007*m.x1647*m.x1502*(0.0775*m.x2194*(1 - 0.000727272727272727*m.x2194) + m.x2194 +
0.003003125*m.x2194*(1 - 0.000727272727272727*m.x2194)*(1 - 0.00145454545454545*m.x2194) +
6.0669191919192e-8*(1189.2375*m.x2194*(1 - 0.000727272727272727*m.x2194)*(1 -
0.00145454545454545*m.x2194) - 1.86*(0.93*m.x2194*(1 - 0.000727272727272727*m.x2194))**2 -
1.49610402*m.x2194*m.x2194*(1 - 0.000727272727272727*m.x2194)*(1 - 0.00145454545454545*m.x2194
)*(1 - 0.00145454545454545*m.x2194))) + m.x722 <= 0)
m.c2104 = Constraint(expr=-0.007*m.x1647*m.x1503*(0.0775*m.x2195*(1 - 0.000727272727272727*m.x2195) + m.x2195 +
0.003003125*m.x2195*(1 - 0.000727272727272727*m.x2195)*(1 - 0.00145454545454545*m.x2195) +
6.0669191919192e-8*(1189.2375*m.x2195*(1 - 0.000727272727272727*m.x2195)*(1 -
0.00145454545454545*m.x2195) - 1.86*(0.93*m.x2195*(1 - 0.000727272727272727*m.x2195))**2 -
1.49610402*m.x2195*m.x2195*(1 - 0.000727272727272727*m.x2195)*(1 - 0.00145454545454545*m.x2195
)*(1 - 0.00145454545454545*m.x2195))) + m.x723 <= 0)
m.c2105 = Constraint(expr=-0.007*m.x1647*m.x1504*(0.0775*m.x2196*(1 - 0.000727272727272727*m.x2196) + m.x2196 +
0.003003125*m.x2196*(1 - 0.000727272727272727*m.x2196)*(1 - 0.00145454545454545*m.x2196) +
6.0669191919192e-8*(1189.2375*m.x2196*(1 - 0.000727272727272727*m.x2196)*(1 -
0.00145454545454545*m.x2196) - 1.86*(0.93*m.x2196*(1 - 0.000727272727272727*m.x2196))**2 -
1.49610402*m.x2196*m.x2196*(1 - 0.000727272727272727*m.x2196)*(1 - 0.00145454545454545*m.x2196
)*(1 - 0.00145454545454545*m.x2196))) + m.x724 <= 0)
m.c2106 = Constraint(expr=-0.007*m.x1647*m.x1505*(0.0775*m.x2197*(1 - 0.000727272727272727*m.x2197) + m.x2197 +
0.003003125*m.x2197*(1 - 0.000727272727272727*m.x2197)*(1 - 0.00145454545454545*m.x2197) +
6.0669191919192e-8*(1189.2375*m.x2197*(1 - 0.000727272727272727*m.x2197)*(1 -
0.00145454545454545*m.x2197) - 1.86*(0.93*m.x2197*(1 - 0.000727272727272727*m.x2197))**2 -
1.49610402*m.x2197*m.x2197*(1 - 0.000727272727272727*m.x2197)*(1 - 0.00145454545454545*m.x2197
)*(1 - 0.00145454545454545*m.x2197))) + m.x725 <= 0)
m.c2107 = Constraint(expr=-0.007*m.x1647*m.x1506*(0.0775*m.x2198*(1 - 0.000727272727272727*m.x2198) + m.x2198 +
0.003003125*m.x2198*(1 - 0.000727272727272727*m.x2198)*(1 - 0.00145454545454545*m.x2198) +
6.0669191919192e-8*(1189.2375*m.x2198*(1 - 0.000727272727272727*m.x2198)*(1 -
0.00145454545454545*m.x2198) - 1.86*(0.93*m.x2198*(1 - 0.000727272727272727*m.x2198))**2 -
1.49610402*m.x2198*m.x2198*(1 - 0.000727272727272727*m.x2198)*(1 - 0.00145454545454545*m.x2198
)*(1 - 0.00145454545454545*m.x2198))) + m.x726 <= 0)
m.c2108 = Constraint(expr=-0.007*m.x1647*m.x1507*(0.0775*m.x2199*(1 - 0.000727272727272727*m.x2199) + m.x2199 +
0.003003125*m.x2199*(1 - 0.000727272727272727*m.x2199)*(1 - 0.00145454545454545*m.x2199) +
6.0669191919192e-8*(1189.2375*m.x2199*(1 - 0.000727272727272727*m.x2199)*(1 -
0.00145454545454545*m.x2199) - 1.86*(0.93*m.x2199*(1 - 0.000727272727272727*m.x2199))**2 -
1.49610402*m.x2199*m.x2199*(1 - 0.000727272727272727*m.x2199)*(1 - 0.00145454545454545*m.x2199
)*(1 - 0.00145454545454545*m.x2199))) + m.x727 <= 0)
m.c2109 = Constraint(expr=-0.007*m.x1647*m.x1508*(0.0775*m.x2200*(1 - 0.000727272727272727*m.x2200) + m.x2200 +
0.003003125*m.x2200*(1 - 0.000727272727272727*m.x2200)*(1 - 0.00145454545454545*m.x2200) +
6.0669191919192e-8*(1189.2375*m.x2200*(1 - 0.000727272727272727*m.x2200)*(1 -
0.00145454545454545*m.x2200) - 1.86*(0.93*m.x2200*(1 - 0.000727272727272727*m.x2200))**2 -
1.49610402*m.x2200*m.x2200*(1 - 0.000727272727272727*m.x2200)*(1 - 0.00145454545454545*m.x2200
)*(1 - 0.00145454545454545*m.x2200))) + m.x728 <= 0)
m.c2110 = Constraint(expr=-0.007*m.x1647*m.x1509*(0.0775*m.x2201*(1 - 0.000727272727272727*m.x2201) + m.x2201 +
0.003003125*m.x2201*(1 - 0.000727272727272727*m.x2201)*(1 - 0.00145454545454545*m.x2201) +
6.0669191919192e-8*(1189.2375*m.x2201*(1 - 0.000727272727272727*m.x2201)*(1 -
0.00145454545454545*m.x2201) - 1.86*(0.93*m.x2201*(1 - 0.000727272727272727*m.x2201))**2 -
1.49610402*m.x2201*m.x2201*(1 - 0.000727272727272727*m.x2201)*(1 - 0.00145454545454545*m.x2201
)*(1 - 0.00145454545454545*m.x2201))) + m.x729 <= 0)
m.c2111 = Constraint(expr=-0.007*m.x1647*m.x1510*(0.0775*m.x2202*(1 - 0.000727272727272727*m.x2202) + m.x2202 +
0.003003125*m.x2202*(1 - 0.000727272727272727*m.x2202)*(1 - 0.00145454545454545*m.x2202) +
6.0669191919192e-8*(1189.2375*m.x2202*(1 - 0.000727272727272727*m.x2202)*(1 -
0.00145454545454545*m.x2202) - 1.86*(0.93*m.x2202*(1 - 0.000727272727272727*m.x2202))**2 -
1.49610402*m.x2202*m.x2202*(1 - 0.000727272727272727*m.x2202)*(1 - 0.00145454545454545*m.x2202
)*(1 - 0.00145454545454545*m.x2202))) + m.x730 <= 0)
m.c2112 = Constraint(expr=-0.007*m.x1647*m.x1511*(0.0775*m.x2203*(1 - 0.000727272727272727*m.x2203) + m.x2203 +
0.003003125*m.x2203*(1 - 0.000727272727272727*m.x2203)*(1 - 0.00145454545454545*m.x2203) +
6.0669191919192e-8*(1189.2375*m.x2203*(1 - 0.000727272727272727*m.x2203)*(1 -
0.00145454545454545*m.x2203) - 1.86*(0.93*m.x2203*(1 - 0.000727272727272727*m.x2203))**2 -
1.49610402*m.x2203*m.x2203*(1 - 0.000727272727272727*m.x2203)*(1 - 0.00145454545454545*m.x2203
)*(1 - 0.00145454545454545*m.x2203))) + m.x731 <= 0)
m.c2113 = Constraint(expr=-0.007*m.x1647*m.x1512*(0.0775*m.x2204*(1 - 0.000727272727272727*m.x2204) + m.x2204 +
0.003003125*m.x2204*(1 - 0.000727272727272727*m.x2204)*(1 - 0.00145454545454545*m.x2204) +
6.0669191919192e-8*(1189.2375*m.x2204*(1 - 0.000727272727272727*m.x2204)*(1 -
0.00145454545454545*m.x2204) - 1.86*(0.93*m.x2204*(1 - 0.000727272727272727*m.x2204))**2 -
1.49610402*m.x2204*m.x2204*(1 - 0.000727272727272727*m.x2204)*(1 - 0.00145454545454545*m.x2204
)*(1 - 0.00145454545454545*m.x2204))) + m.x732 <= 0)
m.c2114 = Constraint(expr=-0.007*m.x1648*m.x1513*(0.0775*m.x2205*(1 - 0.000727272727272727*m.x2205) + m.x2205 +
0.003003125*m.x2205*(1 - 0.000727272727272727*m.x2205)*(1 - 0.00145454545454545*m.x2205) +
6.0669191919192e-8*(1189.2375*m.x2205*(1 - 0.000727272727272727*m.x2205)*(1 -
0.00145454545454545*m.x2205) - 1.86*(0.93*m.x2205*(1 - 0.000727272727272727*m.x2205))**2 -
1.49610402*m.x2205*m.x2205*(1 - 0.000727272727272727*m.x2205)*(1 - 0.00145454545454545*m.x2205
)*(1 - 0.00145454545454545*m.x2205))) + m.x733 <= 0)
m.c2115 = Constraint(expr=-0.007*m.x1648*m.x1514*(0.0775*m.x2206*(1 - 0.000727272727272727*m.x2206) + m.x2206 +
0.003003125*m.x2206*(1 - 0.000727272727272727*m.x2206)*(1 - 0.00145454545454545*m.x2206) +
6.0669191919192e-8*(1189.2375*m.x2206*(1 - 0.000727272727272727*m.x2206)*(1 -
0.00145454545454545*m.x2206) - 1.86*(0.93*m.x2206*(1 - 0.000727272727272727*m.x2206))**2 -
1.49610402*m.x2206*m.x2206*(1 - 0.000727272727272727*m.x2206)*(1 - 0.00145454545454545*m.x2206
)*(1 - 0.00145454545454545*m.x2206))) + m.x734 <= 0)
m.c2116 = Constraint(expr=-0.007*m.x1648*m.x1515*(0.0775*m.x2207*(1 - 0.000727272727272727*m.x2207) + m.x2207 +
0.003003125*m.x2207*(1 - 0.000727272727272727*m.x2207)*(1 - 0.00145454545454545*m.x2207) +
6.0669191919192e-8*(1189.2375*m.x2207*(1 - 0.000727272727272727*m.x2207)*(1 -
0.00145454545454545*m.x2207) - 1.86*(0.93*m.x2207*(1 - 0.000727272727272727*m.x2207))**2 -
1.49610402*m.x2207*m.x2207*(1 - 0.000727272727272727*m.x2207)*(1 - 0.00145454545454545*m.x2207
)*(1 - 0.00145454545454545*m.x2207))) + m.x735 <= 0)
m.c2117 = Constraint(expr=-0.007*m.x1648*m.x1516*(0.0775*m.x2208*(1 - 0.000727272727272727*m.x2208) + m.x2208 +
0.003003125*m.x2208*(1 - 0.000727272727272727*m.x2208)*(1 - 0.00145454545454545*m.x2208) +
6.0669191919192e-8*(1189.2375*m.x2208*(1 - 0.000727272727272727*m.x2208)*(1 -
0.00145454545454545*m.x2208) - 1.86*(0.93*m.x2208*(1 - 0.000727272727272727*m.x2208))**2 -
1.49610402*m.x2208*m.x2208*(1 - 0.000727272727272727*m.x2208)*(1 - 0.00145454545454545*m.x2208
)*(1 - 0.00145454545454545*m.x2208))) + m.x736 <= 0)
m.c2118 = Constraint(expr=-0.007*m.x1648*m.x1517*(0.0775*m.x2209*(1 - 0.000727272727272727*m.x2209) + m.x2209 +
0.003003125*m.x2209*(1 - 0.000727272727272727*m.x2209)*(1 - 0.00145454545454545*m.x2209) +
6.0669191919192e-8*(1189.2375*m.x2209*(1 - 0.000727272727272727*m.x2209)*(1 -
0.00145454545454545*m.x2209) - 1.86*(0.93*m.x2209*(1 - 0.000727272727272727*m.x2209))**2 -
1.49610402*m.x2209*m.x2209*(1 - 0.000727272727272727*m.x2209)*(1 - 0.00145454545454545*m.x2209
)*(1 - 0.00145454545454545*m.x2209))) + m.x737 <= 0)
m.c2119 = Constraint(expr=-0.007*m.x1648*m.x1518*(0.0775*m.x2210*(1 - 0.000727272727272727*m.x2210) + m.x2210 +
0.003003125*m.x2210*(1 - 0.000727272727272727*m.x2210)*(1 - 0.00145454545454545*m.x2210) +
6.0669191919192e-8*(1189.2375*m.x2210*(1 - 0.000727272727272727*m.x2210)*(1 -
0.00145454545454545*m.x2210) - 1.86*(0.93*m.x2210*(1 - 0.000727272727272727*m.x2210))**2 -
1.49610402*m.x2210*m.x2210*(1 - 0.000727272727272727*m.x2210)*(1 - 0.00145454545454545*m.x2210
)*(1 - 0.00145454545454545*m.x2210))) + m.x738 <= 0)
m.c2120 = Constraint(expr=-0.007*m.x1648*m.x1519*(0.0775*m.x2211*(1 - 0.000727272727272727*m.x2211) + m.x2211 +
0.003003125*m.x2211*(1 - 0.000727272727272727*m.x2211)*(1 - 0.00145454545454545*m.x2211) +
6.0669191919192e-8*(1189.2375*m.x2211*(1 - 0.000727272727272727*m.x2211)*(1 -
0.00145454545454545*m.x2211) - 1.86*(0.93*m.x2211*(1 - 0.000727272727272727*m.x2211))**2 -
1.49610402*m.x2211*m.x2211*(1 - 0.000727272727272727*m.x2211)*(1 - 0.00145454545454545*m.x2211
)*(1 - 0.00145454545454545*m.x2211))) + m.x739 <= 0)
m.c2121 = Constraint(expr=-0.007*m.x1648*m.x1520*(0.0775*m.x2212*(1 - 0.000727272727272727*m.x2212) + m.x2212 +
0.003003125*m.x2212*(1 - 0.000727272727272727*m.x2212)*(1 - 0.00145454545454545*m.x2212) +
6.0669191919192e-8*(1189.2375*m.x2212*(1 - 0.000727272727272727*m.x2212)*(1 -
0.00145454545454545*m.x2212) - 1.86*(0.93*m.x2212*(1 - 0.000727272727272727*m.x2212))**2 -
1.49610402*m.x2212*m.x2212*(1 - 0.000727272727272727*m.x2212)*(1 - 0.00145454545454545*m.x2212
)*(1 - 0.00145454545454545*m.x2212))) + m.x740 <= 0)
m.c2122 = Constraint(expr=-0.007*m.x1648*m.x1521*(0.0775*m.x2213*(1 - 0.000727272727272727*m.x2213) + m.x2213 +
0.003003125*m.x2213*(1 - 0.000727272727272727*m.x2213)*(1 - 0.00145454545454545*m.x2213) +
6.0669191919192e-8*(1189.2375*m.x2213*(1 - 0.000727272727272727*m.x2213)*(1 -
0.00145454545454545*m.x2213) - 1.86*(0.93*m.x2213*(1 - 0.000727272727272727*m.x2213))**2 -
1.49610402*m.x2213*m.x2213*(1 - 0.000727272727272727*m.x2213)*(1 - 0.00145454545454545*m.x2213
)*(1 - 0.00145454545454545*m.x2213))) + m.x741 <= 0)
m.c2123 = Constraint(expr=-0.007*m.x1648*m.x1522*(0.0775*m.x2214*(1 - 0.000727272727272727*m.x2214) + m.x2214 +
0.003003125*m.x2214*(1 - 0.000727272727272727*m.x2214)*(1 - 0.00145454545454545*m.x2214) +
6.0669191919192e-8*(1189.2375*m.x2214*(1 - 0.000727272727272727*m.x2214)*(1 -
0.00145454545454545*m.x2214) - 1.86*(0.93*m.x2214*(1 - 0.000727272727272727*m.x2214))**2 -
1.49610402*m.x2214*m.x2214*(1 - 0.000727272727272727*m.x2214)*(1 - 0.00145454545454545*m.x2214
)*(1 - 0.00145454545454545*m.x2214))) + m.x742 <= 0)
m.c2124 = Constraint(expr=-0.007*m.x1648*m.x1523*(0.0775*m.x2215*(1 - 0.000727272727272727*m.x2215) + m.x2215 +
0.003003125*m.x2215*(1 - 0.000727272727272727*m.x2215)*(1 - 0.00145454545454545*m.x2215) +
6.0669191919192e-8*(1189.2375*m.x2215*(1 - 0.000727272727272727*m.x2215)*(1 -
0.00145454545454545*m.x2215) - 1.86*(0.93*m.x2215*(1 - 0.000727272727272727*m.x2215))**2 -
1.49610402*m.x2215*m.x2215*(1 - 0.000727272727272727*m.x2215)*(1 - 0.00145454545454545*m.x2215
)*(1 - 0.00145454545454545*m.x2215))) + m.x743 <= 0)
m.c2125 = Constraint(expr=-0.007*m.x1648*m.x1524*(0.0775*m.x2216*(1 - 0.000727272727272727*m.x2216) + m.x2216 +
0.003003125*m.x2216*(1 - 0.000727272727272727*m.x2216)*(1 - 0.00145454545454545*m.x2216) +
6.0669191919192e-8*(1189.2375*m.x2216*(1 - 0.000727272727272727*m.x2216)*(1 -
0.00145454545454545*m.x2216) - 1.86*(0.93*m.x2216*(1 - 0.000727272727272727*m.x2216))**2 -
1.49610402*m.x2216*m.x2216*(1 - 0.000727272727272727*m.x2216)*(1 - 0.00145454545454545*m.x2216
)*(1 - 0.00145454545454545*m.x2216))) + m.x744 <= 0)
m.c2126 = Constraint(expr=-0.007*m.x1649*m.x1525*(0.0775*m.x2217*(1 - 0.000727272727272727*m.x2217) + m.x2217 +
0.003003125*m.x2217*(1 - 0.000727272727272727*m.x2217)*(1 - 0.00145454545454545*m.x2217) +
6.0669191919192e-8*(1189.2375*m.x2217*(1 - 0.000727272727272727*m.x2217)*(1 -
0.00145454545454545*m.x2217) - 1.86*(0.93*m.x2217*(1 - 0.000727272727272727*m.x2217))**2 -
1.49610402*m.x2217*m.x2217*(1 - 0.000727272727272727*m.x2217)*(1 - 0.00145454545454545*m.x2217
)*(1 - 0.00145454545454545*m.x2217))) + m.x745 <= 0)
m.c2127 = Constraint(expr=-0.007*m.x1649*m.x1526*(0.0775*m.x2218*(1 - 0.000727272727272727*m.x2218) + m.x2218 +
0.003003125*m.x2218*(1 - 0.000727272727272727*m.x2218)*(1 - 0.00145454545454545*m.x2218) +
6.0669191919192e-8*(1189.2375*m.x2218*(1 - 0.000727272727272727*m.x2218)*(1 -
0.00145454545454545*m.x2218) - 1.86*(0.93*m.x2218*(1 - 0.000727272727272727*m.x2218))**2 -
1.49610402*m.x2218*m.x2218*(1 - 0.000727272727272727*m.x2218)*(1 - 0.00145454545454545*m.x2218
)*(1 - 0.00145454545454545*m.x2218))) + m.x746 <= 0)
m.c2128 = Constraint(expr=-0.007*m.x1649*m.x1527*(0.0775*m.x2219*(1 - 0.000727272727272727*m.x2219) + m.x2219 +
0.003003125*m.x2219*(1 - 0.000727272727272727*m.x2219)*(1 - 0.00145454545454545*m.x2219) +
6.0669191919192e-8*(1189.2375*m.x2219*(1 - 0.000727272727272727*m.x2219)*(1 -
0.00145454545454545*m.x2219) - 1.86*(0.93*m.x2219*(1 - 0.000727272727272727*m.x2219))**2 -
1.49610402*m.x2219*m.x2219*(1 - 0.000727272727272727*m.x2219)*(1 - 0.00145454545454545*m.x2219
)*(1 - 0.00145454545454545*m.x2219))) + m.x747 <= 0)
m.c2129 = Constraint(expr=-0.007*m.x1649*m.x1528*(0.0775*m.x2220*(1 - 0.000727272727272727*m.x2220) + m.x2220 +
0.003003125*m.x2220*(1 - 0.000727272727272727*m.x2220)*(1 - 0.00145454545454545*m.x2220) +
6.0669191919192e-8*(1189.2375*m.x2220*(1 - 0.000727272727272727*m.x2220)*(1 -
0.00145454545454545*m.x2220) - 1.86*(0.93*m.x2220*(1 - 0.000727272727272727*m.x2220))**2 -
1.49610402*m.x2220*m.x2220*(1 - 0.000727272727272727*m.x2220)*(1 - 0.00145454545454545*m.x2220
)*(1 - 0.00145454545454545*m.x2220))) + m.x748 <= 0)
m.c2130 = Constraint(expr=-0.007*m.x1649*m.x1529*(0.0775*m.x2221*(1 - 0.000727272727272727*m.x2221) + m.x2221 +
0.003003125*m.x2221*(1 - 0.000727272727272727*m.x2221)*(1 - 0.00145454545454545*m.x2221) +
6.0669191919192e-8*(1189.2375*m.x2221*(1 - 0.000727272727272727*m.x2221)*(1 -
0.00145454545454545*m.x2221) - 1.86*(0.93*m.x2221*(1 - 0.000727272727272727*m.x2221))**2 -
1.49610402*m.x2221*m.x2221*(1 - 0.000727272727272727*m.x2221)*(1 - 0.00145454545454545*m.x2221
)*(1 - 0.00145454545454545*m.x2221))) + m.x749 <= 0)
m.c2131 = Constraint(expr=-0.007*m.x1649*m.x1530*(0.0775*m.x2222*(1 - 0.000727272727272727*m.x2222) + m.x2222 +
0.003003125*m.x2222*(1 - 0.000727272727272727*m.x2222)*(1 - 0.00145454545454545*m.x2222) +
6.0669191919192e-8*(1189.2375*m.x2222*(1 - 0.000727272727272727*m.x2222)*(1 -
0.00145454545454545*m.x2222) - 1.86*(0.93*m.x2222*(1 - 0.000727272727272727*m.x2222))**2 -
1.49610402*m.x2222*m.x2222*(1 - 0.000727272727272727*m.x2222)*(1 - 0.00145454545454545*m.x2222
)*(1 - 0.00145454545454545*m.x2222))) + m.x750 <= 0)
m.c2132 = Constraint(expr=-0.007*m.x1649*m.x1531*(0.0775*m.x2223*(1 - 0.000727272727272727*m.x2223) + m.x2223 +
0.003003125*m.x2223*(1 - 0.000727272727272727*m.x2223)*(1 - 0.00145454545454545*m.x2223) +
6.0669191919192e-8*(1189.2375*m.x2223*(1 - 0.000727272727272727*m.x2223)*(1 -
0.00145454545454545*m.x2223) - 1.86*(0.93*m.x2223*(1 - 0.000727272727272727*m.x2223))**2 -
1.49610402*m.x2223*m.x2223*(1 - 0.000727272727272727*m.x2223)*(1 - 0.00145454545454545*m.x2223
)*(1 - 0.00145454545454545*m.x2223))) + m.x751 <= 0)
m.c2133 = Constraint(expr=-0.007*m.x1649*m.x1532*(0.0775*m.x2224*(1 - 0.000727272727272727*m.x2224) + m.x2224 +
0.003003125*m.x2224*(1 - 0.000727272727272727*m.x2224)*(1 - 0.00145454545454545*m.x2224) +
6.0669191919192e-8*(1189.2375*m.x2224*(1 - 0.000727272727272727*m.x2224)*(1 -
0.00145454545454545*m.x2224) - 1.86*(0.93*m.x2224*(1 - 0.000727272727272727*m.x2224))**2 -
1.49610402*m.x2224*m.x2224*(1 - 0.000727272727272727*m.x2224)*(1 - 0.00145454545454545*m.x2224
)*(1 - 0.00145454545454545*m.x2224))) + m.x752 <= 0)
m.c2134 = Constraint(expr=-0.007*m.x1649*m.x1533*(0.0775*m.x2225*(1 - 0.000727272727272727*m.x2225) + m.x2225 +
0.003003125*m.x2225*(1 - 0.000727272727272727*m.x2225)*(1 - 0.00145454545454545*m.x2225) +
6.0669191919192e-8*(1189.2375*m.x2225*(1 - 0.000727272727272727*m.x2225)*(1 -
0.00145454545454545*m.x2225) - 1.86*(0.93*m.x2225*(1 - 0.000727272727272727*m.x2225))**2 -
1.49610402*m.x2225*m.x2225*(1 - 0.000727272727272727*m.x2225)*(1 - 0.00145454545454545*m.x2225
)*(1 - 0.00145454545454545*m.x2225))) + m.x753 <= 0)
m.c2135 = Constraint(expr=-0.007*m.x1649*m.x1534*(0.0775*m.x2226*(1 - 0.000727272727272727*m.x2226) + m.x2226 +
0.003003125*m.x2226*(1 - 0.000727272727272727*m.x2226)*(1 - 0.00145454545454545*m.x2226) +
6.0669191919192e-8*(1189.2375*m.x2226*(1 - 0.000727272727272727*m.x2226)*(1 -
0.00145454545454545*m.x2226) - 1.86*(0.93*m.x2226*(1 - 0.000727272727272727*m.x2226))**2 -
1.49610402*m.x2226*m.x2226*(1 - 0.000727272727272727*m.x2226)*(1 - 0.00145454545454545*m.x2226
)*(1 - 0.00145454545454545*m.x2226))) + m.x754 <= 0)
m.c2136 = Constraint(expr=-0.007*m.x1649*m.x1535*(0.0775*m.x2227*(1 - 0.000727272727272727*m.x2227) + m.x2227 +
0.003003125*m.x2227*(1 - 0.000727272727272727*m.x2227)*(1 - 0.00145454545454545*m.x2227) +
6.0669191919192e-8*(1189.2375*m.x2227*(1 - 0.000727272727272727*m.x2227)*(1 -
0.00145454545454545*m.x2227) - 1.86*(0.93*m.x2227*(1 - 0.000727272727272727*m.x2227))**2 -
1.49610402*m.x2227*m.x2227*(1 - 0.000727272727272727*m.x2227)*(1 - 0.00145454545454545*m.x2227
)*(1 - 0.00145454545454545*m.x2227))) + m.x755 <= 0)
m.c2137 = Constraint(expr=-0.007*m.x1649*m.x1536*(0.0775*m.x2228*(1 - 0.000727272727272727*m.x2228) + m.x2228 +
0.003003125*m.x2228*(1 - 0.000727272727272727*m.x2228)*(1 - 0.00145454545454545*m.x2228) +
6.0669191919192e-8*(1189.2375*m.x2228*(1 - 0.000727272727272727*m.x2228)*(1 -
0.00145454545454545*m.x2228) - 1.86*(0.93*m.x2228*(1 - 0.000727272727272727*m.x2228))**2 -
1.49610402*m.x2228*m.x2228*(1 - 0.000727272727272727*m.x2228)*(1 - 0.00145454545454545*m.x2228
)*(1 - 0.00145454545454545*m.x2228))) + m.x756 <= 0)
m.c2138 = Constraint(expr=-0.007*m.x1650*m.x1537*(0.0775*m.x2229*(1 - 0.000727272727272727*m.x2229) + m.x2229 +
0.003003125*m.x2229*(1 - 0.000727272727272727*m.x2229)*(1 - 0.00145454545454545*m.x2229) +
6.0669191919192e-8*(1189.2375*m.x2229*(1 - 0.000727272727272727*m.x2229)*(1 -
0.00145454545454545*m.x2229) - 1.86*(0.93*m.x2229*(1 - 0.000727272727272727*m.x2229))**2 -
1.49610402*m.x2229*m.x2229*(1 - 0.000727272727272727*m.x2229)*(1 - 0.00145454545454545*m.x2229
)*(1 - 0.00145454545454545*m.x2229))) + m.x757 <= 0)
m.c2139 = Constraint(expr=-0.007*m.x1650*m.x1538*(0.0775*m.x2230*(1 - 0.000727272727272727*m.x2230) + m.x2230 +
0.003003125*m.x2230*(1 - 0.000727272727272727*m.x2230)*(1 - 0.00145454545454545*m.x2230) +
6.0669191919192e-8*(1189.2375*m.x2230*(1 - 0.000727272727272727*m.x2230)*(1 -
0.00145454545454545*m.x2230) - 1.86*(0.93*m.x2230*(1 - 0.000727272727272727*m.x2230))**2 -
1.49610402*m.x2230*m.x2230*(1 - 0.000727272727272727*m.x2230)*(1 - 0.00145454545454545*m.x2230
)*(1 - 0.00145454545454545*m.x2230))) + m.x758 <= 0)
m.c2140 = Constraint(expr=-0.007*m.x1650*m.x1539*(0.0775*m.x2231*(1 - 0.000727272727272727*m.x2231) + m.x2231 +
0.003003125*m.x2231*(1 - 0.000727272727272727*m.x2231)*(1 - 0.00145454545454545*m.x2231) +
6.0669191919192e-8*(1189.2375*m.x2231*(1 - 0.000727272727272727*m.x2231)*(1 -
0.00145454545454545*m.x2231) - 1.86*(0.93*m.x2231*(1 - 0.000727272727272727*m.x2231))**2 -
1.49610402*m.x2231*m.x2231*(1 - 0.000727272727272727*m.x2231)*(1 - 0.00145454545454545*m.x2231
)*(1 - 0.00145454545454545*m.x2231))) + m.x759 <= 0)
m.c2141 = Constraint(expr=-0.007*m.x1650*m.x1540*(0.0775*m.x2232*(1 - 0.000727272727272727*m.x2232) + m.x2232 +
0.003003125*m.x2232*(1 - 0.000727272727272727*m.x2232)*(1 - 0.00145454545454545*m.x2232) +
6.0669191919192e-8*(1189.2375*m.x2232*(1 - 0.000727272727272727*m.x2232)*(1 -
0.00145454545454545*m.x2232) - 1.86*(0.93*m.x2232*(1 - 0.000727272727272727*m.x2232))**2 -
1.49610402*m.x2232*m.x2232*(1 - 0.000727272727272727*m.x2232)*(1 - 0.00145454545454545*m.x2232
)*(1 - 0.00145454545454545*m.x2232))) + m.x760 <= 0)
m.c2142 = Constraint(expr=-0.007*m.x1650*m.x1541*(0.0775*m.x2233*(1 - 0.000727272727272727*m.x2233) + m.x2233 +
0.003003125*m.x2233*(1 - 0.000727272727272727*m.x2233)*(1 - 0.00145454545454545*m.x2233) +
6.0669191919192e-8*(1189.2375*m.x2233*(1 - 0.000727272727272727*m.x2233)*(1 -
0.00145454545454545*m.x2233) - 1.86*(0.93*m.x2233*(1 - 0.000727272727272727*m.x2233))**2 -
1.49610402*m.x2233*m.x2233*(1 - 0.000727272727272727*m.x2233)*(1 - 0.00145454545454545*m.x2233
)*(1 - 0.00145454545454545*m.x2233))) + m.x761 <= 0)
m.c2143 = Constraint(expr=-0.007*m.x1650*m.x1542*(0.0775*m.x2234*(1 - 0.000727272727272727*m.x2234) + m.x2234 +
0.003003125*m.x2234*(1 - 0.000727272727272727*m.x2234)*(1 - 0.00145454545454545*m.x2234) +
6.0669191919192e-8*(1189.2375*m.x2234*(1 - 0.000727272727272727*m.x2234)*(1 -
0.00145454545454545*m.x2234) - 1.86*(0.93*m.x2234*(1 - 0.000727272727272727*m.x2234))**2 -
1.49610402*m.x2234*m.x2234*(1 - 0.000727272727272727*m.x2234)*(1 - 0.00145454545454545*m.x2234
)*(1 - 0.00145454545454545*m.x2234))) + m.x762 <= 0)
m.c2144 = Constraint(expr=-0.007*m.x1650*m.x1543*(0.0775*m.x2235*(1 - 0.000727272727272727*m.x2235) + m.x2235 +
0.003003125*m.x2235*(1 - 0.000727272727272727*m.x2235)*(1 - 0.00145454545454545*m.x2235) +
6.0669191919192e-8*(1189.2375*m.x2235*(1 - 0.000727272727272727*m.x2235)*(1 -
0.00145454545454545*m.x2235) - 1.86*(0.93*m.x2235*(1 - 0.000727272727272727*m.x2235))**2 -
1.49610402*m.x2235*m.x2235*(1 - 0.000727272727272727*m.x2235)*(1 - 0.00145454545454545*m.x2235
)*(1 - 0.00145454545454545*m.x2235))) + m.x763 <= 0)
m.c2145 = Constraint(expr=-0.007*m.x1650*m.x1544*(0.0775*m.x2236*(1 - 0.000727272727272727*m.x2236) + m.x2236 +
0.003003125*m.x2236*(1 - 0.000727272727272727*m.x2236)*(1 - 0.00145454545454545*m.x2236) +
6.0669191919192e-8*(1189.2375*m.x2236*(1 - 0.000727272727272727*m.x2236)*(1 -
0.00145454545454545*m.x2236) - 1.86*(0.93*m.x2236*(1 - 0.000727272727272727*m.x2236))**2 -
1.49610402*m.x2236*m.x2236*(1 - 0.000727272727272727*m.x2236)*(1 - 0.00145454545454545*m.x2236
)*(1 - 0.00145454545454545*m.x2236))) + m.x764 <= 0)
m.c2146 = Constraint(expr=-0.007*m.x1650*m.x1545*(0.0775*m.x2237*(1 - 0.000727272727272727*m.x2237) + m.x2237 +
0.003003125*m.x2237*(1 - 0.000727272727272727*m.x2237)*(1 - 0.00145454545454545*m.x2237) +
6.0669191919192e-8*(1189.2375*m.x2237*(1 - 0.000727272727272727*m.x2237)*(1 -
0.00145454545454545*m.x2237) - 1.86*(0.93*m.x2237*(1 - 0.000727272727272727*m.x2237))**2 -
1.49610402*m.x2237*m.x2237*(1 - 0.000727272727272727*m.x2237)*(1 - 0.00145454545454545*m.x2237
)*(1 - 0.00145454545454545*m.x2237))) + m.x765 <= 0)
m.c2147 = Constraint(expr=-0.007*m.x1650*m.x1546*(0.0775*m.x2238*(1 - 0.000727272727272727*m.x2238) + m.x2238 +
0.003003125*m.x2238*(1 - 0.000727272727272727*m.x2238)*(1 - 0.00145454545454545*m.x2238) +
6.0669191919192e-8*(1189.2375*m.x2238*(1 - 0.000727272727272727*m.x2238)*(1 -
0.00145454545454545*m.x2238) - 1.86*(0.93*m.x2238*(1 - 0.000727272727272727*m.x2238))**2 -
1.49610402*m.x2238*m.x2238*(1 - 0.000727272727272727*m.x2238)*(1 - 0.00145454545454545*m.x2238
)*(1 - 0.00145454545454545*m.x2238))) + m.x766 <= 0)
m.c2148 = Constraint(expr=-0.007*m.x1650*m.x1547*(0.0775*m.x2239*(1 - 0.000727272727272727*m.x2239) + m.x2239 +
0.003003125*m.x2239*(1 - 0.000727272727272727*m.x2239)*(1 - 0.00145454545454545*m.x2239) +
6.0669191919192e-8*(1189.2375*m.x2239*(1 - 0.000727272727272727*m.x2239)*(1 -
0.00145454545454545*m.x2239) - 1.86*(0.93*m.x2239*(1 - 0.000727272727272727*m.x2239))**2 -
1.49610402*m.x2239*m.x2239*(1 - 0.000727272727272727*m.x2239)*(1 - 0.00145454545454545*m.x2239
)*(1 - 0.00145454545454545*m.x2239))) + m.x767 <= 0)
m.c2149 = Constraint(expr=-0.007*m.x1650*m.x1548*(0.0775*m.x2240*(1 - 0.000727272727272727*m.x2240) + m.x2240 +
0.003003125*m.x2240*(1 - 0.000727272727272727*m.x2240)*(1 - 0.00145454545454545*m.x2240) +
6.0669191919192e-8*(1189.2375*m.x2240*(1 - 0.000727272727272727*m.x2240)*(1 -
0.00145454545454545*m.x2240) - 1.86*(0.93*m.x2240*(1 - 0.000727272727272727*m.x2240))**2 -
1.49610402*m.x2240*m.x2240*(1 - 0.000727272727272727*m.x2240)*(1 - 0.00145454545454545*m.x2240
)*(1 - 0.00145454545454545*m.x2240))) + m.x768 <= 0)
m.c2150 = Constraint(expr=-0.007*m.x1651*m.x1549*(0.0775*m.x2241*(1 - 0.000727272727272727*m.x2241) + m.x2241 +
0.003003125*m.x2241*(1 - 0.000727272727272727*m.x2241)*(1 - 0.00145454545454545*m.x2241) +
6.0669191919192e-8*(1189.2375*m.x2241*(1 - 0.000727272727272727*m.x2241)*(1 -
0.00145454545454545*m.x2241) - 1.86*(0.93*m.x2241*(1 - 0.000727272727272727*m.x2241))**2 -
1.49610402*m.x2241*m.x2241*(1 - 0.000727272727272727*m.x2241)*(1 - 0.00145454545454545*m.x2241
)*(1 - 0.00145454545454545*m.x2241))) + m.x769 <= 0)
m.c2151 = Constraint(expr=-0.007*m.x1651*m.x1550*(0.0775*m.x2242*(1 - 0.000727272727272727*m.x2242) + m.x2242 +
0.003003125*m.x2242*(1 - 0.000727272727272727*m.x2242)*(1 - 0.00145454545454545*m.x2242) +
6.0669191919192e-8*(1189.2375*m.x2242*(1 - 0.000727272727272727*m.x2242)*(1 -
0.00145454545454545*m.x2242) - 1.86*(0.93*m.x2242*(1 - 0.000727272727272727*m.x2242))**2 -
1.49610402*m.x2242*m.x2242*(1 - 0.000727272727272727*m.x2242)*(1 - 0.00145454545454545*m.x2242
)*(1 - 0.00145454545454545*m.x2242))) + m.x770 <= 0)
m.c2152 = Constraint(expr=-0.007*m.x1651*m.x1551*(0.0775*m.x2243*(1 - 0.000727272727272727*m.x2243) + m.x2243 +
0.003003125*m.x2243*(1 - 0.000727272727272727*m.x2243)*(1 - 0.00145454545454545*m.x2243) +
6.0669191919192e-8*(1189.2375*m.x2243*(1 - 0.000727272727272727*m.x2243)*(1 -
0.00145454545454545*m.x2243) - 1.86*(0.93*m.x2243*(1 - 0.000727272727272727*m.x2243))**2 -
1.49610402*m.x2243*m.x2243*(1 - 0.000727272727272727*m.x2243)*(1 - 0.00145454545454545*m.x2243
)*(1 - 0.00145454545454545*m.x2243))) + m.x771 <= 0)
m.c2153 = Constraint(expr=-0.007*m.x1651*m.x1552*(0.0775*m.x2244*(1 - 0.000727272727272727*m.x2244) + m.x2244 +
0.003003125*m.x2244*(1 - 0.000727272727272727*m.x2244)*(1 - 0.00145454545454545*m.x2244) +
6.0669191919192e-8*(1189.2375*m.x2244*(1 - 0.000727272727272727*m.x2244)*(1 -
0.00145454545454545*m.x2244) - 1.86*(0.93*m.x2244*(1 - 0.000727272727272727*m.x2244))**2 -
1.49610402*m.x2244*m.x2244*(1 - 0.000727272727272727*m.x2244)*(1 - 0.00145454545454545*m.x2244
)*(1 - 0.00145454545454545*m.x2244))) + m.x772 <= 0)
m.c2154 = Constraint(expr=-0.007*m.x1651*m.x1553*(0.0775*m.x2245*(1 - 0.000727272727272727*m.x2245) + m.x2245 +
0.003003125*m.x2245*(1 - 0.000727272727272727*m.x2245)*(1 - 0.00145454545454545*m.x2245) +
6.0669191919192e-8*(1189.2375*m.x2245*(1 - 0.000727272727272727*m.x2245)*(1 -
0.00145454545454545*m.x2245) - 1.86*(0.93*m.x2245*(1 - 0.000727272727272727*m.x2245))**2 -
1.49610402*m.x2245*m.x2245*(1 - 0.000727272727272727*m.x2245)*(1 - 0.00145454545454545*m.x2245
)*(1 - 0.00145454545454545*m.x2245))) + m.x773 <= 0)
m.c2155 = Constraint(expr=-0.007*m.x1651*m.x1554*(0.0775*m.x2246*(1 - 0.000727272727272727*m.x2246) + m.x2246 +
0.003003125*m.x2246*(1 - 0.000727272727272727*m.x2246)*(1 - 0.00145454545454545*m.x2246) +
6.0669191919192e-8*(1189.2375*m.x2246*(1 - 0.000727272727272727*m.x2246)*(1 -
0.00145454545454545*m.x2246) - 1.86*(0.93*m.x2246*(1 - 0.000727272727272727*m.x2246))**2 -
1.49610402*m.x2246*m.x2246*(1 - 0.000727272727272727*m.x2246)*(1 - 0.00145454545454545*m.x2246
)*(1 - 0.00145454545454545*m.x2246))) + m.x774 <= 0)
m.c2156 = Constraint(expr=-0.007*m.x1651*m.x1555*(0.0775*m.x2247*(1 - 0.000727272727272727*m.x2247) + m.x2247 +
0.003003125*m.x2247*(1 - 0.000727272727272727*m.x2247)*(1 - 0.00145454545454545*m.x2247) +
6.0669191919192e-8*(1189.2375*m.x2247*(1 - 0.000727272727272727*m.x2247)*(1 -
0.00145454545454545*m.x2247) - 1.86*(0.93*m.x2247*(1 - 0.000727272727272727*m.x2247))**2 -
1.49610402*m.x2247*m.x2247*(1 - 0.000727272727272727*m.x2247)*(1 - 0.00145454545454545*m.x2247
)*(1 - 0.00145454545454545*m.x2247))) + m.x775 <= 0)
m.c2157 = Constraint(expr=-0.007*m.x1651*m.x1556*(0.0775*m.x2248*(1 - 0.000727272727272727*m.x2248) + m.x2248 +
0.003003125*m.x2248*(1 - 0.000727272727272727*m.x2248)*(1 - 0.00145454545454545*m.x2248) +
6.0669191919192e-8*(1189.2375*m.x2248*(1 - 0.000727272727272727*m.x2248)*(1 -
0.00145454545454545*m.x2248) - 1.86*(0.93*m.x2248*(1 - 0.000727272727272727*m.x2248))**2 -
1.49610402*m.x2248*m.x2248*(1 - 0.000727272727272727*m.x2248)*(1 - 0.00145454545454545*m.x2248
)*(1 - 0.00145454545454545*m.x2248))) + m.x776 <= 0)
m.c2158 = Constraint(expr=-0.007*m.x1651*m.x1557*(0.0775*m.x2249*(1 - 0.000727272727272727*m.x2249) + m.x2249 +
0.003003125*m.x2249*(1 - 0.000727272727272727*m.x2249)*(1 - 0.00145454545454545*m.x2249) +
6.0669191919192e-8*(1189.2375*m.x2249*(1 - 0.000727272727272727*m.x2249)*(1 -
0.00145454545454545*m.x2249) - 1.86*(0.93*m.x2249*(1 - 0.000727272727272727*m.x2249))**2 -
1.49610402*m.x2249*m.x2249*(1 - 0.000727272727272727*m.x2249)*(1 - 0.00145454545454545*m.x2249
)*(1 - 0.00145454545454545*m.x2249))) + m.x777 <= 0)
m.c2159 = Constraint(expr=-0.007*m.x1651*m.x1558*(0.0775*m.x2250*(1 - 0.000727272727272727*m.x2250) + m.x2250 +
0.003003125*m.x2250*(1 - 0.000727272727272727*m.x2250)*(1 - 0.00145454545454545*m.x2250) +
6.0669191919192e-8*(1189.2375*m.x2250*(1 - 0.000727272727272727*m.x2250)*(1 -
0.00145454545454545*m.x2250) - 1.86*(0.93*m.x2250*(1 - 0.000727272727272727*m.x2250))**2 -
1.49610402*m.x2250*m.x2250*(1 - 0.000727272727272727*m.x2250)*(1 - 0.00145454545454545*m.x2250
)*(1 - 0.00145454545454545*m.x2250))) + m.x778 <= 0)
m.c2160 = Constraint(expr=-0.007*m.x1651*m.x1559*(0.0775*m.x2251*(1 - 0.000727272727272727*m.x2251) + m.x2251 +
0.003003125*m.x2251*(1 - 0.000727272727272727*m.x2251)*(1 - 0.00145454545454545*m.x2251) +
6.0669191919192e-8*(1189.2375*m.x2251*(1 - 0.000727272727272727*m.x2251)*(1 -
0.00145454545454545*m.x2251) - 1.86*(0.93*m.x2251*(1 - 0.000727272727272727*m.x2251))**2 -
1.49610402*m.x2251*m.x2251*(1 - 0.000727272727272727*m.x2251)*(1 - 0.00145454545454545*m.x2251
)*(1 - 0.00145454545454545*m.x2251))) + m.x779 <= 0)
m.c2161 = Constraint(expr=-0.007*m.x1651*m.x1560*(0.0775*m.x2252*(1 - 0.000727272727272727*m.x2252) + m.x2252 +
0.003003125*m.x2252*(1 - 0.000727272727272727*m.x2252)*(1 - 0.00145454545454545*m.x2252) +
6.0669191919192e-8*(1189.2375*m.x2252*(1 - 0.000727272727272727*m.x2252)*(1 -
0.00145454545454545*m.x2252) - 1.86*(0.93*m.x2252*(1 - 0.000727272727272727*m.x2252))**2 -
1.49610402*m.x2252*m.x2252*(1 - 0.000727272727272727*m.x2252)*(1 - 0.00145454545454545*m.x2252
)*(1 - 0.00145454545454545*m.x2252))) + m.x780 <= 0)
m.c2162 = Constraint(expr= - m.x421 - m.x422 - m.x423 - m.x424 - m.x425 - m.x426 - m.x427 - m.x428 - m.x429 - m.x430
- m.x431 - m.x432 + m.x2253 <= 0)
m.c2163 = Constraint(expr= - m.x433 - m.x434 - m.x435 - m.x436 - m.x437 - m.x438 - m.x439 - m.x440 - m.x441 - m.x442
- m.x443 - m.x444 + m.x2254 <= 0)
m.c2164 = Constraint(expr= - m.x445 - m.x446 - m.x447 - m.x448 - m.x449 - m.x450 - m.x451 - m.x452 - m.x453 - m.x454
- m.x455 - m.x456 + m.x2255 <= 0)
m.c2165 = Constraint(expr= - m.x457 - m.x458 - m.x459 - m.x460 - m.x461 - m.x462 - m.x463 - m.x464 - m.x465 - m.x466
- m.x467 - m.x468 + m.x2256 <= 0)
m.c2166 = Constraint(expr= - m.x469 - m.x470 - m.x471 - m.x472 - m.x473 - m.x474 - m.x475 - m.x476 - m.x477 - m.x478
- m.x479 - m.x480 + m.x2257 <= 0)
m.c2167 = Constraint(expr= - m.x481 - m.x482 - m.x483 - m.x484 - m.x485 - m.x486 - m.x487 - m.x488 - m.x489 - m.x490
- m.x491 - m.x492 + m.x2258 <= 0)
m.c2168 = Constraint(expr= - m.x493 - m.x494 - m.x495 - m.x496 - m.x497 - m.x498 - m.x499 - m.x500 - m.x501 - m.x502
- m.x503 - m.x504 + m.x2259 <= 0)
m.c2169 = Constraint(expr= - m.x505 - m.x506 - m.x507 - m.x508 - m.x509 - m.x510 - m.x511 - m.x512 - m.x513 - m.x514
- m.x515 - m.x516 + m.x2260 <= 0)
m.c2170 = Constraint(expr= - m.x517 - m.x518 - m.x519 - m.x520 - m.x521 - m.x522 - m.x523 - m.x524 - m.x525 - m.x526
- m.x527 - m.x528 + m.x2261 <= 0)
m.c2171 = Constraint(expr= - m.x529 - m.x530 - m.x531 - m.x532 - m.x533 - m.x534 - m.x535 - m.x536 - m.x537 - m.x538
- m.x539 - m.x540 + m.x2262 <= 0)
m.c2172 = Constraint(expr= - m.x541 - m.x542 - m.x543 - m.x544 - m.x545 - m.x546 - m.x547 - m.x548 - m.x549 - m.x550
- m.x551 - m.x552 + m.x2263 <= 0)
m.c2173 = Constraint(expr= - m.x553 - m.x554 - m.x555 - m.x556 - m.x557 - m.x558 - m.x559 - m.x560 - m.x561 - m.x562
- m.x563 - m.x564 + m.x2264 <= 0)
m.c2174 = Constraint(expr= - m.x565 - m.x566 - m.x567 - m.x568 - m.x569 - m.x570 - m.x571 - m.x572 - m.x573 - m.x574
- m.x575 - m.x576 + m.x2265 <= 0)
m.c2175 = Constraint(expr= - m.x577 - m.x578 - m.x579 - m.x580 - m.x581 - m.x582 - m.x583 - m.x584 - m.x585 - m.x586
- m.x587 - m.x588 + m.x2266 <= 0)
m.c2176 = Constraint(expr= - m.x589 - m.x590 - m.x591 - m.x592 - m.x593 - m.x594 - m.x595 - m.x596 - m.x597 - m.x598
- m.x599 - m.x600 + m.x2267 <= 0)
m.c2177 = Constraint(expr= - m.x601 - m.x602 - m.x603 - m.x604 - m.x605 - m.x606 - m.x607 - m.x608 - m.x609 - m.x610
- m.x611 - m.x612 + m.x2268 <= 0)
m.c2178 = Constraint(expr= - m.x613 - m.x614 - m.x615 - m.x616 - m.x617 - m.x618 - m.x619 - m.x620 - m.x621 - m.x622
- m.x623 - m.x624 + m.x2269 <= 0)
m.c2179 = Constraint(expr= - m.x625 - m.x626 - m.x627 - m.x628 - m.x629 - m.x630 - m.x631 - m.x632 - m.x633 - m.x634
- m.x635 - m.x636 + m.x2270 <= 0)
m.c2180 = Constraint(expr= - m.x637 - m.x638 - m.x639 - m.x640 - m.x641 - m.x642 - m.x643 - m.x644 - m.x645 - m.x646
- m.x647 - m.x648 + m.x2271 <= 0)
m.c2181 = Constraint(expr= - m.x649 - m.x650 - m.x651 - m.x652 - m.x653 - m.x654 - m.x655 - m.x656 - m.x657 - m.x658
- m.x659 - m.x660 + m.x2272 <= 0)
m.c2182 = Constraint(expr= - m.x661 - m.x662 - m.x663 - m.x664 - m.x665 - m.x666 - m.x667 - m.x668 - m.x669 - m.x670
- m.x671 - m.x672 + m.x2273 <= 0)
m.c2183 = Constraint(expr= - m.x673 - m.x674 - m.x675 - m.x676 - m.x677 - m.x678 - m.x679 - m.x680 - m.x681 - m.x682
- m.x683 - m.x684 + m.x2274 <= 0)
m.c2184 = Constraint(expr= - m.x685 - m.x686 - m.x687 - m.x688 - m.x689 - m.x690 - m.x691 - m.x692 - m.x693 - m.x694
- m.x695 - m.x696 + m.x2275 <= 0)
m.c2185 = Constraint(expr= - m.x697 - m.x698 - m.x699 - m.x700 - m.x701 - m.x702 - m.x703 - m.x704 - m.x705 - m.x706
- m.x707 - m.x708 + m.x2276 <= 0)
m.c2186 = Constraint(expr= - m.x709 - m.x710 - m.x711 - m.x712 - m.x713 - m.x714 - m.x715 - m.x716 - m.x717 - m.x718
- m.x719 - m.x720 + m.x2277 <= 0)
m.c2187 = Constraint(expr= - m.x721 - m.x722 - m.x723 - m.x724 - m.x725 - m.x726 - m.x727 - m.x728 - m.x729 - m.x730
- m.x731 - m.x732 + m.x2278 <= 0)
m.c2188 = Constraint(expr= - m.x733 - m.x734 - m.x735 - m.x736 - m.x737 - m.x738 - m.x739 - m.x740 - m.x741 - m.x742
- m.x743 - m.x744 + m.x2279 <= 0)
m.c2189 = Constraint(expr= - m.x745 - m.x746 - m.x747 - m.x748 - m.x749 - m.x750 - m.x751 - m.x752 - m.x753 - m.x754
- m.x755 - m.x756 + m.x2280 <= 0)
m.c2190 = Constraint(expr= - m.x757 - m.x758 - m.x759 - m.x760 - m.x761 - m.x762 - m.x763 - m.x764 - m.x765 - m.x766
- m.x767 - m.x768 + m.x2281 <= 0)
m.c2191 = Constraint(expr= - m.x769 - m.x770 - m.x771 - m.x772 - m.x773 - m.x774 - m.x775 - m.x776 - m.x777 - m.x778
- m.x779 - m.x780 + m.x2282 <= 0)
m.c2192 = Constraint(expr= - m.x1863 + m.x2253 <= 0)
m.c2193 = Constraint(expr= - m.x1864 + m.x2254 <= 0)
m.c2194 = Constraint(expr= - m.x1865 + m.x2255 <= 0)
m.c2195 = Constraint(expr= - m.x1866 + m.x2256 <= 0)
m.c2196 = Constraint(expr= - m.x1867 + m.x2257 <= 0)
m.c2197 = Constraint(expr= - m.x1868 + m.x2258 <= 0)
m.c2198 = Constraint(expr= - m.x1869 + m.x2259 <= 0)
m.c2199 = Constraint(expr= - m.x1870 + m.x2260 <= 0)
m.c2200 = Constraint(expr= - m.x1871 + m.x2261 <= 0)
m.c2201 = Constraint(expr= - m.x1872 + m.x2262 <= 0)
m.c2202 = Constraint(expr= - m.x1873 + m.x2263 <= 0)
m.c2203 = Constraint(expr= - m.x1874 + m.x2264 <= 0)
m.c2204 = Constraint(expr= - m.x1875 + m.x2265 <= 0)
m.c2205 = Constraint(expr= - m.x1876 + m.x2266 <= 0)
m.c2206 = Constraint(expr= - m.x1877 + m.x2267 <= 0)
m.c2207 = Constraint(expr= - m.x1878 + m.x2268 <= 0)
m.c2208 = Constraint(expr= - m.x1879 + m.x2269 <= 0)
m.c2209 = Constraint(expr= - m.x1880 + m.x2270 <= 0)
m.c2210 = Constraint(expr= - m.x1881 + m.x2271 <= 0)
m.c2211 = Constraint(expr= - m.x1882 + m.x2272 <= 0)
m.c2212 = Constraint(expr= - m.x1883 + m.x2273 <= 0)
m.c2213 = Constraint(expr= - m.x1884 + m.x2274 <= 0)
m.c2214 = Constraint(expr= - m.x1885 + m.x2275 <= 0)
m.c2215 = Constraint(expr= - m.x1886 + m.x2276 <= 0)
m.c2216 = Constraint(expr= - m.x1887 + m.x2277 <= 0)
m.c2217 = Constraint(expr= - m.x1888 + m.x2278 <= 0)
m.c2218 = Constraint(expr= - m.x1889 + m.x2279 <= 0)
m.c2219 = Constraint(expr= - m.x1890 + m.x2280 <= 0)
m.c2220 = Constraint(expr= - m.x1891 + m.x2281 <= 0)
m.c2221 = Constraint(expr= - m.x1892 + m.x2282 <= 0)
m.c2222 = Constraint(expr= m.x1863 == 1341)
m.c2223 = Constraint(expr= - m.x1 - m.x2 - m.x3 - m.x4 - m.x5 - m.x6 - m.x7 - m.x8 - m.x9 - m.x10 - m.x11 - m.x12
+ m.x421 + m.x422 + m.x423 + m.x424 + m.x425 + m.x426 + m.x427 + m.x428 + m.x429 + m.x430
+ m.x431 + m.x432 - m.x1863 + m.x1864 == 0)
m.c2224 = Constraint(expr= - m.x13 - m.x14 - m.x15 - m.x16 - m.x17 - m.x18 - m.x19 - m.x20 - m.x21 - m.x22 - m.x23
- m.x24 + m.x433 + m.x434 + m.x435 + m.x436 + m.x437 + m.x438 + m.x439 + m.x440 + m.x441
+ m.x442 + m.x443 + m.x444 - m.x1864 + m.x1865 == 0)
m.c2225 = Constraint(expr= - m.x25 - m.x26 - m.x27 - m.x28 - m.x29 - m.x30 - m.x31 - m.x32 - m.x33 - m.x34 - m.x35
- m.x36 + m.x445 + m.x446 + m.x447 + m.x448 + m.x449 + m.x450 + m.x451 + m.x452 + m.x453
+ m.x454 + m.x455 + m.x456 - m.x1865 + m.x1866 == 0)
m.c2226 = Constraint(expr= - m.x37 - m.x38 - m.x39 - m.x40 - m.x41 - m.x42 - m.x43 - m.x44 - m.x45 - m.x46 - m.x47
- m.x48 + m.x457 + m.x458 + m.x459 + m.x460 + m.x461 + m.x462 + m.x463 + m.x464 + m.x465
+ m.x466 + m.x467 + m.x468 - m.x1866 + m.x1867 == 0)
m.c2227 = Constraint(expr= - m.x49 - m.x50 - m.x51 - m.x52 - m.x53 - m.x54 - m.x55 - m.x56 - m.x57 - m.x58 - m.x59
- m.x60 + m.x469 + m.x470 + m.x471 + m.x472 + m.x473 + m.x474 + m.x475 + m.x476 + m.x477
+ m.x478 + m.x479 + m.x480 - m.x1867 + m.x1868 == 0)
m.c2228 = Constraint(expr= - m.x61 - m.x62 - m.x63 - m.x64 - m.x65 - m.x66 - m.x67 - m.x68 - m.x69 - m.x70 - m.x71
- m.x72 + m.x481 + m.x482 + m.x483 + m.x484 + m.x485 + m.x486 + m.x487 + m.x488 + m.x489
+ m.x490 + m.x491 + m.x492 - m.x1868 + m.x1869 == 0)
m.c2229 = Constraint(expr= - m.x73 - m.x74 - m.x75 - m.x76 - m.x77 - m.x78 - m.x79 - m.x80 - m.x81 - m.x82 - m.x83
- m.x84 + m.x493 + m.x494 + m.x495 + m.x496 + m.x497 + m.x498 + m.x499 + m.x500 + m.x501
+ m.x502 + m.x503 + m.x504 - m.x1869 + m.x1870 == 0)
m.c2230 = Constraint(expr= - m.x85 - m.x86 - m.x87 - m.x88 - m.x89 - m.x90 - m.x91 - m.x92 - m.x93 - m.x94 - m.x95
- m.x96 + m.x505 + m.x506 + m.x507 + m.x508 + m.x509 + m.x510 + m.x511 + m.x512 + m.x513
+ m.x514 + m.x515 + m.x516 - m.x1870 + m.x1871 == 0)
m.c2231 = Constraint(expr= - m.x97 - m.x98 - m.x99 - m.x100 - m.x101 - m.x102 - m.x103 - m.x104 - m.x105 - m.x106
- m.x107 - m.x108 + m.x517 + m.x518 + m.x519 + m.x520 + m.x521 + m.x522 + m.x523 + m.x524
+ m.x525 + m.x526 + m.x527 + m.x528 - m.x1871 + m.x1872 == 0)
m.c2232 = Constraint(expr= - m.x109 - m.x110 - m.x111 - m.x112 - m.x113 - m.x114 - m.x115 - m.x116 - m.x117 - m.x118
- m.x119 - m.x120 + m.x529 + m.x530 + m.x531 + m.x532 + m.x533 + m.x534 + m.x535 + m.x536
+ m.x537 + m.x538 + m.x539 + m.x540 - m.x1872 + m.x1873 == 0)
m.c2233 = Constraint(expr= - m.x121 - m.x122 - m.x123 - m.x124 - m.x125 - m.x126 - m.x127 - m.x128 - m.x129 - m.x130
- m.x131 - m.x132 + m.x541 + m.x542 + m.x543 + m.x544 + m.x545 + m.x546 + m.x547 + m.x548
+ m.x549 + m.x550 + m.x551 + m.x552 - m.x1873 + m.x1874 == 0)
m.c2234 = Constraint(expr= - m.x133 - m.x134 - m.x135 - m.x136 - m.x137 - m.x138 - m.x139 - m.x140 - m.x141 - m.x142
- m.x143 - m.x144 + m.x553 + m.x554 + m.x555 + m.x556 + m.x557 + m.x558 + m.x559 + m.x560
+ m.x561 + m.x562 + m.x563 + m.x564 - m.x1874 + m.x1875 == 0)
m.c2235 = Constraint(expr= - m.x145 - m.x146 - m.x147 - m.x148 - m.x149 - m.x150 - m.x151 - m.x152 - m.x153 - m.x154
- m.x155 - m.x156 + m.x565 + m.x566 + m.x567 + m.x568 + m.x569 + m.x570 + m.x571 + m.x572
+ m.x573 + m.x574 + m.x575 + m.x576 - m.x1875 + m.x1876 == 0)
m.c2236 = Constraint(expr= - m.x157 - m.x158 - m.x159 - m.x160 - m.x161 - m.x162 - m.x163 - m.x164 - m.x165 - m.x166
- m.x167 - m.x168 + m.x577 + m.x578 + m.x579 + m.x580 + m.x581 + m.x582 + m.x583 + m.x584
+ m.x585 + m.x586 + m.x587 + m.x588 - m.x1876 + m.x1877 == 0)
m.c2237 = Constraint(expr= - m.x169 - m.x170 - m.x171 - m.x172 - m.x173 - m.x174 - m.x175 - m.x176 - m.x177 - m.x178
- m.x179 - m.x180 + m.x589 + m.x590 + m.x591 + m.x592 + m.x593 + m.x594 + m.x595 + m.x596
+ m.x597 + m.x598 + m.x599 + m.x600 - m.x1877 + m.x1878 == 0)
m.c2238 = Constraint(expr= - m.x181 - m.x182 - m.x183 - m.x184 - m.x185 - m.x186 - m.x187 - m.x188 - m.x189 - m.x190
- m.x191 - m.x192 + m.x601 + m.x602 + m.x603 + m.x604 + m.x605 + m.x606 + m.x607 + m.x608
+ m.x609 + m.x610 + m.x611 + m.x612 - m.x1878 + m.x1879 == 0)
m.c2239 = Constraint(expr= - m.x193 - m.x194 - m.x195 - m.x196 - m.x197 - m.x198 - m.x199 - m.x200 - m.x201 - m.x202
- m.x203 - m.x204 + m.x613 + m.x614 + m.x615 + m.x616 + m.x617 + m.x618 + m.x619 + m.x620
+ m.x621 + m.x622 + m.x623 + m.x624 - m.x1879 + m.x1880 == 0)
m.c2240 = Constraint(expr= - m.x205 - m.x206 - m.x207 - m.x208 - m.x209 - m.x210 - m.x211 - m.x212 - m.x213 - m.x214
- m.x215 - m.x216 + m.x625 + m.x626 + m.x627 + m.x628 + m.x629 + m.x630 + m.x631 + m.x632
+ m.x633 + m.x634 + m.x635 + m.x636 - m.x1880 + m.x1881 == 0)
m.c2241 = Constraint(expr= - m.x217 - m.x218 - m.x219 - m.x220 - m.x221 - m.x222 - m.x223 - m.x224 - m.x225 - m.x226
- m.x227 - m.x228 + m.x637 + m.x638 + m.x639 + m.x640 + m.x641 + m.x642 + m.x643 + m.x644
+ m.x645 + m.x646 + m.x647 + m.x648 - m.x1881 + m.x1882 == 0)
m.c2242 = Constraint(expr= - m.x229 - m.x230 - m.x231 - m.x232 - m.x233 - m.x234 - m.x235 - m.x236 - m.x237 - m.x238
- m.x239 - m.x240 + m.x649 + m.x650 + m.x651 + m.x652 + m.x653 + m.x654 + m.x655 + m.x656
+ m.x657 + m.x658 + m.x659 + m.x660 - m.x1882 + m.x1883 == 0)
m.c2243 = Constraint(expr= - m.x241 - m.x242 - m.x243 - m.x244 - m.x245 - m.x246 - m.x247 - m.x248 - m.x249 - m.x250
- m.x251 - m.x252 + m.x661 + m.x662 + m.x663 + m.x664 + m.x665 + m.x666 + m.x667 + m.x668
+ m.x669 + m.x670 + m.x671 + m.x672 - m.x1883 + m.x1884 == 0)
m.c2244 = Constraint(expr= - m.x253 - m.x254 - m.x255 - m.x256 - m.x257 - m.x258 - m.x259 - m.x260 - m.x261 - m.x262
- m.x263 - m.x264 + m.x673 + m.x674 + m.x675 + m.x676 + m.x677 + m.x678 + m.x679 + m.x680
+ m.x681 + m.x682 + m.x683 + m.x684 - m.x1884 + m.x1885 == 0)
m.c2245 = Constraint(expr= - m.x265 - m.x266 - m.x267 - m.x268 - m.x269 - m.x270 - m.x271 - m.x272 - m.x273 - m.x274
- m.x275 - m.x276 + m.x685 + m.x686 + m.x687 + m.x688 + m.x689 + m.x690 + m.x691 + m.x692
+ m.x693 + m.x694 + m.x695 + m.x696 - m.x1885 + m.x1886 == 0)
m.c2246 = Constraint(expr= - m.x277 - m.x278 - m.x279 - m.x280 - m.x281 - m.x282 - m.x283 - m.x284 - m.x285 - m.x286
- m.x287 - m.x288 + m.x697 + m.x698 + m.x699 + m.x700 + m.x701 + m.x702 + m.x703 + m.x704
+ m.x705 + m.x706 + m.x707 + m.x708 - m.x1886 + m.x1887 == 0)
m.c2247 = Constraint(expr= - m.x289 - m.x290 - m.x291 - m.x292 - m.x293 - m.x294 - m.x295 - m.x296 - m.x297 - m.x298
- m.x299 - m.x300 + m.x709 + m.x710 + m.x711 + m.x712 + m.x713 + m.x714 + m.x715 + m.x716
+ m.x717 + m.x718 + m.x719 + m.x720 - m.x1887 + m.x1888 == 0)
m.c2248 = Constraint(expr= - m.x301 - m.x302 - m.x303 - m.x304 - m.x305 - m.x306 - m.x307 - m.x308 - m.x309 - m.x310
- m.x311 - m.x312 + m.x721 + m.x722 + m.x723 + m.x724 + m.x725 + m.x726 + m.x727 + m.x728
+ m.x729 + m.x730 + m.x731 + m.x732 - m.x1888 + m.x1889 == 0)
m.c2249 = Constraint(expr= - m.x313 - m.x314 - m.x315 - m.x316 - m.x317 - m.x318 - m.x319 - m.x320 - m.x321 - m.x322
- m.x323 - m.x324 + m.x733 + m.x734 + m.x735 + m.x736 + m.x737 + m.x738 + m.x739 + m.x740
+ m.x741 + m.x742 + m.x743 + m.x744 - m.x1889 + m.x1890 == 0)
m.c2250 = Constraint(expr= - m.x325 - m.x326 - m.x327 - m.x328 - m.x329 - m.x330 - m.x331 - m.x332 - m.x333 - m.x334
- m.x335 - m.x336 + m.x745 + m.x746 + m.x747 + m.x748 + m.x749 + m.x750 + m.x751 + m.x752
+ m.x753 + m.x754 + m.x755 + m.x756 - m.x1890 + m.x1891 == 0)
m.c2251 = Constraint(expr= - m.x337 - m.x338 - m.x339 - m.x340 - m.x341 - m.x342 - m.x343 - m.x344 - m.x345 - m.x346
- m.x347 - m.x348 + m.x757 + m.x758 + m.x759 + m.x760 + m.x761 + m.x762 + m.x763 + m.x764
+ m.x765 + m.x766 + m.x767 + m.x768 - m.x1891 + m.x1892 == 0)
m.c2252 = Constraint(expr= m.x1592 == 13)
m.c2253 = Constraint(expr= - m.x361 - 0.9*m.x1592 + m.x1593 + m.x1802 == 0)
m.c2254 = Constraint(expr= - m.x362 - 0.9*m.x1593 + m.x1594 + m.x1803 == 0)
m.c2255 = Constraint(expr= - m.x363 - 0.9*m.x1594 + m.x1595 + m.x1804 == 0)
m.c2256 = Constraint(expr= - m.x364 - 0.9*m.x1595 + m.x1596 + m.x1805 == 0)
m.c2257 = Constraint(expr= - m.x365 - 0.9*m.x1596 + m.x1597 + m.x1806 == 0)
m.c2258 = Constraint(expr= - m.x366 - 0.9*m.x1597 + m.x1598 + m.x1807 == 0)
m.c2259 = Constraint(expr= - m.x367 - 0.9*m.x1598 + m.x1599 + m.x1808 == 0)
m.c2260 = Constraint(expr= - m.x368 - 0.9*m.x1599 + m.x1600 + m.x1809 == 0)
m.c2261 = Constraint(expr= - m.x369 - 0.9*m.x1600 + m.x1601 + m.x1810 == 0)
m.c2262 = Constraint(expr= - m.x370 - 0.9*m.x1601 + m.x1602 + m.x1811 == 0)
m.c2263 = Constraint(expr= - m.x371 - 0.9*m.x1602 + m.x1603 + m.x1812 == 0)
m.c2264 = Constraint(expr= - m.x372 - 0.9*m.x1603 + m.x1604 + m.x1813 == 0)
m.c2265 = Constraint(expr= - m.x373 - 0.9*m.x1604 + m.x1605 + m.x1814 == 0)
m.c2266 = Constraint(expr= - m.x374 - 0.9*m.x1605 + m.x1606 + m.x1815 == 0)
m.c2267 = Constraint(expr= - m.x375 - 0.9*m.x1606 + m.x1607 + m.x1816 == 0)
m.c2268 = Constraint(expr= - m.x376 - 0.9*m.x1607 + m.x1608 + m.x1817 == 0)
m.c2269 = Constraint(expr= - m.x377 - 0.9*m.x1608 + m.x1609 + m.x1818 == 0)
m.c2270 = Constraint(expr= - m.x378 - 0.9*m.x1609 + m.x1610 + m.x1819 == 0)
m.c2271 = Constraint(expr= - m.x379 - 0.9*m.x1610 + m.x1611 + m.x1820 == 0)
m.c2272 = Constraint(expr= - m.x380 - 0.9*m.x1611 + m.x1612 + m.x1821 == 0)
m.c2273 = Constraint(expr= - m.x381 - 0.9*m.x1612 + m.x1613 + m.x1822 == 0)
m.c2274 = Constraint(expr= - m.x382 - 0.9*m.x1613 + m.x1614 + m.x1823 == 0)
m.c2275 = Constraint(expr= - m.x383 - 0.9*m.x1614 + m.x1615 + m.x1824 == 0)
m.c2276 = Constraint(expr= - m.x384 - 0.9*m.x1615 + m.x1616 + m.x1825 == 0)
m.c2277 = Constraint(expr= - m.x385 - 0.9*m.x1616 + m.x1617 + m.x1826 == 0)
m.c2278 = Constraint(expr= - m.x386 - 0.9*m.x1617 + m.x1618 + m.x1827 == 0)
m.c2279 = Constraint(expr= - m.x387 - 0.9*m.x1618 + m.x1619 + m.x1828 == 0)
m.c2280 = Constraint(expr= - m.x388 - 0.9*m.x1619 + m.x1620 + m.x1829 == 0)
m.c2281 = Constraint(expr= - m.x389 - 0.9*m.x1620 + m.x1621 + m.x1830 == 0)
m.c2282 = Constraint(expr= m.x1622 == 13)
m.c2283 = Constraint(expr= - m.x391 - m.x1622 + m.x1623 + m.x1832 == 0)
m.c2284 = Constraint(expr= - m.x392 - m.x1623 + m.x1624 + m.x1833 == 0)
m.c2285 = Constraint(expr= - m.x393 - m.x1624 + m.x1625 + m.x1834 == 0)
m.c2286 = Constraint(expr= - m.x394 - m.x1625 + m.x1626 + m.x1835 == 0)
m.c2287 = Constraint(expr= - m.x395 - m.x1626 + m.x1627 + m.x1836 == 0)
m.c2288 = Constraint(expr= - m.x396 - m.x1627 + m.x1628 + m.x1837 == 0)
m.c2289 = Constraint(expr= - m.x397 - m.x1628 + m.x1629 + m.x1838 == 0)
m.c2290 = Constraint(expr= - m.x398 - m.x1629 + m.x1630 + m.x1839 == 0)
m.c2291 = Constraint(expr= - m.x399 - m.x1630 + m.x1631 + m.x1840 == 0)
m.c2292 = Constraint(expr= - m.x400 - m.x1631 + m.x1632 + m.x1841 == 0)
m.c2293 = Constraint(expr= - m.x401 - m.x1632 + m.x1633 + m.x1842 == 0)
m.c2294 = Constraint(expr= - m.x402 - m.x1633 + m.x1634 + m.x1843 == 0)
m.c2295 = Constraint(expr= - m.x403 - m.x1634 + m.x1635 + m.x1844 == 0)
m.c2296 = Constraint(expr= - m.x404 - m.x1635 + m.x1636 + m.x1845 == 0)
m.c2297 = Constraint(expr= - m.x405 - m.x1636 + m.x1637 + m.x1846 == 0)
m.c2298 = Constraint(expr= - m.x406 - m.x1637 + m.x1638 + m.x1847 == 0)
m.c2299 = Constraint(expr= - m.x407 - m.x1638 + m.x1639 + m.x1848 == 0)
m.c2300 = Constraint(expr= - m.x408 - m.x1639 + m.x1640 + m.x1849 == 0)
m.c2301 = Constraint(expr= - m.x409 - m.x1640 + m.x1641 + m.x1850 == 0)
m.c2302 = Constraint(expr= - m.x410 - m.x1641 + m.x1642 + m.x1851 == 0)
m.c2303 = Constraint(expr= - m.x411 - m.x1642 + m.x1643 + m.x1852 == 0)
m.c2304 = Constraint(expr= - m.x412 - m.x1643 + m.x1644 + m.x1853 == 0)
m.c2305 = Constraint(expr= - m.x413 - m.x1644 + m.x1645 + m.x1854 == 0)
m.c2306 = Constraint(expr= - m.x414 - m.x1645 + m.x1646 + m.x1855 == 0)
m.c2307 = Constraint(expr= - m.x415 - m.x1646 + m.x1647 + m.x1856 == 0)
m.c2308 = Constraint(expr= - m.x416 - m.x1647 + m.x1648 + m.x1857 == 0)
m.c2309 = Constraint(expr= - m.x417 - m.x1648 + m.x1649 + m.x1858 == 0)
m.c2310 = Constraint(expr= - m.x418 - m.x1649 + m.x1650 + m.x1859 == 0)
m.c2311 = Constraint(expr= - m.x419 - m.x1650 + m.x1651 + m.x1860 == 0)
m.c2312 = Constraint(expr= m.x1652 <= 2943)
m.c2313 = Constraint(expr= m.x1653 <= 2943)
m.c2314 = Constraint(expr= m.x1654 <= 2943)
m.c2315 = Constraint(expr= m.x1655 <= 2943)
m.c2316 = Constraint(expr= m.x1656 <= 2943)
m.c2317 = Constraint(expr= m.x1657 <= 2943)
m.c2318 = Constraint(expr= m.x1658 <= 2943)
m.c2319 = Constraint(expr= m.x1659 <= 2943)
m.c2320 = Constraint(expr= m.x1660 <= 2943)
m.c2321 = Constraint(expr= m.x1661 <= 2943)
m.c2322 = Constraint(expr= m.x1662 <= 2943)
m.c2323 = Constraint(expr= m.x1663 <= 2943)
m.c2324 = Constraint(expr= m.x1664 <= 2943)
m.c2325 = Constraint(expr= m.x1665 <= 2943)
m.c2326 = Constraint(expr= m.x1666 <= 2943)
m.c2327 = Constraint(expr= m.x1667 <= 2943)
m.c2328 = Constraint(expr= m.x1668 <= 2943)
m.c2329 = Constraint(expr= m.x1669 <= 2943)
m.c2330 = Constraint(expr= m.x1670 <= 2943)
m.c2331 = Constraint(expr= m.x1671 <= 2943)
m.c2332 = Constraint(expr= m.x1672 <= 2943)
m.c2333 = Constraint(expr= m.x1673 <= 2943)
m.c2334 = Constraint(expr= m.x1674 <= 2943)
m.c2335 = Constraint(expr= m.x1675 <= 2943)
m.c2336 = Constraint(expr= m.x1676 <= 2943)
m.c2337 = Constraint(expr= m.x1677 <= 2943)
m.c2338 = Constraint(expr= m.x1678 <= 2943)
m.c2339 = Constraint(expr= m.x1679 <= 2943)
m.c2340 = Constraint(expr= m.x1680 <= 2943)
m.c2341 = Constraint(expr= m.x1681 <= 2943)
m.c2342 = Constraint(expr= m.x1682 <= 132)
m.c2343 = Constraint(expr= m.x1683 <= 132)
m.c2344 = Constraint(expr= m.x1684 <= 132)
m.c2345 = Constraint(expr= m.x1685 <= 132)
m.c2346 = Constraint(expr= m.x1686 <= 132)
m.c2347 = Constraint(expr= m.x1687 <= 132)
m.c2348 = Constraint(expr= m.x1688 <= 132)
m.c2349 = Constraint(expr= m.x1689 <= 132)
m.c2350 = Constraint(expr= m.x1690 <= 132)
m.c2351 = Constraint(expr= m.x1691 <= 132)
m.c2352 = Constraint(expr= m.x1692 <= 132)
m.c2353 = Constraint(expr= m.x1693 <= 132)
m.c2354 = Constraint(expr= m.x1694 <= 132)
m.c2355 = Constraint(expr= m.x1695 <= 132)
m.c2356 = Constraint(expr= m.x1696 <= 132)
m.c2357 = Constraint(expr= m.x1697 <= 132)
m.c2358 = Constraint(expr= m.x1698 <= 132)
m.c2359 = Constraint(expr= m.x1699 <= 132)
m.c2360 = Constraint(expr= m.x1700 <= 132)
m.c2361 = Constraint(expr= m.x1701 <= 132)
m.c2362 = Constraint(expr= m.x1702 <= 132)
m.c2363 = Constraint(expr= m.x1703 <= 132)
m.c2364 = Constraint(expr= m.x1704 <= 132)
m.c2365 = Constraint(expr= m.x1705 <= 132)
m.c2366 = Constraint(expr= m.x1706 <= 132)
m.c2367 = Constraint(expr= m.x1707 <= 132)
m.c2368 = Constraint(expr= m.x1708 <= 132)
m.c2369 = Constraint(expr= m.x1709 <= 132)
m.c2370 = Constraint(expr= m.x1710 <= 132)
m.c2371 = Constraint(expr= m.x1711 <= 132)
m.c2372 = Constraint(expr=-(m.x1652*m.x1712 + m.x1682*m.x1742) + m.x1772 - 1100*m.x1802 <= 0)
m.c2373 = Constraint(expr=-(m.x1653*m.x1713 + m.x1683*m.x1743) + m.x1773 - 1100*m.x1803 <= 0)
m.c2374 = Constraint(expr=-(m.x1654*m.x1714 + m.x1684*m.x1744) + m.x1774 - 1100*m.x1804 <= 0)
m.c2375 = Constraint(expr=-(m.x1655*m.x1715 + m.x1685*m.x1745) + m.x1775 - 1100*m.x1805 <= 0)
m.c2376 = Constraint(expr=-(m.x1656*m.x1716 + m.x1686*m.x1746) + m.x1776 - 1100*m.x1806 <= 0)
m.c2377 = Constraint(expr=-(m.x1657*m.x1717 + m.x1687*m.x1747) + m.x1777 - 1100*m.x1807 <= 0)
m.c2378 = Constraint(expr=-(m.x1658*m.x1718 + m.x1688*m.x1748) + m.x1778 - 1100*m.x1808 <= 0)
m.c2379 = Constraint(expr=-(m.x1659*m.x1719 + m.x1689*m.x1749) + m.x1779 - 1100*m.x1809 <= 0)
m.c2380 = Constraint(expr=-(m.x1660*m.x1720 + m.x1690*m.x1750) + m.x1780 - 1100*m.x1810 <= 0)
m.c2381 = Constraint(expr=-(m.x1661*m.x1721 + m.x1691*m.x1751) + m.x1781 - 1100*m.x1811 <= 0)
m.c2382 = Constraint(expr=-(m.x1662*m.x1722 + m.x1692*m.x1752) + m.x1782 - 1100*m.x1812 <= 0)
m.c2383 = Constraint(expr=-(m.x1663*m.x1723 + m.x1693*m.x1753) + m.x1783 - 1100*m.x1813 <= 0)
m.c2384 = Constraint(expr=-(m.x1664*m.x1724 + m.x1694*m.x1754) + m.x1784 - 1100*m.x1814 <= 0)
m.c2385 = Constraint(expr=-(m.x1665*m.x1725 + m.x1695*m.x1755) + m.x1785 - 1100*m.x1815 <= 0)
m.c2386 = Constraint(expr=-(m.x1666*m.x1726 + m.x1696*m.x1756) + m.x1786 - 1100*m.x1816 <= 0)
m.c2387 = Constraint(expr=-(m.x1667*m.x1727 + m.x1697*m.x1757) + m.x1787 - 1100*m.x1817 <= 0)
m.c2388 = Constraint(expr=-(m.x1668*m.x1728 + m.x1698*m.x1758) + m.x1788 - 1100*m.x1818 <= 0)
m.c2389 = Constraint(expr=-(m.x1669*m.x1729 + m.x1699*m.x1759) + m.x1789 - 1100*m.x1819 <= 0)
m.c2390 = Constraint(expr=-(m.x1670*m.x1730 + m.x1700*m.x1760) + m.x1790 - 1100*m.x1820 <= 0)
m.c2391 = Constraint(expr=-(m.x1671*m.x1731 + m.x1701*m.x1761) + m.x1791 - 1100*m.x1821 <= 0)
m.c2392 = Constraint(expr=-(m.x1672*m.x1732 + m.x1702*m.x1762) + m.x1792 - 1100*m.x1822 <= 0)
m.c2393 = Constraint(expr=-(m.x1673*m.x1733 + m.x1703*m.x1763) + m.x1793 - 1100*m.x1823 <= 0)
m.c2394 = Constraint(expr=-(m.x1674*m.x1734 + m.x1704*m.x1764) + m.x1794 - 1100*m.x1824 <= 0)
m.c2395 = Constraint(expr=-(m.x1675*m.x1735 + m.x1705*m.x1765) + m.x1795 - 1100*m.x1825 <= 0)
m.c2396 = Constraint(expr=-(m.x1676*m.x1736 + m.x1706*m.x1766) + m.x1796 - 1100*m.x1826 <= 0)
m.c2397 = Constraint(expr=-(m.x1677*m.x1737 + m.x1707*m.x1767) + m.x1797 - 1100*m.x1827 <= 0)
m.c2398 = Constraint(expr=-(m.x1678*m.x1738 + m.x1708*m.x1768) + m.x1798 - 1100*m.x1828 <= 0)
m.c2399 = Constraint(expr=-(m.x1679*m.x1739 + m.x1709*m.x1769) + m.x1799 - 1100*m.x1829 <= 0)
m.c2400 = Constraint(expr=-(m.x1680*m.x1740 + m.x1710*m.x1770) + m.x1800 - 1100*m.x1830 <= 0)
m.c2401 = Constraint(expr=-(m.x1681*m.x1741 + m.x1711*m.x1771) + m.x1801 - 1100*m.x1831 <= 0)
m.c2402 = Constraint(expr= - 1100*m.x361 - 7*m.x781 - 10*m.x811 + m.x1561 >= 0)
m.c2403 = Constraint(expr= - 1100*m.x362 - 7*m.x782 - 10*m.x812 + m.x1562 >= 0)
m.c2404 = Constraint(expr= - 1100*m.x363 - 7*m.x783 - 10*m.x813 + m.x1563 >= 0)
m.c2405 = Constraint(expr= - 1100*m.x364 - 7*m.x784 - 10*m.x814 + m.x1564 >= 0)
m.c2406 = Constraint(expr= - 1100*m.x365 - 7*m.x785 - 10*m.x815 + m.x1565 >= 0)
m.c2407 = Constraint(expr= - 1100*m.x366 - 7*m.x786 - 10*m.x816 + m.x1566 >= 0)
m.c2408 = Constraint(expr= - 1100*m.x367 - 7*m.x787 - 10*m.x817 + m.x1567 >= 0)
m.c2409 = Constraint(expr= - 1100*m.x368 - 7*m.x788 - 10*m.x818 + m.x1568 >= 0)
m.c2410 = Constraint(expr= - 1100*m.x369 - 7*m.x789 - 10*m.x819 + m.x1569 >= 0)
m.c2411 = Constraint(expr= - 1100*m.x370 - 7*m.x790 - 10*m.x820 + m.x1570 >= 0)
m.c2412 = Constraint(expr= - 1100*m.x371 - 7*m.x791 - 10*m.x821 + m.x1571 >= 0)
m.c2413 = Constraint(expr= - 1100*m.x372 - 7*m.x792 - 10*m.x822 + m.x1572 >= 0)
m.c2414 = Constraint(expr= - 1100*m.x373 - 7*m.x793 - 10*m.x823 + m.x1573 >= 0)
m.c2415 = Constraint(expr= - 1100*m.x374 - 7*m.x794 - 10*m.x824 + m.x1574 >= 0)
m.c2416 = Constraint(expr= - 1100*m.x375 - 7*m.x795 - 10*m.x825 + m.x1575 >= 0)
m.c2417 = Constraint(expr= - 1100*m.x376 - 7*m.x796 - 10*m.x826 + m.x1576 >= 0)
m.c2418 = Constraint(expr= - 1100*m.x377 - 7*m.x797 - 10*m.x827 + m.x1577 >= 0)
m.c2419 = Constraint(expr= - 1100*m.x378 - 7*m.x798 - 10*m.x828 + m.x1578 >= 0)
m.c2420 = Constraint(expr= - 1100*m.x379 - 7*m.x799 - 10*m.x829 + m.x1579 >= 0)
m.c2421 = Constraint(expr= - 1100*m.x380 - 7*m.x800 - 10*m.x830 + m.x1580 >= 0)
m.c2422 = Constraint(expr= - 1100*m.x381 - 7*m.x801 - 10*m.x831 + m.x1581 >= 0)
m.c2423 = Constraint(expr= - 1100*m.x382 - 7*m.x802 - 10*m.x832 + m.x1582 >= 0)
m.c2424 = Constraint(expr= - 1100*m.x383 - 7*m.x803 - 10*m.x833 + m.x1583 >= 0)
m.c2425 = Constraint(expr= - 1100*m.x384 - 7*m.x804 - 10*m.x834 + m.x1584 >= 0)
m.c2426 = Constraint(expr= - 1100*m.x385 - 7*m.x805 - 10*m.x835 + m.x1585 >= 0)
m.c2427 = Constraint(expr= - 1100*m.x386 - 7*m.x806 - 10*m.x836 + m.x1586 >= 0)
m.c2428 = Constraint(expr= - 1100*m.x387 - 7*m.x807 - 10*m.x837 + m.x1587 >= 0)
m.c2429 = Constraint(expr= - 1100*m.x388 - 7*m.x808 - 10*m.x838 + m.x1588 >= 0)
m.c2430 = Constraint(expr= - 1100*m.x389 - 7*m.x809 - 10*m.x839 + m.x1589 >= 0)
m.c2431 = Constraint(expr= - 1100*m.x390 - 7*m.x810 - 10*m.x840 + m.x1590 >= 0)
m.c2432 = Constraint(expr= m.x1591 >= 14300)
m.c2433 = Constraint(expr= m.x1862 <= 0)
m.c2434 = Constraint(expr= m.x1712 + m.x1742 - m.x2253 <= 0)
m.c2435 = Constraint(expr= m.x1713 + m.x1743 - m.x2254 <= 0)
m.c2436 = Constraint(expr= m.x1714 + m.x1744 - m.x2255 <= 0)
m.c2437 = Constraint(expr= m.x1715 + m.x1745 - m.x2256 <= 0)
m.c2438 = Constraint(expr= m.x1716 + m.x1746 - m.x2257 <= 0)
m.c2439 = Constraint(expr= m.x1717 + m.x1747 - m.x2258 <= 0)
m.c2440 = Constraint(expr= m.x1718 + m.x1748 - m.x2259 <= 0)
m.c2441 = Constraint(expr= m.x1719 + m.x1749 - m.x2260 <= 0)
m.c2442 = Constraint(expr= m.x1720 + m.x1750 - m.x2261 <= 0)
m.c2443 = Constraint(expr= m.x1721 + m.x1751 - m.x2262 <= 0)
m.c2444 = Constraint(expr= m.x1722 + m.x1752 - m.x2263 <= 0)
m.c2445 = Constraint(expr= m.x1723 + m.x1753 - m.x2264 <= 0)
m.c2446 = Constraint(expr= m.x1724 + m.x1754 - m.x2265 <= 0)
m.c2447 = Constraint(expr= m.x1725 + m.x1755 - m.x2266 <= 0)
m.c2448 = Constraint(expr= m.x1726 + m.x1756 - m.x2267 <= 0)
m.c2449 = Constraint(expr= m.x1727 + m.x1757 - m.x2268 <= 0)
m.c2450 = Constraint(expr= m.x1728 + m.x1758 - m.x2269 <= 0)
m.c2451 = Constraint(expr= m.x1729 + m.x1759 - m.x2270 <= 0)
m.c2452 = Constraint(expr= m.x1730 + m.x1760 - m.x2271 <= 0)
m.c2453 = Constraint(expr= m.x1731 + m.x1761 - m.x2272 <= 0)
m.c2454 = Constraint(expr= m.x1732 + m.x1762 - m.x2273 <= 0)
m.c2455 = Constraint(expr= m.x1733 + m.x1763 - m.x2274 <= 0)
m.c2456 = Constraint(expr= m.x1734 + m.x1764 - m.x2275 <= 0)
m.c2457 = Constraint(expr= m.x1735 + m.x1765 - m.x2276 <= 0)
m.c2458 = Constraint(expr= m.x1736 + m.x1766 - m.x2277 <= 0)
m.c2459 = Constraint(expr= m.x1737 + m.x1767 - m.x2278 <= 0)
m.c2460 = Constraint(expr= m.x1738 + m.x1768 - m.x2279 <= 0)
m.c2461 = Constraint(expr= m.x1739 + m.x1769 - m.x2280 <= 0)
m.c2462 = Constraint(expr= m.x1740 + m.x1770 - m.x2281 <= 0)
m.c2463 = Constraint(expr= m.x1741 + m.x1771 - m.x2282 <= 0)
m.c2464 = Constraint(expr= - 0.5*m.x1592 + m.x1802 <= 0)
m.c2465 = Constraint(expr= - 0.5*m.x1593 + m.x1803 <= 0)
m.c2466 = Constraint(expr= - 0.5*m.x1594 + m.x1804 <= 0)
m.c2467 = Constraint(expr= - 0.5*m.x1595 + m.x1805 <= 0)
m.c2468 = Constraint(expr= - 0.5*m.x1596 + m.x1806 <= 0)
m.c2469 = Constraint(expr= - 0.5*m.x1597 + m.x1807 <= 0)
m.c2470 = Constraint(expr= - 0.5*m.x1598 + m.x1808 <= 0)
m.c2471 = Constraint(expr= - 0.5*m.x1599 + m.x1809 <= 0)
m.c2472 = Constraint(expr= - 0.5*m.x1600 + m.x1810 <= 0)
m.c2473 = Constraint(expr= - 0.5*m.x1601 + m.x1811 <= 0)
m.c2474 = Constraint(expr= - 0.5*m.x1602 + m.x1812 <= 0)
m.c2475 = Constraint(expr= - 0.5*m.x1603 + m.x1813 <= 0)
m.c2476 = Constraint(expr= - 0.5*m.x1604 + m.x1814 <= 0)
m.c2477 = Constraint(expr= - 0.5*m.x1605 + m.x1815 <= 0)
m.c2478 = Constraint(expr= - 0.5*m.x1606 + m.x1816 <= 0)
m.c2479 = Constraint(expr= - 0.5*m.x1607 + m.x1817 <= 0)
m.c2480 = Constraint(expr= - 0.5*m.x1608 + m.x1818 <= 0)
m.c2481 = Constraint(expr= - 0.5*m.x1609 + m.x1819 <= 0)
m.c2482 = Constraint(expr= - 0.5*m.x1610 + m.x1820 <= 0)
m.c2483 = Constraint(expr= - 0.5*m.x1611 + m.x1821 <= 0)
m.c2484 = Constraint(expr= - 0.5*m.x1612 + m.x1822 <= 0)
m.c2485 = Constraint(expr= - 0.5*m.x1613 + m.x1823 <= 0)
m.c2486 = Constraint(expr= - 0.5*m.x1614 + m.x1824 <= 0)
m.c2487 = Constraint(expr= - 0.5*m.x1615 + m.x1825 <= 0)
m.c2488 = Constraint(expr= - 0.5*m.x1616 + m.x1826 <= 0)
m.c2489 = Constraint(expr= - 0.5*m.x1617 + m.x1827 <= 0)
m.c2490 = Constraint(expr= - 0.5*m.x1618 + m.x1828 <= 0)
m.c2491 = Constraint(expr= - 0.5*m.x1619 + m.x1829 <= 0)
m.c2492 = Constraint(expr= - 0.5*m.x1620 + m.x1830 <= 0)
m.c2493 = Constraint(expr= - 0.5*m.x1621 + m.x1831 <= 0)
m.c2494 = Constraint(expr= - 0.5*m.x1622 + m.x1832 <= 0)
m.c2495 = Constraint(expr= - 0.5*m.x1623 + m.x1833 <= 0)
m.c2496 = Constraint(expr= - 0.5*m.x1624 + m.x1834 <= 0)
m.c2497 = Constraint(expr= - 0.5*m.x1625 + m.x1835 <= 0)
m.c2498 = Constraint(expr= - 0.5*m.x1626 + m.x1836 <= 0)
m.c2499 = Constraint(expr= - 0.5*m.x1627 + m.x1837 <= 0)
m.c2500 = Constraint(expr= - 0.5*m.x1628 + m.x1838 <= 0)
m.c2501 = Constraint(expr= - 0.5*m.x1629 + m.x1839 <= 0)
m.c2502 = Constraint(expr= - 0.5*m.x1630 + m.x1840 <= 0)
m.c2503 = Constraint(expr= - 0.5*m.x1631 + m.x1841 <= 0)
m.c2504 = Constraint(expr= - 0.5*m.x1632 + m.x1842 <= 0)
m.c2505 = Constraint(expr= - 0.5*m.x1633 + m.x1843 <= 0)
m.c2506 = Constraint(expr= - 0.5*m.x1634 + m.x1844 <= 0)
m.c2507 = Constraint(expr= - 0.5*m.x1635 + m.x1845 <= 0)
m.c2508 = Constraint(expr= - 0.5*m.x1636 + m.x1846 <= 0)
m.c2509 = Constraint(expr= - 0.5*m.x1637 + m.x1847 <= 0)
m.c2510 = Constraint(expr= - 0.5*m.x1638 + m.x1848 <= 0)
m.c2511 = Constraint(expr= - 0.5*m.x1639 + m.x1849 <= 0)
m.c2512 = Constraint(expr= - 0.5*m.x1640 + m.x1850 <= 0)
m.c2513 = Constraint(expr= - 0.5*m.x1641 + m.x1851 <= 0)
m.c2514 = Constraint(expr= - 0.5*m.x1642 + m.x1852 <= 0)
m.c2515 = Constraint(expr= - 0.5*m.x1643 + m.x1853 <= 0)
m.c2516 = Constraint(expr= - 0.5*m.x1644 + m.x1854 <= 0)
m.c2517 = Constraint(expr= - 0.5*m.x1645 + m.x1855 <= 0)
m.c2518 = Constraint(expr= - 0.5*m.x1646 + m.x1856 <= 0)
m.c2519 = Constraint(expr= - 0.5*m.x1647 + m.x1857 <= 0)
m.c2520 = Constraint(expr= - 0.5*m.x1648 + m.x1858 <= 0)
m.c2521 = Constraint(expr= - 0.5*m.x1649 + m.x1859 <= 0)
m.c2522 = Constraint(expr= - 0.5*m.x1650 + m.x1860 <= 0)
m.c2523 = Constraint(expr= - 0.5*m.x1651 + m.x1861 <= 0)
m.c2524 = Constraint(expr= m.x361 - 0.5*m.x1592 <= 0)
m.c2525 = Constraint(expr= m.x362 - 0.5*m.x1593 <= 0)
m.c2526 = Constraint(expr= m.x363 - 0.5*m.x1594 <= 0)
m.c2527 = Constraint(expr= m.x364 - 0.5*m.x1595 <= 0)
m.c2528 = Constraint(expr= m.x365 - 0.5*m.x1596 <= 0)
m.c2529 = Constraint(expr= m.x366 - 0.5*m.x1597 <= 0)
m.c2530 = Constraint(expr= m.x367 - 0.5*m.x1598 <= 0)
m.c2531 = Constraint(expr= m.x368 - 0.5*m.x1599 <= 0)
m.c2532 = Constraint(expr= m.x369 - 0.5*m.x1600 <= 0)
m.c2533 = Constraint(expr= m.x370 - 0.5*m.x1601 <= 0)
m.c2534 = Constraint(expr= m.x371 - 0.5*m.x1602 <= 0)
m.c2535 = Constraint(expr= m.x372 - 0.5*m.x1603 <= 0)
m.c2536 = Constraint(expr= m.x373 - 0.5*m.x1604 <= 0)
m.c2537 = Constraint(expr= m.x374 - 0.5*m.x1605 <= 0)
m.c2538 = Constraint(expr= m.x375 - 0.5*m.x1606 <= 0)
m.c2539 = Constraint(expr= m.x376 - 0.5*m.x1607 <= 0)
m.c2540 = Constraint(expr= m.x377 - 0.5*m.x1608 <= 0)
m.c2541 = Constraint(expr= m.x378 - 0.5*m.x1609 <= 0)
m.c2542 = Constraint(expr= m.x379 - 0.5*m.x1610 <= 0)
m.c2543 = Constraint(expr= m.x380 - 0.5*m.x1611 <= 0)
m.c2544 = Constraint(expr= m.x381 - 0.5*m.x1612 <= 0)
m.c2545 = Constraint(expr= m.x382 - 0.5*m.x1613 <= 0)
m.c2546 = Constraint(expr= m.x383 - 0.5*m.x1614 <= 0)
m.c2547 = Constraint(expr= m.x384 - 0.5*m.x1615 <= 0)
m.c2548 = Constraint(expr= m.x385 - 0.5*m.x1616 <= 0)
m.c2549 = Constraint(expr= m.x386 - 0.5*m.x1617 <= 0)
m.c2550 = Constraint(expr= m.x387 - 0.5*m.x1618 <= 0)
m.c2551 = Constraint(expr= m.x388 - 0.5*m.x1619 <= 0)
m.c2552 = Constraint(expr= m.x389 - 0.5*m.x1620 <= 0)
m.c2553 = Constraint(expr= m.x390 - 0.5*m.x1621 <= 0)
m.c2554 = Constraint(expr= m.x391 - 0.5*m.x1622 <= 0)
m.c2555 = Constraint(expr= m.x392 - 0.5*m.x1623 <= 0)
m.c2556 = Constraint(expr= m.x393 - 0.5*m.x1624 <= 0)
m.c2557 = Constraint(expr= m.x394 - 0.5*m.x1625 <= 0)
m.c2558 = Constraint(expr= m.x395 - 0.5*m.x1626 <= 0)
m.c2559 = Constraint(expr= m.x396 - 0.5*m.x1627 <= 0)
m.c2560 = Constraint(expr= m.x397 - 0.5*m.x1628 <= 0)
m.c2561 = Constraint(expr= m.x398 - 0.5*m.x1629 <= 0)
m.c2562 = Constraint(expr= m.x399 - 0.5*m.x1630 <= 0)
m.c2563 = Constraint(expr= m.x400 - 0.5*m.x1631 <= 0)
m.c2564 = Constraint(expr= m.x401 - 0.5*m.x1632 <= 0)
m.c2565 = Constraint(expr= m.x402 - 0.5*m.x1633 <= 0)
m.c2566 = Constraint(expr= m.x403 - 0.5*m.x1634 <= 0)
m.c2567 = Constraint(expr= m.x404 - 0.5*m.x1635 <= 0)
m.c2568 = Constraint(expr= m.x405 - 0.5*m.x1636 <= 0)
m.c2569 = Constraint(expr= m.x406 - 0.5*m.x1637 <= 0)
m.c2570 = Constraint(expr= m.x407 - 0.5*m.x1638 <= 0)
m.c2571 = Constraint(expr= m.x408 - 0.5*m.x1639 <= 0)
m.c2572 = Constraint(expr= m.x409 - 0.5*m.x1640 <= 0)
m.c2573 = Constraint(expr= m.x410 - 0.5*m.x1641 <= 0)
m.c2574 = Constraint(expr= m.x411 - 0.5*m.x1642 <= 0)
m.c2575 = Constraint(expr= m.x412 - 0.5*m.x1643 <= 0)
m.c2576 = Constraint(expr= m.x413 - 0.5*m.x1644 <= 0)
m.c2577 = Constraint(expr= m.x414 - 0.5*m.x1645 <= 0)
m.c2578 = Constraint(expr= m.x415 - 0.5*m.x1646 <= 0)
m.c2579 = Constraint(expr= m.x416 - 0.5*m.x1647 <= 0)
m.c2580 = Constraint(expr= m.x417 - 0.5*m.x1648 <= 0)
m.c2581 = Constraint(expr= m.x418 - 0.5*m.x1649 <= 0)
m.c2582 = Constraint(expr= m.x419 - 0.5*m.x1650 <= 0)
m.c2583 = Constraint(expr= m.x420 - 0.5*m.x1651 <= 0)
| 1.640625 | 2 |
scripts/create_testcase.py | Mohit1295/anycore-riscv-tests | 0 | 12764690 | <filename>scripts/create_testcase.py
#!/usr/bin/python
from optparse import OptionParser
import csv
import os
import sys
import re
def test_list_to_testcases(test_list, bmark_bin_prefix):
testcases = ''
for test in test_list:
#Prefix the path name to the first element of the testcase
testcases = testcases+bmark_bin_prefix+'+'.join(test)+' \\\n'
return testcases
def tokenize_csv(csv_file):
token_list = []
try:
f = open(csv_file, 'r')
reader = csv.reader(f)
token_list = list(reader)
except:
e = sys.exc_info()[0]
print("Error opening/parsing +"+csv_file+" "+str(e))
#sys.exit(1)
token_list.pop(0) # Remove the header row
token_list = [item for item in token_list if not re.match('#.*',item[0])]
return token_list
# Return a hash from space separated simpoints/weights file
def ssv_to_hash(file_path, key=0):
token_hash = {}
try:
with open(file_path, 'r') as f:
for line in f:
tokens = list(line.strip().split())
token_hash[tokens[key]] = tokens[:key] + tokens[key+1:]
except:
e = sys.exc_info()[0]
print("Error opening/parsing +"+file_path+" "+str(e))
#sys.exit(1)
return token_hash
def tokens_to_csv(file_name, tokens, header):
with open(file_name,'w') as out:
csv_out=csv.writer(out)
csv_out.writerow(header)
for row in tokens:
csv_out.writerow(row)
# Append the bmark base path to the bamrk name after
# obtaining the correct benchmark name for a giveb test
def get_test_name(chkpt_name):
return '.'.join(chkpt_name.split('.')[:2])
# Append the bmark base path to the bamrk name after
# obtaining the correct benchmark name for a giveb test
def get_skip_amt(chkpt_name):
return chkpt_name.split('.')[2]
# Append the bmark base path to the bamrk name after
# obtaining the correct benchmark name for a giveb test
def get_bmark_name(test_name):
bmark = test_name
# Find out the benchmark name for tests which do not
# match the benchmark name
bmark_multi_test_list = [
'401.bzip2',
'657.xz',
'602.gcc',
'600.perlbench',
'603.bwaves',
]
match = re.match(r"(\d+\.[a-zA-Z0-9]+)(_s)*.*_(test|ref)", test_name)
speed = ""
if match.group(2): speed = match.group(2)
if match.group(1) in bmark_multi_test_list:
bmark = match.group(1)+speed+'_'+match.group(3)
return bmark
# Returns a hash of per-benchmark simpoints with weights and corresponding skip amts.
def create_testcases_from_simpoint(smpt_dir, num_chkpt, bmark_bin_prefix):
all_tests = os.listdir(smpt_dir)
test_list = []
for test_name in all_tests:
bmark_run_path = smpt_dir+'/'+test_name
bmark_name = get_bmark_name(test_name)
smpt_hash = ssv_to_hash(bmark_run_path+'/simpoints', key=1)
weight_hash = ssv_to_hash(bmark_run_path+'/weights', key=1)
# This is a lost of tuples (skip,weight) sorted in the order of
# decreasing weights
sorted_smpts = list(sorted(weight_hash.iteritems(), key=lambda (k,v): (v,k), reverse=True))
# Create tests for the specified number of highest weighted checkpoints
for i in range(0,num_chkpt):
if len(sorted_smpts) > i:
sid = sorted_smpts[i][0]
# Add to the test list, the benchmark path, name, skip amt and
# weight
test_list.append([bmark_name,test_name,smpt_hash[sid][0],"{0:.2f}".format(float(weight_hash[sid][0]))])
# Sorth the testlist by bmark name
test_list = sorted(test_list, key=lambda test: test[0])
header = ['bmark_name','test_name','skip_amt','weight']
tokens_to_csv('tests_from_simpoint.csv', test_list, header)
return test_list_to_testcases(test_list, bmark_bin_prefix)
# Returns a hash of per-benchmark simpoints with weights and corresponding skip amts.
def create_testcases_from_checkpoint(chkpt_dir, num_chkpt, bmark_bin_prefix):
all_chkpts = os.listdir(chkpt_dir)
test_list = []
for chkpt_name in all_chkpts:
print chkpt_name
test_name = get_test_name(chkpt_name)
bmark_name = get_bmark_name(test_name)
skip_amt = get_skip_amt(chkpt_name)
chkpt_flag = '-f'+os.path.abspath(chkpt_dir+"/"+chkpt_name)
# Create tests for the specified number of highest weighted checkpoints
# Add to the test list, the benchmark path, name, skip amt and
# weight
test_list.append([bmark_name,test_name,skip_amt,chkpt_flag])
# Sorth the testlist by bmark name
test_list = sorted(test_list, key=lambda test: test[0])
header = ['bmark_name','test_name','skip_amt','chkpt_flag']
tokens_to_csv('tests_from_checkpoint.csv', test_list, header)
return test_list_to_testcases(test_list, bmark_bin_prefix)
def create_testcases_from_csv(csv_file, bmark_bin_prefix):
return test_list_to_testcases(tokenize_csv(csv_file), bmark_bin_prefix)
def main():
parser = OptionParser(usage="usage: %prog [options] filename",
version="%prog 1.0")
# Simpoints are parsed from subdirectories in this path
# Directory names are used to extract benchmark names and binary paths
parser.add_option("-s", "--simpath",
action="store",
dest="simpoint_path",
help="Provide the path where Simpoint folders are. default=None")
# Simpoints are parsed from subdirectories in this path
# Directory names are used to extract benchmark names and binary paths
parser.add_option("-c", "--chkptpath",
action="store",
dest="checkpoint_path",
help="Provide the path where Checkpoints are. default=None")
# This path is added as a prefix to the benchmark name to deduce the
# full benchmark binary paths
parser.add_option("-b", "--binpath",
action="store",
default="",
dest="bmark_bin_path",
help="Provide the base path where benahmark binaries are. default=""")
parser.add_option("-n", "--num_checkpoints",
type='int',
action="store",
dest="num_checkpoints",
default=1,
help="Pass the number of checkpoints to be created per benchmark. default: 1")
# Converts testcases in the CSV to the format that Makefile requires
# and dumps them to the standard output. The standard output is captured
# in a variable in the Makefile. It can also be captured manually if
# tweaking is necessary.
parser.add_option("--csv",
action="store",
dest="testcase_csv",
help="The CSV file containing the testcases in CSV format. default=None")
(opts, args) = parser.parse_args()
# Use the absolute path
if (opts.bmark_bin_path != ""):
opts.bmark_bin_path = os.path.abspath(opts.bmark_bin_path)+"/"
if(opts.testcase_csv):
print create_testcases_from_csv(opts.testcase_csv, opts.bmark_bin_path)
if(opts.simpoint_path):
print create_testcases_from_simpoint(opts.simpoint_path, opts.num_checkpoints, opts.bmark_bin_path)
if(opts.checkpoint_path):
print create_testcases_from_checkpoint(opts.checkpoint_path, opts.num_checkpoints, opts.bmark_bin_path)
if __name__ == '__main__':
main()
| 2.84375 | 3 |
masks.py | chrisnbattista/multi-agent-kinetics | 1 | 12764691 | <gh_stars>1-10
def threshold_distance_mask(r, h):
return r < h
| 1.507813 | 2 |
migrator/wix-bazel-migrator/src/main/resources/import_external.bzl | or-shachar/exodus | 186 | 12764692 | load("@bazel_tools//tools/build_defs/repo:jvm.bzl", "jvm_maven_import_external")
_default_server_urls = ["https://repo.maven.apache.org/maven2/",
"https://mvnrepository.com/artifact",
"https://maven-central.storage.googleapis.com",
"http://gitblit.github.io/gitblit-maven",
"https://repository.mulesoft.org/nexus/content/repositories/public/",]
def safe_exodus_maven_import_external(name, artifact, **kwargs):
if native.existing_rule(name) == None:
exodus_maven_import_external(
name = name,
artifact = artifact,
**kwargs
)
def exodus_maven_import_external(name, artifact, **kwargs):
fetch_sources = kwargs.get("srcjar_sha256") != None
exodus_maven_import_external_sources(name, artifact, fetch_sources, **kwargs)
def exodus_snapshot_maven_import_external(name, artifact, **kwargs):
exodus_maven_import_external_sources(name, artifact, True, **kwargs)
def exodus_maven_import_external_sources(name, artifact, fetch_sources, **kwargs):
jvm_maven_import_external(
name = name,
artifact = artifact,
licenses = ["notice"], # Apache 2.0
fetch_sources = fetch_sources,
server_urls = _default_server_urls,
**kwargs
) | 1.585938 | 2 |
utils/processors/waifu2x_chainer/processor.py | ArchieMeng/anime2x-chainer | 12 | 12764693 | import argparse
import importlib.util
import os
import sys
import chainer
import numpy as np
import six
from PIL import Image
from ..params import ProcessParams
from ..simple import BaseProcessor
PROJECT_DIR = os.path.dirname(__file__)
waifu2x_path = os.path.join(PROJECT_DIR, "waifu2x-chainer")
def import_waifu2x_module(name):
spec = importlib.util.spec_from_file_location(
name,
os.path.join(waifu2x_path, 'lib', ''.join((name, '.py')))
)
foo = importlib.util.module_from_spec(spec)
spec.loader.exec_module(foo)
return foo
iproc = import_waifu2x_module("iproc")
reconstruct = import_waifu2x_module("reconstruct")
srcnn = import_waifu2x_module("srcnn")
utils = import_waifu2x_module("utils")
default_model = "UpResNet10"
def debug_print(debug=False, *args, **kwargs):
if debug:
six.print_(file=sys.stderr, *args, **kwargs)
def load_models(cfg: ProcessParams, args: argparse.Namespace):
ch = 3 if cfg.input_pix_fmt.lower() == 'rgb' else 1
if cfg.model:
if os.path.isdir(cfg.model):
model_dir = cfg.model
else:
model_dir = os.path.join(waifu2x_path, f'models/{cfg.model.lower()}')
else:
cfg.model = default_model
model_dir = os.path.join(waifu2x_path, f'models/{default_model.lower()}')
models = {}
flag = False
if args.method == 'noise_scale':
model_name = 'anime_style_noise{}_scale_{}.npz'.format(
cfg.denoise_level, cfg.input_pix_fmt.lower())
model_path = os.path.join(model_dir, model_name)
if os.path.exists(model_path):
models['noise_scale'] = srcnn.archs[cfg.model](ch)
chainer.serializers.load_npz(model_path, models['noise_scale'])
alpha_model_name = 'anime_style_scale_{}.npz'.format(cfg.input_pix_fmt.lower())
alpha_model_path = os.path.join(model_dir, alpha_model_name)
models['alpha'] = srcnn.archs[cfg.model](ch)
chainer.serializers.load_npz(alpha_model_path, models['alpha'])
else:
flag = True
if args.method == 'scale' or flag:
model_name = 'anime_style_scale_{}.npz'.format(cfg.input_pix_fmt.lower())
model_path = os.path.join(model_dir, model_name)
models['scale'] = srcnn.archs[cfg.model](ch)
chainer.serializers.load_npz(model_path, models['scale'])
if args.method == 'noise' or flag:
model_name = 'anime_style_noise{}_{}.npz'.format(
cfg.denoise_level, cfg.input_pix_fmt.lower())
model_path = os.path.join(model_dir, model_name)
if not os.path.exists(model_path):
model_name = 'anime_style_noise{}_scale_{}.npz'.format(
cfg.denoise_level, cfg.input_pix_fmt.lower())
model_path = os.path.join(model_dir, model_name)
models['noise'] = srcnn.archs[cfg.input_pix_fmt.lower()](ch)
chainer.serializers.load_npz(model_path, models['noise'])
if cfg.device_id >= 0:
chainer.backends.cuda.check_cuda_available()
chainer.backends.cuda.get_device(cfg.device_id).use()
for _, model in models.items():
model.to_gpu()
return models
def split_alpha(src, model, debug=False):
alpha = None
if src.mode in ('L', 'RGB', 'P') and isinstance(
src.info.get('transparency'), bytes
):
src = src.convert('RGBA')
rgb = src.convert('RGB')
if src.mode in ('LA', 'RGBA'):
debug_print(debug, 'Splitting alpha channel...', end=' ', flush=True)
alpha = src.split()[-1]
rgb = iproc.alpha_make_border(rgb, alpha, model)
debug_print(debug, 'OK', debug=debug)
return rgb, alpha
def denoise_image(cfg: ProcessParams, args: argparse.Namespace, src, model):
dst, alpha = split_alpha(src, model, cfg.debug)
debug_print(cfg.debug, 'Level {} denoising...'.format(cfg.denoise_level),
end=' ', flush=True)
if cfg.tta_mode:
dst = reconstruct.image_tta(
dst, model, args.tta_level, cfg.tilesize,
args.batch_size)
else:
dst = reconstruct.image(dst, model, cfg.tilesize, args.batch_size)
if model.inner_scale != 1:
dst = dst.resize((src.size[0], src.size[1]), Image.LANCZOS)
debug_print(cfg.debug, 'OK')
if alpha is not None:
dst.putalpha(alpha)
return dst
def upscale_image(cfg: ProcessParams, args: argparse.Namespace, src, scale_model, alpha_model=None):
dst, alpha = split_alpha(src, scale_model, cfg.debug)
log_scale = np.log2(cfg.scale)
for i in range(int(np.ceil(log_scale))):
debug_print(cfg.debug, '2.0x upscaling...', end=' ', flush=True, )
model = alpha_model
if i == 0 or alpha_model is None:
model = scale_model
if model.inner_scale == 1:
dst = iproc.nn_scaling(dst, 2) # Nearest neighbor 2x scaling
alpha = iproc.nn_scaling(alpha, 2) # Nearest neighbor 2x scaling
if cfg.tta_mode:
dst = reconstruct.image_tta(dst, model, args.tta_level, cfg.tilesize, args.batch_size)
else:
dst = reconstruct.image(dst, model, cfg.tilesize, args.batch_size)
if alpha_model is None:
alpha = reconstruct.image(
alpha, scale_model, cfg.tilesize, args.batch_size)
else:
alpha = reconstruct.image(
alpha, alpha_model, cfg.tilesize, args.batch_size)
debug_print(cfg.debug, 'OK')
dst_w = int(np.round(src.size[0] * cfg.scale))
dst_h = int(np.round(src.size[1] * cfg.scale))
if np.round(log_scale % 1.0, 6) != 0 or log_scale <= 0:
debug_print(cfg.debug, 'Resizing...', end=' ', flush=True)
dst = dst.resize((dst_w, dst_h), Image.LANCZOS)
debug_print(cfg.debug, 'OK')
if alpha is not None:
if alpha.size[0] != dst_w or alpha.size[1] != dst_h:
alpha = alpha.resize((dst_w, dst_h), Image.LANCZOS)
dst.putalpha(alpha)
return dst
def get_parser():
p = argparse.ArgumentParser()
p.add_argument('--tta_level', '-T', type=int, default=8,
choices=[2, 4, 8])
p.add_argument('--method', '-m', default='scale',
choices=['noise', 'scale', 'noise_scale'])
p.add_argument('--batch_size', '-b', type=int, default=16)
return p
class Processor(BaseProcessor):
def __init__(self, params: ProcessParams):
p = get_parser()
self.args = p.parse_args(params.additional_args)
if params.model and params.model in srcnn.table:
params.model = srcnn.table[params.model]
self.models = load_models(params, self.args)
self.params = params
if params.tilesize < 32:
params.tilesize = 128
def process(self, im: Image) -> Image:
if 'noise_scale' in self.models:
return upscale_image(self.params, self.args, im, self.models['noise_scale'], self.models['alpha'])
if 'noise' in self.models:
return denoise_image(self.params, self.args, im, self.models['noise'])
if 'scale' in self.models:
return upscale_image(self.params, self.args, im, self.models['scale'])
| 2.1875 | 2 |
train_branches.py | Bhaskers-Blu-Org2/dcase-2019 | 8 | 12764694 | import argparse
from datetime import datetime
import gc
import joblib
from poutyne.framework import Model
from poutyne.framework.callbacks import *
from tensorboardX import SummaryWriter
import torch
import torch.nn as nn
import torch.nn.functional as F
from torch.utils.data import DataLoader
from load_dataset import AudioDatasetFine, label_hierarchy
device = torch.device("cuda" if torch.cuda.is_available() else "cpu")
#train_dir = r"D:\datasets\dcase5_processed\spec_vgg\train"
#test_dir = r"D:\datasets\dcase5_processed\spec_vgg\validate"
train_dir = r"/dcase/spec_vgg/train"
test_dir = r"/dcase/spec_vgg/validate"
MODEL_BASE = r'/dcase/output/models'
TENSORBOARD_BASE = r'/dcase/output/tensorboard'
os.makedirs(MODEL_BASE, exist_ok=True)
os.makedirs(TENSORBOARD_BASE, exist_ok=True)
index_to_files_dict_train = joblib.load('/dcase/spec_vgg/label_to_files_train.zip')
index_to_files_dict_test = joblib.load('/dcase/spec_vgg/label_to_files_test.zip')
NUM_COARSE_LABELS = 8
BATCH_SIZE = 64
MAX_EPOCHS = 100
USE_EXAMPLE_WEIGHTS = True
if USE_EXAMPLE_WEIGHTS:
weights_fine = joblib.load('weights_fine_train.pkl')
class ConvBlock(nn.Module):
"""This creates a convolutional layer with optional maxpool, batchnorm, and dropout"""
def __init__(self,
in_channels,
out_channels,
kernel_size=(3, 3),
stride=(1, 1),
padding=(1, 1),
batchnorm=True,
maxpool=True,
maxpool_size=(2, 2),
dropout=None):
super(ConvBlock, self).__init__()
self.conv = nn.Conv2d(in_channels=in_channels,
out_channels=out_channels,
kernel_size=kernel_size,
stride=stride,
padding=padding) # , bias=False ?
# print('kernel', kernel_size, stride, padding, maxpool)
if maxpool:
self.mp = nn.MaxPool2d(maxpool_size, stride=maxpool_size)
else:
self.mp = None
if batchnorm:
self.bn = nn.BatchNorm2d(out_channels)
else:
self.bn = None
if dropout:
self.dropout = nn.Dropout(dropout)
else:
self.dropout = None
# self.init_weights()
def forward(self, nn_input):
x = nn_input
if self.bn:
x = F.relu(self.bn(self.conv(x)))
else:
x = F.relu(self.conv(x))
if self.mp:
x = self.mp(x)
if self.dropout:
x = self.dropout(x)
return x
class VGG_alt(nn.Module):
"""Based on AudioSet paper, with some maxpool size modifications"""
def __init__(self, num_classes):
super(VGG_alt, self).__init__()
self.NUM_CLASSES = num_classes
DROPOUT = .5
self.emb_size = 49152
# spectrogram convolutions
self.conv_block_1 = ConvBlock(in_channels=1,
out_channels=8,
kernel_size=(1, 1),
stride=(1, 1),
padding=(0, 0),
batchnorm=True,
maxpool=False,
maxpool_size=(2, 16),
dropout=DROPOUT)
self.conv_block_2 = ConvBlock(in_channels=8,
out_channels=16,
kernel_size=(3, 3),
stride=(1, 1),
padding=(1, 1),
batchnorm=True,
maxpool=False,
maxpool_size=(2, 2),
dropout=DROPOUT)
self.conv_block_3 = ConvBlock(in_channels=16,
out_channels=32,
kernel_size=(16, 128),
stride=(4, 16),
padding=(8, 16),
batchnorm=True,
maxpool=True,
maxpool_size=(4, 4),
dropout=DROPOUT)
self.conv_block_4 = ConvBlock(in_channels=32,
out_channels=64,
kernel_size=(5, 5),
stride=(2, 2),
padding=(1, 1),
batchnorm=True,
maxpool=False,
maxpool_size=(2, 2),
dropout=DROPOUT)
self.conv_block_5 = ConvBlock(in_channels=64,
out_channels=128,
kernel_size=(5, 5),
stride=(2, 2),
padding=(1, 1),
batchnorm=True,
maxpool=False,
maxpool_size=None,
dropout=DROPOUT)
self.conv_block_6 = ConvBlock(in_channels=128,
out_channels=256,
kernel_size=(3, 3),
stride=(2, 2),
padding=(1, 1),
batchnorm=True,
maxpool=False,
maxpool_size=(2, 4),
dropout=DROPOUT)
# self.conv_block_7 = ConvBlock(in_channels=128, out_channels=256, kernel_size=(3, 3), stride=(1, 1),
# padding=(1, 1), batchnorm=True, maxpool=False, maxpool_size=(2, 4), dropout=DROPOUT)
# openl3 embedding convolutions
# self.emb_conv_1 = ConvBlock(in_channels=1, out_channels=4, kernel_size=(5, 5), stride=(2, 2),
# padding=(1, 1), batchnorm=True, maxpool=True, maxpool_size=(4, 4), dropout=DROPOUT)
# self.emb_conv_2 = ConvBlock(in_channels=4, out_channels=8, kernel_size=(5, 5), stride=(2, 2),
# padding=(1, 1), batchnorm=True, maxpool=True, maxpool_size=(2, 2),
# dropout=DROPOUT)
# self.emb_conv_3 = ConvBlock(in_channels=16, out_channels=32, kernel_size=(5, 5), stride=(2, 2),
# padding=(1, 1), batchnorm=True, maxpool=True, maxpool_size=(2, 2),
# dropout=DROPOUT)
# self.emb_conv_4 = ConvBlock(in_channels=32, out_channels=64, kernel_size=(5, 5), stride=(2, 2),
# padding=(1, 1), batchnorm=True, maxpool=True, maxpool_size=(2, 2),
# dropout=DROPOUT)
# fc layers
# self.fc_emb1 = nn.Linear(self.emb_size, 2**10, bias=True)
# self.fc_emb2 = nn.Linear(2**10, 2**8, bias=True)
self.fc1 = nn.Bilinear(256, 1280, 512, bias=True)
self.fc1_bn = nn.BatchNorm1d(512)
self.fc2 = nn.Linear(512, 256, bias=True)
self.fc2_bn = nn.BatchNorm1d(256)
# self.fc3 = nn.Linear(2**7, 2**6, bias=True)
# self.fc4 = nn.Linear(2**8, 2**6, bias=True)
self.fc_final = nn.Linear(256, self.NUM_CLASSES, bias=True)
self.dropout = nn.Dropout(.2)
# self.init_weights()
# def init_weights(self):
# init_layer(self.fc)
def forward(self, nn_input):
'''
Input: (batch_size, times_steps, freq_bins)'''
# x, emb, vgg = nn_input
x, vgg = nn_input
'''(batch_size, 1, times_steps, freq_bins)'''
# spectrogram convolutions
x = self.conv_block_1(x)
x = self.conv_block_2(x)
x = self.conv_block_3(x)
x = self.conv_block_4(x)
x = self.conv_block_5(x)
x = self.conv_block_6(x)
# x = self.conv_block_7(x)
# openl3 convolutions
# emb = self.emb_conv_1(emb)
# emb = self.emb_conv_2(emb)
# emb = self.emb_conv_3(emb)
# emb = self.emb_conv_4(emb)
# reshape for fc layers
x = x.view(x.size(0), -1)
# emb = emb.view(emb.size(0), -1)
vgg = vgg.view(vgg.size(0), -1)
# print(x.shape, emb.shape)
# print(x.shape)
# emb = self.fc_emb1(emb)
# emb = self.fc_emb2(emb)
# takes spectrogram and openl3 conv outputs
x = self.fc1(x, vgg)
x = self.fc1_bn(x)
x = F.relu(x)
x = self.dropout(x)
# x = self.dropout(x)
x = self.fc2(x)
x = self.fc2_bn(x)
x = F.relu(x)
x = self.dropout(x)
# x = self.dropout(x)
# x = F.relu(self.fc3(x))
# x = self.dropout(x)
# x = F.relu(self.fc4(x))
# x = self.dropout(x)
# x = F.relu(self.fc5(x))
# x = self.dropout(x)
# x = F.relu(self.fc6(x))
# x = self.dropout(x)
x = self.fc_final(x)
# output = torch.sigmoid(x)
output = x
return output
def get_label_range(coarse_index):
label_start, label_end = label_hierarchy[coarse_index + 1]
NUM_CLASSES = len(range(label_start, label_end))
return label_start, label_end, NUM_CLASSES
def train_model(coarse_index, DATE):
label_start, label_end, NUM_CLASSES = get_label_range(coarse_index)
print('number of classes:', NUM_CLASSES)
if NUM_CLASSES < 2:
print('Skipping this coarse category.')
return
TRAIN = AudioDatasetFine(train_dir, coarse_index,
index_to_files_dict_train)
TEST = AudioDatasetFine(test_dir, coarse_index, index_to_files_dict_test)
TRAIN_LOADER = DataLoader(dataset=TRAIN,
batch_size=BATCH_SIZE,
shuffle=True)
TEST_LOADER = DataLoader(dataset=TEST, batch_size=BATCH_SIZE, shuffle=True)
# train_sampler = torch.utils.data.sampler.WeightedRandomSampler(TRAIN_WEIGHTS, 2351)
# test_sampler = torch.utils.data.sampler.WeightedRandomSampler(TEST_WEIGHTS, 443)
# model = NeuralNetwork().to(device)
# model = VGG_11().to(device)
model_tmp = VGG_alt(NUM_CLASSES).to(device)
# model = OpenL3().to(device)
## if training from checkpoint; ensure checkpoint matches model class architecture
# checkpoint = torch.load("models/20190531_151918_best_epoch_19_val_loss=0.1182.ckpt")
# model.load_state_dict(checkpoint)
# Loss and optimizer
# criterion = nn.BCELoss() # must be this for multi-label predictions
# criterion = nn.BCEWithLogitsLoss(pos_weight=torch.tensor(np.array(TRAIN_WEIGHTS).astype(np.float32)**.2).to(device))
if USE_EXAMPLE_WEIGHTS:
weights = weights_fine[coarse_index]
print(f'Using sample weights: {weights}')
criterion = nn.BCEWithLogitsLoss(pos_weight=torch.tensor(np.array(weights).astype(np.float32)).to(device))
#criterion = nn.BCEWithLogitsLoss(pos_weight=torch.tensor(np.array(weights_fine[coarse_index]).astype(np.float32)**.2).to(device))
else:
print('Not using sample weights.')
criterion = nn.BCEWithLogitsLoss()
optimizer = torch.optim.Adam(model_tmp.parameters(), lr=.001)
# to Poutyne
model = Model(model_tmp, optimizer, criterion, metrics=['bin_acc'])
# Callbacks
tb_writer = SummaryWriter(os.path.join(TENSORBOARD_BASE, f'{DATE}_coarse={coarse_index}'))
callbacks = [
# Save the latest weights to be able to continue the optimization at the end for more epochs.
ModelCheckpoint(
os.path.join(MODEL_BASE, f'{DATE}_coarse={coarse_index}_last_epoch.ckpt'),
temporary_filename=os.path.join(MODEL_BASE, 'last_epoch.ckpt.tmp')),
# Save the weights in a new file when the current model is better than all previous models.
ModelCheckpoint(
os.path.join(MODEL_BASE, '%s_coarse=%d_best_epoch_{epoch}_val_loss={val_loss:.4f}.ckpt'
% (DATE, coarse_index)),
monitor='val_loss',
mode='min',
save_best_only=True,
restore_best=False, #True
verbose=True,
temporary_filename=os.path.join(MODEL_BASE, 'best_epoch.ckpt.tmp')),
# Save the losses and accuracies for each epoch in a TSV.
CSVLogger(os.path.join(MODEL_BASE, f'{DATE}_coarse={coarse_index}_log.tsv'),
separator='\t'),
ReduceLROnPlateau(patience=5, verbose=True, factor=0.1),
EarlyStopping(patience=10, verbose=True),
TerminateOnNaN(),
# policies.sgdr_phases(6, 6, lr=(1.0, 0.1), cycle_mult = 2) # doesn't work as callback
]
save_file_path = os.path.join(MODEL_BASE, '%s_coarse=%d_weights.{epoch:02d}-{val_loss:.4f}.txt' % (
DATE, coarse_index))
save_best_model = PeriodicSaveCallback(save_file_path,
temporary_filename=os.path.join(MODEL_BASE, 'tmp_file.txt'),
atomic_write=False,
save_best_only=True,
verbose=True)
# Train the model
model.fit_generator(TRAIN_LOADER,
TEST_LOADER,
epochs=MAX_EPOCHS,
callbacks=callbacks)
del optimizer
del model
del model_tmp
del TEST_LOADER
del TRAIN_LOADER
del TEST
del TRAIN
def print_gpu_ram():
print(f'GPU memory allocated: {torch.cuda.memory_allocated()}')
print(f'GPU memory cached: {torch.cuda.memory_cached()}')
# for obj in gc.get_objects():
# try:
# if torch.is_tensor(obj) or (hasattr(obj, 'data')
# and torch.is_tensor(obj.data)):
# print(type(obj), obj.size())
# del obj
# except:
# pass
def main(coarse_category_idx, DATE):
global BATCH_SIZE
print(
f'\n*****************\nTraining model for coarse category {coarse_category_idx}\n*******\n'
)
print_gpu_ram()
# Hack to avoid batch-size 1 in final batch, which causes crash in batch-norm.
# TODO: Should fix in Poutyne training loop to skip final batch when this happens.
if coarse_category_idx == 3:
BATCH_SIZE = 63
print('Training')
train_model(coarse_category_idx, DATE)
print('Done training.')
print_gpu_ram()
print('Clearing GPU ram')
torch.cuda.empty_cache()
if __name__ == '__main__':
parser = argparse.ArgumentParser(
description='Train model for a single coarse category.')
parser.add_argument('index', type=int, help='coarse category index')
parser.add_argument('date', type=str, help='date string')
args = parser.parse_args()
main(args.index, args.date)
| 1.96875 | 2 |
setup.py | dyershov/pypile | 0 | 12764695 | <reponame>dyershov/pypile
#!/usr/bin/env python
import setuptools
with open("README.md", "r") as fh:
long_description = fh.read()
package_dir={'': 'src'}
packages = setuptools.find_packages(where='src')
install_requires = [
'numpy',
'scipy',
'ipython',
'jupyter',
'interactive-plotter @ git+https://github.com/dyershov/interactive-plotter#egg=interactive-plotter'
]
setuptools.setup(name='pypile',
version='0.1',
author='<NAME>',
author_email='<EMAIL>',
description='A pile of python modules',
long_description=long_description,
long_description_content_type="text/markdown",
url="https://github.com/dyershov/pypile",
package_dir=package_dir,
packages=packages,
install_requires=install_requires
)
| 1.664063 | 2 |
src/comp_chem_utils/mysql_tables.py | lcbc-epfl/comp_chem_py | 0 | 12764696 | <filename>src/comp_chem_utils/mysql_tables.py
#!/usr/bin/env python
"""
Definitions of classes to work with molecular data.
The mol_info_table class is used to store and manipulated
information about a molecule.
The mol_xyz_table class is used to store and manipulated
the xyz coodinate of a molecule.
The functions defined here are basically wrappers to
MySQL execution lines.
Each function returns a MySQL command that should be
executed by the calling routine.
"""
__author__="<NAME>"
__email__="<EMAIL>"
mol_info = "mol_info"
mol_xyz = "mol_xyz"
sql_idd = 'int unsigned NOT NULL auto_increment'
sql_int = 'int NOT NULL'
sql_str = 'varchar(4) NOT NULL'
sql_flt = 'double(40,20) NOT NULL'
sql_txt = 'text NOT NULL'
# functions in common between the two types of tables
# ---------------------------------------------------
def mysql_add_row(table):
headers = table.headers[1][0]
code = '%s'
for (lab, typ) in table.headers[2:]:
headers += ', {0}'.format(lab)
code += ', %s'
return "INSERT INTO {0.name} ({1}) VALUES ({2}) ".format(table, headers, code)
def mysql_create_table(table):
line = "CREATE TABLE {0.name} ( ".format(table)
for (lab, typ) in table.headers:
line += "{0} {1}, ".format(lab, typ)
# add primary key:
line += 'PRIMARY KEY (id) ) '
return line
# ---------------------------------------------------
class mol_info_table(object):
""" handle the main database table mol_info"""
def __init__(self):
self.name = mol_info
self.headers = [
('id', sql_idd),
('name', sql_txt),
('chem_name', sql_txt),
('note', sql_txt),
('charge', sql_int),
('natoms', sql_int),
('natom_types', sql_int)
]
self.ncol = len(self.headers)
def create_table(self):
return mysql_create_table(self)
def find_duplicates(self, chem_name):
return 'SELECT id, name FROM {0.name} WHERE chem_name = "{1}"'.format(self, chem_name)
def get_col(self, headers):
s = ', '.join(headers)
return "SELECT {0} FROM {1.name}".format(s, self)
def get_row(self, idd):
return "SELECT * FROM {0.name} WHERE id = {1}".format(self, idd)
def add_row(self):
return mysql_add_row(self)
def delete_row(self, idd):
return "DELETE FROM {0.name} WHERE id={1}".format(self, idd)
def update(self, col, new, idd):
return 'UPDATE {0} SET {1}="{2}" WHERE id={3}'.format(self.name, col, new, idd)
class mol_xyz_table(object):
""" handle the coordinate database table mol_xyz"""
def __init__(self, idd):
self.idd = idd
self.name = "_".join( [mol_xyz, str(self.idd)] )
self.headers = [
('id', sql_idd),
('labels', sql_txt),
('charge', sql_int),
('xvals', sql_flt),
('yvals', sql_flt),
('zvals', sql_flt),
]
self.ncol = len(self.headers)
def create_table(self):
return mysql_create_table(self)
def get_table(self):
return "SELECT * FROM {0.name} ORDER BY charge DESC".format(self)
def delete_table(self):
return "DROP TABLE IF EXISTS {0.name}".format(self)
def add_row(self):
return mysql_add_row(self)
| 3.59375 | 4 |
libs/datagen/.ipynb_checkpoints/dataset_generic-checkpoint.py | vankhoa21991/selfsup | 1 | 12764697 | from __future__ import print_function, division
import os
import torch
import numpy as np
import pandas as pd
import math
import re
import pdb
import pickle
from scipy import stats
from torch.utils.data import Dataset
import h5py
from libs.utils.utils import generate_split, nth
def save_splits(split_datasets, column_keys, filename, boolean_style=False):
splits = [split_datasets[i].slide_data['slide_id'] for i in range(len(split_datasets))]
if not boolean_style:
df = pd.concat(splits, ignore_index=True, axis=1)
df.columns = column_keys
else:
df = pd.concat(splits, ignore_index = True, axis=0)
index = df.values.tolist()
one_hot = np.eye(len(split_datasets)).astype(bool)
bool_array = np.repeat(one_hot, [len(dset) for dset in split_datasets], axis=0)
df = pd.DataFrame(bool_array, index=index, columns = ['train', 'val', 'test'])
df.to_csv(filename)
print()
class Generic_WSI_Classification_Dataset(Dataset):
def __init__(self,
csv_path = 'dataset_csv/ccrcc_clean.csv',
shuffle = False,
seed = 7,
print_info = True,
label_dict = {},
ignore=[],
patient_strat=False,
label_col = None,
patient_voting = 'max',
):
"""
Args:
csv_file (string): Path to the csv file with annotations.
shuffle (boolean): Whether to shuffle
seed (int): random seed for shuffling the data
print_info (boolean): Whether to print a summary of the dataset
label_dict (dict): Dictionary with key, value pairs for converting str labels to int
ignore (list): List containing class labels to ignore
"""
self.label_dict = label_dict
self.custom_test_ids = None
self.num_classes=len(self.label_dict)
self.seed = seed
self.print_info = print_info
self.patient_strat = patient_strat
self.train_ids, self.val_ids, self.test_ids = (None, None, None)
self.data_dir = None
if not label_col:
label_col = 'label'
self.label_col = label_col
slide_data = pd.read_csv(csv_path)
slide_data = self.df_prep(slide_data, self.label_dict, ignore, self.label_col)
###shuffle data
if shuffle:
np.random.seed(seed)
np.random.shuffle(slide_data)
self.slide_data = slide_data
patients = np.unique(np.array(slide_data['case_id'])) # get unique patients
patient_labels = []
for p in patients:
locations = slide_data[slide_data['case_id'] == p].index.tolist()
assert len(locations) > 0
label = slide_data['label'][locations].values
if patient_voting == 'max':
label = label.max() # get patient label (MIL convention)
elif patient_voting == 'maj':
label = stats.mode(label)[0]
else:
pass
patient_labels.append(label)
self.patient_data = {'case_id':patients, 'label':np.array(patient_labels)}
# self.patient_data_prep()
self.cls_ids_prep()
if print_info:
self.summarize()
def cls_ids_prep(self):
self.patient_cls_ids = [[] for i in range(self.num_classes)]
for i in range(self.num_classes):
self.patient_cls_ids[i] = np.where(self.patient_data['label'] == i)[0]
self.slide_cls_ids = [[] for i in range(self.num_classes)]
for i in range(self.num_classes):
self.slide_cls_ids[i] = np.where(self.slide_data['label'] == i)[0]
def patient_data_prep(self):
patients = np.unique(np.array(self.slide_data['case_id'])) # get unique patients
patient_labels = []
for p in patients:
locations = self.slide_data[self.slide_data['case_id'] == p].index.tolist()
assert len(locations) > 0
label = self.slide_data['label'][locations[0]] # get patient label
patient_labels.append(label)
self.patient_data = {'case_id':patients, 'label':np.array(patient_labels)}
@staticmethod
def df_prep(data, label_dict, ignore, label_col):
# convert from MIL label
data = data[['study_code', 'target', 'slide']]
data.rename(columns={'study_code': 'case_id', 'target':'label', 'slide':'slide_id'}, inplace=True)
if label_col != 'label':
data['label'] = data[label_col].copy()
mask = data['label'].isin(ignore)
data = data[~mask]
data.reset_index(drop=True, inplace=True)
for i in data.index:
key = data.loc[i, 'label']
data.at[i, 'label'] = label_dict[key]
return data
def __len__(self):
if self.patient_strat:
return len(self.patient_data['case_id'])
else:
return len(self.slide_data)
def summarize(self):
print("label column: {}".format(self.label_col))
print("label dictionary: {}".format(self.label_dict))
print("number of classes: {}".format(self.num_classes))
print("slide-level counts: ", '\n', self.slide_data['label'].value_counts(sort = False))
for i in range(self.num_classes):
print('Patient-LVL; Number of samples registered in class %d: %d' % (i, self.patient_cls_ids[i].shape[0]))
print('Slide-LVL; Number of samples registered in class %d: %d' % (i, self.slide_cls_ids[i].shape[0]))
def create_splits(self, k = 3, val_num = (25, 25), test_num = (40, 40), label_frac = 1.0, custom_test_ids = None):
settings = {
'n_splits' : k,
'val_num' : val_num,
'test_num': test_num,
'label_frac': label_frac,
'seed': self.seed,
'custom_test_ids': self.custom_test_ids
}
if self.patient_strat:
settings.update({'cls_ids' : self.patient_cls_ids, 'samples': len(self.patient_data['case_id'])})
else:
settings.update({'cls_ids' : self.slide_cls_ids, 'samples': len(self.slide_data)})
self.split_gen = generate_split(**settings)
def set_splits(self,start_from=None):
if start_from:
ids = nth(self.split_gen, start_from)
else:
ids = next(self.split_gen)
if self.patient_strat:
slide_ids = [[] for i in range(len(ids))]
for split in range(len(ids)):
for idx in ids[split]:
case_id = self.patient_data['case_id'][idx]
slide_indices = self.slide_data[self.slide_data['case_id'] == case_id].index.tolist()
slide_ids[split].extend(slide_indices)
self.train_ids, self.val_ids, self.test_ids = slide_ids[0], slide_ids[1], slide_ids[2]
else:
self.train_ids, self.val_ids, self.test_ids = ids
def get_split_from_df(self, all_splits, split_key='train'):
split = all_splits[split_key]
split = split.dropna().reset_index(drop=True)
if len(split) > 0:
mask = self.slide_data['slide_id'].isin(split.tolist())
df_slice = self.slide_data[mask].dropna().reset_index(drop=True)
split = Generic_Split(df_slice, data_dir=self.data_dir, num_classes=self.num_classes)
else:
split = None
return split
def get_merged_split_from_df(self, all_splits, split_keys=['train']):
merged_split = []
for split_key in split_keys:
split = all_splits[split_key]
split = split.dropna().reset_index(drop=True).tolist()
merged_split.extend(split)
if len(split) > 0:
mask = self.slide_data['slide_id'].isin(merged_split)
df_slice = self.slide_data[mask].dropna().reset_index(drop=True)
split = Generic_Split(df_slice, data_dir=self.data_dir, num_classes=self.num_classes)
else:
split = None
return split
def return_splits(self, from_id=True, csv_path=None):
if from_id:
if len(self.train_ids) > 0:
train_data = self.slide_data.loc[self.train_ids].reset_index(drop=True)
train_split = Generic_Split(train_data, data_dir=self.data_dir, num_classes=self.num_classes)
else:
train_split = None
if len(self.val_ids) > 0:
val_data = self.slide_data.loc[self.val_ids].reset_index(drop=True)
val_split = Generic_Split(val_data, data_dir=self.data_dir, num_classes=self.num_classes)
else:
val_split = None
if len(self.test_ids) > 0:
test_data = self.slide_data.loc[self.test_ids].reset_index(drop=True)
test_split = Generic_Split(test_data, data_dir=self.data_dir, num_classes=self.num_classes)
else:
test_split = None
else:
assert csv_path
all_splits = pd.read_csv(csv_path)
train_split = self.get_split_from_df(all_splits, 'train')
val_split = self.get_split_from_df(all_splits, 'val')
test_split = self.get_split_from_df(all_splits, 'test')
return train_split, val_split, test_split
def get_list(self, ids):
return self.slide_data['slide_id'][ids]
def getlabel(self, ids):
return self.slide_data['label'][ids]
def __getitem__(self, idx):
return None
def test_split_gen(self, return_descriptor=False):
if return_descriptor:
index = [list(self.label_dict.keys())[list(self.label_dict.values()).index(i)] for i in range(self.num_classes)]
columns = ['train', 'val', 'test']
df = pd.DataFrame(np.full((len(index), len(columns)), 0, dtype=np.int32), index= index,
columns= columns)
count = len(self.train_ids)
print('\nnumber of training samples: {}'.format(count))
labels = self.getlabel(self.train_ids)
unique, counts = np.unique(labels, return_counts=True)
for u in range(len(unique)):
print('number of samples in cls {}: {}'.format(unique[u], counts[u]))
if return_descriptor:
df.loc[index[u], 'train'] = counts[u]
count = len(self.val_ids)
print('\nnumber of val samples: {}'.format(count))
labels = self.getlabel(self.val_ids)
unique, counts = np.unique(labels, return_counts=True)
for u in range(len(unique)):
print('number of samples in cls {}: {}'.format(unique[u], counts[u]))
if return_descriptor:
df.loc[index[u], 'val'] = counts[u]
count = len(self.test_ids)
print('\nnumber of test samples: {}'.format(count))
labels = self.getlabel(self.test_ids)
unique, counts = np.unique(labels, return_counts=True)
for u in range(len(unique)):
print('number of samples in cls {}: {}'.format(unique[u], counts[u]))
if return_descriptor:
df.loc[index[u], 'test'] = counts[u]
assert len(np.intersect1d(self.train_ids, self.test_ids)) == 0
assert len(np.intersect1d(self.train_ids, self.val_ids)) == 0
assert len(np.intersect1d(self.val_ids, self.test_ids)) == 0
if return_descriptor:
return df
def save_split(self, filename):
train_split = self.get_list(self.train_ids)
val_split = self.get_list(self.val_ids)
test_split = self.get_list(self.test_ids)
df_tr = pd.DataFrame({'train': train_split})
df_v = pd.DataFrame({'val': val_split})
df_t = pd.DataFrame({'test': test_split})
df = pd.concat([df_tr, df_v, df_t], axis=1)
df.to_csv(filename, index = False)
class Generic_MIL_Dataset(Generic_WSI_Classification_Dataset):
def __init__(self,
data_dir,
**kwargs):
super(Generic_MIL_Dataset, self).__init__(**kwargs)
self.data_dir = data_dir
self.use_h5 = False
def load_from_h5(self, toggle):
self.use_h5 = toggle
def __getitem__(self, idx):
slide_id = self.slide_data['slide_id'][idx]
label = self.slide_data['label'][idx]
if not self.use_h5:
if self.data_dir:
full_path = os.path.join(self.data_dir,'{}.pt'.format(slide_id))
features = torch.load(full_path)
return features, label
else:
return slide_id, label
else:
full_path = os.path.join(self.data_dir,'{}.h5'.format(slide_id))
with h5py.File(full_path,'r') as hdf5_file:
features = hdf5_file['features'][:]
coords = hdf5_file['coords'][:]
features = torch.from_numpy(features)
return features, label, coords
class Generic_Split(Generic_MIL_Dataset):
def __init__(self, slide_data, data_dir=None, num_classes=2):
self.use_h5 = False
self.slide_data = slide_data
self.data_dir = data_dir
self.num_classes = num_classes
self.slide_cls_ids = [[] for i in range(self.num_classes)]
for i in range(self.num_classes):
self.slide_cls_ids[i] = np.where(self.slide_data['label'] == i)[0]
def __len__(self):
return len(self.slide_data)
| 2.296875 | 2 |
pytorch/reg_losses.py | mseitzer/neurips2019-disentanglement-challenge | 8 | 12764698 | import math
import gin
import torch
from torch import nn
@gin.configurable
class RegularizationLoss(nn.Module):
def __init__(self,
latent_dims,
scale_by_batch=True,
use_bayes_factor_vae0_loss=False,
use_tc_loss=False):
super(RegularizationLoss, self).__init__()
self.scale_by_batch = scale_by_batch
self.use_bayes_factor_vae0_loss = use_bayes_factor_vae0_loss
self.use_tc_loss = use_tc_loss
if use_bayes_factor_vae0_loss:
self.log_precision = nn.Parameter(torch.zeros(1, latent_dims))
def add_kld_loss(self, losses, mu, logvar):
"""Standard KLD with standard Gaussian as prior
Computes `0.5 * sum(1 + log(sigma^2) - mu^2 - sigma^2)`
See Appendix B from VAE paper:
Kingma and Welling. Auto-Encoding Variational Bayes. ICLR, 2014
https://arxiv.org/abs/1312.6114
"""
x = 1 + logvar - mu.pow(2) - logvar.exp()
KLD = -0.5 * torch.sum(x)
losses['KLD'] = KLD / mu.shape[-1]
def add_bayes_factor_vae0_loss(self, losses, mu, logvar):
"""KLD with Gaussian with flexible variances as prior
The target precision (reciprocal of variance) of the prior can be
learned from data. Then we can compute the KLD as
`0.5 * sum(1 + log(sigma^2) + log(alpha) - mu^2 * alpha -
sigma^2 * alpha)`
where alpha is the learned precision parameter to be learned
from data. Formula is self-derived and thus may contain errors.
See model BF-VAE-0 from Kim et al. Bayes-Factor-VAE, 2019,
https://arxiv.org/abs/1909.02820
"""
x = (1 + logvar + self.log_precision
- mu.pow(2) * self.log_precision.exp()
- logvar.exp() * self.log_precision.exp())
KLD = -0.5 * torch.sum(x)
losses['KLD'] = KLD / mu.shape[-1]
# Compute penalty term that specifies that variance should be close
# to one
alpha_penalty = torch.sum((1 / self.log_precision.exp() - 1).pow(2))
losses['alpha_penalty'] = alpha_penalty / mu.shape[-1]
def add_tc_loss(self, losses, z, mu, logvar):
"""Total correlation loss
Computes `KL[q(z) || prod_i z_i]`
Adapted from
https://github.com/YannDubs/disentangling-vae/blob/master/disvae/models/losses.py
under MIT License
See Chen et al. Isolating Sources of Disentanglement in VAEs, 2018,
https://arxiv.org/abs/1802.04942
"""
mat_log_qz = _matrix_log_density_gaussian(z, mu, logvar)
log_qz = torch.logsumexp(mat_log_qz.sum(2), dim=1, keepdim=False)
log_prod_qzi = torch.logsumexp(mat_log_qz, dim=1, keepdim=False).sum(1)
tc_loss = torch.sum(log_qz - log_prod_qzi)
losses['TC'] = tc_loss / mu.shape[1]
def forward(self, z, mu, logvar):
losses = {}
if self.use_bayes_factor_vae0_loss:
self.add_bayes_factor_vae0_loss(losses, mu, logvar)
else:
self.add_kld_loss(losses, mu, logvar)
if self.use_tc_loss:
self.add_tc_loss(losses, z, mu, logvar)
if self.scale_by_batch:
for name, loss in losses.items():
losses[name] = loss / mu.shape[0]
return losses
def _matrix_log_density_gaussian(x, mu, logvar):
"""Calculates log density of a Gaussian for all combination of batch pairs of
`x` and `mu`. I.e. return tensor of shape `(batch_size, batch_size, dim)`
instead of (batch_size, dim) in the usual log density.
Adapted from
https://github.com/YannDubs/disentangling-vae/blob/master/disvae/models/losses.py
under MIT License
Parameters
----------
x: torch.Tensor
Value at which to compute the density. Shape: (batch_size, dim).
mu: torch.Tensor
Mean. Shape: (batch_size, dim).
logvar: torch.Tensor
Log variance. Shape: (batch_size, dim).
"""
batch_size, dim = x.shape
x = x.view(batch_size, 1, dim)
mu = mu.view(1, batch_size, dim)
logvar = logvar.view(1, batch_size, dim)
return _log_density_gaussian(x, mu, logvar)
def _log_density_gaussian(x, mu, logvar):
"""Calculates log density of a Gaussian
Adapted from
https://github.com/YannDubs/disentangling-vae/blob/master/disvae/models/losses.py
under MIT License
Parameters
----------
x: torch.Tensor or np.ndarray or float
Value at which to compute the density.
mu: torch.Tensor or np.ndarray or float
Mean.
logvar: torch.Tensor or np.ndarray or float
Log variance.
"""
normalization = - 0.5 * (math.log(2 * math.pi) + logvar)
inv_var = torch.exp(-logvar)
log_density = normalization - 0.5 * ((x - mu)**2 * inv_var)
return log_density
| 2.5625 | 3 |
catsup/reader/html.py | whtsky/catsup-docs-zh | 0 | 12764699 | from catsup.models import Post
from catsup.utils import to_unicode, ObjectDict
from catsup.reader.utils import split_content, parse_yaml_meta
def html_reader(path):
meta, content = split_content(path)
if not meta:
meta = ObjectDict()
else:
meta = parse_yaml_meta(meta, path)
return Post(
path=path,
meta=meta,
content=to_unicode(content)
)
| 2.296875 | 2 |
automate-package-list-update.py | ZaphodElevated/electric-packages | 1 | 12764700 | import json
import os
os.chdir(r'C:\Users\xtrem\Desktop\electric\Electric Packages\packages')
packages = [ f.replace('.json', '') for f in os.listdir(r'C:\Users\xtrem\Desktop\electric\Electric Packages\packages') ]
print(packages)
data = {
'packages': packages,
}
with open(r'C:\Users\xtrem\Desktop\electric\Electric Packages\package-list.json', 'w+') as f:
f.write(json.dumps(data, indent=4))
os.system('powershell.exe deploy "Update Package List"')
| 2.171875 | 2 |
Face Attendance/data_preparation.py | dipesh-commits/ML_Materials | 1 | 12764701 | import numpy as np
import matplotlib.pyplot as plt
import cv2
import os
from PIL import Image
from mtcnn.mtcnn import MTCNN
train_dir = 'data/train'
valid_dir = 'data/val'
face_detector = MTCNN()
# for i in os.listdir(train_dir):
# print(i)
# my_img = 'data/train/madonna/httpiamediaimdbcomimagesMMVBMTANDQNTAxNDVeQTJeQWpwZBbWUMDIMjQOTYVUXCRALjpg.jpg'
# img = img.convert("RGB")
def extract_faces(filename):
img_path = filename
img = Image.open(img_path)
img = img.convert("RGB")
pixels = np.asarray(img)
results = face_detector.detect_faces(pixels)
x1, y1, width, height = results[0]['box']
x1 = abs(x1)
y1 = abs(y1)
x2,y2 = x1+width, y1+height
face = pixels[y1:y2,x1:x2]
image = Image.fromarray(face)
resized_img = image.resize((160,160))
final_pix = np.asarray(resized_img)
return final_pix
def load_faces(directory):
faces = []
for filename in os.listdir(directory):
path = os.path.join(directory,filename)
face = extract_faces(path)
faces.append(face)
return faces
def load_dataset(directory):
X, y = [], []
for subdir in os.listdir(directory):
path = directory +'/' + subdir + '/'
if not os.path.isdir(path):
continue
faces = load_faces(path)
labels = [subdir for _ in range(len(faces))]
# summarize progress
print('>loaded %d examples for class: %s' % (len(faces), subdir))
# store
X.extend(faces)
y.extend(labels)
return np.asarray(X), np.asarray(y)
# load_dataset(train_dir))
trainX, trainy = load_dataset(train_dir)
print(trainX.shape, trainy.shape)
# load test dataset
testX, testy = load_dataset(valid_dir)
print(testX.shape, testy.shape)
# save arrays to one file in compressed format
# np.savez_compressed('face_test.npz', trainX, trainy, testX, testy)
# plt.imshow(ans)
# plt.show() | 2.828125 | 3 |
rbtools/tests.py | brettdh/rbtools | 0 | 12764702 | <reponame>brettdh/rbtools<gh_stars>0
class OptionsStub(object):
def __init__(self):
self.debug = True
self.guess_summary = False
self.guess_description = False
self.tracking = None
self.username = None
self.password = <PASSWORD>
self.repository_url = None
self.disable_proxy = False
self.summary = None
self.description = None
| 1.773438 | 2 |
code/default/python27/1.0/lib/noarch/utils.py | wuyongwen/XX-Net | 0 | 12764703 | #!/usr/bin/env python
# -*- coding: utf-8 -*-
import re
import os
import threading
g_ip_check = re.compile(r'^(\d{1,3})\.(\d{1,3})\.(\d{1,3})\.(\d{1,3})$')
def check_ip_valid4(ip):
"""检查ipv4地址的合法性"""
ret = g_ip_check.match(ip)
if ret is not None:
"each item range: [0,255]"
for item in ret.groups():
if int(item) > 255:
return 0
return 1
else:
return 0
def check_ip_valid6(ip):
"""Copied from http://stackoverflow.com/a/319293/2755602"""
"""Validates IPv6 addresses.
"""
pattern = re.compile(r"""
^
\s* # Leading whitespace
(?!.*::.*::) # Only a single whildcard allowed
(?:(?!:)|:(?=:)) # Colon iff it would be part of a wildcard
(?: # Repeat 6 times:
[0-9a-f]{0,4} # A group of at most four hexadecimal digits
(?:(?<=::)|(?<!::):) # Colon unless preceeded by wildcard
){6} #
(?: # Either
[0-9a-f]{0,4} # Another group
(?:(?<=::)|(?<!::):) # Colon unless preceeded by wildcard
[0-9a-f]{0,4} # Last group
(?: (?<=::) # Colon iff preceeded by exacly one colon
| (?<!:) #
| (?<=:) (?<!::) : #
) # OR
| # A v4 address with NO leading zeros
(?:25[0-4]|2[0-4]\d|1\d\d|[1-9]?\d)
(?: \.
(?:25[0-4]|2[0-4]\d|1\d\d|[1-9]?\d)
){3}
)
\s* # Trailing whitespace
$
""", re.VERBOSE | re.IGNORECASE | re.DOTALL)
return pattern.match(ip) is not None
def check_ip_valid(ip):
if ':' in ip:
return check_ip_valid6(ip)
else:
return check_ip_valid4(ip)
domain_allowed = re.compile("(?!-)[A-Z\d-]{1,63}(?<!-)$")
def check_domain_valid(hostname):
if len(hostname) > 255:
return False
if hostname.endswith("."):
hostname = hostname[:-1]
return all(domain_allowed.match(x) for x in hostname.split("."))
def str2hex(data):
return ":".join("{:02x}".format(ord(c)) for c in data)
def get_ip_maskc(ip_str):
head = ".".join(ip_str.split(".")[:-1])
return head + ".0"
def split_ip(strline):
"""从每组地址中分离出起始IP以及结束IP"""
begin = ""
end = ""
if "-" in strline:
num_regions = strline.split(".")
if len(num_regions) == 4:
"xxx.xxx.xxx-xxx.xxx-xxx"
begin = ''
end = ''
for region in num_regions:
if '-' in region:
s, e = region.split('-')
begin += '.' + s
end += '.' + e
else:
begin += '.' + region
end += '.' + region
begin = begin[1:]
end = end[1:]
else:
"xxx.xxx.xxx.xxx-xxx.xxx.xxx.xxx"
begin, end = strline.split("-")
if 1 <= len(end) <= 3:
prefix = begin[0:begin.rfind(".")]
end = prefix + "." + end
elif strline.endswith("."):
"xxx.xxx.xxx."
begin = strline + "0"
end = strline + "255"
elif "/" in strline:
"xxx.xxx.xxx.xxx/xx"
(ip, bits) = strline.split("/")
if check_ip_valid4(ip) and (0 <= int(bits) <= 32):
orgip = ip_string_to_num(ip)
end_bits = (1 << (32 - int(bits))) - 1
begin_bits = 0xFFFFFFFF ^ end_bits
begin = ip_num_to_string(orgip & begin_bits)
end = ip_num_to_string(orgip | end_bits)
else:
"xxx.xxx.xxx.xxx"
begin = strline
end = strline
return begin, end
def generate_random_lowercase(n):
min_lc = ord(b'a')
len_lc = 26
ba = bytearray(os.urandom(n))
for i, b in enumerate(ba):
ba[i] = min_lc + b % len_lc # convert 0..255 to 97..122
#sys.stdout.buffer.write(ba)
return ba
class SimpleCondition(object):
def __init__(self):
self.lock = threading.Condition()
def notify(self):
self.lock.acquire()
self.lock.notify()
self.lock.release()
def wait(self):
self.lock.acquire()
self.lock.wait()
self.lock.release()
def split_domain(host):
hl = host.split(".")
return hl[0], ".".join(hl[1:])
def ip_string_to_num(s):
"""Convert dotted IPv4 address to integer."""
return reduce(lambda a, b: a << 8 | b, map(int, s.split(".")))
def ip_num_to_string(ip):
"""Convert 32-bit integer to dotted IPv4 address."""
return ".".join(map(lambda n: str(ip >> n & 0xFF), [24, 16, 8, 0]))
private_ipv4_range = [
("10.0.0.0", "10.255.255.255"),
("127.0.0.0", "127.255.255.255"),
("169.254.0.0", "169.254.255.255"),
("172.16.0.0", "172.31.255.255"),
("192.168.0.0", "192.168.255.255")
]
private_ipv6_range = [
("::1", "::1"),
("fc00::", "fdff:ffff:ffff:ffff:ffff:ffff:ffff:ffff")
]
private_ipv4_range_bin = []
for b, e in private_ipv4_range:
bb = ip_string_to_num(b)
ee = ip_string_to_num(e)
private_ipv4_range_bin.append((bb, ee))
def is_private_ip(ip):
try:
if "." in ip:
ip_bin = ip_string_to_num(ip)
for b, e in private_ipv4_range_bin:
if b <= ip_bin <= e:
return True
return False
else:
if ip == "::1":
return True
fi = ip.find(":")
if fi != 4:
return False
be = ip[0:2]
if be in ["fc", "fd"]:
return True
else:
return False
except Exception as e:
print("is_private_ip(%s), except:%r", ip, e)
return False
if __name__ == '__main__':
print(is_private_ip("fd00:c2b6:b24b:be67:2827:688d:e6a1:6a3b")) | 3.40625 | 3 |
backend/api/migrations/0106_add_fuel_classes.py | amichard/tfrs | 18 | 12764704 | from django.db import migrations
from django.db.migrations import RunPython
def add_fuel_classes(apps, schema_editor):
"""
Creates the fuel classes: Gasoline and Diesel
"""
db_alias = schema_editor.connection.alias
fuel_class = apps.get_model('api', 'FuelClass')
fuel_class.objects.using(db_alias).bulk_create([
fuel_class(
fuel_class="Diesel",
display_order=1,
effective_date='2017-01-01'
),
fuel_class(
fuel_class="Gasoline",
display_order=2,
effective_date='2017-01-01'
)
])
def remove_fuel_classes(apps, schema_editor):
"""
Removes the credit calculation permissions from roles
"""
db_alias = schema_editor.connection.alias
fuel_class = apps.get_model('api', 'FuelClass')
fuel_class.objects.using(db_alias).all().delete()
class Migration(migrations.Migration):
"""
Attaches the functions for the migrations
"""
dependencies = [
('api', '0105_add_credit_calculation_permissions'),
]
operations = [
RunPython(
add_fuel_classes,
remove_fuel_classes
)
]
| 2.078125 | 2 |
PosteMeO/posts/models.py | sjkdm0/LearningDjangoReact | 0 | 12764705 | from django.db import models
from django.contrib.auth.models import User
class PostLike(models.Model):
post = models.ForeignKey("Post", on_delete=models.CASCADE)
user = models.ForeignKey(User, on_delete=models.CASCADE)
timestamp = models.DateTimeField(auto_now_add=True)
class Post(models.Model):
title = models.CharField(max_length=100)
author = models.ForeignKey(User, on_delete=models.CASCADE, null=True)
content = models.CharField(max_length=200)
likes = models.IntegerField(default=0)
created = models.DateTimeField(auto_now_add=True)
liked_by = models.ManyToManyField(User, related_name='like_user', blank=True, through=PostLike)
def __str__(self):
return self.title
| 2.34375 | 2 |
src/apps/inventories/admin.py | Remy-TPP/q-api | 0 | 12764706 | from django.contrib import admin
from apps.inventories.models import Place
@admin.register(Place)
class PlaceAdmin(admin.ModelAdmin):
list_display = ('pk', 'name', 'all_members')
ordering = ('pk',)
def all_members(self, obj):
return '\n'.join([str(member) for member in obj.members.all().distinct()])
| 2.265625 | 2 |
dbus_curio/__init__.py | hugosenari/dbus_curio | 0 | 12764707 | from .auth import auth
from .connection import system_bus, session_bus
__all__ = [auth, system_bus, session_bus]
__author__ = """<NAME>"""
__email__ = '<EMAIL>'
__version__ = '0.1.0'
| 1.335938 | 1 |
tests/validators/test_genomic_substitution.py | cancervariants/varlex | 0 | 12764708 | <reponame>cancervariants/varlex
"""Module for testing Genomic Substitution Validator."""
import unittest
from variation.validators import GenomicSubstitution
from variation.classifiers import GenomicSubstitutionClassifier
from .validator_base import ValidatorBase
class TestGenomicSubstitutionValidator(ValidatorBase, unittest.TestCase):
"""A class to test the Genomic Substitution Validator."""
def validator_instance(self):
"""Return genomic substitution instance."""
return GenomicSubstitution(*self.params)
def classifier_instance(self):
"""Return the genomic substitution classifier instance."""
return GenomicSubstitutionClassifier()
def fixture_name(self):
"""Return the fixture name for genomic substitution."""
return "genomic_substitution"
| 2.46875 | 2 |
s3_log_query/S3LogQuery.py | mikethoun/s3-log-query | 0 | 12764709 | import logging
import boto3
import re
import pandas as pd
import concurrent.futures
from itertools import repeat
from typing import Dict, List, Union
from datetime import datetime
from dateutil.parser import parse
__author__ = "mikethoun"
__copyright__ = "mikethoun"
__license__ = "apache license 2.0"
class LogQuery:
"""
This object fetches, aggregates, and returns log files from S3.
:param Dict[str, str] log_paths: Dict of key-value pairs that represent the server name and the log file path in S3.
:param str s3_bucket: Name of S3 bucket
:param str timestamp_format: Format of timestamps in the log files.
:param str log_format_regex: Regex to split log messages into fields.
:param str fields: List of names that represent log file fields.
"""
def __init__(self, log_paths: Dict[str, str], s3_bucket: str, timestamp_format: str = '%m/%d/%Y %-H:%M:%S.%f',
log_format_regex: str = '\[(.*?)\]|((?<=] ).*$)', fields=None) -> None:
self.s3_bucket = s3_bucket
self.log_paths = log_paths
self.timestamp_format = timestamp_format
self.log_format_regex = log_format_regex
self.fields = ['timestamp', 'severity', 'message', 'server'] if fields is None else fields
@staticmethod
def __create_severity_filter(severity: int) -> str:
"""Creates a severity filter.
This function returns a dynamic SQL string that can be used to filter for messages of a minimum severity
level in S3 Select queries.
:param int severity: Logging level constant for minimum severity to include e.g. logging.WARN
:return: Returns a dynamic SQL WHERE clause condition.
:rtype: str
"""
severity_filter = ""
for k, v in logging._nameToLevel.items():
severity_filter += f" _1 LIKE '%[{k.lower()}]%' OR " if v >= severity else ""
if severity_filter:
return "AND (" + severity_filter[:-3] + ")"
else:
return severity_filter
def __execute_s3select(self, server: str, start_time: str, severity_filter: int, entries: int) -> pd.DataFrame:
"""Execute S3 Select query.
This function executes an S3 Select query and returns the results as a Pandas DataFrame.
:param str server: Name of server.
:param str start_time: Minimum log timestamp to fetch.
:param int severity_filter: Minimum log severity to fetch.
:param int entries: Number of log entries to fetch.
:return: Returns a dataframe containing selected log messages for server.
:rtype: pd.DataFrame
"""
s3 = boto3.session.Session().client('s3')
try:
r = s3.select_object_content(
Bucket=self.s3_bucket,
Key=self.log_paths[server],
ExpressionType='SQL',
Expression=f"select _1 from s3object WHERE _1 >= '[{start_time}]' {severity_filter} LIMIT {entries}",
InputSerialization={'CSV': {"FileHeaderInfo": "NONE"}},
OutputSerialization={'CSV': {}},
)
except s3.exceptions.NoSuchKey:
return pd.DataFrame()
data = []
for event in r['Payload']:
if 'Records' in event:
records = event['Records']['Payload'].decode('utf-8').splitlines()
for x in records:
data.append([''.join(t) for t in re.findall(self.log_format_regex, x)] + [server])
df = pd.DataFrame(data, columns=self.fields)
df.set_index('timestamp', inplace=True)
return df
def query(self, keys: List[str], start: str = None, entries: int = 100, min_severity: int = logging.ERROR,
output: str = 'string') -> Union[str, pd.DataFrame]:
""" Download and aggregate log files from S3.
This function downloads and aggregates log files from S3 using S3 Select and Multi-Threading.
:param str keys: List of server names.
:param str start: Minimum log timestamp to fetch.
:param int entries: Number of log entries to fetch.
:param int min_severity: Minimum log severity to fetch.
:param str output: Determines the type returned by the function. Accepts 'string' or 'dataframe' as an argument.
:return: Returns fetched logged messages.
:rtype: str or pd.DataFrame
"""
start_time = datetime.strftime(parse(start), self.timestamp_format)[:-2]
severity = self.__create_severity_filter(severity=min_severity)
with concurrent.futures.ThreadPoolExecutor() as executor:
results = executor.map(self.__execute_s3select, keys, repeat(start_time), repeat(severity), repeat(entries))
log_df = pd.concat(results)
log_df.sort_index(inplace=True)
if output == 'dataframe':
return log_df
else:
return "No Log Messages Found." if log_df.empty else log_df.to_string()
| 2.640625 | 3 |
TTLin_SingleRead.py | cnourshargh/Bham-ARTIQ-examples | 8 | 12764710 | <gh_stars>1-10
from artiq.experiment import * #imports everything from artiq experiment library
#This code takes a single read from TTL0 and prints the voltage
class TTL_Input_Read(EnvExperiment):
"""TTL Input Read"""
def build(self): #This code runs on the host device
self.setattr_device("core") #sets drivers for core device as attributes
self.setattr_device("ttl0") #sets drivers for TTL0 as attributes
@kernel #this code runs on the FPGA
def run(self):
self.core.reset() #resets core device
self.ttl0.input() #sets TTL0 as an input
self.core.break_realtime() #moves timestamp forward to prevent underflow
#this can also be achieved with a fixed delay
self.ttl0.sample_input() #reads current value of TTL0
input = self.ttl0.sample_get() #stores value of TTL0 as input varibale
print(input) #prints value of input variable | 2.84375 | 3 |
profiles_api/urls.py | aman162000/rest-api | 0 | 12764711 | from django.urls import path
from .views import HelloApiView
urlpatterns = [
path('hello/',HelloApiView.as_view())
] | 1.609375 | 2 |
cngi/vis/ddijoin.py | wxiongccnu1990/cngi_prototype | 0 | 12764712 | <filename>cngi/vis/ddijoin.py
# Copyright 2019 AUI, Inc. Washington DC, USA
#
# 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.
########################
def ddijoin(xds1, xds2):
"""
.. todo::
This function is not yet implemented
Concatenate together two Visibility Datasets of compatible shape
Parameters
----------
xds1 : xarray.core.dataset.Dataset
first Visibility Dataset to join
xds2 : xarray.core.dataset.Dataset
second Visibility Dataset to join
Returns
-------
xarray.core.dataset.Dataset
New Visibility Dataset with combined contents
"""
return {}
| 1.875 | 2 |
config/product/product_config.py | Eastwu5788/Heron | 7 | 12764713 | """
生产环境的配置文件
配置内容:
1. MySQL
2. Redis
3. Memcached
4. Other
"""
from config.base.base_config import BaseConfig
class ProductConfig(BaseConfig):
@staticmethod
def init_app(app):
pass
| 2.28125 | 2 |
video_only/pl_trainer.py | bennzo/deep_avsr | 0 | 12764714 | import time
import os
import glob
import gc
import numpy as np
import torch
import torch.optim as optim
import torch.nn as nn
import pytorch_lightning as pl
import pytorch_lightning.loggers as pl_loggers
import pytorch_lightning.callbacks as pl_callbacks
from torch.utils.data import DataLoader
from config_modified import args
from models.video_net import VideoNet
from data.lrs2_dataset import LRS2Pretrain, LRS2Main
from data.utils import collate_fn
from utils.metrics import compute_cer, compute_wer
from utils.decoders import ctc_greedy_decode, ctc_search_decode
class VideoNetDataModule(pl.LightningDataModule):
def __init__(self, data_cfg):
# TODO: Change cfg to regular argument names
super().__init__()
self.data_cfg = data_cfg
self.videoParams = {"videoFPS": self.data_cfg["VIDEO_FPS"]}
self.gpuAvailable = torch.cuda.is_available()
self.data_cls = LRS2Pretrain if self.data_cfg["PRETRAIN"] else LRS2Main
if self.data_cfg["PRETRAIN"]:
self.trainData = LRS2Pretrain("pretrain",
self.data_cfg["DATA_DIRECTORY"],
self.data_cfg["PRETRAIN_NUM_WORDS"],
self.data_cfg["CHAR_TO_INDEX"],
self.data_cfg["STEP_SIZE"],
self.videoParams)
self.valData = LRS2Pretrain("preval",
self.data_cfg["DATA_DIRECTORY"],
self.data_cfg["PRETRAIN_NUM_WORDS"],
self.data_cfg["CHAR_TO_INDEX"],
self.data_cfg["STEP_SIZE"],
self.videoParams)
else:
self.trainData = LRS2Main("train",
self.data_cfg["DATA_DIRECTORY"],
self.data_cfg["MAIN_REQ_INPUT_LENGTH"],
self.data_cfg["CHAR_TO_INDEX"],
self.data_cfg["STEP_SIZE"],
self.videoParams)
self.valData = LRS2Main("val",
self.data_cfg["DATA_DIRECTORY"],
self.data_cfg["MAIN_REQ_INPUT_LENGTH"],
self.data_cfg["CHAR_TO_INDEX"],
self.data_cfg["STEP_SIZE"],
self.videoParams)
def train_dataloader(self) -> DataLoader:
kwargs = {"num_workers": self.data_cfg["NUM_WORKERS"], "pin_memory": True} if self.gpuAvailable else {}
trainLoader = DataLoader(self.trainData,
batch_size=self.data_cfg["BATCH_SIZE"],
collate_fn=collate_fn,
shuffle=True,
**kwargs)
return trainLoader
def val_dataloader(self) -> DataLoader:
kwargs = {"num_workers": self.data_cfg["NUM_WORKERS"], "pin_memory": True} if self.gpuAvailable else {}
valLoader = DataLoader(self.valData,
batch_size=self.data_cfg["BATCH_SIZE"],
collate_fn=collate_fn,
shuffle=True,
**kwargs)
return valLoader
class VideoNetPL(pl.LightningModule):
def __init__(self, net_class, net_cfg, train_cfg):
super().__init__()
self.net_cfg = net_cfg
self.train_cfg = train_cfg
self.loss_fn = nn.CTCLoss(blank=0, zero_infinity=False)
self.model = net_class(**net_cfg)
def forward(self, inputBatch):
outputBatch = self.model(inputBatch)
return outputBatch
def training_step(self, batch, batch_idx):
trainParams = {"spaceIx": args["CHAR_TO_INDEX"][" "],
"eosIx": args["CHAR_TO_INDEX"]["<EOS>"]}
inputBatch, targetBatch, inputLenBatch, targetLenBatch = batch
inputBatch, targetBatch = inputBatch.float(), targetBatch.int()
inputLenBatch, targetLenBatch = inputLenBatch.int(), targetLenBatch.int()
outputBatch = self.model(inputBatch)
with torch.backends.cudnn.flags(enabled=False):
loss = self.loss_fn(outputBatch, targetBatch, inputLenBatch, targetLenBatch)
trainingLoss = loss
predictionBatch, predictionLenBatch = ctc_greedy_decode(outputBatch.detach(),
inputLenBatch,
trainParams["eosIx"])
trainingCER = compute_cer(predictionBatch,
targetBatch,
predictionLenBatch,
targetLenBatch)
trainingWER = compute_wer(predictionBatch,
targetBatch,
predictionLenBatch,
targetLenBatch,
trainParams["spaceIx"])
self.log('train_loss', trainingLoss, prog_bar=True)
self.log('train_wer', trainingWER, prog_bar=True)
self.log('train_cer', trainingCER, prog_bar=True)
return trainingLoss
def validation_step(self, batch, batch_idx):
evalParams = {"decodeScheme": "greedy",
"spaceIx": args["CHAR_TO_INDEX"][" "],
"eosIx": args["CHAR_TO_INDEX"]["<EOS>"]}
inputBatch, targetBatch, inputLenBatch, targetLenBatch = batch
inputBatch, targetBatch = inputBatch.float(), targetBatch.int()
inputLenBatch, targetLenBatch = inputLenBatch.int(), targetLenBatch.int()
outputBatch = self.model(inputBatch)
with torch.backends.cudnn.flags(enabled=False):
loss = self.loss_fn(outputBatch, targetBatch, inputLenBatch, targetLenBatch)
evalLoss = loss
if evalParams["decodeScheme"] == "greedy":
predictionBatch, predictionLenBatch = ctc_greedy_decode(outputBatch,
inputLenBatch,
evalParams["eosIx"])
elif evalParams["decodeScheme"] == "search":
predictionBatch, predictionLenBatch = ctc_search_decode(outputBatch,
inputLenBatch,
evalParams["beamSearchParams"],
evalParams["spaceIx"],
evalParams["eosIx"],
evalParams["lm"])
else:
print("Invalid Decode Scheme")
exit()
evalCER = compute_cer(predictionBatch,
targetBatch,
predictionLenBatch,
targetLenBatch)
evalWER = compute_wer(predictionBatch,
targetBatch,
predictionLenBatch,
targetLenBatch,
evalParams["spaceIx"])
self.log('val_loss', evalLoss, prog_bar=True)
self.log('val_wer', evalWER, prog_bar=True)
self.log('val_cer', evalCER, prog_bar=True)
return evalLoss
def configure_optimizers(self):
optimizer = optim.Adam(self.model.parameters(),
lr=self.train_cfg["INIT_LR"],
betas=(self.train_cfg["MOMENTUM1"], self.train_cfg["MOMENTUM2"]))
scheduler = optim.lr_scheduler.ReduceLROnPlateau(optimizer,
mode="min",
factor=self.train_cfg["LR_SCHEDULER_FACTOR"],
patience=self.train_cfg["LR_SCHEDULER_WAIT"],
threshold=self.train_cfg["LR_SCHEDULER_THRESH"],
threshold_mode="abs",
min_lr=self.train_cfg["FINAL_LR"],
verbose=True)
return {
"optimizer": optimizer,
"lr_scheduler": scheduler,
"monitor": "val_wer"
}
def train_step(args, timestr='', best_ckpt=None):
data_cfg = {
"VIDEO_FPS": args["VIDEO_FPS"],
"DATA_DIRECTORY": args["DATA_DIRECTORY"],
"PRETRAIN_NUM_WORDS": args["PRETRAIN_NUM_WORDS"],
"CHAR_TO_INDEX": args["CHAR_TO_INDEX"],
"STEP_SIZE": args["STEP_SIZE"],
"NUM_WORKERS": args["NUM_WORKERS"],
"BATCH_SIZE": args["BATCH_SIZE"],
"PRETRAIN": args["PRETRAIN"]
}
train_cfg = {
"INIT_LR": args["INIT_LR"],
"MOMENTUM1": args["MOMENTUM1"],
"MOMENTUM2": args["MOMENTUM2"],
"LR_SCHEDULER_FACTOR": args["LR_SCHEDULER_FACTOR"],
"LR_SCHEDULER_WAIT": args["LR_SCHEDULER_WAIT"],
"LR_SCHEDULER_THRESH": args["LR_SCHEDULER_THRESH"],
"FINAL_LR": args["FINAL_LR"],
}
net_cfg = {
"dModel": args["TX_NUM_FEATURES"],
"nHeads": args["TX_ATTENTION_HEADS"],
"numLayers": args["TX_NUM_LAYERS"],
"peMaxLen": args["PE_MAX_LENGTH"],
"fcHiddenSize": args["TX_FEEDFORWARD_DIM"],
"dropout": args["TX_DROPOUT"],
"numClasses": args["NUM_CLASSES"]
}
logger = pl_loggers.NeptuneLogger(
project_name='benso/deep-avsr',
experiment_name=f'video_only_curriculum',
params=args,
tags={'start_date': timestr}
)
model_checkpoint = pl_callbacks.ModelCheckpoint(
filename=args["NUM_WORDS"] + '/{epoch:02d}-{val_wer:.2f}',
save_weights_only=True,
save_top_k=3,
monitor='val_wer',
period=1
)
trainer = pl.Trainer(
logger=logger,
checkpoint_callback=model_checkpoint,
gpus=2,
auto_select_gpus=False,
max_epochs=args["NUM_STEPS"],
accelerator=args["ACCELERATOR"],
resume_from_checkpoint=best_ckpt
)
data = VideoNetDataModule(data_cfg=data_cfg)
network = VideoNetPL(net_class=VideoNet, net_cfg=net_cfg, train_cfg=train_cfg)
trainer.fit(model=network, datamodule=data)
return model_checkpoint.best_model_path
def curriculum(args):
PRETRAIN_NUM_WORDS = [1, 2, 3, 5, 7, 9, 11, 13, 17, 21, 29, 37, 0]
PRETRAIN_CONFIG = {
1: {'PRETRAIN': True, 'PRETRAIN_NUM_WORDS': 1, 'BATCH_SIZE': 32,},
2: {'PRETRAIN': True, 'PRETRAIN_NUM_WORDS': 2, 'BATCH_SIZE': 32},
3: {'PRETRAIN': True, 'PRETRAIN_NUM_WORDS': 3, 'BATCH_SIZE': 32},
5: {'PRETRAIN': True, 'PRETRAIN_NUM_WORDS': 5, 'BATCH_SIZE': 32},
7: {'PRETRAIN': True, 'PRETRAIN_NUM_WORDS': 7, 'BATCH_SIZE': 32},
9: {'PRETRAIN': True, 'PRETRAIN_NUM_WORDS': 9, 'BATCH_SIZE': 32},
11: {'PRETRAIN': True, 'PRETRAIN_NUM_WORDS': 11, 'BATCH_SIZE': 32},
13: {'PRETRAIN': True, 'PRETRAIN_NUM_WORDS': 13, 'BATCH_SIZE': 32},
17: {'PRETRAIN': True, 'PRETRAIN_NUM_WORDS': 17, 'BATCH_SIZE': 32},
21: {'PRETRAIN': True, 'PRETRAIN_NUM_WORDS': 21, 'BATCH_SIZE': 32},
29: {'PRETRAIN': True, 'PRETRAIN_NUM_WORDS': 29, 'BATCH_SIZE': 32},
37: {'PRETRAIN': True, 'PRETRAIN_NUM_WORDS': 37, 'BATCH_SIZE': 32},
0: {'PRETRAIN': False, 'PRETRAIN_NUM_WORDS': 0, 'BATCH_SIZE': 32},
}
# Create parent directory for the checkpoints of this curriculum run
timestr = time.strftime("%Y%m%d-%H%M%S")
# Start curriculum learning loop
best_ckpt = None
for n, num_words in enumerate(PRETRAIN_NUM_WORDS):
train_over = False
while not train_over:
cfg = args.copy()
cfg.update(PRETRAIN_CONFIG[num_words])
try:
best_ckpt = train_step(args=cfg, timestr=timestr, best_ckpt=best_ckpt)
train_over = True
except RuntimeError as e:
print(f"Runtime Error... Trying Again: \n{e}")
PRETRAIN_CONFIG[num_words]['BATCH_SIZE'] //= 2
torch.cuda.empty_cache()
gc.collect()
if __name__ == '__main__':
np.random.seed(args["SEED"])
torch.manual_seed(args["SEED"])
torch.backends.cudnn.deterministic = True
torch.backends.cudnn.benchmark = False
curriculum(args) | 1.992188 | 2 |
452_Minimum-Number-of-Arrows-to-Burst-Balloons.py | Coalin/Daily-LeetCode-Exercise | 3 | 12764715 | <reponame>Coalin/Daily-LeetCode-Exercise
# Attempt I: 贪心的思路,方法错。维护一个静态dict不能保证每次remove后余下的序列仍保持有序。
# class Solution:
# def findMinArrowShots(self, points):
# """
# :type points: List[List[int]]
# :rtype: int
# """
# left = 10000
# right = -10000
# for i in range(len(points)):
# left = min(left, points[i][0])
# right = max(right, points[i][1])
# poi_dic = dict()
# poi_dic_len = dict()
# count = 0
# for j in range(len(points)):
# for x in range(points[j][0], points[j][1]+1):
# if x in poi_dic:
# poi_dic[x].append(points[j])
# else:
# poi_dic[x] = [points[j]]
# for key in poi_dic:
# poi_dic_len[key] = len(poi_dic[key])
# arror = self.sort_by_value(poi_dic_len)
# print(arror)
# for y in arror:
# if not points:
# return count
# intersect = False
# for n in points:
# if n in poi_dic[y]:
# intersect = True
# break
# if intersect:
# count += 1
# for m in poi_dic[y]:
# try:
# points.remove(m)
# except:
# pass
# def sort_by_value(self, d):
# items=d.items()
# backitems=[[v[1], v[0]] for v in items]
# backitems = sorted(backitems, reverse=True)
# return [backitems[i][1] for i in range(len(backitems))]
# Attempt II:AC
class Solution:
def findMinArrowShots(self, points):
"""
:type points: List[List[int]]
:rtype: int
"""
if not points:
return 0
points = sorted(points, key=lambda Interval: Interval[0])
count = 1
ref = points[0]
for i in range(1, len(points)):
if points[i][0] > ref[1]:
count += 1
ref = points[i]
else:
if points[i][1] < ref[1]:
ref = [points[i][0], points[i][1]]
return count
| 3.296875 | 3 |
py-polars/polars/internals/construction.py | mahadeveaswar/polars | 0 | 12764716 | <reponame>mahadeveaswar/polars
import warnings
from datetime import date, datetime, timedelta
from itertools import zip_longest
from typing import (
TYPE_CHECKING,
Any,
Dict,
Iterable,
List,
Optional,
Sequence,
Tuple,
Type,
Union,
)
import numpy as np
from polars import internals as pli
from polars.datatypes import (
Categorical,
DataType,
Date,
Datetime,
Duration,
Float32,
Time,
py_type_to_arrow_type,
py_type_to_dtype,
)
from polars.datatypes_constructor import (
numpy_type_to_constructor,
polars_type_to_constructor,
py_type_to_constructor,
)
try:
from polars.polars import PyDataFrame, PySeries
_DOCUMENTING = False
except ImportError: # pragma: no cover
_DOCUMENTING = True
if TYPE_CHECKING: # pragma: no cover
import pandas as pd
import pyarrow as pa
_PYARROW_AVAILABLE = True
else:
try:
import pyarrow as pa
_PYARROW_AVAILABLE = True
except ImportError: # pragma: no cover
_PYARROW_AVAILABLE = False
ColumnsType = Union[
Union[List[str], Sequence[str]], # ['x','y','z']
Dict[str, Type[DataType]], # {'x':date,'y':str,'z':int}
Sequence[Tuple[str, Type[DataType]]], # [('x',date),('y',str),('z',int)]
]
################################
# Series constructor interface #
################################
def series_to_pyseries(
name: str,
values: "pli.Series",
) -> "PySeries":
"""
Construct a PySeries from a Polars Series.
"""
values.rename(name, in_place=True)
return values.inner()
def arrow_to_pyseries(
name: str, values: "pa.Array", rechunk: bool = True
) -> "PySeries":
"""
Construct a PySeries from an Arrow array.
"""
array = coerce_arrow(values)
if hasattr(array, "num_chunks"):
if array.num_chunks > 1:
it = array.iterchunks()
pys = PySeries.from_arrow(name, next(it))
for a in it:
pys.append(PySeries.from_arrow(name, a))
else:
pys = PySeries.from_arrow(name, array.combine_chunks())
if rechunk:
pys.rechunk(in_place=True)
return pys
return PySeries.from_arrow(name, array)
def numpy_to_pyseries(
name: str, values: np.ndarray, strict: bool = True, nan_to_null: bool = False
) -> "PySeries":
"""
Construct a PySeries from a numpy array.
"""
if not values.flags["C_CONTIGUOUS"]:
values = np.array(values)
if len(values.shape) == 1:
dtype = values.dtype.type
if dtype == np.float16:
values = values.astype(np.float32)
dtype = values.dtype.type
constructor = numpy_type_to_constructor(dtype)
if dtype == np.float32 or dtype == np.float64:
return constructor(name, values, nan_to_null)
else:
return constructor(name, values, strict)
else:
return PySeries.new_object(name, values, strict)
def _get_first_non_none(values: Sequence[Optional[Any]]) -> Any:
"""
Return the first value from a sequence that isn't None.
If sequence doesn't contain non-None values, return None.
"""
return next((v for v in values if v is not None), None)
def sequence_from_anyvalue_or_object(name: str, values: Sequence[Any]) -> "PySeries":
"""
Last resort conversion. AnyValues are most flexible and if they fail we go for object types
"""
try:
return PySeries.new_from_anyvalues(name, values)
# raised if we cannot convert to Wrap<AnyValue>
except RuntimeError:
return PySeries.new_object(name, values, False)
def sequence_to_pyseries(
name: str,
values: Sequence[Any],
dtype: Optional[Type[DataType]] = None,
strict: bool = True,
) -> "PySeries":
"""
Construct a PySeries from a sequence.
"""
# Empty sequence defaults to Float32 type
if not values and dtype is None:
dtype = Float32
if dtype is not None:
constructor = polars_type_to_constructor(dtype)
pyseries = constructor(name, values, strict)
if dtype in (Date, Datetime, Duration, Time, Categorical):
pyseries = pyseries.cast(dtype, True)
return pyseries
else:
value = _get_first_non_none(values)
dtype_ = type(value) if value is not None else float
if dtype_ in {date, datetime, timedelta}:
if not _PYARROW_AVAILABLE: # pragma: no cover
raise ImportError(
"'pyarrow' is required for converting a Sequence of date or datetime values to a PySeries."
)
# let arrow infer dtype if not timedelta
# arrow uses microsecond durations by default, not supported yet.
return arrow_to_pyseries(name, pa.array(values))
elif dtype_ == list or dtype_ == tuple:
nested_value = _get_first_non_none(value)
nested_dtype = type(nested_value) if value is not None else float
# recursively call Series constructor
if nested_dtype == list:
return sequence_to_pyseries(
name=name,
values=[
sequence_to_pyseries(name, seq, dtype=None, strict=strict)
for seq in values
],
dtype=None,
strict=strict,
)
# logs will show a panic if we infer wrong dtype
# and its hard to error from rust side
# to reduce the likelihood of this happening
# we infer the dtype of first 100 elements
# if all() fails, we will hit the PySeries.new_object
if not _PYARROW_AVAILABLE:
# check lists for consistent inner types
if isinstance(value, list):
count = 0
equal_to_inner = True
for lst in values:
for vl in lst:
equal_to_inner = type(vl) == nested_dtype
if not equal_to_inner or count > 50:
break
count += 1
if equal_to_inner:
dtype = py_type_to_dtype(nested_dtype)
try:
return PySeries.new_list(name, values, dtype)
except BaseException:
pass
# pass we create an object if we get here
else:
try:
nested_arrow_dtype = py_type_to_arrow_type(nested_dtype)
except ValueError: # pragma: no cover
return sequence_from_anyvalue_or_object(name, values)
try:
arrow_values = pa.array(values, pa.large_list(nested_arrow_dtype))
return arrow_to_pyseries(name, arrow_values)
except pa.lib.ArrowInvalid:
pass
# Convert mixed sequences like `[[12], "foo", 9]`
return PySeries.new_object(name, values, strict)
elif dtype_ == pli.Series:
return PySeries.new_series_list(name, [v.inner() for v in values], strict)
elif dtype_ == PySeries:
return PySeries.new_series_list(name, values, strict)
else:
constructor = py_type_to_constructor(dtype_)
if constructor == PySeries.new_object:
try:
return PySeries.new_from_anyvalues(name, values)
# raised if we cannot convert to Wrap<AnyValue>
except RuntimeError:
return sequence_from_anyvalue_or_object(name, values)
return constructor(name, values, strict)
def _pandas_series_to_arrow(
values: Union["pd.Series", "pd.DatetimeIndex"],
nan_to_none: bool = True,
min_len: Optional[int] = None,
) -> "pa.Array":
"""
Convert a pandas Series to an Arrow Array.
Parameters
----------
values
Series to convert to arrow
nan_to_none
Interpret `NaN` as missing values
min_len
in case of null values, this length will be used to create a dummy f64 array (with all values set to null)
Returns
-------
"""
dtype = values.dtype
if dtype == "object" and len(values) > 0:
if isinstance(_get_first_non_none(values.values), str): # type: ignore
return pa.array(values, pa.large_utf8(), from_pandas=nan_to_none)
# array is null array, we set to a float64 array
if values.values[0] is None and min_len is not None:
return pa.nulls(min_len, pa.float64())
else:
return pa.array(values, from_pandas=nan_to_none)
else:
return pa.array(values, from_pandas=nan_to_none)
def pandas_to_pyseries(
name: str, values: Union["pd.Series", "pd.DatetimeIndex"], nan_to_none: bool = True
) -> "PySeries":
"""
Construct a PySeries from a pandas Series or DatetimeIndex.
"""
if not _PYARROW_AVAILABLE: # pragma: no cover
raise ImportError(
"'pyarrow' is required when constructing a PySeries from a pandas Series."
)
# TODO: Change `if not name` to `if name is not None` once name is Optional[str]
if not name and values.name is not None:
name = str(values.name)
return arrow_to_pyseries(
name, _pandas_series_to_arrow(values, nan_to_none=nan_to_none)
)
###################################
# DataFrame constructor interface #
###################################
def _handle_columns_arg(
data: List["PySeries"],
columns: Optional[Sequence[str]] = None,
) -> List["PySeries"]:
"""
Rename data according to columns argument.
"""
if not columns:
return data
else:
if not data:
return [pli.Series(c, None).inner() for c in columns]
elif len(data) == len(columns):
for i, c in enumerate(columns):
data[i].rename(c)
return data
else:
raise ValueError("Dimensions of columns arg must match data dimensions.")
def _post_apply_columns(
pydf: "PyDataFrame",
columns: ColumnsType,
) -> "PyDataFrame":
"""
Apply 'columns' param _after_ PyDataFrame creation (if no alternative).
"""
pydf_columns, pydf_dtypes = pydf.columns(), pydf.dtypes()
columns, dtypes = _unpack_columns(columns or pydf_columns)
if columns != pydf_columns:
pydf.set_column_names(columns)
column_casts = [
pli.col(col).cast(dtypes[col])._pyexpr
for i, col in enumerate(columns)
if col in dtypes and dtypes[col] != pydf_dtypes[i]
]
if column_casts:
pydf = pydf.lazy().with_columns(column_casts).collect()
return pydf
def _unpack_columns(
columns: Optional[ColumnsType],
lookup_names: Optional[Iterable[str]] = None,
n_expected: Optional[int] = None,
) -> Tuple[List[str], Dict[str, Type[DataType]]]:
"""
Unpack column names and create dtype lookup for any (name,dtype) pairs or schema dict input.
"""
if isinstance(columns, dict):
columns = list(columns.items())
column_names = [
(col or f"column_{i}") if isinstance(col, str) else col[0]
for i, col in enumerate((columns or []))
]
if not column_names and n_expected:
column_names = [f"column_{i}" for i in range(n_expected)]
lookup = {
col: name for col, name in zip_longest(column_names, lookup_names or []) if name
}
return (
column_names or None, # type: ignore[return-value]
{
lookup.get(col[0], col[0]): col[1]
for col in (columns or [])
if not isinstance(col, str) and col[1]
},
)
def dict_to_pydf(
data: Dict[str, Sequence[Any]],
columns: Optional[ColumnsType] = None,
) -> "PyDataFrame":
"""
Construct a PyDataFrame from a dictionary of sequences.
"""
if columns is not None:
# the columns arg may also set the dtype of the series
columns, dtypes = _unpack_columns(columns, lookup_names=data.keys())
if not data and dtypes:
data_series = [
pli.Series(name, [], dtypes.get(name)).inner() for name in columns
]
else:
data_series = [
pli.Series(name, values, dtypes.get(name)).inner()
for name, values in data.items()
]
data_series = _handle_columns_arg(data_series, columns=columns)
return PyDataFrame(data_series)
# fast path
return PyDataFrame.read_dict(data)
def numpy_to_pydf(
data: np.ndarray,
columns: Optional[ColumnsType] = None,
orient: Optional[str] = None,
) -> "PyDataFrame":
"""
Construct a PyDataFrame from a numpy ndarray.
"""
shape = data.shape
n_columns = (
0
if shape == (0,)
else (
1
if len(shape) == 1
else (shape[1] if orient in ("row", None) else shape[0])
)
)
columns, dtypes = _unpack_columns(columns, n_expected=n_columns)
if columns and len(columns) != n_columns:
raise ValueError("Dimensions of columns arg must match data dimensions.")
if shape == (0,):
data_series = []
elif len(shape) == 1:
data_series = [pli.Series(columns[0], data, dtypes.get(columns[0])).inner()]
elif len(shape) == 2:
# Infer orientation
if orient is None:
warnings.warn(
"Default orientation for constructing DataFrame from numpy "
'array will change from "row" to "column" in a future version. '
"Specify orientation explicitly to silence this warning.",
DeprecationWarning,
stacklevel=2,
)
orient = "row"
# Exchange if-block above for block below when removing warning
# if orientation is None and columns is not None:
# orientation = "col" if len(columns) == shape[0] else "row"
if orient == "row":
data_series = [
pli.Series(columns[i], data[:, i], dtypes.get(columns[i])).inner()
for i in range(n_columns)
]
else:
data_series = [
pli.Series(columns[i], data[i], dtypes.get(columns[i])).inner()
for i in range(n_columns)
]
else:
raise ValueError("A numpy array should not have more than two dimensions.")
data_series = _handle_columns_arg(data_series, columns=columns)
return PyDataFrame(data_series)
def sequence_to_pydf(
data: Sequence[Any],
columns: Optional[ColumnsType] = None,
orient: Optional[str] = None,
) -> "PyDataFrame":
"""
Construct a PyDataFrame from a sequence.
"""
data_series: List["PySeries"]
if len(data) == 0:
return dict_to_pydf({}, columns=columns)
elif isinstance(data[0], pli.Series):
series_names = [s.name for s in data]
columns, dtypes = _unpack_columns(columns or series_names, n_expected=len(data))
data_series = []
for i, s in enumerate(data):
if not s.name: # TODO: Replace by `if s.name is None` once allowed
s.rename(columns[i], in_place=True)
new_dtype = dtypes.get(columns[i])
if new_dtype and new_dtype != s.dtype:
s = s.cast(new_dtype)
data_series.append(s.inner())
elif isinstance(data[0], dict):
pydf = PyDataFrame.read_dicts(data)
if columns:
pydf = _post_apply_columns(pydf, columns)
return pydf
elif isinstance(data[0], Sequence) and not isinstance(data[0], str):
# Infer orientation
if orient is None and columns is not None:
orient = "col" if len(columns) == len(data) else "row"
if orient == "row":
pydf = PyDataFrame.read_rows(data)
if columns:
pydf = _post_apply_columns(pydf, columns)
return pydf
else:
columns, dtypes = _unpack_columns(columns, n_expected=len(data))
data_series = [
pli.Series(columns[i], data[i], dtypes.get(columns[i])).inner()
for i in range(len(data))
]
else:
columns, dtypes = _unpack_columns(columns, n_expected=1)
data_series = [pli.Series(columns[0], data, dtypes.get(columns[0])).inner()]
data_series = _handle_columns_arg(data_series, columns=columns)
return PyDataFrame(data_series)
def arrow_to_pydf(
data: "pa.Table", columns: Optional[ColumnsType] = None, rechunk: bool = True
) -> "PyDataFrame":
"""
Construct a PyDataFrame from an Arrow Table.
"""
if not _PYARROW_AVAILABLE: # pragma: no cover
raise ImportError(
"'pyarrow' is required when constructing a PyDataFrame from an Arrow Table."
)
original_columns = columns
if columns is not None:
columns, dtypes = _unpack_columns(columns)
try:
data = data.rename_columns(columns)
except pa.lib.ArrowInvalid as e:
raise ValueError(
"Dimensions of columns arg must match data dimensions."
) from e
data_dict = {}
# dictionaries cannot be build in different batches (categorical does not allow that)
# so we rechunk them and create them separate.
dictionary_cols = {}
names = []
for i, column in enumerate(data):
# extract the name before casting
if column._name is None:
name = f"column_{i}"
else:
name = column._name
names.append(name)
column = coerce_arrow(column)
if pa.types.is_dictionary(column.type):
ps = arrow_to_pyseries(name, column, rechunk)
dictionary_cols[i] = pli.wrap_s(ps)
else:
data_dict[name] = column
if len(data_dict) > 0:
tbl = pa.table(data_dict)
# path for table without rows that keeps datatype
if tbl.shape[0] == 0:
pydf = pli.DataFrame._from_pandas(tbl.to_pandas())._df
else:
pydf = PyDataFrame.from_arrow_record_batches(tbl.to_batches())
else:
pydf = pli.DataFrame([])._df
if rechunk:
pydf = pydf.rechunk()
if len(dictionary_cols) > 0:
df = pli.wrap_df(pydf)
df = df.with_columns(
[pli.lit(s).alias(s.name) for s in dictionary_cols.values()]
)
df = df[names]
pydf = df._df
if columns is not None and dtypes and original_columns:
pydf = _post_apply_columns(pydf, original_columns)
return pydf
def series_to_pydf(
data: "pli.Series",
columns: Optional[ColumnsType] = None,
) -> "PyDataFrame":
"""
Construct a PyDataFrame from a Polars Series.
"""
data_series = [data.inner()]
series_name = [s.name() for s in data_series]
columns, dtypes = _unpack_columns(columns or series_name, n_expected=1)
if dtypes:
new_dtype = list(dtypes.values())[0]
if new_dtype != data.dtype:
data_series[0] = data_series[0].cast(new_dtype, True)
data_series = _handle_columns_arg(data_series, columns=columns)
return PyDataFrame(data_series)
def pandas_to_pydf(
data: "pd.DataFrame",
columns: Optional[ColumnsType] = None,
rechunk: bool = True,
nan_to_none: bool = True,
) -> "PyDataFrame":
"""
Construct a PyDataFrame from a pandas DataFrame.
"""
if not _PYARROW_AVAILABLE: # pragma: no cover
raise ImportError(
"'pyarrow' is required when constructing a PyDataFrame from a pandas DataFrame."
)
length = data.shape[0]
arrow_dict = {
str(col): _pandas_series_to_arrow(
data[col], nan_to_none=nan_to_none, min_len=length
)
for col in data.columns
}
arrow_table = pa.table(arrow_dict)
return arrow_to_pydf(arrow_table, columns=columns, rechunk=rechunk)
def coerce_arrow(array: "pa.Array", rechunk: bool = True) -> "pa.Array":
# note: Decimal256 could not be cast to float
if isinstance(array.type, pa.Decimal128Type):
array = pa.compute.cast(array, pa.float64())
if hasattr(array, "num_chunks") and array.num_chunks > 1 and rechunk:
# small integer keys can often not be combined, so let's already cast
# to the uint32 used by polars
if pa.types.is_dictionary(array.type) and (
pa.types.is_int8(array.type.index_type)
or pa.types.is_uint8(array.type.index_type)
or pa.types.is_int16(array.type.index_type)
or pa.types.is_uint16(array.type.index_type)
or pa.types.is_int32(array.type.index_type)
):
array = pa.compute.cast(
array, pa.dictionary(pa.uint32(), pa.large_string())
).combine_chunks()
return array
| 2.1875 | 2 |
notebooks/parallelcluster/pcluster_athena.py | curtisdarst/aws-research-workshops | 3 | 12764717 | <filename>notebooks/parallelcluster/pcluster_athena.py
#!/usr/bin/python
#
# Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.
#
# 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.
#
# 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.
#
# The sample code; software libraries; command line tools; proofs of concept; templates; or other related technology (including any of the
# foregoing that are provided by our personnel) is provided to you as AWS Content under the AWS Customer Agreement, or the relevant
# written agreement between you and AWS (whichever applies). You should not use this AWS Content in your production accounts, or on
# production or other critical data. You are responsible for testing, securing, and optimizing the AWS Content, such as sample code, as
# appropriate for production grade use based on your specific quality control practices and standards. Deploying AWS Content may incur AWS
# charges for creating or using AWS chargeable resources, such as running Amazon EC2 instances or using Amazon S3 storage.
# Introduction to AWS ParallelCluster
# This script is the same as the walk through in pcluster-athena++ notebook.
# It's used to hide the followign the "boring" stuff - if you want to get to running jobs on ParallalCluster
# 1. Creation of S3 bucket, VPC, SSH key, MySQL database for Slurmdbd
# 2. Creation of ParallelCluster with post_install_script
#
# ## Create a cluster
# If you have not installed aws-parallelcluster commandline tool, uncomment the next line of code and executed it. You only need to do it once.
#
# As an alternative, you can create a IAM user that has the policies mentioned above, and add the aws_access_key_id and aws_secret_access_key in the [aws] section of the following config file.
import boto3
import botocore
import json
import time
import os
import subprocess
import base64
import docker
import pandas as pd
import importlib
import project_path # path to helper methods
from lib import workshop
from botocore.exceptions import ClientError
import requests
from IPython.display import HTML, display
class PClusterHelper:
def __init__(self, pcluster_name, config_name, post_install_script, dbd_host='localhost', federation_name=''):
self.my_account_id = boto3.client('sts').get_caller_identity().get('Account')
self.session = boto3.session.Session()
self.region = self.session.region_name
self.pcluster_name = pcluster_name
self.rds_secret_name = 'slurm_dbd_credential'
self.db_name = 'pclusterdb'
self.slurm_secret_name = "slurm_token_{}".format(pcluster_name)
self.use_existing_vpc = True
self.config_name = config_name
self.post_install_script = post_install_script
self.my_bucket_name = pcluster_name.lower()+'-'+self.my_account_id
self.dbd_host = dbd_host
self.mungekey_secret_name="munge_key"+'_'+federation_name
self.federation_name=federation_name
self.ssh_key_name='pcluster-athena-key'
### assuem you have created a database secret in SecretManager with the name "slurm_dbd_credential"
def get_slurm_dbd_rds_secret(self):
# Create a Secrets Manager client
client = self.session.client(
service_name='secretsmanager',
region_name=self.region
)
try:
get_secret_value_response = client.get_secret_value(
SecretId=self.rds_secret_name
)
except ClientError as e:
raise e
else:
# Decrypts secret using the associated KMS CMK.
# Depending on whether the secret is a string or binary, one of these fields will be populated.
if 'SecretString' in get_secret_value_response:
secret = get_secret_value_response['SecretString']
return secret
else:
decoded_binary_secret = base64.b64decode(get_secret_value_response['SecretBinary'])
return decoded_binary_secret
###
# helper function to replace all place_holders in a string
# content is a string, values is a dict with placeholder name and value as attributes
###
def replace_placeholder(self, content, values):
for k,v in values.items():
content=content.replace(k, v)
return content
def template_to_file(self, source_file, target_file, mapping):
with open(source_file, "rt") as f:
content = f.read()
with open(target_file, "wt") as fo:
fo.write(self.replace_placeholder(content, mapping))
###
# Create a ParallelCluster with the following defaults:
# 1. cluster is created in the default VPC
# 2. create an RDS MySQL in the same VPC, with port 3306 open to the VPC/16 range
# 3. an ssh key 'pcluster-athena-key' is created automatically if it doesn't exist already and the key will be saved in the current folder. NOTE: please download that key to your # local machine immediately and delete the copy in the notebook folder.
# 4.
###
def create_before(self):
ec2_client = boto3.client('ec2')
# the slurm REST token is generated from the headnode and stored in Secrets Manager. This token is used in makeing REST API calls to the Slurm REST endpoint running on the headnode
# specify the following names
# ssh key for access the pcluster. this key is not needed in this excercise, but useful if you need to ssh into the headnode of the pcluster
keypair_saved_path = './'+self.ssh_key_name+'.pem'
# we will not need to use the ssh_key in this excercise. However, you can only download the key once during creation. we will save it in case
try:
workshop.create_keypair(self.region, self.session, self.ssh_key_name, keypair_saved_path)
except ClientError as e:
if e.response['Error']['Code'] == "InvalidKeyPair.Duplicate":
print("KeyPair with the name {} alread exists. Skip".format(self.ssh_key_name))
# ## VPC
#
# You can use the existing default VPC or create a new VPC with 2 subnets.
#
# We will only be using one of the subnets for the ParallelCluster, but both are used for the RDS database.
if self.use_existing_vpc:
vpc_filter = [{'Name':'isDefault', 'Values':['true']}]
default_vpc = ec2_client.describe_vpcs(Filters=vpc_filter)
self.vpc_id = default_vpc['Vpcs'][0]['VpcId']
subnet_filter = [{'Name':'vpc-id', 'Values':[self.vpc_id]}]
subnets = ec2_client.describe_subnets(Filters=subnet_filter)
# only pick 1a, 1b az - others might have issue with resources
for sn in subnets['Subnets']:
if '-1a' in sn['AvailabilityZone'] :
subnet_id = sn['SubnetId']
if '-1b' in sn['AvailabilityZone'] :
subnet_id2 = sn['SubnetId']
else:
vpc, subnet1, subnet2 = workshop.create_and_configure_vpc()
self.vpc_id = vpc.id
subnet_id = subnet1.id
subnet_id2 = subnet2.id
# Create the project bucket.
# we will use this bucket for the scripts, input and output files
bucket_prefix = self.pcluster_name.lower()+'-'+self.my_account_id
# use the bucket prefix as name, don't use uuid suffix
self.my_bucket_name = workshop.create_bucket(self.region, self.session, bucket_prefix, False)
print(self.my_bucket_name)
# ## RDS Database (MySQL) - used with ParallelCluster for accounting
#
# We will create a simple MySQL RDS database instance to use as a data store for Slurmdbd for accounting. The username and password are stored as a secret in the Secrets Manager.
# The secret is later used to configure Slurmdbd.
#
# The RDS instance will be created asynchronuously. While the secret is created immediated, the hostname will be available only after the creation is completed. We will have to update the hostname in the secreat afterwards.
#
# We will update the security group to allow traffic to port 3306 from the cluster in the same vpc
#
# create a simple mysql rds instance , the username and password will be stored in secrets maanger as a secret
workshop.create_simple_mysql_rds(self.region, self.session, self.db_name, [subnet_id,subnet_id2] ,self.rds_secret_name)
rds_client = self.session.client('rds', self.region)
rds_waiter = rds_client.get_waiter('db_instance_available')
try:
print("Waiting for RDS instance creation to complete ... ")
rds_waiter.wait(DBInstanceIdentifier=self.db_name)
except botocore.exceptions.WaiterError as e:
print(e)
#since the rds creation is asynch, need to wait till the creation is done to get the hostname, then update the secret with the hostname
vpc_sgs = workshop.get_sgs_and_update_secret(self.region, self.session, self.db_name, self.rds_secret_name)
print(vpc_sgs)
# Step 3. get the vpc local CIDR range
ec2 = boto3.resource('ec2')
vpc = ec2.Vpc(self.vpc_id)
cidr = vpc.cidr_block
# update the RDS security group to allow inbound traffic to port 3306
workshop.update_security_group(vpc_sgs[0]['VpcSecurityGroupId'], cidr, 3306)
print(os.popen("pcluster version").read())
# ### ParallelCluster config file
# Start with the the configuration template file
#
# #### Setup parameters for PCluster
#
# We will be using a relational database on AWS (RDS) for Slurm accounting (slurmdbd). Please refer to this blog for how to set it up https://aws.amazon.com/blogs/compute/enabling-job-accounting-for-hpc-with-aws-parallelcluster-and-amazon-rds/
#
# Once you set up the MySQL RDS, create a secret in SecretManager with the type "Credentials for RDS", so we don't need to expose the database username/password in plain text in this notebook.
# the response is a json {"username": "xxxx", "password": "<PASSWORD>", "engine": "mysql", "host": "xxxx", "port": "xxxx", "dbInstanceIdentifier", "xxxx"}
rds_secret = json.loads(self.get_slurm_dbd_rds_secret())
post_install_script_prefix = self.post_install_script
post_install_script_location = "s3://{}/{}".format(self.my_bucket_name, post_install_script_prefix)
post_install_script_args = "'" + rds_secret['host']+' '+str(rds_secret['port']) +' ' + rds_secret['username'] + ' ' + rds_secret['password'] + ' ' + self.pcluster_name + ' ' + self.region + ' ' + self.dbd_host + ' ' + self.federation_name + "'"
# ### Post installation script
# This script is used to recompile and configure slurm with slurmrestd. We also added the automation of compiling Athena++ in the script.
#
# Let's take a look at the scrupt:
s3_client = self.session.client('s3')
try:
resp = s3_client.upload_file(post_install_script_prefix, self.my_bucket_name, post_install_script_prefix)
except ClientError as e:
print(e)
# Replace the placeholder with value in config.ini
print("Prepare the config file")
ph = {'${REGION}': self.region,
'${VPC_ID}': self.vpc_id,
'${SUBNET_ID}': subnet_id,
'${KEY_NAME}': self.ssh_key_name,
'${POST_INSTALL_SCRIPT_LOCATION}': post_install_script_location,
'${POST_INSTALL_SCRIPT_ARGS_1}': "'"+rds_secret['host']+"'",
'${POST_INSTALL_SCRIPT_ARGS_2}': "'"+str(rds_secret['port'])+"'",
'${POST_INSTALL_SCRIPT_ARGS_3}': "'"+rds_secret['username']+"'",
'${POST_INSTALL_SCRIPT_ARGS_4}': "'"+rds_secret['password']+"'",
'${POST_INSTALL_SCRIPT_ARGS_5}': "'"+self.pcluster_name+"'",
'${POST_INSTALL_SCRIPT_ARGS_6}': "'"+self.region+"'",
'${POST_INSTALL_SCRIPT_ARGS_7}': "'"+self.dbd_host+"'",
'${POST_INSTALL_SCRIPT_ARGS_8}': "'"+self.federation_name+"'",
'${BUCKET_NAME}': self.my_bucket_name
}
self.template_to_file("config/"+self.config_name+".ini", "build/"+self.config_name, ph)
def create_after(self):
# ## Update IAM policy and security group
#
# Use boto3 to
# 1. Update a policy in parallelcluster head-node instance role, to allow the head-node to access Secret Manager.
# 2. Add inbound rule to allow access to the REST API from this notebook
#
# Use the stack name to find the resources created with the parallelcluster. Use some of the information to update
# the IAM policy and security group
cluster_stack_name = self.pcluster_name
#Step 1. Get the head-node's instanace role and headnode security group
cf_client = boto3.client('cloudformation')
root_role_info = cf_client.describe_stack_resource(StackName=cluster_stack_name, LogicalResourceId='RoleHeadNode' )
sg_info = cf_client.describe_stack_resource(StackName=cluster_stack_name, LogicalResourceId='HeadNodeSecurityGroup' )
#Root role and security group physical resource id
head_sg_name = sg_info['StackResourceDetail']['PhysicalResourceId']
# Step 3. get the vpc local CIDR range
ec2 = boto3.resource('ec2')
vpc = ec2.Vpc(self.vpc_id)
cidr = vpc.cidr_block
workshop.update_security_group(head_sg_name, cidr, 8082)
# resp = cf_client.describe_stacks(StackName=clsuter_stack_name)
# headnode_ip = resp[]
def cleanup_after(self,KeepRDS=True,KeepSSHKey=True):
# delete the rds database
if not KeepRDS:
workshop.detele_rds_instance(self.region, self.session, self.db_name)
workshop.delete_secrets_with_force(self.region, self.session, [self.rds_secret_name])
print(f"Deleting secret {self.slurm_secret_name}")
workshop.delete_secrets_with_force(self.region, self.session, [self.slurm_secret_name])
print(f"Deleting secret {self.mungekey_secret_name}")
workshop.delete_secrets_with_force(self.region, self.session, [self.mungekey_secret_name])
print(f"Deleting bucket {self.my_bucket_name}")
workshop.delete_bucket_with_version(self.my_bucket_name)
if not KeepSSHKey:
print(f"Deleting ssh_key {self.ssh_key_name}")
workshop.delete_keypair(self.region, self.session, self.ssh_key_name)
def test(self):
print(os.popen('ls').read())
# Helper function to display the queue status nicely.
def display_table(self, data):
html = "<table>"
for row in data:
html += "<tr>"
for field in row:
html += "<td><h4>%s</h4><td>"%(field)
html += "</tr>"
html += "</table>"
display(HTML(html))
###
# Retrieve the slurm_token from the SecretManager
#
def get_secret(self):
# Create a Secrets Manager client
client = self.session.client(
service_name='secretsmanager',
region_name=self.region
)
# In this sample we only handle the specific exceptions for the 'GetSecretValue' API.
# See https://docs.aws.amazon.com/secretsmanager/latest/apireference/API_GetSecretValue.html
# We rethrow the exception by default.
try:
get_secret_value_response = client.get_secret_value(SecretId=self.slurm_secret_name)
except ClientError as e:
print("Error", e)
else:
# Decrypts secret using the associated KMS CMK.
# Depending on whether the secret is a string or binary, one of these fields will be populated.
if 'SecretString' in get_secret_value_response:
secret = get_secret_value_response['SecretString']
return secret
else:
decoded_binary_secret = base64.b64decode(get_secret_value_response['SecretBinary'])
return decoded_binary_secret
###
# Retrieve the token and inject into the header for JWT auth
#
def update_header_token(self):
# we use 'slurm' as the default user on head node for slurm commands
token = self.get_secret()
post_headers = {'X-SLURM-USER-NAME':'slurm', 'X-SLURM-USER-TOKEN': token, 'Content-type': 'application/json', 'Accept': 'application/json'}
get_headers = {'X-SLURM-USER-NAME':'slurm', 'X-SLURM-USER-TOKEN': token, 'Content-type': 'application/x-www-form-urlencoded', 'Accept': 'application/json'}
return [post_headers, get_headers]
###
# Convert response into json
#
def convert_response(self,resp):
resp_str = resp.content.decode('utf-8')
return json.loads(resp_str)
###
# Print a json array in table format
# input: headers [json attribute name, ... ]
# input: a - array of json objects
def print_table_from_json_array(self, headers, a):
# add headers as the first row.
t = [headers]
for item in a:
result = []
for h in headers:
result.append(item[h])
t.append(result)
self.display_table(t)
def print_table_from_dict(self, headers, d):
result = list()
for k,v in d.items():
result.append(v)
self.print_table_from_json_array(headers, result)
###
# wrapper for get
#
def get_response_as_json(self, base_url):
_, get_headers = self.update_header_token()
try:
resp = requests.get(base_url, headers=get_headers, verify=False)
# if resp.status_code != 200:
# # This means something went wrong.
# print("Error" , resp.status_code)
except requests.exceptions.ConnectionError:
resp.status_code = "Connection refused"
return self.convert_response(resp)
###
# wrapper for post
#
def post_response_as_json(self, base_url, data):
post_headers, _ = self.update_header_token()
resp = requests.post(base_url, headers=post_headers, data=data)
if resp.status_code != 200:
# This means something went wrong.
print("Error" , resp.status_code)
return self.convert_response(resp)
###
# Epoch time conversion
#
def get_localtime(self, t):
return time.strftime('%Y-%m-%d %H:%M:%S', time.localtime(t))
# create batch and
def upload_athena_files(self, input_file, batch_file, my_prefix):
session = boto3.Session()
s3_client = session.client('s3')
try:
resp = s3_client.upload_file('build/'+input_file, self.my_bucket_name, my_prefix+'/'+input_file)
resp = s3_client.upload_file('build/'+batch_file, self.my_bucket_name, my_prefix+'/'+batch_file)
except ClientError as e:
print(e) | 1.296875 | 1 |
j2lint/__init__.py | KonikaChaurasiya-GSLab/j2lint | 9 | 12764718 | """__init__.py - A command-line utility that checks for best practices in Jinja2.
"""
NAME = 'j2lint'
VERSION = '0.1'
DESCRIPTION = __doc__
__author__ = "<NAME>"
__license__ = "MIT"
__version__ = VERSION
| 1.210938 | 1 |
lib/train/__init__.py | ishine/TextNormSeq2Seq | 36 | 12764719 | <gh_stars>10-100
from .optim import Optim
from .trainer import Trainer
from .evaluator import Evaluator | 0.929688 | 1 |
src/data/rnn_dataset.py | ildarlomov/dlcourseproject | 0 | 12764720 | from __future__ import print_function, division
import os
import torch
import pandas as pd
from skimage import io, transform
import numpy as np
import matplotlib.pyplot as plt
from torch.utils.data import Dataset, DataLoader
from torchvision import transforms, utils
from src.data.baseline_transformers import TransformsWrapper
from tqdm import tqdm
# Ignore warnings
import warnings
import torchvision as tv
import pickle
class FinalRNNMCSDataset(Dataset):
def __init__(
self,
test_df: str,
test_df_track_order_df,
test_descriptors_df,
root_dir,
transform=None
):
""" Plan
1. for each track presented form 1 triplet with each of gt images vs one random negative track
and lets work with indices only
"""
self.test_df = pd.read_csv(test_df)
self.test_df_track_order_df = pd.read_csv(test_df_track_order_df)
self.test_descriptors_npy = np.load(test_descriptors_df)
self.samples = list()
# 1 triplet sample for one person
# this takes 10 minutes every run
print('Generating dataset for evaluation')
for track_id in tqdm(self.test_df_track_order_df.track_id.values, total=len(self.test_df_track_order_df)):
track_image_idxs = self.test_df[self.test_df.track_id == track_id].index.values
self.samples.append((track_image_idxs))
self.root_dir = root_dir
self.transform = transform
print(f"Triplets count for final eval is {len(self.samples)}")
# Was Triplets count for train was 57570 when only one negative sample was used
# now it s 1151400 (20 times more)
# with open('train_samples.pkl', 'wb') as outf:
# pickle.dump(self.samples, outf)
def __len__(self):
return len(self.samples)
def __getitem__(self, idx):
pos_images_idxs = self.samples[idx]
# todo: maybe add some scaling on all given descriptors
pos_seq = self.test_descriptors_npy[pos_images_idxs]
pos_seq = [torch.from_numpy(pos_img) for pos_img in pos_seq]
pos_seq = torch.stack(pos_seq, dim=0, out=None)
sample = {'img_seq': pos_seq}
return sample
class RNNMCSDataset(Dataset):
def __init__(
self,
train_df: str,
train_df_descriptors,
train_gt_df,
train_gt_descriptors,
train_df_track_order_df,
root_dir,
is_val=False,
transform=None
):
""" Plan
1. for each track presented form 1 triplet with each of gt images vs one random negative track
and lets work with indices only
"""
self.train_df = pd.read_csv(train_df)
self.train_df_descriptors = np.load(train_df_descriptors)
self.train_gt_df = pd.read_csv(train_gt_df)
self.train_gt_descriptors = np.load(train_gt_descriptors)
self.train_df_track_order_df = pd.read_csv(train_df_track_order_df)
self.train_df_track_order_df = pd.merge(self.train_df_track_order_df,
self.train_df[['person_id', 'is_val']].drop_duplicates(),
on='person_id',
how='left') # [is_val == False]
self.train_df_track_order_df = self.train_df_track_order_df[self.train_df_track_order_df.is_val == is_val]
self.samples = list()
# 1 triplet sample for one person
# this takes 10 minutes every run
if is_val:
n_neg_samples = 1
print(f"Generating samples for {'dev' if is_val else 'train'}")
for id, (track_id, person_id) in tqdm(self.train_df_track_order_df[['track_id', 'person_id']].iterrows(), total=len(self.train_df_track_order_df)):
not_this_person_order_df = self.train_df_track_order_df[self.train_df_track_order_df.person_id != person_id]
track_image_idxs = self.train_df[self.train_df.track_id == track_id].index.values
track_anchors_df = self.train_gt_df[self.train_gt_df.person_id == person_id]
for anchor_idx in track_anchors_df.index.values:
for not_this_person_sampled_track_id in tqdm(not_this_person_order_df.sample(n_neg_samples).track_id.values):
not_this_person_sampled_track_image_idxs = self.train_df[
self.train_df.track_id == not_this_person_sampled_track_id].index.values
self.samples.append((anchor_idx, track_image_idxs, not_this_person_sampled_track_image_idxs))
# if id > 10:
# break
else:
with open('train_samples.pkl', 'rb') as inf:
self.samples = pickle.loads(inf.read())
self.root_dir = root_dir
self.transform = transform
print(f"Triplets count for {'dev' if is_val else 'train'} is {len(self.samples)}")
# Was Triplets count for train was 57570 when only one negative sample was used
# now it s 1151400 (20 times more)
# with open('train_samples.pkl', 'wb') as outf:
# pickle.dump(self.samples, outf)
def __len__(self):
return len(self.samples)
def __getitem__(self, idx):
gt_image_idx, pos_images_idxs, neg_images_idxs = self.samples[idx]
# todo: maybe add some scaling on all given descriptors
gt_descriptor = self.train_gt_descriptors[gt_image_idx]
pos_seq = self.train_df_descriptors[pos_images_idxs]
neg_seq = self.train_df_descriptors[neg_images_idxs]
gt_descriptor = torch.from_numpy(gt_descriptor)
pos_seq = [torch.from_numpy(pos_img) for pos_img in pos_seq]
neg_seq = [torch.from_numpy(neg_img) for neg_img in neg_seq]
pos_seq = torch.stack(pos_seq, dim=0, out=None)
neg_seq = torch.stack(neg_seq, dim=0, out=None)
sample = {'gt_image': gt_descriptor,
'pos_seq': pos_seq,
'neg_seq': neg_seq}
return sample
class FakeRNNMCSDataset(Dataset):
def __init__(
self,
train_df: str,
train_df_descriptors,
train_gt_df,
train_gt_descriptors,
train_df_track_order_df,
root_dir,
is_val=False,
transform=None
):
seq_len = 5
self.samples = [[np.random.randn(512).astype(np.float32),
[np.random.randn(512).astype(np.float32) for i in range(seq_len)],
[np.random.randn(512).astype(np.float32) for i in range(seq_len)]]
for _ in range(100)]
# self.transform = transform
# self.tw = TransformsWrapper(transform)
def __len__(self):
return len(self.samples)
def __getitem__(self, idx):
track_image, pos_seq, neg_seq = self.samples[idx]
# track_image = self.transform(track_image)
track_image = torch.from_numpy(track_image)
pos_seq = [torch.from_numpy(pos_img) for pos_img in pos_seq]
neg_seq = [torch.from_numpy(neg_img) for neg_img in neg_seq]
pos_seq = torch.stack(pos_seq, dim=0, out=None)
neg_seq = torch.stack(neg_seq, dim=0, out=None)
sample = {'gt_image': track_image, 'pos_seq': pos_seq, 'neg_seq': neg_seq}
return sample
# we are going to do train dataset and test dataset separately
def check_data_iteration(iterate_data=False):
is_val = False
# U may use MCSDataset for the training
MEAN = [0.485, 0.456, 0.406]
STD = [0.229, 0.224, 0.225]
preprocessing = tv.transforms.Compose([
tv.transforms.ToPILImage(),
tv.transforms.ToTensor(),
tv.transforms.Normalize(mean=MEAN, std=STD),
])
dataset = RNNMCSDataset(
train_df="../../data/raw/train_df.csv",
train_df_descriptors="../../data/raw/train_df_descriptors.npy",
train_gt_df="../../data/raw/train_gt_df.csv",
train_gt_descriptors="../../data/raw/train_gt_descriptors.npy",
train_df_track_order_df="../../data/raw/train_df_track_order_df.csv",
root_dir='../../data/raw/data',
is_val=False,
transform=None
)
print(f"Total triples in {'test' if is_val else 'train'} dataset is {len(dataset)}")
if iterate_data:
for i in range(len(dataset)):
sample = dataset[i]
# print(sample['track_image'])
print(i, sample['gt_image'].size(), sample['pos_seq'].size(), sample['neg_seq'].size())
# if i == 3:
# break
if __name__ == '__main__':
# example usage
# python -i read_dataset.py check_data_iteration
check_data_iteration(iterate_data=True)
| 2.28125 | 2 |
week03/week03.py | ptanh2k/int3404 | 0 | 12764721 | """
Name: <NAME>
Class: K63K2
MSSV: 18020116
You should understand the code you write.
"""
import numpy as np
import cv2
import argparse
from matplotlib import pyplot as plt
def q_0(input_file, output_file, ):
img = cv2.imread(input_file, cv2.IMREAD_COLOR)
cv2.imshow('Test img', img)
cv2.waitKey(5000)
cv2.imwrite(output_file, img)
def q_1(input_file, output_file):
"""
Convert the image to gray channel of the input image.
"""
img = cv2.imread(input_file, cv2.IMREAD_COLOR)
cv2.imshow('Color', img)
R, G, B = img[:, :, 2], img[:, :, 1], img[:, :, 0]
# Convert image to gray channgel
gray = 0.299 * R + 0.587 * G + 0.114 * B
img_gray = gray.astype(np.uint8)
cv2.imwrite(output_file, img_gray)
cv2.imshow('Gray', img_gray)
cv2.waitKey(0)
# Normalized histogram
def normallizedHistogram(img):
(height, width) = img.shape[:2]
# uint64 works while uint8 doesn't???
# h = np.zeros((256, ), np.uint8) //Wrong?
# h= np.zeros((256,), dtype=int) //Right??
h = [0] * 256
for i in range(height):
for j in range(width):
h[img[i, j]] += 1
return np.array(h) / (height * width)
# Finds cumulative sum of a numpy array, list
def cummulativeSum(normalized_hist):
cummulative_sum = np.zeros_like(normalized_hist, np.float64)
hist_length = len(normalized_hist)
for i in range(hist_length):
cummulative_sum[i] = sum(normalized_hist[:i+1])
return cummulative_sum
def q_2(input_file, output_file):
"""
Performs a histogram equalization on the input image.
"""
img = cv2.imread(input_file, cv2.IMREAD_GRAYSCALE)
(height, width) = img.shape[:2]
# Analysing original image and original histogram
# original_hist = cv2.calcHist([img], [0], None, [256], [0, 256]) # Mask: None, value from 0 - 255
# plt.figure()
# plt.axis("off")
# plt.imshow(img, cmap='gray')
# plt.figure()
# plt.title('Histogram')
# plt.xlabel('Bins')
# plt.ylabel('Number of pixel')
# plt.plot(original_hist)
# plt.xlim([0, 256])
# plt.show()
# Histogram equalization
norm_hist = normallizedHistogram(img)
cumulative_sum = cummulativeSum(norm_hist)
new_hist = np.array(np.rint(255 * cumulative_sum))
# Convert image
img_eq = np.zeros_like(img)
for i in range(height):
for j in range(width):
img_eq[i, j] = new_hist[img[i, j]]
# Check
hist_test = cv2.calcHist([img_eq], [0], None, [256], [0, 256]) # Mask: None, value from 0 - 255
plt.figure()
plt.axis("off")
plt.imshow(img_eq, cmap='gray')
plt.figure()
plt.title('Histogram')
plt.xlabel('Bins')
plt.ylabel('Number of pixel')
plt.plot(hist_test)
plt.xlim([0, 256])
plt.show()
cv2.imwrite(output_file, img_eq)
if __name__ == "__main__":
parser = argparse.ArgumentParser()
parser.add_argument("--input_file", "-i", type=str, help="Path to input image")
parser.add_argument("--output_file", "-o", type=str, help="Path to output image")
parser.add_argument("--question", "-q", type=int, default=0, help="Question number")
args = parser.parse_args()
q_number = args.question
if q_number == 1:
q_1(input_file=args.input_file, output_file=args.output_file)
elif q_number == 2:
q_2(input_file=args.input_file, output_file=args.output_file)
else:
q_0(input_file=args.input_file, output_file=args.output_file)
| 2.765625 | 3 |
pepper.py | Retr0680/Spotify-player | 3 | 12764722 | <reponame>Retr0680/Spotify-player
from spotipy import Spotify
class InvalidSearchError(Exception):
pass
def get_album_uri(spotify: Spotify, name: str) -> str:
"""
:param spotify: Spotify object to make the search from
:param name: album name
:return: Spotify uri of the desired album
"""
# Replace all spaces in name with '+'
original = name
name = name.replace(' ', '+')
results = spotify.search(q=name, limit=1, type='album')
if not results['albums']['items']:
raise InvalidSearchError(f'No album named "{original}"')
album_uri = results['albums']['items'][0]['uri']
return album_uri
def get_artist_uri(spotify: Spotify, name: str) -> str:
"""
:param spotify: Spotify object to make the search from
:param name: album name
:return: Spotify uri of the desired artist
"""
# Replace all spaces in name with '+'
original = name
name = name.replace(' ', '+')
results = spotify.search(q=name, limit=1, type='artist')
if not results['artists']['items']:
raise InvalidSearchError(f'No artist named "{original}"')
artist_uri = results['artists']['items'][0]['uri']
print(results['artists']['items'][0]['name'])
return artist_uri
def get_track_uri(spotify: Spotify, name: str) -> str:
"""
:param spotify: Spotify object to make the search from
:param name: track name
:return: Spotify uri of the desired track
"""
# Replace all spaces in name with '+'
original = name
name = name.replace(' ', '+')
results = spotify.search(q=name, limit=1, type='track')
if not results['tracks']['items']:
raise InvalidSearchError(f'No track named "{original}"')
track_uri = results['tracks']['items'][0]['uri']
return track_uri
def play_album(spotify=None, device_id=None, uri=None):
spotify.start_playback(device_id=device_id, context_uri=uri)
def play_artist(spotify=None, device_id=None, uri=None):
spotify.start_playback(device_id=device_id, context_uri=uri)
def play_track(spotify=None, device_id=None, uri=None):
spotify.start_playback(device_id=device_id, uris=[uri]) | 3.484375 | 3 |
lis.py | carlb15/Python | 2 | 12764723 | def binary_search(S, left, right, key):
# Find smallest element that's >= key
while left <= right:
# find midpoint
mid = left + (right - left) // 2
# if element found move lower.
if S[mid] >= key:
right = mid - 1
else:
left = mid + 1
# smallest element is left index.
return left
def len_of_lis(A):
"""
Computing the Longest Increasing Subsequence
O(nlogn) Time
O(n) Space
"""
# error handling for empty list.
if len(A) < 1:
return 0
# create subsequence list.
subseq = [0] * len(A)
# set to initial sequence element.
subseq[0] = A[0]
# create sequence index for adding elements.
seqIdx = 0
# iterate through the input sequence
for i in range(1, len(A)):
# Append to subsequence - basically new LIS.
if A[i] > subseq[seqIdx]:
seqIdx += 1
subseq[seqIdx] = A[i]
# Replace start of sequence
elif A[i] < subseq[0]:
subseq[0] = A[i]
else:
# binary search through the subsequence
# to find and replace the smallest element
# with A[i]
idxToReplace = binary_search(subseq, 0, seqIdx, A[i])
subseq[idxToReplace] = A[i]
# Longest subsequence is the length of subseq
return seqIdx + 1
"""
1
0 8 4 12 2 10 6 14 1 9 5 13 3 11 7 15
Output : 6
"""
#T = int(input("Number Test Cases = "))
#for idx in range(T):
A = [int(i) for i in input("Sequence ").split()]
print("Output: ", len_of_lis(A))
| 3.984375 | 4 |
src/dimsm/process.py | ihmeuw-msca/dimsm | 0 | 12764724 | <gh_stars>0
"""
Process
=======
Process class that contains the process matrix and its (co)variance matrix.
"""
from functools import partial
from operator import attrgetter
from typing import Callable, Optional, Tuple
import numpy as np
from scipy.sparse import block_diag, csr_matrix, diags
from dimsm.dimension import Dimension
def default_gen_mat(dt: float, size: int) -> np.ndarray:
"""Default process matrix generator.
Parameters
----------
dt : float
Dimension variable difference.
size : int
Size of the process matrix, equals to number of rows and columns.
Returns
-------
np.ndarray
Process matrix.
"""
mat = np.identity(size)
for i in range(1, size):
np.fill_diagonal(mat[:, i:], dt**i/np.math.factorial(i))
return mat
def default_gen_vmat(dt: float, size: int, sigma: float = 1.0) -> np.ndarray:
"""Default process (co)variance matrix generator.
Parameters
----------
dt : float
Dimension variable difference.
size : int
Size of the process matrix, equals to number of rows and columns.
sigma : float, optional
Noise level, by default 1.0
Returns
-------
np.ndarray
Process (co)variance matrix.
"""
mat = np.zeros((size, size))
for i in range(size):
for j in range(i, size):
mat[i, j] = dt**(i + j + 1)
mat[i, j] /= (i + j + 1)*np.math.factorial(i)*np.math.factorial(j)
mat[j, i] = mat[i, j]
return np.flip(mat)*sigma**2
class Process:
"""Process class that contains the process matrix and its (co)variance
matrix.
Parameters
----------
order : int
Order of smoothness. Must be a non-negative integer.
gen_mat : Optional[Callable], optional
Process matrix generator function. This function takes in `dt` as the
input and returns the process matrix. When it is `None`, it will use the
default generator `default_gen_mat`. Default to `None`.
gen_vmat : Optional[Callable], optional
Process (co)variance matrix generator function. This function takes in
`dt` as the input and returns the process matrix. When it is `None`, it
will use the default generator `default_gen_vmat`. Default to `None`.
Attributes
----------
order : int
Order of smoothness. Must be a non-negative integer.
gen_mat : Callable
Process matrix generator function.
gen_vmat : Callable
Process (co)variance matrix generator function.
Raises
------
TypeError
Raised when input order is not an integer.
ValueError
Raised when input order is negative.
TypeError
Raised when input process matrix generator is not callable or `None`.
TypeError
Raised when input process (co)variance generator is not callable or
`None`.
Methods
-------
update_dim(dim)
Update process matrices and their (co)variance matrices.
reshape_var(x, var_shape, dim_index, reverse=False)
Reshape the variable array.
objective(x, var_shape, dim_index)
Objective function.
gradient(x, var_shape, dim_index)
Gradient function.
hessian(var_shape, dim_index)
Hessian function.
"""
order = property(attrgetter("_order"))
gen_mat = property(attrgetter("_gen_mat"))
gen_vmat = property(attrgetter("_gen_vmat"))
def __init__(self,
order: int,
gen_mat: Optional[Callable] = None,
gen_vmat: Optional[Callable] = None):
self.order = order
self.gen_mat = gen_mat
self.gen_vmat = gen_vmat
self.mat = None
self.imat = None
@order.setter
def order(self, order: int):
if not isinstance(order, int):
raise TypeError(f"{type(self).__name__}.order must be an integer.")
if order < 0:
raise ValueError(f"{type(self).__name__}.order must be "
"non-negative.")
self._order = order
@gen_mat.setter
def gen_mat(self, gen_mat: Optional[Callable]):
if gen_mat is None:
gen_mat = partial(default_gen_mat, size=self.order + 1)
else:
if not callable(gen_mat):
raise TypeError(f"{type(self).__name__}.gen_mat must be "
"callable.")
self._gen_mat = gen_mat
@gen_vmat.setter
def gen_vmat(self, gen_vmat: Optional[Callable]):
if gen_vmat is None:
gen_vmat = partial(default_gen_vmat, size=self.order + 1)
else:
if not callable(gen_vmat):
raise TypeError(f"{type(self).__name__}.gen_vmat must be "
"callable.")
self._gen_vmat = gen_vmat
def update_dim(self, dim: Dimension):
"""Update process matrices and their (co)variance matrices.
Parameters
----------
dim : Dimension
The corresponding dimenion.
"""
dts = np.diff(dim.grid)
self.mat = csr_matrix(block_diag([self.gen_mat(dt) for dt in dts]))
self.imat = csr_matrix(
block_diag([np.linalg.inv(self.gen_vmat(dt)) for dt in dts])
)
def reshape_var(self,
x: np.ndarray,
var_shape: Tuple[int],
dim_index: int,
reverse: bool = False) -> np.ndarray:
"""Reshape the variable array.
Parameters
----------
x : np.ndarray
Variable array.
var_shape : Tuple[int]
Variable shape corresponding to one layer.
dim_index : int
Corresponding dimension index.
reverse : bool, optional
If `True` reshape the variable back to origibnal shape, by default
`False`.
Returns
-------
np.ndarray
Reshaped variable array.
"""
other_dim_indices = list(range(len(var_shape)))
other_dim_indices.remove(dim_index)
if reverse:
indices = np.argsort(self.reshape_var(
np.arange(x.size), var_shape, dim_index, reverse=False
).ravel())
return x.ravel()[indices]
x = x.reshape(self.order + 1, *var_shape)
x = x.transpose((*[i + 1 for i in other_dim_indices], dim_index + 1, 0))
x = x.reshape(int(np.prod([var_shape[i] for i in other_dim_indices])),
var_shape[dim_index]*(self.order + 1))
return x
def objective(self,
x: np.ndarray,
var_shape: Tuple[int],
dim_index: int) -> float:
"""Objective function.
Parameters
----------
x : np.ndarray
Variable array.
var_shape : Tuple[int]
Variable shape corresponding to one layer.
dim_index : int
Corresponding dimension index.
Returns
-------
float
Objective value.
"""
s = self.order + 1
x = self.reshape_var(x, var_shape, dim_index)
r = x.T[s:] - self.mat.dot(x.T[:-s])
t = self.imat.dot(r)
return 0.5*np.sum(r*t)
def gradient(self,
x: np.ndarray,
var_shape: Tuple[int],
dim_index: int) -> np.ndarray:
"""Gradient function.
Parameters
----------
x : np.ndarray
Variable array.
var_shape : Tuple[int]
Variable shape corresponding to one layer.
dim_index : int
Corresponding dimension index.
Returns
-------
np.ndarray
Gradient array.
"""
s = self.order + 1
x = self.reshape_var(x, var_shape, dim_index)
r = x.T[s:] - self.mat.dot(x.T[:-s])
t = self.imat.dot(r)
g = np.zeros(x.shape, dtype=x.dtype)
g.T[s:] += t
g.T[:-s] -= self.mat.T.dot(t)
return self.reshape_var(g, var_shape, dim_index, reverse=True)
def hessian(self,
var_shape: Tuple[int],
dim_index: int) -> np.ndarray:
"""Hessian function.
Parameters
----------
var_shape : Tuple[int]
Variable shape corresponding to one layer.
dim_index : int
Corresponding dimension index.
Returns
-------
np.ndarray
Hessian matrix.
"""
s = self.order + 1
n = var_shape[dim_index]
k = np.prod(var_shape) // n
# compute hessian for each column
mat_m = diags(np.ones((n - 1)*s), shape=((n - 1)*s, n*s))
mat_p = diags(np.ones((n - 1)*s), shape=((n - 1)*s, n*s), offsets=s)
mat = mat_p - self.mat.dot(mat_m)
row_hessian = mat.T.dot(self.imat.dot(mat))
# create hessian matrix
hessian = csr_matrix(block_diag([row_hessian]*k))
# permute hessian into right order
indices = self.reshape_var(
np.arange(n*s*k), var_shape, dim_index, reverse=True
)
hessian = hessian[indices[:, None], indices]
return hessian
def __repr__(self) -> str:
return f"{type(self).__name__}(order={self.order})"
| 2.671875 | 3 |
redis-monitor/plugins/stats_monitor.py | j3k00/scrapy-cluster | 1,108 | 12764725 | from __future__ import absolute_import
from .kafka_base_monitor import KafkaBaseMonitor
class StatsMonitor(KafkaBaseMonitor):
regex = "statsrequest:*:*"
def setup(self, settings):
'''
Setup kafka
'''
KafkaBaseMonitor.setup(self, settings)
def handle(self, key, value):
'''
Processes a vaild stats request
@param key: The key that matched the request
@param value: The value associated with the key
'''
# break down key
elements = key.split(":")
stats = elements[1]
appid = elements[2]
uuid = value
# log we received the stats request
extras = self.get_log_dict('stats', appid, uuid=uuid)
self.logger.info('Received {s} stats request'.format(s=stats),
extra=extras)
extras = {}
if stats == 'all':
extras = self.get_all_stats()
elif stats == 'kafka-monitor':
extras = self.get_kafka_monitor_stats()
elif stats == 'redis-monitor':
extras = self.get_redis_monitor_stats()
elif stats == 'crawler':
extras = self.get_crawler_stats()
elif stats == 'spider':
extras = self.get_spider_stats()
elif stats == 'machine':
extras = self.get_machine_stats()
elif stats == 'queue':
extras = self.get_queue_stats()
elif stats == 'rest':
extras = self.get_rest_stats()
else:
self.logger.warn('Received invalid stats request: {s}'\
.format(s=stats),
extra=extras)
return
extras['stats'] = stats
extras['appid'] = appid
extras['uuid'] = uuid
extras['server_time'] = int(self.get_current_time())
if self._send_to_kafka(extras):
extras['success'] = True
self.logger.info('Sent stats to kafka', extra=extras)
else:
extras['success'] = False
self.logger.error('Failed to send stats to kafka', extra=extras)
def get_all_stats(self):
'''
Gather all stats objects
'''
self.logger.debug("Gathering all stats")
the_dict = {}
the_dict['kafka-monitor'] = self.get_kafka_monitor_stats()
the_dict['redis-monitor'] = self.get_redis_monitor_stats()
the_dict['crawler'] = self.get_crawler_stats()
the_dict['rest'] = self.get_rest_stats()
return the_dict
def get_kafka_monitor_stats(self):
'''
Gather Kafka Monitor stats
@return: A dict of stats
'''
self.logger.debug("Gathering kafka-monitor stats")
return self._get_plugin_stats('kafka-monitor')
def get_redis_monitor_stats(self):
'''
Gather Redis Monitor stats
@return: A dict of stats
'''
self.logger.debug("Gathering redis-monitor stats")
return self._get_plugin_stats('redis-monitor')
def get_rest_stats(self):
'''
Gather Rest stats
@return: A dict of stats
'''
self.logger.debug("Gathering rest stats")
return self._get_plugin_stats('rest')
def _get_plugin_stats(self, name):
'''
Used for getting stats for Plugin based stuff, like Kafka Monitor
and Redis Monitor
@param name: the main class stats name
@return: A formatted dict of stats
'''
the_dict = {}
keys = self.redis_conn.keys('stats:{n}:*'.format(n=name))
for key in keys:
# break down key
elements = key.split(":")
main = elements[2]
end = elements[3]
if main == 'total' or main == 'fail':
if main not in the_dict:
the_dict[main] = {}
the_dict[main][end] = self._get_key_value(key, end == 'lifetime')
elif main == 'self':
if 'nodes' not in the_dict:
# main is self, end is machine, true_tail is uuid
the_dict['nodes'] = {}
true_tail = elements[4]
if end not in the_dict['nodes']:
the_dict['nodes'][end] = []
the_dict['nodes'][end].append(true_tail)
else:
if 'plugins' not in the_dict:
the_dict['plugins'] = {}
if main not in the_dict['plugins']:
the_dict['plugins'][main] = {}
the_dict['plugins'][main][end] = self._get_key_value(key, end == 'lifetime')
return the_dict
def _get_key_value(self, key, is_hll=False):
'''
Returns the proper key value for the stats
@param key: the redis key
@param is_hll: the key is a HyperLogLog, else is a sorted set
'''
if is_hll:
# get hll value
return self.redis_conn.execute_command("PFCOUNT", key)
else:
# get zcard value
return self.redis_conn.zcard(key)
def get_spider_stats(self):
'''
Gather spider based stats
'''
self.logger.debug("Gathering spider stats")
the_dict = {}
spider_set = set()
total_spider_count = 0
keys = self.redis_conn.keys('stats:crawler:*:*:*')
for key in keys:
# we only care about the spider
elements = key.split(":")
spider = elements[3]
if spider not in the_dict:
the_dict[spider] = {}
the_dict[spider]['count'] = 0
if len(elements) == 6:
# got a time based stat
response = elements[4]
end = elements[5]
if response not in the_dict[spider]:
the_dict[spider][response] = {}
the_dict[spider][response][end] = self._get_key_value(key, end == 'lifetime')
elif len(elements) == 5:
# got a spider identifier
the_dict[spider]['count'] += 1
total_spider_count += 1
spider_set.add(spider)
else:
self.logger.warn("Unknown crawler stat key", {"key":key})
# simple counts
the_dict['unique_spider_count'] = len(spider_set)
the_dict['total_spider_count'] = total_spider_count
ret_dict = {}
ret_dict['spiders'] = the_dict
return ret_dict
def get_machine_stats(self):
'''
Gather spider based stats
'''
self.logger.debug("Gathering machine stats")
the_dict = {}
keys = self.redis_conn.keys('stats:crawler:*:*:*:*')
for key in keys:
# break down key
elements = key.split(":")
machine = elements[2]
spider = elements[3]
response = elements[4]
end = elements[5]
# we only care about the machine, not spider type
if machine not in the_dict:
the_dict[machine] = {}
if response not in the_dict[machine]:
the_dict[machine][response] = {}
if end in the_dict[machine][response]:
the_dict[machine][response][end] = the_dict[machine][response][end] + \
self._get_key_value(key, end == 'lifetime')
else:
the_dict[machine][response][end] = self._get_key_value(key, end == 'lifetime')
# simple count
the_dict['count'] = len(list(the_dict.keys()))
ret_dict = {}
ret_dict['machines'] = the_dict
return ret_dict
def get_crawler_stats(self):
'''
Gather crawler stats
@return: A dict of stats
'''
self.logger.debug("Gathering crawler stats")
the_dict = {}
the_dict['spiders'] = self.get_spider_stats()['spiders']
the_dict['machines'] = self.get_machine_stats()['machines']
the_dict['queue'] = self.get_queue_stats()['queues']
return the_dict
def get_queue_stats(self):
'''
Gather queue stats
@return: A dict of stats
'''
self.logger.debug("Gathering queue based stats")
the_dict = {}
keys = self.redis_conn.keys('*:*:queue')
total_backlog = 0
for key in keys:
elements = key.split(":")
spider = elements[0]
domain = elements[1]
spider = 'queue_' + spider
if spider not in the_dict:
the_dict[spider] = {
'spider_backlog': 0,
'num_domains': 0,
'domains': []
}
count = self.redis_conn.zcard(key)
total_backlog += count
the_dict[spider]['spider_backlog'] += count
the_dict[spider]['num_domains'] += 1
the_dict[spider]['domains'].append({'domain': domain,
'backlog': count})
the_dict['total_backlog'] = total_backlog
ret_dict = {
'queues': the_dict
}
return ret_dict
| 2.265625 | 2 |
thingsboard_gateway/things/meter/gb_meter_protocol.py | jaysonjh/thingsboard-gateway | 0 | 12764726 | import sys
from thingsboard_gateway.tb_utility.tb_data_utility import uchar_checksum
from thingsboard_gateway.things.meter.meter_protocols import MeterProtocol
from abc import ABC, abstractmethod
class CJT188Protocol(MeterProtocol, ABC):
"""
国标GB-CJ/T188协议
"""
# 协议头标识
frame_head = 0x68
# 协议尾标识
frame_end = 0x16
# 协议前导符
frame_pre_head = 0xFE
def __init__(self):
# 设备类型
self.device_type = 0x00
# 数据域的数据
self.data_defines = []
# 地址
self.address = None
# 控制码
self.control_code = 0x00
# 数据长度
self.size = 0
# 数据
self.data_area = None
# 校验码
self.check_sum = 0x00
def getDataDefines(self):
return self.data_defines
def getDataDefine(self, name):
"""
查询某一个数据域
:param name: 数据域名称
:return: MeterDataDefine / None
"""
search = [x for x in self.data_defines if x.name == name]
if search is not None and len(search) > 0:
return search[0]
else:
return None
def encode(self):
if self.address is None or len(self.address) != 7:
raise Exception('水电表地址 %s 的长度不正确,长度不等于 7 个字节。' % str(self.address))
self._buildDataArea()
dataArray = bytearray()
dataArray.append(CJT188Protocol.frame_head)
dataArray.append(self.device_type)
dataArray.extend(self.address)
dataArray.append(self.control_code)
dataArray.append(self.size.to_bytes(2, 'little')[0])
dataArray.extend(self.data_area)
check_sum = uchar_checksum(bytes(dataArray))
dataArray.append(check_sum)
dataArray.append(CJT188Protocol.frame_end)
return bytes(dataArray)
def decode(self, sourceBytes):
self.device_type = sourceBytes[0]
self.address = sourceBytes[1:8]
self.control_code = sourceBytes[8]
self.size = sourceBytes[9]
currentIndex = 9
for data_define in self.data_defines:
data_define.data = sourceBytes[currentIndex:currentIndex + data_define.size]
currentIndex += data_define.size
self.check_sum = sourceBytes[currentIndex]
return self
def _buildDataArea(self):
if len(self.data_defines) > 0:
dataArray = bytearray()
for data_define in self.data_defines:
dataArray.append(data_define.data)
self.data_area = bytes(dataArray)
self.size = len(self.data_area)
else:
self.data_area = None
self.size = 0
| 2.421875 | 2 |
polyglotdb/query/lexicon/__init__.py | msonderegger/PolyglotDB | 25 | 12764727 |
from .query import LexiconQuery
from .attributes import LexiconNode
| 1.109375 | 1 |
nuke_stubs/nuke/nuke_internal/colorspaces.py | sisoe24/Nuke-Python-Stubs | 1 | 12764728 | <filename>nuke_stubs/nuke/nuke_internal/colorspaces.py
"""
A collection of tools and functions to help manage LUTs and color configuration
"""
from _nuke_color import * # bring the libnuke PythonAPI for color into scope
from . import callbacks
import types
import nuke_internal as nuke
defaultLUTMappers = {} # dictionary of all mappers
class ColorspaceLookupError(Exception):
""" an excpetion that should be thrown when looking up the colorspace """
pass
def _attemptColorspaceNameMatch(colorspaceName) :
""" Look through all options in the colorpsace knob, and see if we have an
exact match to one of the items. """
node = nuke.thisNode()
try:
colorspaceKnob = node['colorspace']
except ValueError:
# failed to get the Knob from the Node because the Node may be unattached
# when loading script or similar
return False
allColorspaces = getColorspaceList( colorspaceKnob )
return colorspaceName in allColorspaces
def _lookUpDataTypeDefaultSettings(colorspaceName, dataTypeHint):
"""
Nuke's default handling of colorspace lookups.
Maps applicable dataTypeHint values to knobs on the Preferecne panel
Possible values for dataTypeHint are
Nuke inbuilt data-type hints (map to knobs)
nuke.MONITOR == 0
nuke.VIEWER == 1
nuke.INT8 == 2
nuke.INT16 == 3
nuke.LOG == 4
nuke.FLOAT == 5
Other numeric values which map to those in DDImage/LUT.h
6 == DD::Image::LUT::GAMMA1_8
7 == DD::Image::LUT::GAMMA2_2
8 == DD::Image::LUT::GAMMA2_4
9 == DD::Image::LUT::PANALOG
10 == DD::Image::LUT::REDLOG
11 == DD::Image::LUT::VIPERLOG
12 == DD::Image::LUT::ALEXAV3LOGC
13 == DD::Image::LUT::PLOGLIN
14 == DD::Image::LUT::SLOG
15 == DD::Image::LUT::SLOG1
16 == DD::Image::LUT::SLOG2
17 == DD::Image::LUT::SLOG3
18 == DD::Image::LUT::CLOG
19 == DD::Image::LUT::PROTUNE
20 == DD::Image::LUT::GAMMA2_6
21 == DD::Image::LUT::LOG3G10
22 == DD::Image::LUT::LOG3G12
23 == DD::Image::LUT::BT1886
24 is deprecated and shouldn't be used
25 == DD::Image::LUT::HYBRIDLOGGAMMA
26 == DD::Image::LUT::ST2084
"""
root = nuke.thisRoot()
def getKnobValue( knobName ) :
try:
knob = root[ knobName ]
except ValueError:
raise ColorspaceLookupError
return knob.value()
retString = colorspaceName
if dataTypeHint == nuke.MONITOR: # 0 = LUT::MONITOR
retString = getKnobValue( "monitorLut" )
elif dataTypeHint == nuke.VIEWER: # 1 = LUT::VIEWER
pass
elif dataTypeHint == nuke.INT8: # 2 = LUT::INT8
retString = getKnobValue( "int8Lut" )
elif dataTypeHint == nuke.INT16: # 3 = LUT::INT16
retString = getKnobValue( "int16Lut" )
elif dataTypeHint == nuke.LOG: # 4 = LUT::LOG
retString = getKnobValue( "logLut" )
elif dataTypeHint == nuke.FLOAT: # 5 = LUT::FLOAT
retString = getKnobValue( "floatLut" )
return retString
def _nukeDefaultColorSpaceMapper(colorspaceName, dataTypeHint):
"""
Allows colorspaces selections to be altered before use on Readers and Writers
"""
if colorspaceName == "." :
raise RuntimeError( "Nuke has provided invalid colorspace name" )
try:
retName = _lookUpDataTypeDefaultSettings(colorspaceName, dataTypeHint)
except ColorspaceLookupError:
retName = colorspaceName
# TODO: find best name in colosrpace
return retName
def addDefaultColorspaceMapper(call, args=(), kwargs={}, nodeClass='*'):
"""
Add a function to modify default colorspaces before Nuke passes them to
Readers or Writers.
Functions should have the same positional argument as in the definition of
defaultLUTMapper()
All added functions are called in backwards order.
"""
callbacks._addCallback(defaultLUTMappers, call, args, kwargs, nodeClass)
def removeDefaultColorspaceMapper(call, args=(), kwargs={}, nodeClass='*'):
"""
Remove a previously-added callback with the same arguments.
"""
callbacks._removeCallback(defaultLUTMappers, call, args, kwargs, nodeClass)
def _doColorSpaceCallbacks( colorspace, dataTypeHint, callbacks, errorMsg ) :
"""
Perform the colorspace callbacks
expects a string or 'None' to be returned.
"""
for funcData in callbacks:
func = funcData[0]
args = funcData[1]
kwargs = funcData[2]
s = func(colorspace, dataTypeHint, *args, **kwargs)
if not isinstance(s, str) and s is not None:
raise TypeError( errorMsg + ". Got type %s"%str(type(s)) )
if s is not None:
colorspace = s
return colorspace
def defaultColorspaceMapper(colorspace, dataTypeHint):
"""
Called by libnuke.
Calls into Node-level callbacks first, then global callbacks
Arguments:
colorspace - the name string of the initial colorspace
dataTypeHint - sometimes Readers/Writer request the default for a
particular data-type, i.e. int8, in16, float, etc.
Return:
The return should be the transformed/modified colorspace name.
None is the same as returning the string unchanged.
"""
import __main__
# Do Nuke's in built mapping first.
colorspace = _nukeDefaultColorSpaceMapper(colorspace, dataTypeHint)
# Then do callbacks registered for this Node type
colorspaceCbs = defaultLUTMappers.get(nuke.thisClass())
if colorspaceCbs:
nodeErrMsg = ( "Colorspace Filter on Node '%s' returned invalid type,"
"expected string or None"%( nuke.thisClass() ) )
colorspace = _doColorSpaceCallbacks( colorspace, dataTypeHint, colorspaceCbs, nodeErrMsg )
# Do global manipulations afterwards
globalCbs = defaultLUTMappers.get('*')
if globalCbs:
globalErrMsg = ( "Global Colorspace Filter returned invalid type,"
"expected string or None" )
colorspace = _doColorSpaceCallbacks( colorspace, dataTypeHint, globalCbs, globalErrMsg )
return colorspace
def getColorspaceList(colorspaceKnob) :
"""
Get a list of all colorspaces listed in an enumeration knob.
This will strip family names if the knob has the STRIP_CASCADE_PREFIX flag set.
"""
allColorspaces = list(colorspaceKnob.values())
strippedColorspaces = []
if not colorspaceKnob.getFlag(nuke.STRIP_CASCADE_PREFIX) :
return allColorspaces
else:
for strippedColorspace in allColorspaces:
# Strip up until the last '/', which represents the family name
strippedColorspace = strippedColorspace.split('/')[-1]
strippedColorspaces.append(strippedColorspace)
return strippedColorspaces
| 2.015625 | 2 |
t35.py | showerhhh/leetcode_python | 0 | 12764729 | <gh_stars>0
class Solution:
def searchInsert(self, nums, target: int) -> int:
"""
二分法查找,若目标不存在,则返回它将会被按顺序插入的位置。
"""
low = 0
high = len(nums) - 1
while low <= high:
mid = int((low + high) / 2)
if target == nums[mid]:
return mid
elif target < nums[mid]:
high = mid - 1
else:
low = mid + 1
return low
if __name__ == '__main__':
solution = Solution()
nums = [1, 3, 5, 6]
target = 2
print(solution.searchInsert(nums, target))
| 3.671875 | 4 |
venv/Lib/site-packages/keystoneauth1/extras/oauth1/_loading.py | prasoon-uta/IBM-coud-storage | 48 | 12764730 | <gh_stars>10-100
# 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.
from keystoneauth1.extras.oauth1 import v3
from keystoneauth1 import loading
# NOTE(jamielennox): This is not a BaseV3Loader because we don't want to
# include the scoping options like project-id in the option list
class V3OAuth1(loading.BaseIdentityLoader):
@property
def plugin_class(self):
return v3.OAuth1
@property
def available(self):
return v3.oauth1 is not None
def get_options(self):
options = super(V3OAuth1, self).get_options()
options.extend([
loading.Opt('consumer-key',
required=True,
help='OAuth Consumer ID/Key'),
loading.Opt('consumer-secret',
required=True,
help='OAuth Consumer Secret'),
loading.Opt('access-key',
required=True,
help='OAuth Access Key'),
loading.Opt('access-secret',
required=True,
help='OAuth Access Secret'),
])
return options
| 1.882813 | 2 |
echopype/process/ek80.py | lsetiawan/echopype | 0 | 12764731 | """
echopype data model inherited from based class Process for EK80 data.
"""
import os
import datetime as dt
import numpy as np
import xarray as xr
from scipy import signal
from ..utils import uwa
from .processbase import ProcessBase
class ProcessEK80(ProcessBase):
"""Class for manipulating EK80 echo data already converted to netCDF.
"""
def __init__(self, file_path=""):
ProcessBase.__init__(self, file_path)
self._acidity = None
self._salinity = None
self._temperature = None
self._pressure = None
self._ch_ids = None
self._tau_effective = None
self.ytx = []
self.backscatter_compressed = []
self._sound_speed = self.calc_sound_speed()
self._salinity = self.get_salinity()
self._temperature = self.get_temperature()
self._pressure = self.get_pressure()
self._sample_thickness = self.calc_sample_thickness()
self._seawater_absorption = self.calc_seawater_absorption()
self._range = self.calc_range()
@property
def ch_ids(self):
if self._ch_ids is None:
with self._open_dataset(self.file_path, group="Beam") as ds_beam:
self._ch_ids = ds_beam.channel_id.data
return self._ch_ids
@property
def tau_effective(self):
return self._tau_effective
def get_salinity(self):
if self._salinity is None:
with self._open_dataset(self.file_path, group="Environment") as ds_env:
return ds_env.salinity
def get_temperature(self, path=''):
path = path if path else self.file_path
if self._temperature is None:
with self._open_dataset(path, group="Environment") as ds_env:
return ds_env.temperature
def get_pressure(self):
if self._pressure is None:
with self._open_dataset(self.file_path, group="Environment") as ds_env:
return ds_env.depth
def calc_sound_speed(self, src='file'):
"""gets sound speed [m/s] using parameters stored in the .nc file.
Will use a custom path if one is provided
"""
if src == 'file':
with self._open_dataset(self.file_path, group="Environment") as ds_env:
return ds_env.sound_speed_indicative
elif src == 'user':
ss = uwa.calc_sound_speed(salinity=self.salinity,
temperature=self.temperature,
pressure=self.pressure)
return ss * np.ones(self.sound_speed.size)
else:
ValueError('Not sure how to update sound speed!')
def calc_seawater_absorption(self, src='user', path=''):
"""Returns the seawater absorption
Parameters
----------
src : str
'file' will return the seawater absoption recorded in the .nc file
'user' will calculate the seawater absorption. Default (Francois and Garrison, 1982).
Returns
-------
Seawater absorption value
"""
if src == 'user':
path = path if path else self.file_path
with self._open_dataset(path, group='Beam') as ds_beam:
try:
f0 = ds_beam.frequency_start
f1 = ds_beam.frequency_end
f = (f0 + f1) / 2
except AttributeError:
f = ds_beam.frequency
sea_abs = uwa.calc_seawater_absorption(f,
salinity=self.salinity,
temperature=self.temperature,
pressure=self.pressure,
formula_source='FG')
else:
ValueError('Not sure how to update seawater absorption!')
return sea_abs
def calc_sample_thickness(self, path=''):
"""gets sample thickness using parameters stored in the .nc file.
Will use a custom path if one is provided
"""
path = path if path else self.file_path
with self._open_dataset(path, group="Beam") as ds_beam:
sth = self.sound_speed * ds_beam.sample_interval / 2 # sample thickness
return sth
def calc_range(self, range_bins=None, path=''):
"""Calculates range [m] using parameters stored in the .nc file.
Will use a custom path if one is provided
"""
st = self.calc_sample_thickness(path) if path else self.sample_thickness
path = path if path else self.file_path
with self._open_dataset(path, group="Beam") as ds_beam:
if range_bins:
range_bin = np.arange(range_bins)
range_bin = xr.DataArray(range_bin, coords=[('range_bin', range_bin)])
else:
range_bin = ds_beam.range_bin
range_meter = range_bin * st - \
ds_beam.transmit_duration_nominal * self.sound_speed / 2 # DataArray [frequency x range_bin]
range_meter = range_meter.where(range_meter > 0, other=0).transpose()
return range_meter
def calc_transmit_signal(self):
"""Generate transmit signal as replica for pulse compression.
"""
def chirp_linear(t, f0, f1, tau):
beta = (f1 - f0) * (tau ** -1)
return np.cos(2 * np.pi * (beta / 2 * (t ** 2) + f0 * t))
# Retrieve filter coefficients
with self._open_dataset(self.file_path, group="Vendor") as ds_fil, \
self._open_dataset(self.file_path, group="Beam") as ds_beam:
# Get various parameters
Ztrd = 75 # Transducer quadrant nominal impedance [Ohms] (Supplied by Simrad)
delta = 1 / 1.5e6 # Hard-coded EK80 sample interval
tau = ds_beam.transmit_duration_nominal.data
txpower = ds_beam.transmit_power.data
f0 = ds_beam.frequency_start.data
f1 = ds_beam.frequency_end.data
slope = ds_beam.slope[:, 0].data # Use slope of first ping
amp = np.sqrt((txpower / 4) * (2 * Ztrd))
# Create transmit signal
ytx = []
for ch in range(ds_beam.frequency.size):
t = np.arange(0, tau[ch], delta)
nt = len(t)
nwtx = (int(2 * np.floor(slope[ch] * nt)))
wtx_tmp = np.hanning(nwtx)
nwtxh = (int(np.round(nwtx / 2)))
wtx = np.concatenate([wtx_tmp[0:nwtxh], np.ones((nt - nwtx)), wtx_tmp[nwtxh:]])
y_tmp = amp[ch] * chirp_linear(t, f0[ch], f1[ch], tau[ch]) * wtx
# The transmit signal must have a max amplitude of 1
y = (y_tmp / np.max(np.abs(y_tmp)))
# filter and decimation
wbt_fil = ds_fil[self.ch_ids[ch] + "_WBT_filter"].data
pc_fil = ds_fil[self.ch_ids[ch] + "_PC_filter"].data
# if saved as netCDF4, convert compound complex datatype to complex64
if wbt_fil.ndim == 1:
wbt_fil = np.array([complex(n[0], n[1]) for n in wbt_fil], dtype='complex64')
pc_fil = np.array([complex(n[0], n[1]) for n in pc_fil], dtype='complex64')
# Apply WBT filter and downsample
ytx_tmp = np.convolve(y, wbt_fil)
ytx_tmp = ytx_tmp[0::ds_fil.attrs[self.ch_ids[ch] + "_WBT_decimation"]]
# Apply PC filter and downsample
ytx_tmp = np.convolve(ytx_tmp, pc_fil)
ytx_tmp = ytx_tmp[0::ds_fil.attrs[self.ch_ids[ch] + "_PC_decimation"]]
ytx.append(ytx_tmp)
del nwtx, wtx_tmp, nwtxh, wtx, y_tmp, y, ytx_tmp
# TODO: rename ytx into something like 'transmit_signal' and
# also package the sampling interval together with the signal
self.ytx = ytx
def pulse_compression(self):
"""Pulse compression using transmit signal as replica.
"""
with self._open_dataset(self.file_path, group="Beam") as ds_beam:
sample_interval = ds_beam.sample_interval
backscatter = ds_beam.backscatter_r + ds_beam.backscatter_i * 1j # Construct complex backscatter
backscatter_compressed = []
tau_constants = []
# Loop over channels
for ch in range(ds_beam.frequency.size):
# tmp_x = np.fft.fft(backscatter[i].dropna('range_bin'))
# tmp_y = np.fft.fft(np.flipud(np.conj(ytx[i])))
# remove quadrants that are nans across all samples
tmp_b = backscatter[ch].dropna('range_bin', how='all')
# remove samples that are nans across all quadrants
tmp_b = tmp_b.dropna('quadrant', how='all')
# tmp_b = tmp_b[:, 0, :] # 1 ping
tmp_y = np.flipud(np.conj(self.ytx[ch]))
# Convolve tx signal with backscatter. atol=1e-7 between fft and direct convolution
compressed = xr.apply_ufunc(lambda m: np.apply_along_axis(
lambda m: signal.convolve(m, tmp_y), axis=2, arr=m),
tmp_b,
input_core_dims=[['range_bin']],
output_core_dims=[['range_bin']],
exclude_dims={'range_bin'}) / np.linalg.norm(self.ytx[ch]) ** 2
# Average across quadrants
backscatter_compressed.append(compressed)
# Effective pulse length
ptxa = np.square(np.abs(signal.convolve(self.ytx[ch], tmp_y, method='direct') /
np.linalg.norm(self.ytx[ch]) ** 2))
tau_constants.append(np.sum(ptxa) / (np.max(ptxa)))
self._tau_effective = np.array(tau_constants) * sample_interval
# Pad nans so that each channel has the same range_bin length
largest_range_bin = max([bc.shape[2] for bc in backscatter_compressed])
for i, ds in enumerate(backscatter_compressed):
pad_width = largest_range_bin - ds.shape[2]
backscatter_compressed[i] = xr.apply_ufunc(lambda x: np.pad(x, ((0,0), (0,0), (0,pad_width)),
constant_values=np.nan),
ds,
input_core_dims=[['range_bin']],
output_core_dims=[['range_bin']],
exclude_dims={'range_bin'})
self.backscatter_compressed = xr.concat(backscatter_compressed, dim='frequency')
def calibrate(self, mode='Sv', save=False, save_path=None, save_postfix=None):
"""Perform echo-integration to get volume backscattering strength (Sv)
or target strength (TS) from EK80 power data.
Parameters
-----------
mode : str
'Sv' for volume backscattering strength calibration (default)
'TS' for target strength calibration
save : bool, optional
whether to save calibrated output
default to ``False``
save_path : str
Full filename to save to, overwriting the RAWFILENAME_Sv.nc default
save_postfix : str
Filename postfix, default to '_Sv' or '_TS'
"""
ds_beam = self._open_dataset(self.file_path, group="Beam")
# Check for cw data file
split = os.path.splitext(self.file_path)
cw_path = split[0] + '_cw' + split[1]
if save_postfix is None:
save_postfix = '_' + mode
if os.path.exists(cw_path):
self.calibrate_cw(mode, cw_path, save, save_path, save_postfix)
elif 'backscatter_i' not in ds_beam:
self.calibrate_cw(mode, self.file_path, save, save_path, save_postfix)
# Calibrate bb data
if 'backscatter_i' in ds_beam:
Ztrd = 75 # Transducer quadrant nominal impedance [Ohms] (Supplied by Simrad)
Rwbtrx = 1000 # Wideband transceiver impedance [Ohms] (Supplied by Simrad)
self.calc_transmit_signal() # Get transmit signal
self.pulse_compression() # Perform pulse compression
c = self.sound_speed
f_nominal = ds_beam.frequency
f_center = (ds_beam.frequency_start.data + ds_beam.frequency_end.data) / 2
psifc = ds_beam.equivalent_beam_angle + 20 * np.log10(f_nominal / f_center)
la2 = (c / f_center) ** 2
Sv = []
TS = []
# Average accross quadrants and take the absolute value of complex backscatter
prx = np.abs(np.mean(self.backscatter_compressed, axis=1))
prx = prx * prx / 2 * (np.abs(Rwbtrx + Ztrd) / Rwbtrx) ** 2 / np.abs(Ztrd)
# TODO Gfc should be gain interpolated at the center frequency
# Only 1 gain value is given provided per channel
Gfc = ds_beam.gain_correction
ranges = self.calc_range(range_bins=prx.shape[2])
ranges = ranges.where(ranges >= 1, other=1)
if mode == 'Sv':
Sv = (
10 * np.log10(prx) + 20 * np.log10(ranges) +
2 * self.seawater_absorption * ranges -
10 * np.log10(ds_beam.transmit_power * la2 * c / (32 * np.pi * np.pi)) -
2 * Gfc - 10 * np.log10(self.tau_effective) - psifc
)
if mode == 'TS':
TS = (
10 * np.log10(prx) + 40 * np.log10(ranges) +
2 * self.seawater_absorption * ranges -
10 * np.log10(ds_beam.transmit_power * la2 / (16 * np.pi * np.pi)) -
2 * Gfc
)
ds_beam.close() # Close opened dataset
# Save Sv calibrated data
if mode == 'Sv':
Sv.name = 'Sv'
Sv = Sv.to_dataset()
Sv['range'] = (('frequency', 'range_bin'), ranges)
self.Sv = Sv
if save:
self.Sv_path = self.validate_path(save_path, save_postfix)
print('%s saving calibrated Sv to %s' % (dt.datetime.now().strftime('%H:%M:%S'), self.Sv_path))
self._save_dataset(Sv, self.Sv_path, mode="w")
# Save TS calibrated data
elif mode == 'TS':
TS.name = 'TS'
TS = TS.to_dataset()
TS['range'] = (('frequency', 'range_bin'), ranges)
self.TS = TS
if save:
self.TS_path = self.validate_path(save_path, save_postfix)
print('%s saving calibrated TS to %s' % (dt.datetime.now().strftime('%H:%M:%S'), self.TS_path))
self._save_dataset(self.TS, self.TS_path, mode="w")
def calibrate_TS(self, save=False, save_path=None, save_postfix=None):
self.calibrate(mode='TS', save=save, save_path=save_path, save_postfix=save_postfix)
def calibrate_cw(self, mode='Sv', file_path='', save=False, save_path=None, save_postfix=None):
"""Perform echo-integration to get volume backscattering strength (Sv) from EK80 power data.
Parameters
-----------
mode : str
'Sv' for volume backscattering strength (default)
'TS' for target strength
file_path : str
Path to CW data
save : bool, optional
whether to save calibrated Sv output
default to ``False``
save_path : str
Full filename to save to, overwriting the RAWFILENAME_Sv.nc default
save_postfix : str
Filename postfix
"""
# Open data set for and Beam groups
if file_path and os.path.exists(file_path):
ds_beam = self._open_dataset(file_path, group="Beam")
else:
file_path = self.file_path
ds_beam = self._open_dataset(self.file_path, group="Beam")
# Derived params
wavelength = self.sound_speed / ds_beam.frequency # wavelength
# Retrieved params
backscatter_r = ds_beam['backscatter_r'].load()
range_meter = self.calc_range(path=file_path)
sea_abs = self.calc_seawater_absorption(path=file_path)
if mode == 'Sv':
# Calc gain
CSv = 10 * np.log10((ds_beam.transmit_power * (10 ** (ds_beam.gain_correction / 10)) ** 2 *
wavelength ** 2 * self.sound_speed * ds_beam.transmit_duration_nominal *
10 ** (ds_beam.equivalent_beam_angle / 10)) /
(32 * np.pi ** 2))
# Get TVG and absorption
TVG = np.real(20 * np.log10(range_meter.where(range_meter >= 1, other=1)))
ABS = 2 * sea_abs * range_meter
# Calibration and echo integration
Sv = backscatter_r + TVG + ABS - CSv - 2 * ds_beam.sa_correction
Sv.name = 'Sv'
Sv = Sv.to_dataset()
# Attach calculated range into data set
Sv['range'] = (('frequency', 'range_bin'), range_meter)
# Save calibrated data into the calling instance and
# to a separate .nc file in the same directory as the data filef.Sv = Sv
self.Sv = Sv
if save:
if save_postfix is None:
save_postfix = '_' + mode
self.Sv_path = self.validate_path(save_path, save_postfix, file_path)
print('%s saving calibrated Sv to %s' % (dt.datetime.now().strftime('%H:%M:%S'), self.Sv_path))
self._save_dataset(Sv, self.Sv_path, mode="w")
elif mode == 'TS':
CSp = 10 * np.log10((ds_beam.transmit_power * (10 ** (ds_beam.gain_correction / 10)) ** 2 *
wavelength ** 2) / (16 * np.pi ** 2))
TVG = np.real(40 * np.log10(range_meter.where(range_meter >= 1, other=1)))
ABS = 2 * self.seawater_absorption * range_meter
# Calibration and echo integration
TS = backscatter_r + TVG + ABS - CSp
TS.name = 'TS'
TS = TS.to_dataset()
# Attach calculated range into data set
TS['range'] = (('frequency', 'range_bin'), range_meter)
# Save calibrated data into the calling instance and
# to a separate .nc file in the same directory as the data filef.Sv = Sv
self.TS = TS
if save:
self.TS_path = self.validate_path(save_path, save_postfix)
print('%s saving calibrated TS to %s' % (dt.datetime.now().strftime('%H:%M:%S'), self.TS_path))
self._save_dataset(TS, self.TS_path, mode="w")
# Close opened resources
ds_beam.close()
| 2.421875 | 2 |
devip/__main__.py | jorgebg/devip | 0 | 12764732 | <reponame>jorgebg/devip
import click
from devip import get_ip_addresses
@click.command()
@click.option('--all', '-a', is_flag=True, help='List all IP addresses.')
@click.option('--reverse', '-r', is_flag=True, help='List in reverse order.')
@click.option('--loopback', '-l', is_flag=True, help='Include loopback.')
def devip(all, reverse, loopback):
"""
Find a suitable IP host to access local network-based applications.
"""
addresses = get_ip_addresses(loopback)
if not addresses:
click.echo('No IP addresses where found.', err=True)
return 1
if reverse:
addresses = reversed(addresses)
if all:
click.echo('\n'.join(addresses))
else:
click.echo(addresses[0])
if __name__ == '__main__':
devip()
| 3.0625 | 3 |
tma.py | gtolias/tma | 21 | 12764733 | <filename>tma.py
import math, numbers, pdb
import numpy as np
from skimage import filters
from PIL import Image
import torch
from torch import nn
import torch.optim as optim
from torch.nn import functional as F
from cirtorch.layers.functional import mac, spoc, gem, rmac
from utils import reproduce
POOLING = {'mac' : mac,'spoc' : spoc,'gem' : gem}
# targeted mismatch attack
def tma(networks, scales, target_img, carrier_img, mode = 'normal', num_steps=100, lr = 1.0, lam = 0.0, sigma_blur = 0.0, verbose = True, seed = 155):
# if seed is not None: # uncomment to reproduce the results of the ICCV19 paper - still some randomness though
# reproduce(seed)
carrier_optim = nn.Parameter(carrier_img.data) # parameters to be learned are the carrier's pixels values
carrier_org = carrier_img.clone() # to compute distortion
optimizer = optim.Adam([carrier_optim], lr = lr)
bin_centers_fixed = torch.DoubleTensor(np.arange(0,1.001,0.05)).cuda() # for histograms only
scales = np.array(scales)
sigma_blur_all = sigma_blur / np.array(scales)
kernel_size_all = 2*np.floor((np.ceil(6*sigma_blur_all)/2))+1
# pre-compute all target global-descriptors / histograms / tensors
targets, norm_factors = {}, {}
for network in networks: # optimize for all networks
network.eval()
network.cuda()
m = torch.FloatTensor(network.meta['mean']).cuda().unsqueeze(0).unsqueeze(2).unsqueeze(3)
s = torch.FloatTensor(network.meta['std']).cuda().unsqueeze(0).unsqueeze(2).unsqueeze(3)
for scale in scales: # optimize for all scales
si = (scales==scale).nonzero()[0].item()
if sigma_blur > 0.0:
GS = GaussianSmoothing(channels = 3, kernel_size = kernel_size_all[si], sigma = sigma_blur_all[si]).cuda()
else:
GS = nn.Sequential() # identity function
# normalize (mean-std), re-scale, and feed to the network
xl = network.features(nn.functional.interpolate((GS(target_img) - m )/ s, scale_factor=scale, mode='bilinear', align_corners=False))
if not isinstance(xl, list): xl = [xl] # to support optimization for internal layers too
for l in range(len(xl)):
x = xl[l]
if mode == 'global':
for pool in network.poolattack: # global descriptors
targets[network.meta['architecture'],str(scale), pool, 'layer'+str(l)] = network.norm(POOLING[pool](x)).squeeze().detach()
elif mode == 'hist': # activation histogram
nf = x.max().detach()
norm_factors[network.meta['architecture'],str(scale), 'layer'+str(l)] = nf
targets[network.meta['architecture'],str(scale), 'layer'+str(l)] = hist_per_channel((x / nf).clamp(0,1), bin_centers_fixed).detach()
elif mode == 'tensor': # activation tensor
nf = (0.1*x.max()).detach() # 0.1 ???
norm_factors[network.meta['architecture'],str(scale), 'layer'+str(l)] = nf
targets[network.meta['architecture'],str(scale), 'layer'+str(l)] = (x / nf).detach()
# for convergence checks
globals()['converged'] = True; globals()['loss_perf_min'] = 1e+9; globals()['loss_perf_converged'] = 1e-4; globals()['convergence_safe'] = False;
print('Optimizing..')
itr = [0]
while itr[0] <= num_steps:
def closure():
carrier_optim.data.clamp_(0, 1) # correct pixels values
optimizer.zero_grad()
loss_perf = torch.Tensor(1).cuda()*0.0;
n = 0 # counter for loss summands
for network in networks: # optimize for all networks
network.eval()
network.cuda()
m = torch.FloatTensor(network.meta['mean']).cuda().unsqueeze(0).unsqueeze(2).unsqueeze(3)
s = torch.FloatTensor(network.meta['std']).cuda().unsqueeze(0).unsqueeze(2).unsqueeze(3)
for scale in scales: # optimize for all scales
si = (scales==scale).nonzero()[0].item()
if sigma_blur > 0.0:
GS = GaussianSmoothing(channels = 3, kernel_size = kernel_size_all[si], sigma = sigma_blur_all[si]).cuda()
else:
GS = nn.Sequential() # identity function
# normalize (mean-std), re-scale, and feed to the network
xl = network.features(nn.functional.interpolate((GS(carrier_optim) - m )/ s, scale_factor=scale, mode='bilinear', align_corners=False))
if not isinstance(xl, list): xl = [xl]
for l in range(len(xl)):
x = xl[l]
if mode == 'global': # global descriptors
for pool in network.poolattack:
ref = network.norm(POOLING[pool](x)).squeeze()
target = targets[network.meta['architecture'],str(scale), pool, 'layer'+str(l)]
loss_perf += 1 - (ref).dot(target) # add loss over networks and scales
n+= 1
elif mode == 'hist': # activation histogram
nf = norm_factors[network.meta['architecture'],str(scale), 'layer'+str(l)] # similar normalization to the target image
hists = hist_per_channel((x / nf).clamp(0,1), bin_centers_fixed)
loss_perf += (targets[network.meta['architecture'],str(scale), 'layer'+str(l)]-hists).pow(2.0).sum(1).sqrt().mean()
n+= 1
elif mode == 'tensor': # activation tensor
nf = norm_factors[network.meta['architecture'],str(scale), 'layer'+str(l)] # similar normalization to the target image
x_norm = x / nf
loss_perf += (targets[network.meta['architecture'],str(scale), 'layer'+str(l)]-x_norm).pow(2).mean()
n += 1
# compute loss
if lam > 0: loss_distort = (carrier_optim-carrier_org).pow(2.0).sum() / (carrier_optim.size(-1)*carrier_optim.size(-2))
else: loss_distort = torch.Tensor(1).cuda()*0.0
loss_perf = loss_perf / n # divide by number of summands (networks, scales, poolings)
total_loss = loss_perf + lam * loss_distort
# check for convergence (hacky!)
if loss_perf < globals()['loss_perf_min']: globals()['loss_perf_min'] = loss_perf.clone()
if loss_perf < globals()['loss_perf_converged']: globals()['convergence_safe'] = True
if globals()['converged'] and (loss_perf-globals()['loss_perf_min']) > 1*globals()['loss_perf_min'] and globals()['convergence_safe'] == False:
globals()['converged'] = False
print("Iter {:5d}, Loss_perf = {:6f} Loss_distort = {:6f} Loss_total = {:6f}".format(itr[0], loss_perf.item(), loss_distort.item(), total_loss.item()))
print('Did not converge')
total_loss.backward()
if verbose == True and itr[0] % 5 == 0:
print("Iter {:5d}, Loss_perf = {:6f} Loss_distort = {:6f}, Loss_total = {:6f}".format(itr[0], loss_perf.item(), loss_distort.item(), total_loss.item()))
globals()['loss_perf'] = loss_perf; globals()['loss_distort'] = loss_distort
itr[0] += 1
return total_loss
if not globals()['converged']: return carrier_optim.data, 0, 0, False
optimizer.step(closure)
carrier_optim.data.clamp_(0, 1) # pixel value correction
return carrier_optim.data, globals()['loss_perf'], globals()['loss_distort'], globals()['converged']
def hist_per_channel(x, bin_centers, sigma = 0.1):
x = x.squeeze(0)
N = x.size()[1]*x.size()[2]
xflat = x.flatten().unsqueeze(1)
expx = torch.exp(-torch.add(xflat.type(torch.cuda.DoubleTensor),-1.0*bin_centers.unsqueeze(0)).pow(2.0) / (2*sigma**2) ).type(torch.cuda.FloatTensor)
nf = expx.sum(1).unsqueeze(1)
nf[nf==0] = 1
xh = torch.div(expx, nf)
xh = xh.reshape(x.size(0),N,xh.size(-1))
hists = xh.sum(1) / (x.size(1)*x.size(2))
return hists
class GaussianSmoothing(nn.Module):
"""
Apply gaussian smoothing on a
1d, 2d or 3d tensor. Filtering is performed seperately for each channel
in the input using a depthwise convolution.
Arguments:
channels (int, sequence): Number of channels of the input tensors. Output will
have this number of channels as well.
kernel_size (int, sequence): Size of the gaussian kernel.
sigma (float, sequence): Standard deviation of the gaussian kernel.
dim (int, optional): The number of dimensions of the data.
Default value is 2 (spatial).
function implemented by <NAME> https://tinyurl.com/y2w8ktp5
"""
def __init__(self, channels, kernel_size, sigma, dim=2):
super(GaussianSmoothing, self).__init__()
if isinstance(kernel_size, numbers.Number):
kernel_size = [kernel_size] * dim
if isinstance(sigma, numbers.Number):
sigma = [sigma] * dim
# The gaussian kernel is the product of the
# gaussian function of each dimension.
kernel = 1
meshgrids = torch.meshgrid(
[
torch.arange(size, dtype=torch.float32)
for size in kernel_size
]
)
for size, std, mgrid in zip(kernel_size, sigma, meshgrids):
mean = (size - 1) / 2
kernel *= 1 / (std * math.sqrt(2 * math.pi)) * \
torch.exp(-((mgrid - mean) / (2 * std)) ** 2)
# Make sure sum of values in gaussian kernel equals 1.
kernel = kernel / torch.sum(kernel)
# Reshape to depthwise convolutional weight
kernel = kernel.view(1, 1, *kernel.size())
kernel = kernel.repeat(channels, *[1] * (kernel.dim() - 1))
self.register_buffer('weight', kernel)
self.groups = channels
self.kernel_size = kernel_size
if dim == 1:
self.conv = F.conv1d
elif dim == 2:
self.conv = F.conv2d
elif dim == 3:
self.conv = F.conv3d
else:
raise RuntimeError(
'Only 1, 2 and 3 dimensions are supported. Received {}.'.format(dim)
)
def forward(self, input):
"""
Apply gaussian filter to input.
Arguments:
input (torch.Tensor): Input to apply gaussian filter on.
Returns:
filtered (torch.Tensor): Filtered output.
"""
return self.conv(input, weight=self.weight, groups=self.groups, padding=(int((self.kernel_size[0]-1)/2),int((self.kernel_size[0]-1)/2)))
| 2.15625 | 2 |
plot-a-frame.py | nobody48sheldor/fractales | 0 | 12764734 | <gh_stars>0
import matplotlib.pyplot as plt
import numpy as np
from matplotlib import style
from matplotlib import cm
from matplotlib.backend_bases import MouseButton
import os
style.use('dark_background')
def clicked(event):
if event.button is MouseButton.LEFT:
x, y = event.xdata, event.ydata
print(x,y)
with open("input.txt", "w+") as file:
file.write("{}\n{}".format(x,y))
os.system("./julia_set-cpp")
if event.button is MouseButton.RIGHT:
x, y = event.xdata, event.ydata
print(x,y)
with open("input_zoom.txt", "w+") as filez:
filez.write("{}\n{}".format(x,y))
os.system("./mandelbrot_zoom-cpp")
n = 1000
X = []
Y = []
with open("data.txt", 'r') as file:
data = file.readlines()
data = data[0].split("/",n*n)
for i in range(len(data)-1):
data[i] = float(data[i])
for y in range(n):
X = []
for x in range(n):
X.append(data[int(y*n + x)])
Y.append(X)
array = np.array(Y)
#plt.savefig("{}".format(time))
#plt.imshow(Y)
plt.imshow(array)
plt.title("Mandelbrot's set")
plt.savefig("render_test.png")
plt.connect('button_press_event', clicked)
plt.show()
| 2.875 | 3 |
setup.py | emulbreh/bikeshed | 2 | 12764735 | # -*- coding: utf-8 -*-
from setuptools import setup, find_packages
with open('README.rst') as f:
description = f.read()
setup(
name='bikeshed',
version='0.1.0',
packages=find_packages(),
license=u'BSD 3-Clause License',
long_description=description,
include_package_data=True,
install_requires=[
'bcrypt>=1.0.2',
'docutils>=0.11',
'elasticsearch>=1.0.0',
'httplib2>=0.9',
'Jinja2>=2.7.2',
'lxml>=3.3.4',
'patchit>=1.1',
'python-dateutil>=2.2',
'redis>=2.9.1',
'Sphinx>=1.2.2',
'itsdangerous>=0.24',
'Werkzeug==0.9.4',
'gunicorn==18.0',
],
)
| 1.132813 | 1 |
mava/systems/tf/mad4pg/builder.py | mlanas/Mava | 0 | 12764736 | <gh_stars>0
# python3
# Copyright 2021 InstaDeep Ltd. All rights reserved.
#
# 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.
"""MAD4PG system builder implementation."""
from typing import Any, Dict, Type, Union
from mava import core
from mava.systems.tf import executors
from mava.systems.tf.mad4pg import training
from mava.systems.tf.maddpg.builder import MADDPGBuilder, MADDPGConfig
class MAD4PGBuilder(MADDPGBuilder):
"""Builder for MAD4PG which constructs individual components of the system."""
def __init__(
self,
config: MADDPGConfig,
trainer_fn: Union[
Type[training.MAD4PGBaseTrainer],
Type[training.MAD4PGBaseRecurrentTrainer],
] = training.MAD4PGDecentralisedTrainer,
executor_fn: Type[core.Executor] = executors.FeedForwardExecutor,
extra_specs: Dict[str, Any] = {},
):
"""Initialise the system.
Args:
config (MADDPGConfig): system configuration specifying hyperparameters and
additional information for constructing the system.
trainer_fn (Union[ Type[training.MAD4PGBaseTrainer],
Type[training.MAD4PGBaseRecurrentTrainer], ], optional): Trainer
function, of a correpsonding type to work with the selected system
architecture. Defaults to training.MAD4PGDecentralisedTrainer.
executor_fn (Type[core.Executor], optional): Executor function, of a
corresponding type to work with the selected system architecture.
Defaults to executors.FeedForwardExecutor.
extra_specs (Dict[str, Any], optional): defines the specifications of extra
information used by the system. Defaults to {}.
"""
super().__init__(
config=config,
trainer_fn=trainer_fn,
executor_fn=executor_fn,
extra_specs=extra_specs,
)
| 2.046875 | 2 |
test/test_contact_info.py | ilyaYarosh88/barancev_python_training | 0 | 12764737 | from model.contact import Contact
from random import randrange
import re
def test_contact_info_on_main_page(app):
if app.contact.count() == 0:
app.contact.add_contact(
Contact(firstname="Ivan", middlename="Sergeevich", lastname="Petrov", nickname="Butthead", title="test",
company="Gazprom", address="Moscow", home="+74950000000", mobile="+79190000000",
work="+74951000000", fax="+74952000000", email="<EMAIL>", email2="<EMAIL>",
email3="<EMAIL>", homepage="www.petrov.su", bday="2", bmonth="April", byear="1973",
aday="6", amonth="May", ayear="1999", address2="Moscow", phone2="1", notes="Test"))
old_contact_list = app.contact.get_contact_list()
index = randrange(len(old_contact_list))
contact_from_home_page = app.contact.get_contact_list()[index]
contact_from_edit_page = app.contact.get_contact_info_from_edit_page(index)
assert contact_from_home_page.all_phones_from_home_page == merge_phones_like_on_home_page(contact_from_edit_page)
assert contact_from_home_page.firstname == contact_from_edit_page.firstname
assert contact_from_home_page.lastname == contact_from_edit_page.lastname
assert contact_from_home_page.address == contact_from_edit_page.address
assert contact_from_home_page.all_emails_from_home_page == merge_emails_like_on_home_page(contact_from_edit_page)
def clear(s):
return re.sub("[() -]", "", s)
def merge_phones_like_on_home_page(contact):
return "\n".join(filter(lambda x: x != "",
map(lambda x: clear(x),
filter(lambda x: x is not None,
[contact.home, contact.mobile, contact.work, contact.phone2]))))
def merge_emails_like_on_home_page(contact):
return "\n".join(filter(lambda x: x != "",
filter(lambda x: x is not None,
[contact.email, contact.email2, contact.email3]))) | 2.46875 | 2 |
src/classification/crime_classification_knn.py | sakdag/crime-data-analysis | 0 | 12764738 | <gh_stars>0
import numpy as np
import pandas as pd
from sklearn.neighbors import KNeighborsClassifier
from sklearn.preprocessing import LabelEncoder
import src.config.config as conf
import src.preprocessing.crime_preprocessor as crime_prep
import src.utils.classification_reporter as reporter
import src.config.column_names as col_names
def classify_and_report(df: pd.DataFrame, number_of_neighbors: int, number_of_folds: int,
mode: str, number_of_labels: str = conf.USE_76_LABELS, use_census: bool = False,
undersample: bool = True):
if number_of_labels == conf.USE_11_LABELS:
df = df.groupby(col_names.CRIME_CODE).filter(lambda x: len(x) > 50000)
elif number_of_labels == conf.USE_4_LABELS:
df = crime_prep.merge_crime_codes(df)
if undersample:
df = df.sample(frac=1).reset_index(drop=True)
dfs = dict(tuple(df.groupby(col_names.CRIME_CODE)))
# Get number of instances in the smallest df
sample_size = min([len(current_df) for current_df in list(dfs.values())])
# Modify each dataframe such that all have sample_size samples
modified_dfs = [modified_df.sample(n=sample_size) for modified_df in dfs.values()]
df = pd.concat(modified_dfs)
columns_to_drop = {col_names.DR_NUMBER, col_names.CRIME_CODE_DESCRIPTION,
col_names.PREMISE_DESCRIPTION}
df = df.drop(columns=columns_to_drop)
if mode == conf.LABEL_ENCODING:
df[[col_names.VICTIM_SEX, col_names.VICTIM_DESCENT, col_names.PREMISE_CODE]] = \
df[[col_names.VICTIM_SEX,
col_names.VICTIM_DESCENT,
col_names.PREMISE_CODE]].apply(LabelEncoder().fit_transform)
elif mode == conf.ONE_HOT_ENCODING:
df = crime_prep.preprocess_and_save_before_ohe(df)
df = obtain_ohe_df(df, ['TimeOccurred', 'VictimSex', 'VictimDescent', 'MonthOccurred', 'DayOfWeek'])
if not use_census:
df.drop(columns=[
col_names.TOTAL_POPULATION,
col_names.TOTAL_MALES,
col_names.TOTAL_FEMALES,
col_names.MEDIAN_AGE
], inplace=True)
df.drop(columns=[
col_names.ZIP_CODE
], inplace=True)
label = 'CrimeCode'
df = df.sample(frac=1).reset_index(drop=True)
split_dfs = np.array_split(df, number_of_folds)
neigh = KNeighborsClassifier(n_neighbors=number_of_neighbors)
actual_y = list()
predicted_y = list()
for i in range(number_of_folds):
# Get training set by appending elements other than current fold
train_set = pd.DataFrame()
for j in range(number_of_folds):
if j != i:
train_set = train_set.append(split_dfs[j])
test_set = split_dfs[i]
y = train_set[[label]]
x = train_set.drop([label], axis=1)
neigh.fit(x, y.values.ravel())
actual_y.extend(test_set[label].to_list())
test_x = test_set.drop([label], axis=1)
predicted_y.extend(list(neigh.predict(test_x)))
reporter.report(df, actual_y, predicted_y)
def obtain_ohe_df(df, column_names):
for column_name in column_names:
# Get one hot encoding
one_hot = pd.get_dummies(df[column_name], prefix=column_name)
# Drop column B as it is now encoded
df = df.drop(column_name, axis=1)
# Join the encoded df
df = df.join(one_hot)
return df
| 2.75 | 3 |
pseas/runnable/produce_gridsearch_step1.py | Theomat/MPSEAS | 0 | 12764739 | """
Run this script with -h for the help.
It produces for each method for a given dataset all the data needed to compare the methods on the specified dataset.
The strategies being compared are defined after line 88.
"""
from concurrent.futures import wait, ALL_COMPLETED
from concurrent.futures.process import ProcessPoolExecutor
import os
from typing import Callable, Dict, List, Optional, Tuple
import pandas as pd
import numpy as np
from pseas.instance_selection.instance_selection import InstanceSelection
from tqdm import tqdm
from pseas.test_env import ResetChoice, TestEnv
from pseas.strategy import Strategy
from pseas.standard_strategy import StandardStrategy
from pseas.discrimination.subset_baseline import SubsetBaseline
from pseas.discrimination.wilcoxon import Wilcoxon
from pseas.instance_selection.random_baseline import RandomBaseline
from pseas.instance_selection.discrimination_based import DiscriminationBased
from pseas.instance_selection.variance_based import VarianceBased
from pseas.instance_selection.information_based import InformationBased
from pseas.instance_selection.udd import UDD
# =============================================================================
# Argument parsing.
# =============================================================================
import argparse
argument_parser: argparse.ArgumentParser = argparse.ArgumentParser(
description="Produce run data.")
argument_default_values: Dict = {
"output_suffix": '',
"save_every": 5,
"max_workers": None,
"scenario_path": './rundata/kissat_ibm',
"nb_configurations": 10,
"ratio_instances": .1,
"nb_seeds": 10
}
argument_parser.add_argument('-o', '--output-suffix',
type=str,
action='store',
default=argument_default_values['output_suffix'],
help="CSV data filename suffix (default: '[scenario]_[nb configurations]_[ratio instance]')"
)
argument_parser.add_argument('--save-every',
type=int,
action='store',
default=argument_default_values['save_every'],
help="Save data every X time. (default: 5)"
)
argument_parser.add_argument('--max-workers',
type=int,
action='store',
default=argument_default_values['max_workers'],
help="Max number of processes. (default: None)"
)
argument_parser.add_argument('--scenario-path',
type=str,
action='store',
default=argument_default_values['scenario_path'],
help=" (default: './rundata/kissat_ibm')"
)
argument_parser.add_argument('--nb-configurations',
type=int,
action='store',
default=argument_default_values['nb_configurations'],
help=" (default: 10)"
)
argument_parser.add_argument('--nb-seeds',
type=int,
action='store',
default=argument_default_values['nb_seeds'],
help=" (default: 10)"
)
argument_parser.add_argument('--ratio-instances',
type=float,
action='store',
default=argument_default_values['ratio_instances'],
help=" (default: 1)"
)
argument_parser.add_argument('--disc',
action='store_true',
help=" (default: False) instaed of GridSearch for UDD do it for discrimination"
)
parsed_parameters = argument_parser.parse_args()
nb_seeds: int = parsed_parameters.nb_seeds
save_every: int = parsed_parameters.save_every
max_workers: int = parsed_parameters.max_workers
scenario_path: str = parsed_parameters.scenario_path
nb_configurations: int = parsed_parameters.nb_configurations
ratio_instances: float = parsed_parameters.ratio_instances
disc_instead_udd: bool = parsed_parameters.disc
name: str = "discrimination" if disc_instead_udd else "udd"
output_suffix: str = scenario_path.strip('/').split('/')[-1]+'_'+str(nb_configurations)+'_'+str(ratio_instances)+"_"+name
# =============================================================================
# Finished parsing
# =============================================================================
# =============================================================================
# Start Strategy Definition
# =============================================================================
discriminators = [
lambda: Wilcoxon(confidence=101),
]
selectors: List[Callable[[], InstanceSelection]] = []
if not disc_instead_udd:
parameters_1 = np.linspace(.2, 2, num=10).tolist()
parameters_2 = np.linspace(.2, 2, num=10).tolist()
selectors = [UDD(p1, p2) for p1 in parameters_1 for p2 in parameters_2]
else:
parameters = np.linspace(1.01, 2, num=10).tolist()
selectors = [DiscriminationBased(p) for p in parameters]
strategy_makers = [
lambda i, d: StandardStrategy(i, d),
]
# =============================================================================
# End Strategy Definition
# =============================================================================
# Check if file already exists
original_df_general: Optional[pd.DataFrame] = None
original_df_detailed: Optional[pd.DataFrame] = None
if os.path.exists(f"./runs_{output_suffix}.csv"):
original_df_general = pd.read_csv(f"./runs_{output_suffix}.csv")
original_df_general = original_df_general.drop("Unnamed: 0", axis=1)
original_df_detailed = pd.read_csv(
f"./detailed_runs_{output_suffix}.csv")
original_df_detailed = original_df_detailed.drop(
"Unnamed: 0", axis=1)
print("Found existing data, continuing acquisition from save.")
df_general = {
"y_true": [],
"y_pred": [],
"time": [],
"perf_eval": [],
"perf_cmp": [],
"instances": [],
"strategy": [],
"a_new": [],
"a_old": [],
"seed": []
}
df_detailed = {
"strategy": [],
"confidence": [],
"time": [],
"instances": [],
"prediction": [],
"a_new": [],
"a_old": [],
"seed": []
}
def callback(future):
pbar.update(1)
strat_name, runs, dico = future.result()
# Fill detailed dataframe
stats = dico["stats"]
for k, v in stats.items():
for el in v:
df_detailed[k].append(el)
# Save detailed dataframe
if pbar.n % save_every == 0:
df_tmp = pd.DataFrame(df_detailed)
if original_df_detailed is not None:
df_tmp = original_df_detailed.append(df_tmp)
df_tmp.to_csv(f"./detailed_runs_{output_suffix}.csv")
# real data
real = dico["real"]
challengers: List[int] = real["challenger"]
seed = stats["seed"][-1]
# Fill general dataframe
for challenger, incumbent, perf_chall, perf_inc, y_true, _, _, _ in runs:
df_general["y_true"].append(y_true)
df_general["perf_eval"].append(perf_chall)
df_general["perf_cmp"].append(perf_inc)
df_general["strategy"].append(strat_name)
df_general["a_new"].append(challenger)
df_general["a_old"].append(incumbent)
index = challengers.index(challenger)
df_general["time"].append(real["time"][index])
df_general["instances"].append(real["instances"][index])
df_general["y_pred"].append(real["prediction"][index])
df_general["seed"].append(seed)
# Save general dataframe
if pbar.n % save_every == 0:
df_tmp = pd.DataFrame(df_general)
if original_df_general is not None:
df_tmp = original_df_general.append(df_tmp)
df_tmp.to_csv(f"./runs_{output_suffix}.csv")
def evaluate(scenario_path: str, strategy: Strategy, seed: int,
verbose: bool = False, **kwargs) -> Tuple[str, List[Tuple[int, int, float, float, bool, bool, float, int]], Dict]:
env: TestEnv = TestEnv(scenario_path, verbose, seed=seed)
# Select instances
ninstances = round(ratio_instances * env.ninstances)
selected_instances = env.rng.choice(list(range(env.ninstances)), size=ninstances)
for instance in range(env.ninstances):
if instance not in selected_instances:
env.set_enabled(-1, instance, False)
env.set_instance_count_for_eval(instance, False)
# Subset of configurations
known_configurations = env.rng.choice(list(range(env.nconfigurations)), size=nb_configurations)
challenger_list: List[int] = []
for config in range(env.nconfigurations):
if config not in known_configurations:
env.set_enabled(config, -1, False)
challenger_list.append(config)
# Get incumbent that is the fastest
env.fit_model()
incumbent: int = env.reset(ResetChoice.RESET_BEST)[1]["incumbent_configuration"]
env._history.clear()
stats = {
"time": [],
"confidence": [],
"prediction": [],
"strategy": [],
"a_new": [],
"a_old": [],
"instances": [],
"seed": []
}
real = {
"prediction": [],
"time": [],
"challenger": [],
"instances": [],
}
to_ratio = lambda x: int(np.floor(x * 100))
label: str = strategy.name()
for challenger in challenger_list:
state, information, information_has_changed = env.reset((incumbent, challenger))
if information_has_changed:
strategy.ready(**information)
strategy.reset()
strategy.feed(state)
last_time_ratio: float = 0
instances : int = 0
finished: bool = False
while instances < env.ninstances:
state = env.step(strategy.choose_instance())
strategy.feed(state)
instances += 1
# Update if time changed enough
time_ratio: float = env.current_time / env.current_challenger_max_total_time
if to_ratio(last_time_ratio) < to_ratio(time_ratio):
for i in range(to_ratio(last_time_ratio), to_ratio(time_ratio)):
# Update predictions
stats["time"].append(i)
stats["prediction"].append(
strategy.is_better() == env.is_challenger_better)
stats["strategy"].append(label)
stats["a_new"].append(challenger)
stats["a_old"].append(incumbent)
stats["instances"].append(instances)
stats["seed"].append(seed)
# Update confidence
try:
stats["confidence"].append(
strategy.get_current_choice_confidence() * 100)
except AttributeError:
stats["confidence"].append(100)
last_time_ratio = time_ratio
if not finished and strategy.get_current_choice_confidence() >= .95 and not strategy.is_better():
if isinstance(strategy._discrimination, Wilcoxon) and env.current_instances < 5:
continue
finished = True
real["challenger"].append(challenger)
real["prediction"].append(strategy.is_better())
real["time"].append(env.current_time / env.current_challenger_max_total_time)
real["instances"].append(env.current_instances)
env.choose(strategy.is_better())
# Fill in the rest
for i in range(to_ratio(last_time_ratio), 101):
# Update predictions
stats["time"].append(i)
stats["strategy"].append(label)
stats["a_new"].append(challenger)
stats["a_old"].append(incumbent)
stats["instances"].append(instances)
stats["prediction"].append(
strategy.is_better() == env.is_challenger_better)
stats["seed"].append(seed)
# Update confidence
try:
stats["confidence"].append(
strategy.get_current_choice_confidence() * 100)
except AttributeError:
stats["confidence"].append(100)
if not finished:
finished = True
real["challenger"].append(challenger)
real["prediction"].append(strategy.is_better())
real["time"].append(env.current_time / env.current_challenger_max_total_time)
real["instances"].append(env.current_instances)
kwargs["stats"] = stats
kwargs["real"] = real
kwargs["a_old"] = incumbent
return strategy.name(), list(env.runs()), kwargs
def run(scenario_path, max_workers):
print()
env = TestEnv(scenario_path)
n_algos = env.nconfigurations
# Generate strategies
total: int = 0
strategies: List[Tuple[Strategy, Dict]] = []
for discriminator in discriminators:
for selection in selectors:
for strategy_make in strategy_makers:
strat = strategy_make(selection, discriminator())
seeds_done = []
total += nb_seeds
if original_df_general is not None:
tmp = original_df_general[original_df_general["strategy"] == strat.name(
)]
seeds_done = np.unique(
tmp["seed"].values).tolist()
total -= len(seeds_done)
strategies.append([strat, seeds_done])
global pbar
pbar = tqdm(total=total)
futures = []
executor = ProcessPoolExecutor(max_workers)
for strategy, seeds_done in strategies:
for seed in range(nb_seeds):
if seed in seeds_done:
continue
future = executor.submit(evaluate, scenario_path, strategy.clone(), seed)
future.add_done_callback(callback)
futures.append(future)
wait(futures, return_when=ALL_COMPLETED)
pbar.close()
run(scenario_path, max_workers)
# Last save
df_tmp = pd.DataFrame(df_detailed)
if original_df_detailed is not None:
df_tmp = original_df_detailed.append(df_tmp)
df_tmp.to_csv(f"./detailed_runs_{output_suffix}.csv")
df_tmp = pd.DataFrame(df_general)
if original_df_general is not None:
df_tmp = original_df_general.append(df_tmp)
df_tmp.to_csv(f"./runs_{output_suffix}.csv")
| 2.5625 | 3 |
Chapter06/Generate Keys.py | delgadoa1/Python-For-Offensive-Pentest | 62 | 12764740 | # Python For Offensive PenTest
# Download Pycrypto for Windows - pycrypto 2.6 for win32 py 2.7
# http://www.voidspace.org.uk/python/modules.shtml#pycrypto
# Download Pycrypto source
# https://pypi.python.org/pypi/pycrypto
# For Kali, after extract the tar file, invoke "python setup.py install"
# Generate Keys
from Crypto.PublicKey import RSA
new_key = RSA.generate(4096 ) # generate RSA key that 4096 bits long
#Export the Key in PEM format, the PEM extension contains ASCII encoding
public_key = new_key.publickey().exportKey("PEM")
private_key = new_key.exportKey("PEM")
print private_key
print public_key
| 2.296875 | 2 |
app/run.py | DanielDaCosta/disaster-webapp | 6 | 12764741 | import json
import plotly
import pandas as pd
import re
from nltk.stem import WordNetLemmatizer
from nltk.tokenize import word_tokenize
from nltk.corpus import stopwords
from flask import Flask
from flask import render_template, request, jsonify
from plotly.graph_objs import Bar
from sklearn.externals import joblib
from sqlalchemy import create_engine
import plotly.graph_objs as go
app = Flask(__name__)
def tokenize(text):
""" Tokenize string
Args:
text(string)
Returns:
tokens(list): tokens in list of strings format
"""
text = text.lower()
stop_words = stopwords.words("english")
lemmatizer = WordNetLemmatizer()
# '@' mention. Even tough @ adds some information to the message,
# this information doesn't add value build the classifcation model
text = re.sub(r'@[A-Za-z0-9_]+', '', text)
# Dealing with URL links
url_regex = ('http[s]?://(?:[a-zA-Z]|[0-9]|[$-_@.&+]'
'|[!*\(\),]|(?:%[0-9a-fA-F][0-9a-fA-F]))+')
text = re.sub(url_regex, 'urlplaceholder', text)
# A lot of url are write as follows: http bit.ly. Apply Regex for these
# cases
utl_regex_2 = 'http [a-zA-Z]+\.[a-zA-Z]+'
text = re.sub(utl_regex_2, 'urlplaceholder', text)
# Other formats: http : //t.co/ihW64e8Z
utl_regex_3 = 'http \: //[a-zA-Z]\.(co|com|pt|ly)/[A-Za-z0-9_]+'
text = re.sub(utl_regex_3, 'urlplaceholder', text)
# Hashtags can provide useful informations. Removing only ``#``
text = re.sub('#', ' ', text)
# Contractions
text = re.sub(r"what's", 'what is ', text)
text = re.sub(r"can't", 'cannot', text)
text = re.sub(r"\'s", ' ', text)
text = re.sub(r"\'ve", ' have ', text)
text = re.sub(r"n't", ' not ', text)
text = re.sub(r"im", 'i am ', text)
text = re.sub(r"i'm", 'i am ', text)
text = re.sub(r"\'re", ' are ', text)
text = re.sub(r"\'d", ' would ', text)
text = re.sub(r"\'ll", ' will ', text)
# Operations and special words
text = re.sub(r",", " ", text)
text = re.sub(r"\.", " ", text)
text = re.sub(r"!", " ! ", text)
text = re.sub(r"\/", " ", text)
text = re.sub(r"\^", " ^ ", text)
text = re.sub(r"\+", " + ", text)
text = re.sub(r"\-", " - ", text)
text = re.sub(r"\=", " = ", text)
text = re.sub('foof', 'food', text)
text = re.sub('msg', 'message', text)
text = re.sub(' u ', 'you', text)
# Ponctuation Removal
text = re.sub(r'[^a-zA-Z0-9]', ' ', text)
tokens = word_tokenize(text)
tokens = [lemmatizer.lemmatize(w) for w in tokens]
tokens = [tok for tok in tokens if tok not in stop_words]
return tokens
# load data
engine = create_engine('sqlite:///../data/DisasterResponse.db')
df = pd.read_sql_table('messages', engine)
# load model
model = joblib.load("../models/classifier.pkl")
# index webpage displays cool visuals and receives user input text for model
@app.route('/')
@app.route('/index')
def index():
# extract data needed for visuals
genre_counts = df.groupby('genre').count()['message']
genre_names = list(genre_counts.index)
# create visuals
graphs = []
figure = go.Figure()
figure.add_trace(
go.Bar(
x=genre_names,
y=genre_counts
)
)
figure.update_layout(
go.Layout(
title="Distribution of Message Genres",
title_x=0.5,
yaxis_title="Count",
xaxis_title=f"Genre",
plot_bgcolor="rgba(0,0,0,0)"
)
)
graphs.append(dict(data=figure.data, layout=figure.layout))
# graphs = [
# {
# 'data': [
# Bar(
# x=genre_names,
# y=genre_counts
# )
# ],
# 'layout': {
# 'title': 'Distribution of Message Genres',
# 'yaxis': {
# 'title': "Count"
# },
# 'xaxis': {
# 'title': "Genre"
# }
# }
# }
# ]
# Plot Outputs Columns Distributions
output_columns = [
'related', 'request', 'offer', 'aid_related',
'medical_help', 'medical_products', 'search_and_rescue', 'security',
'military', 'child_alone', 'water', 'food', 'shelter', 'clothing',
'money', 'missing_people', 'refugees', 'death', 'other_aid',
'infrastructure_related', 'transport', 'buildings', 'electricity',
'tools', 'hospitals', 'shops', 'aid_centers', 'other_infrastructure',
'weather_related', 'floods', 'storm', 'fire', 'earthquake', 'cold',
'other_weather', 'direct_report']
for i, col in enumerate(output_columns):
counts = df.groupby(col).count()['id']
total_rows = df.shape[0]
names = col.replace('_', ' ').title()
figure = go.Figure()
figure.add_trace(
go.Bar(
x=counts.index,
y=counts,
text=round(counts[counts.index]/total_rows*100, 2)
.apply(lambda x: str(x) + '%'),
textposition='outside',
cliponaxis=False
)
)
figure.update_layout(
go.Layout(
title=f'{names}',
title_x=0.5,
yaxis_title="Count",
xaxis_title=f"{names}",
plot_bgcolor="rgba(0,0,0,0)"
)
)
figure.update_traces(
marker_color='rgb(158,202,225)',
marker_line_color='rgb(8,48,107)',
marker_line_width=1.5, opacity=0.6)
graphs.append(dict(data=figure.data, layout=figure.layout))
# encode plotly graphs in JSON
ids = ["graph-{}".format(i) for i, _ in enumerate(graphs)]
graphJSON = json.dumps(graphs, cls=plotly.utils.PlotlyJSONEncoder)
# render web page with plotly graphs
return render_template('master.html', ids=ids, graphJSON=graphJSON)
# web page that handles user query and displays model results
@app.route('/classify')
def classify():
# save user input in query
query = request.args.get('query', '')
# use model to predict classification for query
classification_labels = model.predict([query])[0]
classification_results = dict(zip(df.columns[4:], classification_labels))
# This will render the go.html Please see that file.
return render_template(
'go.html',
query=query,
classification_result=classification_results
)
def main():
app.run(host='0.0.0.0', port=3001, debug=True)
if __name__ == '__main__':
main()
| 2.765625 | 3 |
src/store.py | YTCdev/yangubot | 0 | 12764742 | <filename>src/store.py
from woocommerce import API
class Store:
def __init__(self, url, key, secret):
self.wcapi = API(
url=url,
consumer_key=key,
consumer_secret=secret,
wp_api=True,
version="wc/v3"
)
def get_order(self, order_id):
return self.wcapi.get('orders/' + order_id).json()
def get_order_notes(self, order_id):
return self.wcapi.get('orders/' + order_id + '/notes').json()
| 2.28125 | 2 |
lindenmayer.py | josephnavarro/l-system-drawing | 1 | 12764743 | #!/usr/bin/env python
#
# <NAME>
#
# This is a test of a Lindenmayer grammar that generates
# rather realistic-looking plant shrubbery. You can go to
# http://en.wikipedia.org/wiki/L-system for more information.
# This script requires the python-pygame dependency.
#
# Licensed under the MIT License.
import pygame, sys, math, os, random
from pygame.locals import *
os.environ['SDL_VIDEO_CENTERED'] ="1" ## Makes the window centered on-screen
class Main: ## Wrapper for the main method
def __init__(self):
pygame.init()
self.screen = pygame.display.set_mode((800,600), SWSURFACE)
self.screen.fill((179,229,254)) ## Fill with a sort of sky-bluish color
pygame.display.set_caption("L-System Test")
self.clock = pygame.time.Clock()
self.positions = [] ## Stack of origin points from which to draw a branch
self.angles = [] ## Stack of angles at which to draw each branch
self.widths = [] ## Stack of widths of each branch
self.color_scales = [] ## Stack of color values for each branch
self.string = "X" ## Initial "seed" for the iterative process
self.angle = 180 ## Initial angle at which to draw the tree
self.cur_pos = [1000,1000] ## Offset the origin point offscreen
self.length = 4 ## Length of each segment
self.width = 8 ## Starting width to draw each branch
self.color_scale = 1.0 ## Color value is initialized to 100%
self.skip = False ## This permits the user to skip drawing
def _quit(self): ## Safe exiting method
pygame.quit()
sys.exit()
def iterate(self): ## Handles one iteration of L-system recursion
temp_string = "" ## Create a new string
for ch in self.string: ## Read through the current string
if ch == "X": ## Grammar rule: (X -> F-[[X]+X]+F[+FX]-X)
temp_string += "F-[[X]+X]+F[+FX]-X"
elif ch == "F": ## Grammar rule: (F -> FF)
temp_string += "FF"
else: ## Write in any constants
temp_string += ch
self.string = temp_string ## Update our string
def read(self): ## Interprets and renders the recursed string
length = len(self.string) ## Length and count measure how much progress we've made in parsing this string
count = 0
for ch in self.string:
if ch == "F": ## Draw a line straight forward in the current angle, from the current origin
new_pos_x = self.cur_pos[0] + math.cos(self.angle) * self.length
new_pos_y = self.cur_pos[1] + math.sin(self.angle) * self.length
pygame.draw.line(self.screen, (int(78*self.color_scale),
int(117*self.color_scale),
int(28*self.color_scale)),
self.cur_pos, [int(new_pos_x),int(new_pos_y)], self.width)
self.cur_pos = [int(new_pos_x),int(new_pos_y)]
self.angle += 0.02 * random.randint(-1,1)
elif ch == "+" or ch == "-": ## Randomly choose between rotating the angle 170 degrees left or right
self.angle += 170 * random.choice((-1,1))
elif ch == "[": ## Push our current state onto the stack and enter a sub-branch
self.positions.append(self.cur_pos)
self.angles.append(self.angle)
self.widths.append(self.width)
self.color_scales.append(self.color_scale)
self.width = max(1, self.width-1) ## Branches get smaller further up
self.color_scale = max(0.01, self.color_scale-0.1) ## Branches get darker further up
elif ch == "]": ## Pop the previous state off the stack and exit a sub-branch
self.cur_pos = self.positions.pop(-1)
self.angle = self.angles.pop(-1)
self.width = self.widths.pop(-1)
self.color_scale = self.color_scales.pop(-1)
count += 1
pygame.draw.rect(self.screen, (0,0,0), (10,550,780,20)) ## This displays how much progress we've made
pygame.draw.rect(self.screen, (255,255,255), (10,550,int(780*count/float(length)),20))
if not self.skip: ## If we're not skipping, update the tree picture each frame
pygame.display.flip()
for e in pygame.event.get(): ## Makes it so the program doesn't hang while drawing
if e.type == pygame.QUIT:
self._quit()
elif e.type == pygame.KEYDOWN: ## You can exit, too
if e.key == pygame.K_ESCAPE:
self._quit()
elif e.key == pygame.K_RETURN: ## Press ENTER to fast-forward
self.skip = True
def run(self):
for n in range(7): ## Seven levels of recursion, we could do more but it'll take a lot longer
self.iterate()
self.read() ## Parse what we've generated
while True:
self.clock.tick(30) ## 30 FPS
pygame.display.flip()
for e in pygame.event.get(): ## Allow the user to bask in the glory of their randomly generated tree
if e.type == pygame.QUIT:
self._quit()
elif e.type == pygame.KEYDOWN:
if e.key == pygame.K_ESCAPE:
self._quit()
if __name__ == "__main__":
main = Main()
main.run()
| 3.40625 | 3 |
graph/ExperimentIterator.py | Draeius/loopwalk_kernel | 0 | 12764744 | <filename>graph/ExperimentIterator.py<gh_stars>0
from typing import Dict, List
from grakel import Graph
from graph.LabelConverter import LabelConverter
from graph.MatrixConverter import MatrixConverter
from graph.UnlabeledLabelConverter import UnlabeledLabelConverter
class ExperimentIterator:
_switcher = {
'label': LabelConverter,
'matrix': MatrixConverter,
'unlabeled': UnlabeledLabelConverter,
'weisfeiler': WeisfeilerConverter,
'randomWalk': RandomWalkConverter
}
def __init__(self, params: Dict[str, List]):
self._params = params
def iterate(self, X: List[Graph], y: List[int]):
pass
def _getConverter(self, params: Dict):
converter = params['converter']
if converter in self._switcher.keys():
if self._switcher[converter] == MatrixConverter:
return self._switcher[converter](params.get('k', 4), params.get('offset', 0), params.get('range', 1))
return self._switcher[converter](params.get('k', 4))
| 2.59375 | 3 |
gym-duckietown/learning/imitation/iil_dagger/model/__init__.py | lyf44/CS4278-5478-Project-Materials | 4 | 12764745 | from .squeezenet import Squeezenet | 1.03125 | 1 |
test/currency/providers/test_base.py | tchar/ulauncher-calculate-anything | 41 | 12764746 | <reponame>tchar/ulauncher-calculate-anything<filename>test/currency/providers/test_base.py
from calculate_anything.exceptions import CurrencyProviderException
import pytest
from calculate_anything.currency.providers.base import (
CurrencyProvider,
CurrencyData,
)
class CurrencyProviderImpl(CurrencyProvider):
@CurrencyProvider.Decorators.with_ratelimit
def request_currencies(self, *currencies, force=False) -> CurrencyData:
return {}
def test_too_many_requests():
provider = CurrencyProviderImpl()
provider.request_currencies()
provider.had_error = True
with pytest.raises(CurrencyProviderException) as excinfo:
provider.request_currencies()
assert str(excinfo.value) == 'Too many requests'
assert provider.had_error is True
provider.request_currencies(force=True)
| 2.359375 | 2 |
src/explanation/surrogate_manual.py | MauroLuzzatto/algorithmic-explanations | 0 | 12764747 | # -*- coding: utf-8 -*-
"""
Created on Fri Jul 16 23:08:55 2021
@author: maurol
"""
import os
from typing import Dict
import graphviz
import pandas as pd
from sklearn.tree import DecisionTreeRegressor
# TRUE False
f = """
digraph Tree {
node [shape=box, style="rounded", color="black", fontname=helvetica] ;
edge [fontname=helvetica] ;
0 [label="Number of leadership experiences < 1.5"] ;
1 [label="Essay grade < 5.25"] ;
0 -> 1 [labeldistance=2.5, labelangle=45, headlabel="True"] ;
3 [label="GPA < 3.46"] ;
1 -> 3 [headlabel="True"] ;
7 [label="Average rating:
3.4"] ;
3 -> 7 [headlabel="True "] ;
8 [label="Average rating:
4.31"] ;
3 -> 8 [headlabel="False "] ;
4 [label="Grade is not College/University Grad Student"] ;
1 -> 4 [headlabel="False "] ;
13 [label="Average rating:
5.07"] ;
4 -> 13 [headlabel="True "];
14 [label="Average rating:
6.56"] ;
4 -> 14 [headlabel="False "];
2 [label="Essay grade < 4.75"] ;
0 -> 2 [labeldistance=2.5, labelangle=-45, headlabel="False"] ;
5 [label="Number of extracurricular activities < 3.5"] ;
2 -> 5 [headlabel="True "] ;
11 [label="Average rating:
4.66"] ;
5 -> 11 [headlabel="True "] ;
12 [label="Average rating:
5.68"] ;
5 -> 12 [headlabel="False "] ;
6 [label="GPA < 3.65"] ;
2 -> 6 [headlabel="False"] ;
9 [label="Average rating:
5.58"] ;
6 -> 9 [headlabel="True "] ;
10 [label="Average rating:
6.87"] ;
6 -> 10 [headlabel=" False"] ;
}
"""
def run():
plot_name = 'surrogate_sample_True_sparse_False.png'
path_plot = r"C:\Users\maurol\OneDrive\Dokumente\Python_Scripts\algorithmic-explanations\reports\all\plot"
name, extension = os.path.splitext(plot_name)
graphviz.Source(
f,
filename=os.path.join(path_plot, name),
format=extension.replace('.', ''),
).view()
with open(
os.path.join(path_plot, "{}.dot".format(plot_name)), "w"
) as file:
file.write(f) | 2.796875 | 3 |
src/12/how_to_lock_critical_sections/example1.py | tuanavu/python-gitbook | 14 | 12764748 | <reponame>tuanavu/python-gitbook
import threading
class SharedCounter:
'''
A counter object that can be shared by multiple threads.
'''
def __init__(self, initial_value = 0):
self._value = initial_value
self._value_lock = threading.Lock()
def incr(self,delta=1):
'''
Increment the counter with locking
'''
with self._value_lock:
self._value += delta
def decr(self,delta=1):
'''
Decrement the counter with locking
'''
with self._value_lock:
self._value -= delta
def test(c):
for n in range(1000000):
c.incr()
for n in range(1000000):
c.decr()
if __name__ == '__main__':
c = SharedCounter()
t1 = threading.Thread(target=test, args=(c,))
t2 = threading.Thread(target=test, args=(c,))
t3 = threading.Thread(target=test, args=(c,))
t1.start()
t2.start()
t3.start()
print('Running test')
t1.join()
t2.join()
t3.join()
assert c._value == 0
print('Looks good!')
| 3.6875 | 4 |
TopQuarkAnalysis/TopEventProducers/python/sequences/ttSemiLepEvtHypotheses_cff.py | ckamtsikis/cmssw | 852 | 12764749 | import FWCore.ParameterSet.Config as cms
#
# produce ttSemiLep event hypotheses
#
## geom hypothesis
from TopQuarkAnalysis.TopJetCombination.TtSemiLepHypGeom_cff import *
## wMassDeltaTopMass hypothesis
from TopQuarkAnalysis.TopJetCombination.TtSemiLepHypWMassDeltaTopMass_cff import *
## wMassMaxSumPt hypothesis
from TopQuarkAnalysis.TopJetCombination.TtSemiLepHypWMassMaxSumPt_cff import *
## maxSumPtWMass hypothesis
from TopQuarkAnalysis.TopJetCombination.TtSemiLepHypMaxSumPtWMass_cff import *
## genMatch hypothesis
from TopQuarkAnalysis.TopJetCombination.TtSemiLepHypGenMatch_cff import *
## mvaDisc hypothesis
from TopQuarkAnalysis.TopJetCombination.TtSemiLepHypMVADisc_cff import *
## kinFit hypothesis
from TopQuarkAnalysis.TopJetCombination.TtSemiLepHypKinFit_cff import *
## hitFit hypothesis
from TopQuarkAnalysis.TopJetCombination.TtSemiLepHypHitFit_cff import *
## make all considered event hypotheses
makeTtSemiLepHypothesesTask = cms.Task(
makeHypothesis_geomTask,
makeHypothesis_wMassDeltaTopMassTask,
makeHypothesis_wMassMaxSumPtTask,
makeHypothesis_maxSumPtWMassTask,
makeHypothesis_genMatchTask,
makeHypothesis_mvaDiscTask,
makeHypothesis_kinFitTask,
makeHypothesis_hitFitTask
)
makeTtSemiLepHypotheses = cms.Sequence(makeTtSemiLepHypothesesTask)
| 1.304688 | 1 |
ott/core/gromov_wasserstein.py | google-research/ott | 232 | 12764750 | # coding=utf-8
# Copyright 2021 Google LLC.
#
# 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.
# Lint as: python3
"""A Jax version of Sinkhorn's algorithm."""
from typing import Any, Dict, Optional, NamedTuple, Union
import jax
import jax.numpy as jnp
from ott.core import fixed_point_loop
from ott.core import problems
from ott.core import sinkhorn
from ott.geometry import epsilon_scheduler
from ott.geometry import geometry
class GWOutput(NamedTuple):
"""Holds the output of the Gromov-Wasserstein solver.
Attributes:
costs: Holds the sequence of regularized GW costs seen through the outer
loop of the solver.
linear_convergence: Holds the sequence of bool convergence flags of the
inner Sinkhorn iterations.
convergence: Bool convergence flag for the outer GW iterations.
errors: Holds sequence of vectors of errors of the Sinkhorn algorithm
at each iteration.
linear_state: State used to solve and store solutions to the local
linearization of GW.
geom: The geometry underlying the local linearization.
transport: The transport matrix.
reg_gw_cost: Regularized optimal transport cost of the linearization.
"""
costs: Optional[jnp.ndarray] = None
linear_convergence: Optional[jnp.ndarray] = None
convergence: bool = False
errors: Optional[jnp.ndarray] = None
linear_state: Any = None
geom: geometry.Geometry = None
def set(self, **kwargs) -> 'GWOutput':
"""Returns a copy of self, possibly with overwrites."""
return self._replace(**kwargs)
@property
def transport(self):
return self.linear_state.matrix
@property
def reg_gw_cost(self):
return self.linear_state.reg_ot_cost
class GWState(NamedTuple):
"""Holds the state of the Gromov-Wasserstein solver.
Attributes:
costs: Holds the sequence of regularized GW costs seen through the outer
loop of the solver.
linear_convergence: Holds the sequence of bool convergence flags of the
inner Sinkhorn iterations.
errors: Holds sequence of vectors of errors of the Sinkhorn algorithm
at each iteration.
linear_state: State used to solve and store solutions to the local
linearization of GW.
linear_pb: Local linearization of the quadratic GW problem.
"""
costs: Optional[jnp.ndarray] = None
linear_convergence: Optional[jnp.ndarray] = None
errors: Optional[jnp.ndarray] = None
linear_state: Any = None
linear_pb: Optional[problems.LinearProblem] = None
def set(self, **kwargs) -> 'GWState':
"""Returns a copy of self, possibly with overwrites."""
return self._replace(**kwargs)
def update(self, iteration: int, linear_sol, linear_pb, store_errors: bool):
costs = self.costs.at[iteration].set(linear_sol.reg_ot_cost)
errors = None
if store_errors and self.errors is not None:
errors = self.errors.at[iteration, :].set(linear_sol.errors)
linear_convergence = self.linear_convergence.at[iteration].set(
linear_sol.converged)
return self.set(linear_state=linear_sol,
linear_pb=linear_pb,
costs=costs,
linear_convergence=linear_convergence,
errors=errors)
@jax.tree_util.register_pytree_node_class
class GromovWasserstein:
"""A Gromov Wasserstein solver."""
def __init__(self,
epsilon: Union[epsilon_scheduler.Epsilon, float] = 1.0,
min_iterations: int = 5,
max_iterations: int = 50,
threshold: float = 1e-3,
jit: bool = True,
store_sinkhorn_errors: bool = False,
linear_ot_solver: sinkhorn.Sinkhorn = sinkhorn.Sinkhorn(),
**kwargs):
self.epsilon = epsilon
self.min_iterations = min_iterations
self.max_iterations = max_iterations
self.threshold = threshold
self.jit = jit
self.store_sinkhorn_errors = store_sinkhorn_errors
self.linear_ot_solver = linear_ot_solver
self._kwargs = kwargs
def tree_flatten(self):
return ([self.epsilon, self.linear_ot_solver, self.threshold],
dict(
min_iterations=self.min_iterations,
max_iterations=self.max_iterations,
jit=self.jit,
store_sinkhorn_errors=self.store_sinkhorn_errors,
**self._kwargs))
@classmethod
def tree_unflatten(cls, aux_data, children):
return cls(epsilon=children[0],
linear_ot_solver=children[1],
threshold=children[2],
**aux_data)
def not_converged(self, state, iteration):
costs, i, tol = state.costs, iteration, self.threshold
return jnp.logical_or(
i <= 2,
jnp.logical_and(
jnp.isfinite(costs[i - 1]),
jnp.logical_not(jnp.isclose(costs[i - 2], costs[i - 1], rtol=tol))))
def __call__(self, prob: problems.QuadraticProblem) -> GWOutput:
if not prob.is_balanced:
raise ValueError('Unbalanced Gromov-Wasserstein is not supported yet.')
gromov_fn = jax.jit(iterations) if self.jit else iterations
out = gromov_fn(self, prob)
# TODO(lpapaxanthos): remove stop_gradient when using backprop
linearization = prob.update_linearization(
jax.lax.stop_gradient(out.linear_state),
self.epsilon)
linear_state = out.linear_state.set_cost(linearization, True, True)
iteration = jnp.sum(out.costs != 0)
convergence = jnp.logical_not(self.not_converged(out, iteration))
return out.set(linear_state=linear_state,
convergence=convergence)
def init_state(self, prob: problems.QuadraticProblem) -> GWState:
"""Initializes the state of the Gromov-Wasserstein iterations."""
linearization = prob.init_linearization(self.epsilon)
linear_state = self.linear_ot_solver(linearization)
num_iter = self.max_iterations
if self.store_sinkhorn_errors:
errors = -jnp.ones((num_iter, self.linear_ot_solver.outer_iterations))
else:
errors = None
return GWState(jnp.zeros((num_iter,)), jnp.zeros((num_iter,)),
errors, linear_state, linearization)
def output_from_state(self, state):
"""Create an output from a loop state.
Arguments:
state: A GWState.
Returns:
A GWOutput.
"""
geom = state.linear_pb.geom
return GWOutput(costs=state.costs,
linear_convergence=state.linear_convergence,
errors=state.errors,
linear_state=state.linear_state,
geom=geom)
def iterations(solver: GromovWasserstein,
prob: problems.QuadraticProblem) -> GWOutput:
"""A jittable Gromov-Wasserstein outer loop."""
def cond_fn(iteration, constants, state):
solver = constants
return solver.not_converged(state, iteration)
def body_fn(iteration, constants, state, compute_error):
del compute_error # Always assumed True for outer loop of GW.
solver = constants
linear_pb = prob.update_linearization(
state.linear_state,
solver.epsilon)
out = solver.linear_ot_solver(linear_pb)
return state.update(
iteration, out, linear_pb, solver.store_sinkhorn_errors)
state = fixed_point_loop.fixpoint_iter(
cond_fn=cond_fn,
body_fn=body_fn,
min_iterations=solver.min_iterations,
max_iterations=solver.max_iterations,
inner_iterations=1,
constants=solver,
state=solver.init_state(prob))
return solver.output_from_state(state)
def make(
epsilon: Union[epsilon_scheduler.Epsilon, float] = 1.,
max_iterations: int = 50,
jit: bool = False,
warm_start: bool = True,
store_sinkhorn_errors: bool = False,
sinkhorn_kwargs: Optional[Dict[str, Any]] = None,
threshold: float = 1e-2,
min_iterations: int = 1,
**kwargs) -> GromovWasserstein:
"""Creates a GromovWasserstein solver.
Args:
epsilon: a regularization parameter or a epsilon_scheduler.Epsilon object.
max_iterations: int32, the maximum number of outer iterations for
Gromov Wasserstein.
jit: bool, if True, jits the function.
warm_start: deprecated.
store_sinkhorn_errors: whether or not to return all the errors of the inner
Sinkhorn iterations.
sinkhorn_kwargs: Optionally a dictionary containing the keywords arguments
for calls to the sinkhorn function.
threshold: threshold (progress between two iterate costs) used to stop GW.
min_iterations: see fixed_point_loop.
**kwargs: additional kwargs for epsilon.
Returns:
A GromovWasserstein solver.
"""
del warm_start
sinkhorn_kwargs = {} if sinkhorn_kwargs is None else sinkhorn_kwargs
sink = sinkhorn.make(**sinkhorn_kwargs)
return GromovWasserstein(
epsilon, max_iterations=max_iterations,
jit=jit, linear_ot_solver=sink, threshold=threshold,
store_sinkhorn_errors=store_sinkhorn_errors,
min_iterations=min_iterations, **kwargs)
def gromov_wasserstein(
geom_x: geometry.Geometry,
geom_y: geometry.Geometry,
a: Optional[jnp.ndarray] = None,
b: Optional[jnp.ndarray] = None,
loss: str = 'sqeucl',
**kwargs) -> GWOutput:
"""Fits Gromov Wasserstein.
Args:
geom_x: a Geometry object for the first view.
geom_y: a second Geometry object for the second view.
a: jnp.ndarray<float>[num_a,] or jnp.ndarray<float>[batch,num_a] weights.
b: jnp.ndarray<float>[num_b,] or jnp.ndarray<float>[batch,num_b] weights.
loss: str 'sqeucl' or 'kl' to define the GW loss.
**kwargs: keyword arguments to make.
Returns:
A GromovWassersteinState named tuple.
"""
losses = {'sqeucl': problems.make_square_loss, 'kl': problems.make_kl_loss}
loss_fn = losses.get(loss, None)
prob = problems.QuadraticProblem(geom_x, geom_y, a=a, b=b, loss=loss_fn())
solver = make(**kwargs)
return solver(prob)
| 2.125 | 2 |