content stringlengths 5 1.05M |
|---|
local PANEL = {}
AccessorFunc( PANEL, "m_colText", "TextColor" )
AccessorFunc( PANEL, "m_colTextStyle", "TextStyleColor" )
AccessorFunc( PANEL, "m_FontName", "Font" )
AccessorFunc( PANEL, "m_bDoubleClicking", "DoubleClickingEnabled", FORCE_BOOL )
AccessorFunc( PANEL, "m_bAutoStretchVertical", "AutoStretchVertical", FORCE_BOOL )
AccessorFunc( PANEL, "m_bIsMenuComponent", "IsMenu", FORCE_BOOL )
AccessorFunc( PANEL, "m_bBackground", "PaintBackground", FORCE_BOOL )
AccessorFunc( PANEL, "m_bBackground", "DrawBackground", FORCE_BOOL ) -- deprecated, see line above
AccessorFunc( PANEL, "m_bDisabled", "Disabled", FORCE_BOOL ) -- deprecated, use SetEnabled/IsEnabled isntead
AccessorFunc( PANEL, "m_bIsToggle", "IsToggle", FORCE_BOOL )
AccessorFunc( PANEL, "m_bToggle", "Toggle", FORCE_BOOL )
AccessorFunc( PANEL, "m_bBright", "Bright", FORCE_BOOL )
AccessorFunc( PANEL, "m_bDark", "Dark", FORCE_BOOL )
AccessorFunc( PANEL, "m_bHighlight", "Highlight", FORCE_BOOL )
function PANEL:Init()
self:SetIsToggle( false )
self:SetToggle( false )
self:SetDisabled( false )
self:SetMouseInputEnabled( false )
self:SetKeyboardInputEnabled( false )
self:SetDoubleClickingEnabled( true )
-- Nicer default height
self:SetTall( 20 )
-- This turns off the engine drawing
self:SetPaintBackgroundEnabled( false )
self:SetPaintBorderEnabled( false )
self:SetFont( "DermaDefault" )
end
function PANEL:SetFont( strFont )
self.m_FontName = strFont
self:SetFontInternal( self.m_FontName )
self:ApplySchemeSettings()
end
function PANEL:SetTextColor( clr )
self.m_colText = clr
self:UpdateFGColor()
end
PANEL.SetColor = PANEL.SetTextColor
function PANEL:GetColor()
return self.m_colText || self.m_colTextStyle
end
function PANEL:UpdateFGColor()
local col = self:GetTextStyleColor()
if ( self:GetTextColor() ) then col = self:GetTextColor() end
if ( !col ) then return end
self:SetFGColor( col.r, col.g, col.b, col.a )
end
function PANEL:Toggle()
if ( !self:GetIsToggle() ) then return end
self:SetToggle( !self:GetToggle() )
self:OnToggled( self:GetToggle() )
end
function PANEL:SetDisabled( bDisabled )
self.m_bDisabled = bDisabled
self:InvalidateLayout()
end
function PANEL:SetEnabled( bEnabled )
self:SetDisabled( !bEnabled )
end
function PANEL:IsEnabled()
return !self:GetDisabled()
end
function PANEL:UpdateColours( skin )
if ( self:GetBright() ) then return self:SetTextStyleColor( skin.Colours.Label.Bright ) end
if ( self:GetDark() ) then return self:SetTextStyleColor( skin.Colours.Label.Dark ) end
if ( self:GetHighlight() ) then return self:SetTextStyleColor( skin.Colours.Label.Highlight ) end
return self:SetTextStyleColor( skin.Colours.Label.Default )
end
function PANEL:ApplySchemeSettings()
self:UpdateColours( self:GetSkin() )
self:UpdateFGColor()
end
function PANEL:Think()
if ( self:GetAutoStretchVertical() ) then
self:SizeToContentsY()
end
end
function PANEL:PerformLayout()
self:ApplySchemeSettings()
end
function PANEL:OnCursorEntered()
self:InvalidateLayout( true )
end
function PANEL:OnCursorExited()
self:InvalidateLayout( true )
end
function PANEL:OnMousePressed( mousecode )
if ( self:GetDisabled() ) then return end
if ( mousecode == MOUSE_LEFT && !dragndrop.IsDragging() && self.m_bDoubleClicking ) then
if ( self.LastClickTime && SysTime() - self.LastClickTime < 0.2 ) then
self:DoDoubleClickInternal()
self:DoDoubleClick()
return
end
self.LastClickTime = SysTime()
end
-- Do not do selections if playing is spawning things while moving
local isPlyMoving = LocalPlayer && ( LocalPlayer():KeyDown( IN_FORWARD ) || LocalPlayer():KeyDown( IN_BACK ) || LocalPlayer():KeyDown( IN_MOVELEFT ) || LocalPlayer():KeyDown( IN_MOVERIGHT ) )
-- If we're selectable and have shift held down then go up
-- the parent until we find a selection canvas and start box selection
if ( self:IsSelectable() && mousecode == MOUSE_LEFT && ( input.IsShiftDown() || input.IsControlDown() ) && !isPlyMoving ) then
return self:StartBoxSelection()
end
self:MouseCapture( true )
self.Depressed = true
self:OnDepressed()
self:InvalidateLayout( true )
--
-- Tell DragNDrop that we're down, and might start getting dragged!
--
self:DragMousePress( mousecode )
end
function PANEL:OnMouseReleased( mousecode )
self:MouseCapture( false )
if ( self:GetDisabled() ) then return end
if ( !self.Depressed && dragndrop.m_DraggingMain != self ) then return end
if ( self.Depressed ) then
self.Depressed = nil
self:OnReleased()
self:InvalidateLayout( true )
end
--
-- If we were being dragged then don't do the default behaviour!
--
if ( self:DragMouseRelease( mousecode ) ) then
return
end
if ( self:IsSelectable() && mousecode == MOUSE_LEFT ) then
local canvas = self:GetSelectionCanvas()
if ( canvas ) then
canvas:UnselectAll()
end
end
if ( !self.Hovered ) then return end
--
-- For the purposes of these callbacks we want to
-- keep depressed true. This helps us out in controls
-- like the checkbox in the properties dialog. Because
-- the properties dialog will only manually change the value
-- if IsEditing() is true - and the only way to work out if
-- a label/button based control is editing is when it's depressed.
--
self.Depressed = true
if ( mousecode == MOUSE_RIGHT ) then
self:DoRightClick()
end
if ( mousecode == MOUSE_LEFT ) then
self:DoClickInternal()
self:DoClick()
end
if ( mousecode == MOUSE_MIDDLE ) then
self:DoMiddleClick()
end
self.Depressed = nil
end
function PANEL:OnReleased()
end
function PANEL:OnDepressed()
end
function PANEL:OnToggled( bool )
end
function PANEL:DoClick()
self:Toggle()
end
function PANEL:DoRightClick()
end
function PANEL:DoMiddleClick()
end
function PANEL:DoClickInternal()
end
function PANEL:DoDoubleClick()
end
function PANEL:DoDoubleClickInternal()
end
function PANEL:GenerateExample( ClassName, PropertySheet, Width, Height )
local ctrl = vgui.Create( ClassName )
ctrl:SetText( "This is a label example." )
ctrl:SizeToContents()
PropertySheet:AddSheet( ClassName, ctrl, nil, true, true )
end
derma.DefineControl( "DLabel", "A Label", PANEL, "Label" )
-- Convenience Function
function Label( strText, parent )
local lbl = vgui.Create( "DLabel", parent )
lbl:SetText( strText )
return lbl
end
|
local pl = require 'pl.import_into' ()
local xtend = {}
setmetatable(xtend, { __call = function(_, ...)
local res = {}
for i = 1, select('#', ...) do
for k, v in pairs(select(i, ...)) do
res[k] = v
end
end
return res
end })
function xtend.deep(...)
local res
for i = 1, select('#', ...) do
local inp = select(i, ...)
if type(inp) == 'table' then
if type(res) ~= 'table' then
res = {}
end
for k, v in pairs(inp) do
res[k] = xtend.deep(res[k], v)
end
else
res = inp
end
end
return res
end
function xtend.deep_map(t, f, path)
path = path or {}
if type(t) ~= 'table' then
return f(path, t)
end
local res = {}
for k, v in pairs(t) do
local path_ = pl.tablex.copy(path)
table.insert(path_, k)
res[k] = xtend.deep_map(v, f, path_)
end
return res
end
return xtend
|
--====================================================================--
-- dmc_websockets/message.lua
--
--
-- by David McCuskey
-- Documentation: http://docs.davidmccuskey.com/display/docs/dmc_websockets.lua
--====================================================================--
--[[
Copyright (C) 2014 David McCuskey. 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, subject to the
following conditions:
The above copyright notice and this permission notice shall be included in all copies
or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED,
INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR
PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE
FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR
OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER
DEALINGS IN THE SOFTWARE.
--]]
--====================================================================--
-- dmc_websockets : Message
--====================================================================--
-- Semantic Versioning Specification: http://semver.org/
local VERSION = "0.1.0"
--====================================================================--
-- Imports
local ByteArray = require 'dmc_websockets.bytearray'
local Objects = require 'lua_objects'
--====================================================================--
-- Setup, Constants
-- setup some aliases to make code cleaner
local inheritsFrom = Objects.inheritsFrom
local ObjectBase = Objects.ObjectBase
--====================================================================--
-- WebSocket Message Class
--====================================================================--
local Message = inheritsFrom( ObjectBase )
Message.NAME = "WebSocket Message"
--====================================================================--
--== Start: Setup Lua Objects
function Message:_init( params )
-- print( "Message:_init" )
params = params or {}
self:superCall( "_init", params )
--==--
--== Create Properties ==--
self.masked = params.masked
self.opcode = params.opcode
self._bytearray = nil
self._data = params.data -- tmp
end
function Message:_initComplete()
-- print( "Message:_initComplete" )
local ba = ByteArray()
ba:writeBuf( self._data )
self._bytearray = ba
self._data = nil
end
--== END: Setup Lua Objects
--====================================================================--
--====================================================================--
--== Public Methods
function Message.__getters:start()
-- print( "Message.__getters:start" )
return self._bytearray.pos
end
function Message:getAvailable()
-- print( "Message:getAvailable" )
return self._bytearray:getAvailable()
end
-- reads chunk of data. if value > available data
-- or value==nil then return all data
--
function Message:read( value )
-- print( "Message:read", value )
local avail = self:getAvailable()
if value > avail or value == nil then value = avail end
return self._bytearray:readBuf( value )
end
return Message
|
--[[--
claimed_identifier, -- identifier owned by the user
errmsg, -- error message in case of failure
errcode = -- error code in case of failure (TODO: not implemented yet)
auth.openid.verify{
force_https = force_https, -- only allow https
curl_options = curl_options -- options passed to "curl" binary, when performing discovery
}
--]]--
function auth.openid.verify(args)
local args = args or {}
if request.get_param{name="openid.ns"} ~= "http://specs.openid.net/auth/2.0" then
return nil, "No indirect OpenID 2.0 message received."
end
local mode = request.get_param{name="openid.mode"}
if mode == "id_res" then
local return_to_url = request.get_param{name="openid.return_to"}
if not return_to_url then
return nil, "No return_to URL received in answer."
end
if return_to_url ~= encode.url{
base = request.get_absolute_baseurl(),
module = request.get_module(),
view = request.get_view()
} then
return nil, "return_to URL not matching."
end
local discovery_args = table.new(args)
local claimed_identifier = request.get_param{name="openid.claimed_id"}
if not claimed_identifier then
return nil, "No claimed identifier received."
end
local cropped_identifier = string.match(claimed_identifier, "[^#]*")
local normalized_identifier = auth.openid._normalize_url(
cropped_identifier
)
if not normalized_identifier then
return nil, "Claimed identifier could not be normalized."
end
if normalized_identifier ~= cropped_identifier then
return nil, "Claimed identifier was not normalized."
end
discovery_args.user_supplied_identifier = cropped_identifier
local dd, errmsg, errcode = auth.openid.discover(discovery_args)
if not dd then
return nil, errmsg, errcode
end
if not dd.claimed_identifier then
return nil, "Identifier is an OpenID Provider."
end
if dd.claimed_identifier ~= cropped_identifier then
return nil, "Claimed identifier does not match."
end
local nonce = request.get_param{name="openid.response_nonce"}
if not nonce then
return nil, "Did not receive a response nonce."
end
local year, month, day, hour, minute, second = string.match(
nonce,
"^([0-9][0-9][0-9][0-9])%-([0-9][0-9])%-([0-9][0-9])T([0-9][0-9]):([0-9][0-9]):([0-9][0-9])Z"
)
if not year then
return nil, "Response nonce did not contain a parsable date/time."
end
local ts = atom.timestamp{
year = tonumber(year),
month = tonumber(month),
day = tonumber(day),
hour = tonumber(hour),
minute = tonumber(minute),
second = tonumber(second)
}
-- NOTE: 50 hours margin allows us to ignore time zone issues here:
if math.abs(ts - atom.timestamp:get_current()) > 3600 * 50 then
return nil, "Response nonce contains wrong time or local time is wrong."
end
local params = {}
for key, value in pairs(cgi.params) do
local trimmed_key = string.match(key, "^openid%.(.+)")
if trimmed_key then
params[key] = value
end
end
params["openid.mode"] = "check_authentication"
local options = table.new(args.curl_options)
for key, value in pairs(params) do
options[#options+1] = "--data-urlencode"
options[#options+1] = key .. "=" .. value
end
local status, headers, body = auth.openid._curl(dd.op_endpoint, options)
if status ~= 200 then
return nil, "Authorization could not be verified."
end
local result = {}
for key, value in string.gmatch(body, "([^\n:]+):([^\n]*)") do
result[key] = value
end
if result.ns ~= "http://specs.openid.net/auth/2.0" then
return nil, "No OpenID 2.0 message replied."
end
if result.is_valid == "true" then
return claimed_identifier
else
return nil, "Signature invalid."
end
elseif mode == "cancel" then
return nil, "Authorization failed according to OpenID provider."
else
return nil, "Unexpected OpenID mode."
end
end
|
fx_version 'adamant'
game 'gta5'
description 'cron'
version '1.0.0'
server_script 'server/main.lua'
|
local namespace = require("bzutils").utils.namespace
local CameraController = require("cam_ctrl").CameraController
local SpectateController = require("cam_ctrl").SpectateController
local PatrolController = require("patrol_ctrl")
local WaveController = require("wave_ctrl")
local SpectatorCraft = require("tvspec")
namespace("shared", CameraController, SpectateController, PatrolController, WaveController, SpectatorCraft)
local function setup(serviceManager)
serviceManager:getService("bzutils.runtime"):subscribe(function(runtimeController)
runtimeController:useClass(CameraController)
runtimeController:useClass(SpectateController)
runtimeController:useClass(PatrolController)
runtimeController:useClass(WaveController)
end)
end
return {
CameraController = CameraController,
PatrolController = PatrolController,
WaveController = WaveController,
SpectateController = SpectateController,
SpectatorCraft = SpectatorCraft,
setup = setup
} |
local config = require("apioak.pdk.config")
local etcd = require("resty.etcd")
local _M = {}
local function get_cli()
local oak_conf = config.all()
local etcd_conf = oak_conf.etcd
local etcd_options = {}
etcd_options.http_host = etcd_conf.host
etcd_options.timeout = etcd_conf.timeout
etcd_options.protocol = "v2"
etcd_options.key_prefix = "/v2/keys"
local prefix = etcd_conf.prefix or ""
local cli, err = etcd:new(etcd_options)
if err then
return nil, prefix, err
end
return cli, prefix, nil
end
function _M.query(key)
local cli, prefix, cli_err = get_cli()
if not cli then
return nil, 500, cli_err
end
local res, err = cli:get(prefix .. key)
if err then
return nil, 500, err
end
if res.status ~= 200 then
return nil, res.status, res.reason
end
return res.body.node, res.status, nil
end
function _M.update(key, value)
local cli, prefix, cli_err = get_cli()
if not cli then
return nil, 500, cli_err
end
local res, err = cli:set(prefix .. key, value)
if err then
return nil, 500, err
end
if res.status ~= 200 and res.status ~= 201 then
return nil, res.status, res.reason
end
return res.body.node, res.status, nil
end
function _M.create(key, value)
local cli, prefix, cli_err = get_cli()
if not cli then
return nil, 500, cli_err
end
local res, err = cli:push(prefix .. key, value)
if err then
return nil, 500, err
end
if res.status ~= 201 then
return nil, res.status, res.reason
end
return res.body.node, res.status, nil
end
function _M.delete(key)
local cli, prefix, cli_err = get_cli()
if not cli then
return nil, 500, cli_err
end
local res, err = cli:delete(prefix .. key)
if err then
return nil, 500, err
end
if res.status ~= 200 then
return nil, res.status, res.reason
end
return res.body.node, res.status, nil
end
return _M
|
#!/usr/bin/lua
---------------------------------------------------------------------
-- LuaLDAP test file.
-- This test will create a copy of an existing entry on the
-- directory to work on. This new entry will be modified,
-- renamed and deleted at the end.
---------------------------------------------------------------------
--
DN_PAT = "^([^,=]+)%=([^,]+)%,?(.*)$"
---------------------------------------------------------------------
-- Print attributes.
---------------------------------------------------------------------
function print_attrs (dn, attrs)
if not dn then
io.write ("nil\n")
return
end
io.write (string.format ("\t[%s]\n", dn))
for name, values in pairs (attrs) do
io.write ("["..name.."] : ")
local tv = type (values)
if tv == "string" then
io.write (values)
elseif tv == "table" then
local n = #values
for i = 1, n-1 do
io.write (values[i]..",")
end
io.write (values[n])
end
io.write ("\n")
end
end
---------------------------------------------------------------------
-- clone a table.
---------------------------------------------------------------------
function clone (tab)
local new = {}
for i, v in pairs (tab) do
new[i] = v
end
return new
end
---------------------------------------------------------------------
-- checks for a value and throw an error if it is not the expected.
---------------------------------------------------------------------
function assert2 (expected, value, msg)
if not msg then
msg = ''
else
msg = tostring(msg)..'\n'
end
local ret = assert (value == expected,
msg.."wrong value (["..tostring(value).."] instead of "..
tostring(expected)..")")
io.write('.')
return ret
end
---------------------------------------------------------------------
-- object test.
---------------------------------------------------------------------
function test_object (obj, objmethods)
-- checking object type.
assert2 ("userdata", type(obj), "incorrect object type")
-- trying to get metatable.
assert2 ("LuaLDAP: you're not allowed to get this metatable",
getmetatable(obj), "error permitting access to object's metatable")
-- trying to set metatable.
assert2 (false, pcall (setmetatable, ENV, {}))
-- checking existence of object's methods.
for i = 1, #objmethods do
local method = obj[objmethods[i]]
assert2 ("function", type(method))
assert2 (false, pcall (method), "no 'self' parameter accepted")
end
return obj
end
CONN_OK = function (obj, err)
if obj == nil then
error (err, 2)
end
return test_object (obj, { "close", "add", "compare", "delete", "modify", "rename", "search", })
end
---------------------------------------------------------------------
-- basic checking test.
---------------------------------------------------------------------
function basic_test ()
local ld = CONN_OK (lualdap.open_simple { uri = HOSTNAME, who = WHO, password = PASSWORD })
assert2 (1, ld:close(), "couldn't close connection")
-- trying to close without a connection.
assert2 (false, pcall (ld.close))
-- trying to close an invalid connection.
assert2 (false, pcall (ld.close, io.output()))
-- trying to use a closed connection.
local _,_,rdn_name,rdn_value = string.find (BASE, DN_PAT)
assert2 (false, pcall (ld.compare, ld, BASE, rdn_name, rdn_value),
"permitting the use of a closed connection")
-- it is ok to close a closed object, but nil is returned instead of 1.
assert2 (nil, ld:close())
-- trying to connect to an invalid host.
assert2 (nil, lualdap.open_simple {uri = "unknown-server"}, "this should be an error")
-- reopen the connection.
-- first, try using TLS
local ok = lualdap.open_simple {uri = HOSTNAME, who = WHO, password = PASSWORD, starttls = true }
if not ok then
-- second, try without TLS
io.write ("\nWarning! Couldn't connect with TLS. Trying again without it.")
ok = lualdap.open_simple {uri = HOSTNAME, who = WHO, password = PASSWORD, starttls = false }
end
LD = CONN_OK (ok)
CLOSED_LD = ld
collectgarbage()
end
---------------------------------------------------------------------
-- checks return value which should be a function AND also its return value.
---------------------------------------------------------------------
function check_future (ret, method, ...)
local ok, f = pcall (method, unpack (arg))
assert (ok, f)
assert2 ("function", type(f))
assert2 (ret, f())
io.write('.')
end
---------------------------------------------------------------------
-- checking compare operation.
---------------------------------------------------------------------
function compare_test ()
local _,_,rdn_name,rdn_value = string.find (BASE, DN_PAT)
assert (type(rdn_name) == "string", "could not extract RDN name")
assert (type(rdn_value) == "string", "could not extract RDN value")
-- comparing against the correct value.
check_future (true, LD.compare, LD, BASE, rdn_name, rdn_value)
-- comparing against a wrong value.
check_future (false, LD.compare, LD, BASE, rdn_name, rdn_value..'_')
-- comparing against an incorrect attribute name.
check_future (nil, LD.compare, LD, BASE, rdn_name..'x', rdn_value)
-- comparing on a wrong base.
check_future (nil, LD.compare, LD, 'qwerty', rdn_name, rdn_value)
-- comparing with a closed connection.
assert2 (false, pcall (LD.compare, CLOSED_LD, BASE, rdn_name, rdn_value))
-- comparing with an invalid userdata.
assert2 (false, pcall (LD.compare, io.output(), BASE, rdn_name, rdn_value))
end
---------------------------------------------------------------------
-- checking basic search operation.
---------------------------------------------------------------------
function search_test_1 ()
local _,_,rdn = string.find (WHO, "^([^,]+)%,.*$")
local iter = LD:search {
base = BASE,
scope = "onelevel",
sizelimit = 1,
filter = "("..rdn..")",
}
assert2 ("function", type(iter))
collectgarbage()
CONN_OK (LD)
local dn, entry = iter ()
assert2 ("string", type(dn))
assert2 ("table", type(entry))
collectgarbage()
assert2 ("function", type(iter))
CONN_OK (LD)
DN, ENTRY = LD:search {
base = BASE,
scope = "onelevel",
sizelimit = 1,
filter = "("..rdn..")",
}()
collectgarbage()
assert2 ("string", type(DN))
assert2 ("table", type(ENTRY))
end
---------------------------------------------------------------------
-- checking add operation.
---------------------------------------------------------------------
function add_test ()
-- clone an entry.
NEW = clone (ENTRY)
local _,_,rdn_name, rdn_value, parent_dn = string.find (DN, DN_PAT)
NEW[rdn_name] = rdn_value.."_copy"
NEW_DN = string.format ("%s=%s,%s", rdn_name, NEW[rdn_name], parent_dn)
-- trying to insert an entry with a wrong connection.
assert2 (false, pcall (LD.add, CLOSED_LD, NEW_DN, NEW))
-- trying to insert an entry with an invalid connection.
assert2 (false, pcall (LD.add, io.output(), NEW_DN, NEW))
-- trying to insert an entry with a wrong DN.
local wrong_dn = string.format ("%s_x=%s,%s", rdn_name, NEW_DN, parent_dn)
--assert2 (nil, LD:add (wrong_dn, NEW))
check_future (nil, LD.add, LD, wrong_dn, NEW)
-- trying to insert the clone on the LDAP data base.
check_future (true, LD.add, LD, NEW_DN, NEW)
-- trying to reinsert the clone entry on the directory.
check_future (nil, LD.add, LD, NEW_DN, NEW)
end
---------------------------------------------------------------------
-- checking modify operation.
---------------------------------------------------------------------
function modify_test ()
-- modifying without connection.
assert2 (false, pcall (LD.modify, nil, NEW_DN, {}))
-- modifying with a closed connection.
assert2 (false, pcall (LD.modify, CLOSED_LD, NEW_DN, {}))
-- modifying with an invalid userdata.
assert2 (false, pcall (LD.modify, io.output(), NEW_DN, {}))
-- checking invalid DN.
assert2 (false, pcall (LD.modify, LD, {}))
-- no modification to apply.
check_future (true, LD.modify, LD, NEW_DN)
-- forgotten operation on modifications table.
local a_attr, a_value = next (ENTRY)
assert2 (false, pcall (LD.modify, LD, NEW_DN, { [a_attr] = "abc"}))
-- modifying an unknown entry.
local _,_, rdn_name, rdn_value, parent_dn = string.find (NEW_DN, DN_PAT)
local new_rdn = rdn_name..'='..rdn_value..'_'
local new_dn = string.format ("%s,%s", new_rdn, parent_dn)
check_future (nil, LD.modify, LD, new_dn)
-- trying to create an undefined attribute.
check_future (nil, LD.modify, LD, NEW_DN, {'+', unknown_attribute = 'a'})
end
---------------------------------------------------------------------
function count (tab)
local counter = 0
for dn, entry in LD:search (tab) do
counter = counter + 1
end
return counter
end
---------------------------------------------------------------------
-- checking advanced search operation.
---------------------------------------------------------------------
function search_test_2 ()
local _,_,rdn = string.find (WHO, "^([^,]+)%,.*$")
local iter = LD:search {
base = BASE,
scope = "onelevel",
sizelimit = 1,
filter = "("..rdn..")",
}
assert2 ("function", type(iter))
collectgarbage ()
assert2 ("function", type(iter))
local dn, entry = iter ()
assert2 ("string", type(dn))
assert2 ("table", type(entry))
collectgarbage ()
assert2 ("function", type(iter))
iter = nil
collectgarbage ()
-- checking no search specification.
assert2 (false, pcall (LD.search, LD))
-- checking invalid scope.
assert2 (false, pcall (LD.search, LD, { scope = 'BASE', base = BASE, }))
-- checking invalid base.
check_future (nil, LD.search, LD, { base = "invalid", scope = "base", })
-- checking filter.
local _,_, rdn_name, rdn_value, parent_dn = string.find (NEW_DN, DN_PAT)
local filter = string.format ("(%s=%s)", rdn_name, rdn_value)
assert (count { base = BASE, scope = "subtree", filter = filter, } == 1)
-- checking sizelimit.
assert (count { base = BASE, scope = "subtree", sizelimit = 1, } == 1)
-- checking attrsonly parameter.
for dn, entry in LD:search { base = BASE, scope = "subtree", attrsonly = true, } do
for attr, value in pairs (entry) do
assert (value == true, "attrsonly failed")
end
end
-- checking reuse of search object.
local iter = assert (LD:search { base = BASE, scope = "base", })
assert (type(iter) == "function")
local dn, e1 = iter()
assert (type(dn) == "string")
assert (type(e1) == "table")
dn, e1 = iter()
assert (type(dn) == "nil")
assert (type(e1) == "nil")
assert2 (false, pcall (iter))
iter = nil
-- checking collecting search objects.
local dn, entry = LD:search { base = BASE, scope = "base" }()
collectgarbage()
end
---------------------------------------------------------------------
-- checking rename operation.
---------------------------------------------------------------------
function rename_test ()
local _,_, rdn_name, rdn_value, parent_dn = string.find (NEW_DN, DN_PAT)
local new_rdn = rdn_name..'='..rdn_value..'_'
local new_dn = string.format ("%s,%s", new_rdn, parent_dn)
-- trying to rename with no parent.
check_future (true, LD.rename, LD, NEW_DN, new_rdn, nil)
-- trying to rename an invalid dn.
check_future (nil, LD.rename, LD, NEW_DN, new_rdn, nil)
-- trying to rename with the same parent.
check_future (true, LD.rename, LD, new_dn, rdn_name..'='..rdn_value, parent_dn)
-- trying to rename to an inexistent parent.
check_future (nil, LD.rename, LD, NEW_DN, new_rdn, new_dn)
-- mal-formed DN.
assert2 (false, pcall (LD.rename, LD, ""))
-- trying to rename with a closed connection.
assert2 (false, pcall (LD.rename, CLOSED_LD, NEW_DN, new_rdn, nil))
-- trying to rename with an invalid connection.
assert2 (false, pcall (LD.rename, io.output(), NEW_DN, new_rdn, nil))
end
---------------------------------------------------------------------
-- checking delete operation.
---------------------------------------------------------------------
function delete_test ()
-- trying to delete with a closed connection.
assert2 (false, pcall (LD.delete, CLOSED_LD, NEW_DN))
-- trying to delete with an invalid connection.
assert2 (false, pcall (LD.delete, io.output(), NEW_DN))
-- trying to delete new entry.
check_future (true, LD.delete, LD, NEW_DN)
-- trying to delete an already deleted entry.
check_future (nil, LD.delete, LD, NEW_DN)
-- mal-formed DN.
check_future (nil, LD.delete, LD, "")
-- no DN.
assert2 (false, pcall (LD.delete, LD))
end
---------------------------------------------------------------------
-- checking close operation.
---------------------------------------------------------------------
function close_test ()
assert (LD:close () == 1, "couldn't close connection")
end
---------------------------------------------------------------------
tests = {
{ "basic checking", basic_test },
{ "checking compare operation", compare_test },
{ "checking basic search operation", search_test_1 },
{ "checking add operation", add_test },
{ "checking modify operation", modify_test },
{ "checking advanced search operation", search_test_2 },
{ "checking rename operation", rename_test },
{ "checking delete operation", delete_test },
{ "closing everything", close_test },
}
---------------------------------------------------------------------
-- Main
---------------------------------------------------------------------
if #arg < 1 then
print (string.format ("Usage %s host[:port] base [who [password]]", arg[0]))
os.exit()
end
HOSTNAME = arg[1]
BASE = arg[2]
WHO = arg[3]
PASSWORD = arg[4]
lualdap = require"lualdap"
assert (type(lualdap)=="table", "couldn't load LDAP library")
for i = 1, #tests do
local t = tests[i]
io.write (t[1].." ...")
t[2] ()
io.write (" OK !\n")
end
|
local skynet = require "skynet"
local stm = require "skynet.stm"
local md5 = require "md5"
local QueueMap = require "meiru.lib.queuemap"
local server = require "meiru.util.server"
local _filebox
---------------------------------------------
--command
---------------------------------------------
local FileBox = class("FileBox")
function FileBox:ctor()
self.map = {}
local queuemaps = {}
queuemaps[1] = QueueMap(50, self.map)
queuemaps[2] = QueueMap(30, self.map)
queuemaps[3] = QueueMap(10, self.map)
queuemaps[4] = QueueMap(5, self.map)
queuemaps[5] = QueueMap(3, self.map)
self.queuemaps = queuemaps
self.file_md5s = {}
end
function FileBox:set_data(key, data)
if os.mode == 'dev' then
return
end
if data == false then
self.map[key] = false
else
--10*1024
if data.len < 10*1024 then
self.queuemaps[1].set(key, data)
--100*1024
elseif data.len < 100*1024 then
self.queuemaps[2].set(key, data)
--500*1024
elseif data.len < 500*1024 then
self.queuemaps[3].set(key, data)
--1024*1024
elseif data.len < 1024*1024 then
self.queuemaps[4].set(key, data)
--5*1024*1024
else
self.queuemaps[5].set(key, data)
end
end
end
function FileBox:get_data(key)
return self.map[key]
end
function FileBox:get_file_content(path)
if os.mode == 'dev' then
local content = io.readfile(path)
if content then
local obj = stm.new(skynet.pack(content))
local copy_obj = stm.copy(obj)
return copy_obj
end
return
end
local data = self:get_data(path)
if data == false then
return
end
if not data then
local content = io.readfile(path)
if content then
local obj = stm.new(skynet.pack(content))
data = {
path = path,
obj = obj,
len = #content
}
if data.len < 5242880 then
self:set_data(path, data)
end
else
self:set_data(path, false)
self.file_md5s[path] = false
return
end
end
local copy_obj = stm.copy(data.obj)
return copy_obj
end
function FileBox:get_file_md5(path)
if os.mode == 'dev' then
local content = io.readfile(path)
if content then
local file_md5 = md5.sumhexa(content)
return file_md5
end
return
end
local file_md5 = self.file_md5s[path]
if file_md5 == false then
return
end
if file_md5 then
return file_md5
end
local data = self:get_data(path)
if data then
local copy_obj = stm.copy(data.obj)
local ref_obj = stm.newcopy(copy_obj)
local ok, content = ref_obj(skynet.unpack)
if ok then
file_md5 = md5.sumhexa(content)
self.file_md5s[path] = file_md5
return file_md5
end
end
local content = io.readfile(path)
if content then
file_md5 = md5.sumhexa(content)
self.file_md5s[path] = file_md5
return file_md5
else
self.file_md5s[path] = false
end
end
---------------------------------------------
--command
---------------------------------------------
local command = {}
function command.file_read(path)
return _filebox:get_file_content(path)
end
function command.file_md5(path)
local md5 = _filebox:get_file_md5(path)
-- log("md5 =", md5)
return md5
end
-- skynet.start(function()
-- _filebox = FileBox.new()
-- skynet.dispatch("lua", function(_,_,cmd,...)
-- local f = command[cmd]
-- if f then
-- skynet.ret(skynet.pack(f(...)))
-- else
-- assert(false,"error no support cmd"..cmd)
-- end
-- end)
-- end)
local function init()
_filebox = FileBox.new()
end
server(command, init, ...)
|
module(..., package.seeall)
CGGet = {
{"URL","CHAR",255}, -- 請求地址
{"BODY","CHAR",255},
{"TYPE","INT",1}, -- 返回格式 1為gzip
}
GCGet = {
{"CONT","CHAR",255}
}
|
WireToolSetup.setCategory( "Memory" )
WireToolSetup.open( "data_transferer", "Transferer", "gmod_wire_data_transferer", nil, "Transferers" )
if ( CLIENT ) then
language.Add( "Tool.wire_data_transferer.name", "Data Transferer Tool (Wire)" )
language.Add( "Tool.wire_data_transferer.desc", "Spawns a data transferer." )
language.Add( "WireDataTransfererTool_data_transferer", "Data Transferer:" )
language.Add( "WireDataTransfererTool_Range", "Max Range:" )
language.Add( "WireDataTransfererTool_DefaultZero","Default To Zero")
language.Add( "WireDataTransfererTool_IgnoreZero","Ignore Zero")
language.Add( "WireDataTransfererTool_Model", "Choose a Model:")
TOOL.Information = { { name = "left", text = "Create/Update " .. TOOL.Name } }
end
WireToolSetup.BaseLang()
WireToolSetup.SetupMax( 20 )
if SERVER then
function TOOL:GetConVars()
return self:GetClientNumber("Range"), self:GetClientNumber("DefaultZero") ~= 0, self:GetClientNumber("IgnoreZero") ~= 0
end
-- Uses default WireToolObj:MakeEnt's WireLib.MakeWireEnt function
end
TOOL.ClientConVar = {
Model = "models/jaanus/wiretool/wiretool_siren.mdl",
Range = "25000",
DefaultZero = 0,
IgnoreZero = 0,
}
function TOOL.BuildCPanel(panel)
WireToolHelpers.MakePresetControl(panel, "wire_data_transferer")
ModelPlug_AddToCPanel(panel, "Laser_Tools", "wire_data_transferer")
panel:NumSlider("#WireDataTransfererTool_Range", "wire_data_transferer_Range", 1, 30000, 0)
panel:CheckBox("#WireDataTransfererTool_DefaultZero", "wire_data_transferer_DefaultZero")
panel:CheckBox("#WireDataTransfererTool_IgnoreZero", "wire_data_transferer_IgnoreZero")
end
|
ACF.RegisterEngineType("GenericPetrol", {
Name = "Generic Petrol Engine",
Efficiency = 0.304, --kg per kw hr
TorqueScale = 0.25,
HealthMult = 0.2,
})
|
CubeGenerator = {}
setmetatable(CubeGenerator, {__index = HiveBaseModule})
CubeGenerator.new = function (varname)
local this = HiveBaseModule.new(varname)
this.gen = PrimitiveGenerator()
setmetatable(this, {__index=CubeGenerator})
return this
end
function CubeGenerator:Do()
self:UpdateValue()
local v = self.value
local width = v.width
local height = v.height
local depth = v.depth
self.mesh = self.gen:Cube(width, height, depth);
return (self.mesh ~= nil)
end
function CubeGenerator:MeshData()
return self.mesh
end
|
resource_manifest_version '05cfa83c-a124-4cfa-a768-c24a5811d8f9'
name 'RTO System Link'
description 'The in-game link to the RTO System Discord bot.'
author 'Agent Squad Productions (www.agentsquad.org)'
version 'v1.0.0'
url 'https://github.com/Agent-Squad-Productions/rto-system'
client_scripts {
"config.lua",
"cl.lua"
}
server_scripts {
"config.lua",
"sv.lua",
}
|
local poketch_0 = DoorSlot("poketch","0")
local poketch_0_hub = DoorSlotHub("poketch","0",poketch_0)
poketch_0:setHubIcon(poketch_0_hub)
local poketch_1 = DoorSlot("poketch","1")
local poketch_1_hub = DoorSlotHub("poketch","1",poketch_1)
poketch_1:setHubIcon(poketch_1_hub)
local poketch_2 = DoorSlot("poketch","2")
local poketch_2_hub = DoorSlotHub("poketch","2",poketch_2)
poketch_2:setHubIcon(poketch_2_hub)
|
function onCreate()
-- background shit
makeLuaSprite('bg', 'bg', -570, -340);
setScrollFactor('bg', 1, 1);
makeAnimatedLuaSprite('char', 'maniaBg', -230, -340);
setScrollFactor('char', 1, 1);
luaSpriteAddAnimationByPrefix('char', 'bgchar', 'maniaBG', 24, true);
addLuaSprite('bg', false);
addLuaSprite('char', false);
objectPlayAnimation('char','bgchar');
close(true); --For performance reasons, close this script once the stage is fully loaded, as this script won't be used anymore after loading the stage
end
function onUpdate()
setProperty('gf.x', 4000)
end |
local students = {}
local teacher = nil
function link (teacher, student)
map (teacher, 'NEW_SLIDE', student, 'SHOW_SLIDE')
map (teacher, 'REPLY_CONTROL', student, 'CONTROL_CHANGED')
map (teacher, 'PERFORM_SEEK', student, 'SEEK')
map (student, 'TRY_GET_CONTROL', teacher, 'REQUEST_CONTROL')
map (student, 'REWIND', teacher, 'SEEK_REQUEST')
end
MARS.onConnect = function (p)
local interfaces = p:getInterfaces ()
for i,_ in pairs (interfaces) do
if i == 'TEACHER' then
teacher = p
map (p, 'NEW_SLIDE', p, 'SHOW_SLIDE_')
map (p, 'PERFORM_SEEK', p, 'SEEK_')
for _, s in pairs (students) do
link (teacher, s)
end
elseif i == 'STUDENT' then
table.insert (students, p)
if teacher ~= nil then
link (teacher, p)
end
end
end
end
|
function hide()
addonWindow:hide()
addonWindow2:hide()
addonWindow3:hide()
addonWindow4:hide()
addonWindow5:hide()
addonWindow6:hide()
addonWindow7:hide()
end
function init()
connect(g_game, 'onTextMessage', onClick)
addonWindow = g_ui.displayUI('addons')
addonWindow:hide()
addonWindow2 = g_ui.displayUI('addons2')
addonWindow2:hide()
addonWindow3 = g_ui.displayUI('addons3')
addonWindow3:hide()
addonWindow4 = g_ui.displayUI('addons4')
addonWindow4:hide()
addonWindow5 = g_ui.displayUI('addons5')
addonWindow5:hide()
addonWindow6 = g_ui.displayUI('addons6')
addonWindow6:hide()
addonWindow7 = g_ui.displayUI('addons7')
addonWindow7:hide()
end
function terminate()
disconnect(g_game, 'onTextMessage', onClick)
end
function onClick(mode, text)
if mode == MessageModes.Failure then
if text:find('HeldConverter_P1') then
addonWindow:show()
end
end
if mode == MessageModes.Failure then
if text:find('HeldConverter_P2') then
addonWindow2:show()
end
end
if mode == MessageModes.Failure then
if text:find('HeldConverter_P3') then
addonWindow3:show()
end
end
if mode == MessageModes.Failure then
if text:find('HeldConverter_P4') then
addonWindow4:show()
end
end
if mode == MessageModes.Failure then
if text:find('HeldConverter_P5') then
addonWindow5:show()
end
end
if mode == MessageModes.Failure then
if text:find('HeldConverter_P6') then
addonWindow6:show()
end
end
if mode == MessageModes.Failure then
if text:find('HeldConverter_P7') then
addonWindow7:show()
end
end
end |
--[[
* The `Matter.Contact` module contains methods for creating and manipulating collision contacts.
*
* @class Contact
]]--
Contact = {}
Contact.__index = Contact
--[[
* Creates a new contact.
* @method create
* @param {vertex} vertex
* @return {contact} A new contact
]]--
function Contact.create(vertex)
-- print('Contact.create')
return {
id = Contact.id(vertex),
vertex = vertex,
normalImpulse = 0,
tangentImpulse = 0
}
end
--[[
* Generates a contact id.
* @method id
* @param {vertex} vertex
* @return {string} Unique contactID
]]--
function Contact.id(vertex)
return vertex.body.id .. '_' .. vertex.index
end
|
local InCombat = {
}
local OutCombat = {
}
XB.CR:Add(104, {
name = '[XB] Druid - Guardian',
ic = InCombat,
ooc = OutCombat,
})
|
--------------------------------------------------------------------------------
-- Handler.......... : onDebugToggleAchievement
-- Author........... :
-- Description...... :
--------------------------------------------------------------------------------
--------------------------------------------------------------------------------
function Steam.onDebugToggleAchievement ( )
--------------------------------------------------------------------------------
--
-- Get selected list item and toggle the achivement status
--
local hList = hud.getComponent ( this.getUser ( ), "SteamDebug.MenuList" )
if hList then
local nItem = hud.getListSelectedItemAt ( hList, 0 )
if nItem > 0 then
local sAchievement = table.getAt ( this.tAchievements ( ), nItem - 1 )
log.message ( this.sDebugLabel ( ), "Toggling achievement ", sAchievement )
local bAchieved = Steamworks.GetAchievement ( sAchievement )
if bAchieved then
Steamworks.ClearAchievement ( sAchievement )
else
Steamworks.SetAchievement ( sAchievement )
end
Steamworks.StoreStats ( )
end
end
--------------------------------------------------------------------------------
end
--------------------------------------------------------------------------------
|
-- Emergency Lights resource by vovo4ka
-- please, do not remove copyright
local strobo_interval = 10 -- strobo light freq. 10 = 0.5 sec
local is_strobo_enabled = enable -- enable/disable stroboscopic lights mode
-- lamps
local flash_interval = 1 -- flash freq
-- led blink mode
local blink_interval = 20 -- blink interval
local blink_duration = 2 -- 1..blink_interval
local car_lights_table = {
-- Huntley
[579] = {["mode"]="lamp",
[1]={["pos"]={-0.08, 0.45, 0.99}, ["color"]={255,0,0}, ["size"]=0.09, ["phase"]=0.0},
[2]={["pos"]={-0.2, 0.45, 0.99}, ["color"]={255,0,0}, ["size"]=0.09, ["phase"]=0.0},
[3]={["pos"]={0.2, 0.45, 0.99}, ["color"]={0,0,255}, ["size"]=0.09, ["phase"]=10.0},
[4]={["pos"]={0.08, 0.45, 0.99}, ["color"]={0,0,255}, ["size"]=0.09, ["phase"]=10.0}
},
-- Ambulance Hummer
[529] = {["mode"]="lamp",
[1]={["pos"]={-0.22, 0.38, 1.0}, ["color"]={255,0,0}, ["size"]=0.12, ["phase"]=5.0},
[2]={["pos"]={0.22, 0.38, 1.0}, ["color"]={255,0,0}, ["size"]=0.12, ["phase"]=5.0},
[3]={["pos"]={-0.35, 0.38, 1.0}, ["color"]={255,0,0}, ["size"]=0.12, ["phase"]=0.0},
[4]={["pos"]={0.35, 0.38, 1.0}, ["color"]={255,0,0}, ["size"]=0.12, ["phase"]=0.0},
[5]={["pos"]={-0.48, 0.38, 1.0}, ["color"]={255,0,0}, ["size"]=0.12, ["phase"]=10.0},
[6]={["pos"]={0.48, 0.38, 1.0}, ["color"]={255,0,0}, ["size"]=0.12, ["phase"]=10.0},
},
-- Patriot
[470] = {["mode"]="lamp",
[1]={["pos"]={-0.1, 0.55, 0.85}, ["color"]={255,0,0}, ["size"]=0.09, ["phase"]=0.0},
[2]={["pos"]={-0.22, 0.55, 0.85}, ["color"]={255,0,0}, ["size"]=0.09, ["phase"]=0.0},
[3]={["pos"]={0.22, 0.55, 0.85}, ["color"]={0,0,255}, ["size"]=0.09, ["phase"]=10.0},
[4]={["pos"]={0.1, 0.55, 0.85}, ["color"]={0,0,255}, ["size"]=0.09, ["phase"]=10.0}
},
-- Premier
[426] = {["mode"]="lamp",
[1]={["pos"]={0.65, 0.4, 0.65}, ["color"]={255,0,0}, ["size"]=0.08, ["phase"]=0.0},
[2]={["pos"]={0.55, 0.4, 0.65}, ["color"]={255,0,0}, ["size"]=0.08, ["phase"]=0.0},
[3]={["pos"]={0.48, 0.4, 0.65}, ["color"]={0,0,255}, ["size"]=0.08, ["phase"]=10.0},
[4]={["pos"]={0.38, 0.4, 0.65}, ["color"]={0,0,255}, ["size"]=0.08, ["phase"]=10.0}
},
-- Merit
[551] = {["mode"]="lamp",
[1]={["pos"]={0.60, 0.4, 0.65}, ["color"]={255,0,0}, ["size"]=0.08, ["phase"]=0.0},
[2]={["pos"]={0.50, 0.4, 0.65}, ["color"]={255,0,0}, ["size"]=0.08, ["phase"]=0.0},
[3]={["pos"]={0.43, 0.4, 0.65}, ["color"]={0,0,255}, ["size"]=0.08, ["phase"]=10.0},
[4]={["pos"]={0.33, 0.4, 0.65}, ["color"]={0,0,255}, ["size"]=0.08, ["phase"]=10.0}
},
-- Enforcer
[427] = {["mode"]="lamp",
[1]={["pos"]={0.45, 1.1, 1.42}, ["color"]={255,0,0}, ["size"]=0.2, ["phase"]=10.0},
[2]={["pos"]={-0.45, 1.1, 1.42}, ["color"]={255,0,0}, ["size"]=0.2, ["phase"]=10.0},
[3]={["pos"]={0.22, 1.1, 1.42}, ["color"]={255,0,0}, ["size"]=0.2, ["phase"]=0.0},
[4]={["pos"]={-0.22, 1.1, 1.42}, ["color"]={255,0,0}, ["size"]=0.2, ["phase"]=0.0},
[5]={["pos"]={-1.18, 0.1, 0.94}, ["color"]={255,0,0}, ["size"]=0.1, ["phase"]=0.0},
[6]={["pos"]={-1.18, -1.63, 0.94}, ["color"]={255,0,0}, ["size"]=0.1, ["phase"]=5.0},
[7]={["pos"]={-1.18, -3.37, 0.94}, ["color"]={255,0,0}, ["size"]=0.1, ["phase"]=10.0},
[8]={["pos"]={1.18, 0.1, 0.94}, ["color"]={255,0,0}, ["size"]=0.1, ["phase"]=0.0},
[9]={["pos"]={1.18, -1.63, 0.94}, ["color"]={255,0,0}, ["size"]=0.1, ["phase"]=5.0},
[10]={["pos"]={1.18, -3.37, 0.94}, ["color"]={255,0,0}, ["size"]=0.1, ["phase"]=10.0}
},
-- Securicar
[428] = {["mode"]="lamp",
[1]={["pos"]={-1.1, 1.3, 1.2}, ["color"]={255,128,0}, ["size"]=0.15, ["phase"]=0.0},
[2]={["pos"]={-1.1, -3, 1.5}, ["color"]={255,128,0}, ["size"]=0.15, ["phase"]=5.0},
[3]={["pos"]={0, 1.3, 1.2}, ["color"]={255,128,0}, ["size"]=0.15, ["phase"]=10.0},
[4]={["pos"]={1.1, 1.3, 1.2}, ["color"]={255,128,0}, ["size"]=0.15, ["phase"]=0.0},
[5]={["pos"]={1.1, -3, 1.5}, ["color"]={255,128,0}, ["size"]=0.15, ["phase"]=5.0},
[6]={["pos"]={0, -3, 1.5}, ["color"]={255,128,0}, ["size"]=0.15, ["phase"]=10.0}
},
-- Police LS
[596] = {["mode"]="lamp",
[1]={["pos"]={-0.2, -0.35, 0.95}, ["color"]={255,0,0}, ["size"]=0.18, ["phase"]=5.0},
[2]={["pos"]={0.2, -0.35, 0.95}, ["color"]={0,0,255}, ["size"]=0.18, ["phase"]=5.0},
[3]={["pos"]={-0.45, -0.35, 0.95}, ["color"]={255,0,0}, ["size"]=0.18, ["phase"]=0.0},
[4]={["pos"]={0.45, -0.35, 0.95}, ["color"]={0,0,255}, ["size"]=0.18, ["phase"]=0.0},
[5]={["pos"]={-0.7, -0.35, 0.95}, ["color"]={255,0,0}, ["size"]=0.18, ["phase"]=10.0},
[6]={["pos"]={0.7, -0.35, 0.95}, ["color"]={0,0,255}, ["size"]=0.18, ["phase"]=10.0},
[7]={["pos"]={-0.25, 2.46, -0.038}, ["color"]={255,0,0}, ["size"]=0.12, ["phase"]=0.0},
[8]={["pos"]={0.25, 2.46, -0.038}, ["color"]={0,0,255}, ["size"]=0.12, ["phase"]=10.0}
},
-- Police SF
[597] = {["mode"]="lamp",
[1]={["pos"]={-0.2, -0.35, 0.95}, ["color"]={255,0,0}, ["size"]=0.18, ["phase"]=5.0},
[2]={["pos"]={0.2, -0.35, 0.95}, ["color"]={0,0,255}, ["size"]=0.18, ["phase"]=5.0},
[3]={["pos"]={-0.45, -0.35, 0.95}, ["color"]={255,0,0}, ["size"]=0.18, ["phase"]=0.0},
[4]={["pos"]={0.45, -0.35, 0.95}, ["color"]={0,0,255}, ["size"]=0.18, ["phase"]=0.0},
[5]={["pos"]={-0.7, -0.35, 0.95}, ["color"]={255,0,0}, ["size"]=0.18, ["phase"]=10.0},
[6]={["pos"]={0.7, -0.35, 0.95}, ["color"]={0,0,255}, ["size"]=0.18, ["phase"]=10.0},
[7]={["pos"]={-0.25, 2.46, -0.038}, ["color"]={255,0,0}, ["size"]=0.12, ["phase"]=0.0},
[8]={["pos"]={0.25, 2.46, -0.038}, ["color"]={0,0,255}, ["size"]=0.12, ["phase"]=10.0}
},
-- Police SF
--[[[597] = {["mode"]="led",
[1]={["pos"]={-0.2, -0.35, 0.95}, ["color"]={255,0,0}, ["size"]=0.18, ["phase"]=0.0},
[2]={["pos"]={0.2, -0.35, 0.95}, ["color"]={0,0,255}, ["size"]=0.18, ["phase"]=10.0},
[3]={["pos"]={-0.45, -0.35, 0.95}, ["color"]={255,0,0}, ["size"]=0.18, ["phase"]=0.0},
[4]={["pos"]={0.45, -0.35, 0.95}, ["color"]={0,0,255}, ["size"]=0.18, ["phase"]=10.0},
[5]={["pos"]={-0.7, -0.35, 0.95}, ["color"]={255,0,0}, ["size"]=0.18, ["phase"]=0.0},
[6]={["pos"]={0.7, -0.35, 0.95}, ["color"]={0,0,255}, ["size"]=0.18, ["phase"]=10.0},
[7]={["pos"]={-0.25, 2.46, -0.038}, ["color"]={255,0,0}, ["size"]=0.12, ["phase"]=10.0},
[8]={["pos"]={0.25, 2.46, -0.038}, ["color"]={0,0,255}, ["size"]=0.12, ["phase"]=0.0}
},]]
-- Police LV
[598] = {["mode"]="lamp",
[1]={["pos"]={-0.2, -0.35, 0.95}, ["color"]={255,0,0}, ["size"]=0.18, ["phase"]=5.0},
[2]={["pos"]={0.2, -0.35, 0.95}, ["color"]={0,0,255}, ["size"]=0.18, ["phase"]=5.0},
[3]={["pos"]={-0.45, -0.35, 0.95}, ["color"]={255,0,0}, ["size"]=0.18, ["phase"]=0.0},
[4]={["pos"]={0.45, -0.35, 0.95}, ["color"]={0,0,255}, ["size"]=0.18, ["phase"]=0.0},
[5]={["pos"]={-0.7, -0.35, 0.95}, ["color"]={255,0,0}, ["size"]=0.18, ["phase"]=10.0},
[6]={["pos"]={0.7, -0.35, 0.95}, ["color"]={0,0,255}, ["size"]=0.18, ["phase"]=10.0},
[7]={["pos"]={-0.25, 2.46, -0.038}, ["color"]={255,0,0}, ["size"]=0.12, ["phase"]=0.0},
[8]={["pos"]={0.25, 2.46, -0.038}, ["color"]={0,0,255}, ["size"]=0.12, ["phase"]=10.0}
},
-- Police Ranger
[599] = {["mode"]="lamp",
[1]={["pos"]={-0.3, 0, 1.2}, ["color"]={255,0,0}, ["size"]=0.2, ["phase"]=10.0},
[2]={["pos"]={-0.7, 0, 1.2}, ["color"]={255,0,0}, ["size"]=0.2, ["phase"]=0.0},
[3]={["pos"]={-0.5, 0, 1.2}, ["color"]={255,0,0}, ["size"]=0.2, ["phase"]=5.0},
[4]={["pos"]={0.3, 0, 1.2}, ["color"]={0,0,255}, ["size"]=0.21, ["phase"]=5.0},
[5]={["pos"]={0.5, 0, 1.2}, ["color"]={0,0,255}, ["size"]=0.21, ["phase"]=0.0},
[6]={["pos"]={0.7, 0, 1.2}, ["color"]={0,0,255}, ["size"]=0.21, ["phase"]=10.0},
[7]={["pos"]={-0.40, 2.46, -0.038}, ["color"]={255,0,0}, ["size"]=0.1, ["phase"]=0.0},
[8]={["pos"]={-0.29, 2.46, -0.038}, ["color"]={255,0,0}, ["size"]=0.1, ["phase"]=0.0},
[9]={["pos"]={0.29, 2.46, -0.038}, ["color"]={0,0,255}, ["size"]=0.1, ["phase"]=10.0},
[10]={["pos"]={0.40, 2.46, -0.038}, ["color"]={0,0,255}, ["size"]=0.1, ["phase"]=10.0}
},
-- FBI Rancher
[490] = {["mode"]="lamp",
[1]={["pos"]={-0.94, 3.3, -0.45}, ["color"]={255,0,0}, ["size"]=0.13, ["phase"]=0.0},
[2]={["pos"]={-0.8, 3.3, -0.45}, ["color"]={255,0,0}, ["size"]=0.13, ["phase"]=0.0},
[3]={["pos"]={0.8, 3.3, -0.45}, ["color"]={0,0,255}, ["size"]=0.13, ["phase"]=10.0},
[4]={["pos"]={0.94, 3.3, -0.45}, ["color"]={0,0,255}, ["size"]=0.13, ["phase"]=10.0},
[5]={["pos"]={-0.63, -2.9, 0.85}, ["color"]={255,0,0}, ["size"]=0.11, ["phase"]=0.0},
[6]={["pos"]={-0.75, -2.9, 0.85}, ["color"]={255,0,0}, ["size"]=0.11, ["phase"]=0.0},
[7]={["pos"]={0.75, -2.9, 0.85}, ["color"]={0,0,255}, ["size"]=0.11, ["phase"]=10.0},
[8]={["pos"]={0.63, -2.9, 0.85}, ["color"]={0,0,255}, ["size"]=0.11, ["phase"]=10.0},
}
-- since 0.8 there are no default lights position, because only emergency and pre-defined vehicles can use lights
--["default"] = {["mode"]="lamp", [1]={["pos"]={0.5, 0, 0.8}, ["color"]={255,0,0}, ["size"]=0.25, ["phase"]=0.0}, [2]={["pos"]={-0.5, 0, 0.8}, ["color"]={0,0,255}, ["size"]=0.25, ["phase"]=10.0}}
}
-- do not modify --------------------------------------------
local vehicles = {}
local timers = {}
local base_freq = 50 -- freq of timer for light change
-------------------------------------------------------------
function release_vehicle(vehicle)
if (isElement(vehicle)) then
if (is_strobo_enabled) then
setVehicleOverrideLights ( vehicle, 0)
setVehicleLightState ( vehicle, 0, 1 )
setVehicleLightState ( vehicle, 1, 1 )
setVehicleLightState ( vehicle, 2, 1 )
setVehicleLightState ( vehicle, 3, 1 )
end
end
if (vehicles[vehicle]~=nil) then
-- release the markers
for key, value in pairs(vehicles[vehicle]["flist"]) do
destroyElement (value["m"])
end
vehicles[vehicle] = nil
end
if (timers[vehicle]~=nil) then
-- kill the strobo timer
killTimer(timers[vehicle])
timers[vehicle] = nil
if (isElement(vehicle)) then
if (getElementData( vehicle, "emerlights_source")==getPlayerName(getLocalPlayer())) then
triggerEvent ( "onPlayerEmergencyLightStateChange", getRootElement(), 0 )
end
end
end
end
function checkForAbility(vehicle)
local veh_model = getElementModel ( vehicle )
if (car_lights_table[veh_model]==nil)or(getElementData( vehicle, "emerlights_enabled" )=="false") then
return false
end
return true
end
function strobo_state_update (vehicle)
-- check for valid vehicle
if (isElement(vehicle)) then
if (vehicles[vehicle]==nil) then
-- check for disallowing to use lights
-- its enabled by default
if (checkForAbility(vehicle)==false) then
release_vehicle(vehicle)
return
end
local veh_model = getElementModel ( vehicle )
--if (car_lights_table[veh_model]==nil) then
--veh_model = "default"
--end
local occupant = getVehicleOccupant( vehicle, 0)
if (getElementType(occupant)=="player") then -- peds also can use emerlights
local src = getPlayerName(occupant)
setElementData( vehicle, "emerlights_source", src, false)
if (src==getPlayerName(getLocalPlayer())) then
triggerEvent ( "onPlayerEmergencyLightStateChange", getRootElement(), 1 )
end
end
-- init state variable
vehicles[vehicle] = {}
vehicles[vehicle]["lstate"] = 0 -- strobo lights state
vehicles[vehicle]["fstate"] = 0 -- flash light state
vehicles[vehicle]["flist"] = {} -- flash lights list (marker ids)
-- create flash lights
local mode = car_lights_table[veh_model]["mode"]
if (mode==nil) then
mode = "lamp"
end
local coeff = 0
if (mode=="lamp") then
coeff = 3.141592654/10.0
else
coeff = blink_interval/20.0
end
vehicles[vehicle]["fmode"] = mode
for light_id, light_desc in pairs(car_lights_table[veh_model]) do
if (light_id~="mode") then
vehicles[vehicle]["flist"][light_id] = {}
vehicles[vehicle]["flist"][light_id]["m"] = createMarker( 0.0001, 0.0001, 0.0001, "corona", light_desc["size"], light_desc["color"][1], light_desc["color"][2], light_desc["color"][3], 100)
vehicles[vehicle]["flist"][light_id]["p"] = light_desc["phase"]*coeff
attachElements ( vehicles[vehicle]["flist"][light_id]["m"], vehicle, light_desc["pos"][1], light_desc["pos"][2], light_desc["pos"][3] )
end
end
end
-- strobo light
if (is_strobo_enabled) then
setVehicleOverrideLights ( vehicle, 2)
if (vehicles[vehicle]["lstate"]<strobo_interval) then
setVehicleLightState ( vehicle, 0, 1 )
setVehicleLightState ( vehicle, 1, 0 )
setVehicleLightState ( vehicle, 2, 0 )
setVehicleLightState ( vehicle, 3, 1 )
else
setVehicleLightState ( vehicle, 0, 0 )
setVehicleLightState ( vehicle, 1, 1 )
setVehicleLightState ( vehicle, 2, 1 )
setVehicleLightState ( vehicle, 3, 0 )
end
if (vehicles[vehicle]["lstate"]>=strobo_interval*2) then
vehicles[vehicle]["lstate"] = 0
else
vehicles[vehicle]["lstate"] = vehicles[vehicle]["lstate"] + 1
end
end
-- flash light
if (vehicles[vehicle]["fmode"]=="lamp") then
-- lamp mode
local tmp_fstate = vehicles[vehicle]["fstate"]
for key, value in pairs(vehicles[vehicle]["flist"]) do
local R, G, B, A = getMarkerColor( value["m"] )
setMarkerColor(value["m"], R, G, B, (math.sin(tmp_fstate+value["p"])+1.0)*128.0)
end
vehicles[vehicle]["fstate"] = vehicles[vehicle]["fstate"] + flash_interval
else
-- led mode
local tmp_fstate = vehicles[vehicle]["fstate"]
for key, value in pairs(vehicles[vehicle]["flist"]) do
local R, G, B, A = getMarkerColor(value["m"])
-- blinking mode
local tmp_val = tmp_fstate+value["p"]
if (tmp_val>blink_interval) then
tmp_val = tmp_val - blink_interval
end
if ((tmp_val>=0)and(tmp_val<blink_duration))or((tmp_val>=blink_duration+1)and(tmp_val<blink_duration*2+1)) then
setMarkerColor(value["m"], R, G, B, 255)
else
setMarkerColor(value["m"], R, G, B, 0)
end
end
vehicles[vehicle]["fstate"] = vehicles[vehicle]["fstate"] + 1
if (vehicles[vehicle]["fstate"]>blink_interval) then
vehicles[vehicle]["fstate"] = vehicles[vehicle]["fstate"] - blink_interval
end
end
else
-- if vehicle is no more exists
release_vehicle(vehicle)
end
end
-- not used anymore
function stroboLightOn()
playerVehicle = getPedOccupiedVehicle ( getLocalPlayer() ) -- get the player's vehicle
--setElementData( playerVehicle, "emerlights_enabled", "true" ) -- debug
if ( playerVehicle ) then
-- if player is not a driver
if (getLocalPlayer()~=getVehicleOccupant( playerVehicle )) then
--outputChatBox("you're not a driver!")
return
end
setStroboLightsOn(playerVehicle, nil)
end
end
function isStroboLightsOn (vehicle_id)
if (timers[vehicle_id]) then
return 1
else
return 0
end
end
function setStroboLightsOn(vehicle_id, value)
if ( vehicle_id ) then
if (value==nil) then
if (isStroboLightsOn(vehicle_id)==1) then
value = 0
else
value = 1
end;
end;
if (value==0) then
if (timers[vehicle_id]) then
release_vehicle(vehicle_id)
end
end
if (value==1) then
if (timers[vehicle_id]) then
release_vehicle(vehicle_id)
end
-- create strobo timer
timers[vehicle_id] = setTimer ( strobo_state_update, base_freq, 0, vehicle_id )
end
end
end
-- only local effect
function enableStroboLightsMode(source, value)
if (value=="0")or(value=="false") then
is_strobo_enabled = false
outputConsole("Stroboscopic mode disabled")
else
if (value=="1")or(value=="true") then
is_strobo_enabled = true
outputConsole("Stroboscopic mode enabled")
else
outputConsole("Usage: strobo 0 or strobo 1 for disable/enable stroboscopic lights mode")
end
end
end
addCommandHandler("strobo", enableStroboLightsMode)
-- triggered by server
function setEmerlightsState(value, state)
local player = getPlayerFromName ( value )
local vehicle = getPedOccupiedVehicle(player)
if (vehicle) then
setStroboLightsOn(vehicle, state)
end
end
addEvent("setEmerlights", true)
addEventHandler("setEmerlights", getRootElement(), setEmerlightsState)
function requestEmerlights()
-- check for driver
playerVehicle = getPedOccupiedVehicle (getLocalPlayer()) -- get the player's vehicle
if (playerVehicle) then
-- if player is not a driver
if (getLocalPlayer()~=getVehicleOccupant( playerVehicle )) then
--outputChatBox("you're not a driver!")
return
end
if (checkForAbility(playerVehicle)) then
-- sync
triggerServerEvent("requestEmerlightChangeState", getLocalPlayer(), 1-isStroboLightsOn(getPedOccupiedVehicle(getLocalPlayer())))
else
-- not able to use lights for this vehicle
--outputChatBox("unknown car!")
end
end
end
addCommandHandler("Strobo Light On", requestEmerlights)--stroboLightOn)
bindKey("h", "down", "Strobo Light On")
addEvent("onPlayerEmergencyLightStateChange")
|
assert ( math.abs( 5 ) , 5 )
assert ( math.abs( -5 ) , 5 )
assert ( math.cos(math.pi) == -1 )
assert ( math.huge + 1 == math.huge )
assert ( math.min ( 1 , 5 ) == 1 )
assert ( math.min ( 1 , 5 , -1 ) == -1 )
assert ( math.max ( 1 , 5 ) == 5 )
assert ( math.max ( 1 , 5 , -1 ) == 5 )
assert ( math.sin(0) == 0 )
|
local awful = require("awful")
local wibox = require("wibox")
local beautiful = require("beautiful")
local separators = require('util.separators')
local widget = require('util.widgets')
-- widgets load
local pad = separators.pad
local textclock = wibox.widget {
font = M.f.body_2,
format = '<span foreground="'..M.x.on_background..'">%H:%M</span>',
widget = wibox.widget.textclock
}
-- init tables
local mybar = class()
-- {{{ Wibar
function mybar:init(s)
-- We need one layoutbox per screen.
s.mylayoutbox = require("widgets.layoutbox")(s, {})
-- Create a promptbox for each screen
s.mypromptbox = awful.widget.prompt()
-- Create a tasklist widget for each screen
--s.mytasklist = require("widgets.tasklist")(s)
-- Create a taglist widget for each screen
s.mytaglist = require("widgets.taglist")(s, { mode = "icon" })
-- Create the wibox with default options
self.height = beautiful.wibar_height or dpi(56)
self.position = beautiful.wibar_position or "top"
s.mywibox = awful.wibar({ position = self.position, height = self.height, screen = s })
s.mywibox.bg = beautiful.wibar_bg or M.x.background
-- Add widgets to the wibox
s.mywibox:setup {
{ -- left
layout = wibox.layout.fixed.horizontal,
spacing = dpi(10),
require("widgets.launcher")(),
},
{ -- middle
{
s.mytaglist,
layout = wibox.layout.fixed.horizontal
},
margins = 2,
widget = wibox.container.margin
},
{ -- right
layout = wibox.layout.fixed.horizontal,
spacing = dpi(10),
require("widgets.change_theme"),
layouts,
require("widgets.settings")(),
textclock,
s.mylayoutbox
},
expand ="none",
layout = wibox.layout.align.horizontal
}
end
return mybar
|
return {
{},
{},
{},
{},
{},
{},
{},
{},
{},
{},
desc_get = "每隔20秒,有30.0%(满级60.0%)的概率发动,敌方所有单位受到的伤害上升20.0%(满级40.0%),持续10秒",
name = "雷达扫描",
init_effect = "",
time = 0,
color = "yellow",
picture = "",
desc = "每隔20秒,有$1的概率发动,敌方所有单位受到的伤害上升$2,持续10秒",
stack = 1,
id = 13401,
icon = 13400,
last_effect = "",
effect_list = {
{
type = "BattleBuffAddBuff",
trigger = {
"onUpdate"
},
arg_list = {
buff_id = 13402,
time = 20,
target = "TargetSelf"
}
}
}
}
|
local ppwm = require("lib_ppwm")
--
local red = ppwm:create(1, 1000, 0)
local function on_action()
-- red:update_duty(1023)
red:transition_to_duty(1000, 10)
end
local function off_action()
-- red:update_duty(0)
red:transition_to_duty(0, 10)
end
local function process_interval(intervals, actions, position)
if intervals[position] == 1 or intervals[position] == 0 then
actions[position]()
return
end
local interval_timer = tmr.create();
actions[position]()
interval_timer:register(intervals[position], tmr.ALARM_AUTO, function ()
position = position + 1
if position > table.getn(intervals) then position = 1 end
interval_timer:interval(intervals[position])
actions[position]()
end)
interval_timer:start();
end
local function main()
local intervals = {1000, 500, 2000, 200}
local actions = {on_action, off_action, on_action, off_action}
process_interval(intervals, actions, 1)
end
local start_timer = tmr.create()
start_timer:register(1000, tmr.ALARM_SINGLE, main)
start_timer:start() |
--region *.lua
--Date
--此文件由[BabeLua]插件自动生成
require "cocos.init"
cc.exports.dxm = cc.exports.dxm or {}
require "dxm/common/singleton"
require "dxm/common/time_helper"
require "dxm/common/game_state"
require "dxm/scene/base_scene"
require "dxm/ui/normal_ui.lua"
require "dxm/ui/stack_ui.lua"
require "dxm/ui/dialog_ui"
require "dxm/ui/scroll_view_ui.lua"
--endregion
|
local dpdk = require "dpdk"
local memory = require "memory"
local device = require "device"
local stats = require "stats"
local log = require "log"
function master(txPorts, minIp, numIps, rate)
if not txPorts then
log:info("usage: txPort1[,txPort2[,...]] [minIP numIPs rate]")
return
end
txPorts = tostring(txPorts)
minIp = minIp or "10.0.0.1"
numIps = numIps or 100
rate = rate or 0
for currentTxPort in txPorts:gmatch("(%d+),?") do
currentTxPort = tonumber(currentTxPort)
local txDev = device.config{ port = currentTxPort }
txDev:wait()
txDev:getTxQueue(0):setRate(rate)
dpdk.launchLua("loadSlave", currentTxPort, 0, minIp, numIps)
end
dpdk.waitForSlaves()
end
function loadSlave(port, queue, minA, numIPs)
--- parse and check ip addresses
local minIP, ipv4 = parseIPAddress(minA)
if minIP then
log:info("Detected an %s address.", minIP and "IPv4" or "IPv6")
else
log:fatal("Invalid minIP: %s", minA)
end
-- min TCP packet size for IPv6 is 74 bytes (+ CRC)
local packetLen = ipv4 and 60 or 74
-- continue normally
local queue = device.get(port):getTxQueue(queue)
local mem = memory.createMemPool(function(buf)
buf:getTcpPacket(ipv4):fill{
ethSrc="90:e2:ba:2c:cb:02", ethDst="90:e2:ba:35:b5:81",
ip4Dst="192.168.1.1",
ip6Dst="fd06::1",
tcpSyn=1,
tcpSeqNumber=1,
tcpWindow=10,
pktLength=packetLen }
end)
local bufs = mem:bufArray(128)
local counter = 0
local c = 0
local txStats = stats:newDevTxCounter(queue, "plain")
while dpdk.running() do
-- fill packets and set their size
bufs:alloc(packetLen)
for i, buf in ipairs(bufs) do
local pkt = buf:getTcpPacket(ipv4)
--increment IP
if ipv4 then
pkt.ip4.src:set(minIP)
pkt.ip4.src:add(counter)
else
pkt.ip6.src:set(minIP)
pkt.ip6.src:add(counter)
end
counter = incAndWrap(counter, numIPs)
-- dump first 3 packets
if c < 3 then
buf:dump()
c = c + 1
end
end
--offload checksums to NIC
bufs:offloadTcpChecksums(ipv4)
queue:send(bufs)
txStats:update()
end
txStats:finalize()
end
|
AddCSLuaFile( "cl_init.lua" )
AddCSLuaFile( "shared.lua" )
include( "shared.lua" )
util.AddNetworkString("OCRP_UpdateStation")
function ENT:Initialize()
self.DropTime = CurTime()
if self.Amount == nil then
self.Amount = 1
end
if self:GetNWString("Class") == nil then
self:Remove()
end
self:SetModel(GAMEMODE.OCRP_Items[self:GetNWString("Class")].Model)
if GAMEMODE.OCRP_Items[self:GetNWString("Class")].Material != nil then
self:SetMaterial(GAMEMODE.OCRP_Items[self:GetNWString("Class")].Material)
end
self:SetHealth(100)
if GAMEMODE.OCRP_Items[self:GetNWString("Class")].Health != nil then
self:SetHealth(GAMEMODE.OCRP_Items[self:GetNWString("Class")].Health)
end
self:PhysicsInit(SOLID_VPHYSICS)
self:SetMoveType(MOVETYPE_VPHYSICS)
self:SetSolid(SOLID_VPHYSICS)
if GAMEMODE.OCRP_Items[self:GetNWString("Class")].Protected then
self.Protected = true
end
if GAMEMODE.OCRP_Items[self:GetNWString("Class")].SpawnFunction != nil then
GAMEMODE.OCRP_Items[self:GetNWString("Class")].SpawnFunction(self)
end
self.Station = 0
end
function changeStation(ply)
if ply.CantUse == true then return end
ply.CantUse = true
timer.Simple(.1, function()
if ply:IsValid() then
ply.CantUse = false
end
end)
local target = nil
if ply:GetVehicle() and ply:GetVehicle():IsValid() and ply:GetVehicle():GetClass() == "prop_vehicle_jeep" then
if !ply:GetVehicle().Radio or !ply:GetVehicle().Radio:IsValid() then
local radio = ents.Create("ocrp_radio")
radio:SetNWString("Class", "item_radio")
radio:SetPos(Vector(0,0,10))
radio:SetMoveParent(ply:GetVehicle())
radio:SetRenderMode(RENDERMODE_TRANSALPHA)
radio:SetColor(Color(0,0,0,0))
radio:SetNWInt("Owner", ply:EntIndex())
radio:Spawn()
ply:GetVehicle().Radio = radio
end
target = ply:GetVehicle().Radio
else
local tr = util.TraceLine({
start = ply:EyePos(),
endpos = ply:EyePos() + ply:EyeAngles():Forward() * 100,
filter = function(ent)
if ent:GetClass() == "ocrp_radio" then
if ent:GetNWInt("Owner") and ent:GetNWInt("Owner") == ply:EntIndex() then
target = ent
end
end
end,
})
end
if not target or not target:IsValid() then return end
if target:GetNWInt("Owner") ~= ply:EntIndex() then return end
local newStation = target.Station + 1
if target.Stations[newStation] == nil then
newStation = 0
end
target.Station = newStation
target:SetNWInt("Station", newStation)
timer.Simple(.1, function()
net.Start("OCRP_UpdateStation")
net.WriteInt(newStation, 32)
net.WriteEntity(target)
net.Broadcast()
end)
end
function PlayPausedRadio(Player, Vehicle, Role)
if Vehicle.Radio and Vehicle.Radio:IsValid() and Vehicle.Radio:GetNWInt("Station") ~= 0 then
net.Start("OCRP_UpdateStation")
net.WriteInt(Vehicle.Radio:GetNWInt("Station"), 32)
net.WriteEntity(Vehicle.Radio)
net.Broadcast()
end
end
hook.Add("ShowSpare2", "OCRP_UpdateStation", changeStation)
hook.Add("PlayerEnteredVehicle", "OCRP_PlayCarRadio", PlayPausedRadio)
util.AddNetworkString("StopRadios")
concommand.Add("OCRP_StopRadios", function(ply)
net.Start("StopRadios")
net.Send(ply)
end) |
-- !strict
type PartsHolder = {
[number] : {
[number] : number?
}?
}
wait(4)
local S : number = os.clock()
--workspace.Part:Destroy()
--workspace.Part:Destroy()
local RunService : service = game:GetService("RunService")
local RandomSeed = Random.new()
local Seed : number = RandomSeed:NextInteger(0, 1000000)
local XSize : number = 1
local YSize : number = 1
local ZSize : number = 1
local XMax : number = 100
local ZMax : number = 100
print("Total Number of Blocks :", XMax * ZMax)
local XOffset : number = -349.44 -- RandomSeed:NextNumber(-1000, 1000)
local ZOffset : number = 279.554 -- RandomSeed:NextNumber(-1000, 1000)
local WorldSeed : string = (Seed..XOffset..ZOffset)--("%d%s%s"):format(Seed, XOffset * -1 ~= XOffset and string.format("01%d", XOffset * -1) or string.format("00%d", XOffset), ZOffset * -1 ~= ZOffset and string.format("01%d", ZOffset * -1) or string.format("00%d", ZOffset))
print(WorldSeed)
local Part : Part = Instance.new("Part")
Part.Anchored = true
Part.Size = Vector3.new(XSize * 10, YSize * 10, ZSize * 10)
Part.Color = Color3.new(1, 0.999939, 0.0410315)
Part.Material = Enum.Material.Sand
local Parts : PartsHolder? = table.create(XMax/XSize)
wait(1)
for x : number = 1, XMax, XSize do
Parts[x] = table.create(math.ceil(ZMax/ZSize))
for z : number = 1, ZMax, ZSize do
local Part1 : Part = Part:Clone()
Part1.Position = Vector3.new(x*10,
math.noise(Seed, x/10 + XOffset, z/10 + ZOffset) * ( (YSize * 9) * 5),
z*10)
Parts[x][z] = Part1
end
end
wait(1)
for x : number = 1, XMax, XSize do
for z : number = 1, ZMax, ZSize do
Parts[x][z].Parent = workspace
end
RunService.Heartbeat:Wait()
end
print("Done")
wait(1)
print(os.clock() - S)
|
-- --------------------
-- TellMeWhen
-- Originally by Nephthys of Hyjal <lieandswell@yahoo.com>
-- Other contributions by:
-- Sweetmms of Blackrock, Oozebull of Twisting Nether, Oodyboo of Mug'thol,
-- Banjankri of Blackrock, Predeter of Proudmoore, Xenyr of Aszune
-- Currently maintained by
-- Cybeloras of Aerie Peak/Detheroc/Mal'Ganis
-- --------------------
if not TMW then return end
local TMW = TMW
local L = TMW.L
local print = TMW.print
local SUG = TMW.SUG
local strlowerCache = TMW.strlowerCache
local _, pclass = UnitClass("Player")
local Module = SUG:NewModule("stances", SUG:GetModule("spell"))
Module.noMin = true
Module.showColorHelp = false
Module.helpText = L["SUG_TOOLTIPTITLE_GENERIC"]
Module.stances = {
DRUID = {
[5487] = GetSpellInfo(5487), -- Bear Form
[768] = GetSpellInfo(768), -- Cat Form
[783] = GetSpellInfo(783), -- Travel Form
[24858] = GetSpellInfo(24858), -- Moonkin Form
[33891] = GetSpellInfo(33891), -- Incarnation: Tree of Life
[171745] = GetSpellInfo(171745), -- Claws of Shirvallah
},
ROGUE = {
[1784] = GetSpellInfo(1784), -- Stealth
},
}
function Module:Table_Get()
return self.stances[pclass]
end
function Module:Entry_AddToList_1(f, spellID)
if spellID == 0 then
f.Name:SetText(NONE)
f.tooltiptitle = NONE
f.insert = NONE
f.Icon:SetTexture("Interface\\Icons\\INV_Misc_QuestionMark")
else
local name, _, tex = GetSpellInfo(spellID)
f.Name:SetText(name)
f.tooltipmethod = "TMW_SetSpellByIDWithClassIcon"
f.tooltiparg = spellID
f.insert = name
f.Icon:SetTexture(tex)
end
end
function Module:Table_GetNormalSuggestions(suggestions, tbl, ...)
local atBeginning = SUG.atBeginning
local lastName = SUG.lastName
for id, name in pairs(tbl) do
if strfind(strlower(name), atBeginning) then
suggestions[#suggestions + 1] = id
end
end
end
function Module:Table_GetSpecialSuggestions_1(suggestions, tbl, ...)
local atBeginning = SUG.atBeginning
if strfind(strlower(NONE), atBeginning) then
suggestions[#suggestions + 1] = 0
end
end
local Module = SUG:NewModule("tracking", SUG:GetModule("default"))
Module.noMin = true
Module.showColorHelp = false
Module.helpText = L["SUG_TOOLTIPTITLE_GENERIC"]
local TrackingCache = {}
function Module:Table_Get()
for i = 1, GetNumTrackingTypes() do
local name, _, active = GetTrackingInfo(i)
TrackingCache[i] = strlower(name)
end
return TrackingCache
end
function Module:Table_GetSorter()
return nil
end
function Module:Entry_AddToList_1(f, id)
local name, texture = GetTrackingInfo(id)
f.Name:SetText(name)
f.ID:SetText(nil)
f.tooltiptitle = name
f.insert = name
f.Icon:SetTexture(texture)
end
local Module = SUG:NewModule("blizzequipset", SUG:GetModule("default"))
Module.noMin = true
Module.showColorHelp = false
Module.helpText = L["SUG_TOOLTIPTITLE_GENERIC"]
local EquipSetCache = {}
function Module:Table_Get()
for i = 1, GetNumEquipmentSets() do
local name, icon = GetEquipmentSetInfo(i)
EquipSetCache[i] = strlower(name)
end
return EquipSetCache
end
function Module:Table_GetSorter()
return nil
end
function Module:Entry_AddToList_1(f, id)
local name, icon = GetEquipmentSetInfo(id)
f.Name:SetText(name)
f.ID:SetText(nil)
f.tooltipmethod = "SetEquipmentSet"
f.tooltiparg = name
f.insert = name
f.Icon:SetTexture(icon)
end
|
local Synth={}
function Synth:new(name)
-- define maps for the synth type
local maps={}
maps.pitch={}
maps.velocity={}
for i=1,63 do
table.insert(maps.pitch,i)
table.insert(maps.velocity,(i-1)*2) -- 0 to 124 (sorta midi range)
end
-- middle duration is one note
maps.duration={}
for i=8,1,-1 do
table.insert(maps.duration,i)
end
for i=1,8 do
table.insert(maps.duration,i)
end
-- middle transpose is 0
maps.transpose={}
for i=-12,12 do
table.insert(maps.transpose,i)
end
-- trigger is only 1 above 0
maps.trigger={}
for i=1,32 do
table.insert(maps.trigger,0)
end
for i=1,31 do
table.insert(maps.trigger,1)
end
-- define new "Eros" type to inherit
-- inherit Eros methods
local eros=Eros:new()
-- define new eros
-- self parameter should no refer to Synth
-- https://www.lua.org/pil/16.2.html
local s=eros:new()
s.notes=MusicUtil.generate_scale_of_length(24,1,63-30)
for _,v in ipairs(MusicUtil.generate_scale_of_length(48,1,30)) do
table.insert(s.notes,v)
end
s.notes_on={}
s:set_maps(maps)
s:set_action(function(p)
-- stop any note that exceeded duration
for k,v in pairs(s.notes_on) do
s.notes_on[k].length=s.notes_on[k].length+1
if s.notes_on[k].duration==s.notes_on[k].length then
print("Synth: note off "..k)
s.notes_on[k]=nil
engine.synthy_note_off(k)
end
end
if p.trigger>0 then
local note=s.notes[p.pitch]
print("Synth: playing "..note.." at "..p.velocity.." for "..p.duration)
s.notes_on[note]={length=0,duration=p.duration}
engine.synthy_attack(0.01)
engine.synthy_release(0.1)
engine.synthy_note_on(note,p.velocity/127)
end
end)
s.props={"trigger","pitch","velocity","duration","transpose"}
s.name=name
return s
end
function Synth:emit(p)
-- -- turn off notes that are done
-- local notes_done={}
-- for k,v in pairs(self.notes_on) do
-- self.notes_on[k].beats=v.beats+1
-- if self.notes_on[k].beats==v.duration then
-- -- note is done
-- table.insert(notes_done,k)
-- end
-- end
-- for _,note in ipairs(notes_done) do
-- -- TODO: turn off note
-- self.notes_on[k]=nil
-- end
-- -- turn on new note
-- self.notes_on[p.pitch]={beats=0,duration=p.duration}
-- -- TODO: turn on note in engine
end
return Synth
|
#!/usr/bin/env luajit
local this_dir = arg[0]:match('(.+/)[^/]+%.lua') or './'
package.path = this_dir..'../src/'..package.path
local net = require'nodish.net'
local process = require'nodish.process'
net.createServer(function(client)
client:pipe(client)
client:pipe(process.stdout,false)
end):listen(12345)
process.loop()
|
require 'optim'
require 'rnn'
require 'hdf5'
require 'xlua'
require 'nngraph'
cjson = require 'cjson'
utils = require 'misc.utils'
dofile("misc/optim_updates.lua")
dofile("misc/vocab.lua")
torch.setdefaulttensortype('torch.FloatTensor')
torch.manualSeed(123)
fd = io.open('sample.txt', 'a')
fd:write('\n'..'******************* '..os.date("%c")..' *******************'..'\n')
fd:close()
quesLen = 7
batchSize = 2
epochs = 30
use_cuda = false
deviceId = 1
rounds = 8
state = {}
state.learningRate = 0.001
load_model = true
update_weight = false
if use_cuda then
require 'cunn'
require 'cutorch'
print("Using GPU:"..deviceId)
cutorch.setDevice(deviceId)
cutorch.setHeapTracking(true)
cutorch.manualSeed(123)
end
running_average = 0
running_average_z = 0
long_qa = 0
trainSize = 0
for line in io.lines('data/train.json') do
local example = cjson.decode(line)
trainSize = trainSize + 1
gridSize = #example['gridImg']
end
bgcolors = torch.FloatTensor(trainSize, gridSize^2):fill(0)
styles = torch.FloatTensor(trainSize, gridSize^2):fill(0)
colors = torch.FloatTensor(trainSize, gridSize^2):fill(0)
numbers = torch.FloatTensor(trainSize, gridSize^2):fill(0)
qas_i = torch.FloatTensor(trainSize, (quesLen+1)*rounds+1):fill(0)
qas_o = torch.FloatTensor(trainSize, (quesLen+1)*rounds+1):fill(0)
local i = 1
for line in io.lines('data/train.json') do
local example = cjson.decode(line)
for x = 1, gridSize do
for y = 1, gridSize do
cell = example['gridImg'][x][y]
bgcolors[i][(x-1)*gridSize+y] = bgcolorstoi[cell['bgcolor']]
styles[i][(x-1)*gridSize+y] = stylestoi[cell['style']]
colors[i][(x-1)*gridSize+y] = colorstoi[cell['color']]
numbers[i][(x-1)*gridSize+y] = cell['number']+1
end
end
qa_s = {}
table.insert(qa_s, '<START>')
for q = 1, #example['qa'] do
if q < (rounds+1) then
local qa = string.split(example['qa'][q]['question']," +")
table.insert(qa, example['qa'][q]['answer'])
for w = 1, #qa do
qa_s[#qa_s+1] = qa[w]
end
else
long_qa = long_qa + 1
break
end
end
local len = #qa_s
for w = 1, len do
qas_i[i][(quesLen+1)*rounds+1-len+w] = wtoi[qa_s[w]]
if w < len then
qas_o[i][(quesLen+1)*rounds+1-len+w] = wtoi[qa_s[w+1]]
else
qas_o[i][(quesLen+1)*rounds+1-len+w] = wtoi['<END>']
end
end
i = i + 1
end
print('trainSize', trainSize, 'gridSize', gridSize)
shuffle = torch.randperm(trainSize)
dofile("misc/qgen.lua")
output =
rnn_cell
- nn.Linear(hiddenSize, #itow)
- nn.LogSoftMax()
output:annotate{name = 'output'}
table.insert(outputs, output)
model = nn.gModule(inputs, outputs)
model = nn.Recursor(model, histLength)
model = require('misc.weight-init')(model, 'xavier')
criterion = nn.ClassNLLCriterion()
criterion.ignoreIndex = 0
criterion.sizeAverage = false
if load_model then
modelW, modeldW = model:getParameters()
modelW:copy( torch.load('qgen_float.t7'):getParameters() )
end
if use_cuda then model:cuda() criterion:cuda() end
function sampling(input, seqLen)
model:evaluate()
model:forget()
local word_i = input[1]:clone():fill(wtoi['<START>'])[{{}, {1}}]:squeeze()
local outputs = {}
for i=1,seqLen do
outputs[i] = model:forward({word_i, input[2], input[3], input[4], input[5]})
local nextToken = torch.multinomial(torch.exp(outputs[i] / 1), 1)
local word = nextToken:float()[{{1},{1}}]
fd = io.open('sample.txt', 'a')
fd:write(utils.vec2str(word))
fd:close()
word_i = nextToken:squeeze()
end
fd = io.open('sample.txt', 'a')
fd:write('\n')
fd:close()
end
model_path = 'qgen '..os.date("%c") .. '.t7'
for e = 1, epochs do
running_average = 0
curLoss = 0
numTokens = 0
for t = 1, torch.floor(trainSize/batchSize)*batchSize, batchSize do
xlua.progress(torch.floor(t/batchSize)+1, torch.floor(trainSize/batchSize))
model:training()
model:forget()
local input = { qas_i[{{t, t+batchSize-1}}], bgcolors[{{t, t+batchSize-1}}], styles[{{t, t+batchSize-1}}],
colors[{{t, t+batchSize-1}}], numbers[{{t, t+batchSize-1}}] }
local label = qas_o[{{t, t+batchSize-1}}]
if use_cuda then nn.utils.recursiveType(input, 'torch.CudaTensor') label:cuda() end
local seqLen, Len= 0, 0
for j = t, (t+batchSize-1) do
Len = qas_i[j]:ne(0):sum()
if seqLen < Len then
seqLen = Len
end
end
local input_seq = input[1][{{},{(quesLen+1)*rounds+1-seqLen+1, (quesLen+1)*rounds+1}}]:clone()
local output_seq = label[{{},{(quesLen+1)*rounds+1-seqLen+1, (quesLen+1)*rounds+1}}]:clone()
local outputs = {}
for i=1,seqLen do
local word_i = input_seq[{{},{i}}]:squeeze()
local word_o = output_seq[{{},{i}}]:squeeze()
outputs[i] = model:forward({word_i, input[2], input[3], input[4], input[5]})
local _, nextToken = torch.max(torch.exp(outputs[i] / 1), 2)
local word = nextToken:float()[{{1},{1}}]
curLoss = curLoss + criterion:forward(outputs[i], word_o)
end
local gradOutputs, gradInputs = {}, {}
for i=seqLen,1,-1 do
local word_i = input_seq[{{},{i}}]:squeeze()
local word_o = output_seq[{{},{i}}]:squeeze()
gradOutputs[i] = criterion:backward(outputs[i], word_o)
gradInputs[i] = model:backward({word_i, input[2], input[3], input[4], input[5]}, gradOutputs[i])
end
numTokens = numTokens + torch.sum(label:gt(0))
running_average = curLoss/(numTokens+0.00000000001)
modelW, modeldW = model:getParameters()
if update_weight then
adam(modelW, modeldW, state)
model:zeroGradParameters()
end
input_seq = nil
output_seq = nil
sampling(input, seqLen)
end
torch.save(model_path, model:clearState())
print( 'epoch: '.. tostring(e) .. ' | loss: ' .. tostring(running_average) )
end
|
--[[ RealMobHealth Shared Functions
by SDPhantom
https://www.wowinterface.com/forums/member.php?u=34145 ]]
------------------------------------------------------------------
--------------------------
--[[ Namespace ]]
--------------------------
local AddOn=select(2,...);
AddOn.API=AddOn.API or {};
----------------------------------
--[[ Local References ]]
----------------------------------
local ipairs=ipairs;
local pairs=pairs;
local select=select;
local string_format=string.format;
local string_match=string.match;
local table_concat=table.concat;
local tonumber=tonumber;
local tostring=tostring;
local type=type;
local UnitClassification=UnitClassification;
local UnitGUID=UnitGUID;
local UnitLevel=UnitLevel;
----------------------------------
--[[ Lua Extension Functions ]]
----------------------------------
function AddOn.table_ifind(tbl,val) for k,v in ipairs(tbl) do if v==val then return k; end end end-- Find value in sequential table
function AddOn.table_find(tbl,val) for k,v in pairs(tbl) do if v==val then return k; end end end-- Find value in associative table
----------------------------------
--[[ Argument Check Function ]]
----------------------------------
-- Note: Since this is computationally expensive to do everywhere, only some functions exposed to the external API should use this
function AddOn.ArgumentCheck(funcname,level,checktype,...)
level=(level or 1)+1; if level<=1 then level=0; end-- Prevent error level from pointing to this function (Zero adds no position; Stack trace will still point here)
if type(checktype)~="table" then-- Single argument check
local argtype=type((...));
if argtype~=checktype then return error(string_format("bad argument #%d to '%s()' (%s expected got %s)",1,funcname,checktype,argtype),level); end-- Tail call
else-- Multiple argument check
local arglen=select("#",...);
for index,checktype in ipairs(checktype) do-- Iterate through arguments
local argtype=index>arglen and "no value" or type((select(index,...)));-- Change to 'nil' to 'no value' if we passed the number of arguments
if type(checktype)~="table" then-- Single type check
if argtype~=checktype then return error(string_format("bad argument #%d to '%s()' (%s expected got %s)",index,funcname,checktype,argtype),level); end-- Tail call
else-- Multiple type check
-- Form wanted string
local wanted;
if checklen==1 then wanted=checktype[1];-- Single entry
elseif checklen==2 then wanted=table_concat(checktype," or ");-- Two entries
else wanted=string_format("%s, or %s",table_concat(checktype,", ",1,checklen-1),checktype[checklen]); end-- More entries
-- Iterate and try to match any in list
local pass=false;
for _,checktype in ipairs(checktype) do if argtype==checktype then pass=true; break; end end
if not pass then return error(string_format("bad argument #%d to '%s()' (%s expected got %s)",index,funcname,checktype,argtype),level); end-- Tail call
end
end
end
-- If we made it here, we win the game, no errors
end
----------------------------------
--[[ Creature Functions ]]
----------------------------------
-- GUID Format
-- [Unit type]-0-[server ID]-[instance ID]-[zone UID]-[ID]-[spawn UID]
-- Unit Types: Creature, GameObject, Pet, Vehicle, Vignette
-- Player: Player-[server ID]-[player UID]
local MobUnitTypes={-- Lookup of mob unit types from GUID
Creature=true;-- Mob/NPC
Vignette=true;-- Rares
}
local function IsMobGUID(guid)-- Is GUID from a mob?
if not guid then return false; end
local utype=string_match(guid,"^(.-)%-0%-%d+%-%d+%-%d+%-%d+%-%x+$");
return (utype and MobUnitTypes[utype]) or false;
end
local function IsUnitMob(unit) return IsMobGUID(UnitGUID(unit)); end
local function GetCreatureIDFromGUID(guid)-- Extracts CreatureID from GUID (Mobs only)
if not guid then return; end-- Needs GUID
local utype,creatureid=string_match(guid,"^(.-)%-0%-%d+%-%d+%-%d+%-(%d+)%-%x+$");
return (utype and MobUnitTypes[utype]) and (creatureid and tonumber(creatureid));-- Return CreatureID if mob
end
local function GetCreatureIDFromKey(creaturekey)-- Extracts CreatureID from CreatureKey
local creatureid=string_match(creaturekey,"^%d+");
return creatureid and tonumber(creatureid);
end
local function GetUnitCreatureID(unit) return GetCreatureIDFromGUID(UnitGUID(unit)); end
local function GetUnitCreatureKey(unit)-- Generates CreatureKey from CreatureID (from GUID) and level
local creatureid=GetUnitCreatureID(unit);
if not creatureid then return; end-- Unit not mob
if UnitClassification(unit)=="worldboss" then return tostring(creatureid);-- World Bosses have no level, return as raw CreatureID
else
local level=UnitLevel(unit);-- UnitLevel() returns -1 for units with hidden levels (Skull/??)
if level and level>0 then return string_format("%d-%d",creatureid,level); end
end
end
AddOn.IsMobGUID=IsMobGUID;
AddOn.IsUnitMob=IsUnitMob;
AddOn.GetCreatureIDFromGUID=GetCreatureIDFromGUID;
AddOn.GetCreatureIDFromKey=GetCreatureIDFromKey;
AddOn.GetUnitCreatureID=GetUnitCreatureID;
AddOn.GetUnitCreatureKey=GetUnitCreatureKey;
------------------------------------------
--[[ External API Registration ]]
------------------------------------------
AddOn.API.IsMobGUID=IsMobGUID;
AddOn.API.IsUnitMob=IsUnitMob;
AddOn.API.GetCreatureIDFromGUID=GetCreatureIDFromGUID;
AddOn.API.GetCreatureIDFromKey=GetCreatureIDFromKey;
AddOn.API.GetUnitCreatureID=GetUnitCreatureID;
AddOn.API.GetUnitCreatureKey=GetUnitCreatureKey;
|
Player = game.Players.LocalPlayer
Character = Player.Character
PlayerGui = Player.PlayerGui
Backpack = Player.Backpack
Torso = Character.Torso
Head = Character.Head
Humanoid = Character.Humanoid
LeftArm = Character["Left Arm"]
LeftLeg = Character["Left Leg"]
MMouse = nil
RightArm = Character["Right Arm"]
RightLeg = Character["Right Leg"]
Character = Player.Character
PlayerGui = Player.PlayerGui
Backpack = Player.Backpack
Torso = Character.Torso
Head = Character.Head
Humanoid = Character.Humanoid
LeftArm = Character["Left Arm"]
LeftLeg = Character["Left Leg"]
RightArm = Character["Right Arm"]
RightLeg = Character["Right Leg"]
LS = Torso["Left Shoulder"]
LH = Torso["Left Hip"]
RS = Torso["Right Shoulder"]
RH = Torso["Right Hip"]
Neck = Torso.Neck
attacktype = 1
vt = Vector3.new
cf = CFrame.new
mana = 10
euler = CFrame.fromEulerAnglesXYZ
angles = CFrame.Angles
necko = cf(0, 1, 0, -1, 0, 0, 0, 0, 1, 0, 1, 0)
necko2 = cf(0, -0.5, 0, -1, 0, 0, 0, 0, 1, 0, 1, 0)
LHC0 = cf(-1, -1, 0, 0, 0, -1, 0, 1, 0, 1, 0, 0)
LHC1 = cf(-0.5, 1, 0, 0, 0, -1, 0, 1, 0, 1, 0, 0)
RHC0 = cf(1, -1, 0, 0, 0, 1, 0, 1, 0, -1, 0, 0)
RHC1 = cf(0.5, 1, 0, 0, 0, 1, 0, 1, 0, -1, 0, 0)
RootPart = Character.HumanoidRootPart
RootJoint = RootPart.RootJoint
RootCF = euler(-1.57, 0, 3.14)
attack = false
equipped = true
local Anim = "Idle"
local Effects = {}
cam = workspace.CurrentCamera
ZTarget = nil
RocketTarget = nil
local RbxUtility = LoadLibrary("RbxUtility")
local Create = RbxUtility.Create
Humanoid.WalkSpeed = 20
local m = Create("Model")({
Parent = Character,
Name = "WeaponModel"
})
mouse = Player:GetMouse()
RSH, LSH = nil, nil
LH = Torso["Left Hip"]
RH = Torso["Right Hip"]
RSH = Torso["Right Shoulder"]
LSH = Torso["Left Shoulder"]
RSH.Parent = nil
LSH.Parent = nil
RW = Create("Weld")({
Name = "Right Shoulder",
Part0 = Torso,
C0 = cf(1.5, 0.5, 0),
C1 = cf(0, 0.5, 0),
Part1 = RightArm,
Parent = Torso
})
LW = Create("Weld")({
Name = "Left Shoulder",
Part0 = Torso,
C0 = cf(-1.5, 0.5, 0),
C1 = cf(0, 0.5, 0),
Part1 = LeftArm,
Parent = Torso
})
if PlayerGui:findFirstChild("manaGUI", true) ~= nil then
PlayerGui:findFirstChild("manaGUI", true).Parent = nil
end
local fengui = Instance.new("GuiMain")
fengui.Parent = PlayerGui
fengui.Name = "manaGUI"
local fenframe = Instance.new("Frame")
fenframe.Parent = fengui
fenframe.BackgroundColor3 = Color3.new(255, 255, 255)
fenframe.BackgroundTransparency = 1
fenframe.BorderColor3 = Color3.new(17, 17, 17)
fenframe.Size = UDim2.new(0.0500000007, 0, 0.100000001, 0)
local fentext = Instance.new("TextLabel")
fentext.Parent = fenframe
fentext.Text = "Energy(" .. mana .. ")"
fentext.BackgroundTransparency = 1
fentext.SizeConstraint = "RelativeXY"
fentext.TextXAlignment = "Center"
fentext.TextYAlignment = "Center"
fentext.Position = UDim2.new(0, 80, 1, 200)
local fentext2 = Instance.new("TextLabel")
fentext2.Parent = fenframe
fentext2.Text = " "
fentext2.BackgroundTransparency = 0
fentext2.BackgroundColor3 = Color3.new(0, 0, 0)
fentext2.SizeConstraint = "RelativeXY"
fentext2.TextXAlignment = "Center"
fentext2.TextYAlignment = "Center"
fentext2.Position = UDim2.new(0, 10, 1, 170)
fentext2.Size = UDim2.new(2.79999995, 0, 0.210000306, 0)
local fentext3 = Instance.new("TextLabel")
fentext3.Parent = fenframe
fentext3.Text = " "
fentext3.BackgroundTransparency = 0
fentext3.BackgroundColor3 = Color3.new(1, 1, 0)
fentext3.SizeConstraint = "RelativeXY"
fentext3.TextXAlignment = "Center"
fentext3.TextYAlignment = "Center"
fentext3.Position = UDim2.new(0, 10, 1, 170)
fentext3.Size = UDim2.new(mana / 100, 0, 0.400000006, 0)
coroutine.resume(coroutine.create(function()
while true do
wait(0.1)
fentext3.Size = UDim2.new(mana / 3, 0, 0.200000006, 0)
fentext.Text = "Ammo..(" .. mana .. "%)"
fentext3.BackgroundColor3 = Color3.new(0, 0, 1)
fentext.TextStrokeTransparency = 0
fentext.TextColor3 = Color3.new(0, 0, 1)
end
end))
coroutine.resume(coroutine.create(function()
while true do
wait(3.5)
if mana <= 0 and attack == false then
attack = false
end
if mana < 10 and attack == false then
mana = mana + 1
end
end
end))
function NoOutline(Part)
Part.TopSurface, Part.BottomSurface, Part.LeftSurface, Part.RightSurface, Part.FrontSurface, Part.BackSurface = 10, 10, 10, 10, 10, 10
end
ArtificialHB = Instance.new("BindableEvent", script)
ArtificialHB.Name = "Heartbeat"
script:WaitForChild("Heartbeat")
frame = 0.03333333333333333
if game.Players.LocalPlayer.FPSCH.Value == true then
frame = 0.016666666666666666
else
frame = 0.03333333333333333
end
tf = 0
allowframeloss = false
tossremainder = false
lastframe = tick()
script.Heartbeat:Fire()
game:GetService("RunService").Heartbeat:connect(function(s, p)
tf = tf + s
if tf >= frame then
if allowframeloss then
script.Heartbeat:Fire()
lastframe = tick()
else
for i = 1, math.floor(tf / frame) do
script.Heartbeat:Fire()
end
lastframe = tick()
end
if tossremainder then
tf = 0
else
tf = tf - frame * math.floor(tf / frame)
end
end
end)
function swait(num)
if num == 0 or num == nil then
ArtificialHB.Event:wait()
else
for i = 0, num do
ArtificialHB.Event:wait()
end
end
end
function nooutline(part)
part.TopSurface, part.BottomSurface, part.LeftSurface, part.RightSurface, part.FrontSurface, part.BackSurface = 10, 10, 10, 10, 10, 10
end
function part(formfactor, parent, material, reflectance, transparency, brickcolor, name, size)
local fp = Create("Part")({
formFactor = formfactor,
Parent = parent,
Reflectance = reflectance,
Transparency = transparency,
CanCollide = false,
Locked = true,
BrickColor = BrickColor.new(tostring(brickcolor)),
Name = name,
Size = size,
Position = Character.Torso.Position,
Material = material
})
nooutline(fp)
return fp
end
function mesh(Mesh, part, meshtype, meshid, offset, scale)
local Msh = Create(Mesh)({
Parent = part,
Offset = offset,
Scale = scale
})
if Mesh == "SpecialMesh" then
Msh.MeshType = meshtype
Msh.MeshId = meshid
end
return Msh
end
function weld(parent, part0, part1, c0, c1)
local Weld = Create("Weld")({
Parent = parent,
Part0 = part0,
Part1 = part1,
C0 = c0,
C1 = c1
})
return Weld
end
local CFrameFromTopBack = function(at, top, back)
local right = top:Cross(back)
return CFrame.new(at.x, at.y, at.z, right.x, top.x, back.x, right.y, top.y, back.y, right.z, top.z, back.z)
end
function Triangle(a, b, c)
local edg1 = (c - a):Dot((b - a).unit)
local edg2 = (a - b):Dot((c - b).unit)
local edg3 = (b - c):Dot((a - c).unit)
if edg1 <= (b - a).magnitude and edg1 >= 0 then
a, b = a, b
elseif edg2 <= (c - b).magnitude and edg2 >= 0 then
a, b, c = b, c, a
elseif edg3 <= (a - c).magnitude and edg3 >= 0 then
a, b, c = c, a, b
else
assert(false, "unreachable")
end
local len1 = (c - a):Dot((b - a).unit)
local len2 = (b - a).magnitude - len1
local width = (a + (b - a).unit * len1 - c).magnitude
local maincf = CFrameFromTopBack(a, (b - a):Cross(c - b).unit, -(b - a).unit)
local list = {}
local Color = BrickColor.new("Dark stone grey")
if len1 > 0.01 then
local w1 = Create("WedgePart", m)({
Material = "SmoothPlastic",
FormFactor = "Custom",
BrickColor = Color,
Transparency = 0,
Reflectance = 0,
Material = "SmoothPlastic",
CanCollide = false,
Anchored = true,
Parent = workspace,
Transparency = 0.3
})
game:GetService("Debris"):AddItem(w1, 5)
NoOutline(w1)
local sz = Vector3.new(0.2, width, len1)
w1.Size = sz
local sp = Create("SpecialMesh")({
Parent = w1,
MeshType = "Wedge",
Scale = Vector3.new(0, 1, 1) * sz / w1.Size
})
w1:BreakJoints()
table.insert(Effects, {
w1,
"Disappear",
0.03
})
w1.CFrame = maincf * CFrame.Angles(math.pi, 0, math.pi / 2) * CFrame.new(0, width / 2, len1 / 2)
table.insert(list, w1)
end
if len2 > 0.01 then
local w2 = Create("WedgePart", m)({
Material = "SmoothPlastic",
FormFactor = "Custom",
BrickColor = Color,
Transparency = 0,
Reflectance = 0,
Material = "SmoothPlastic",
CanCollide = false,
Anchored = true,
Parent = workspace,
Transparency = 0.3
})
game:GetService("Debris"):AddItem(w2, 5)
NoOutline(w2)
local sz = Vector3.new(0.2, width, len2)
w2.Size = sz
local sp = Create("SpecialMesh")({
Parent = w2,
MeshType = "Wedge",
Scale = Vector3.new(0, 1, 1) * sz / w2.Size
})
w2:BreakJoints()
table.insert(Effects, {
w2,
"Disappear",
0.03
})
w2.CFrame = maincf * CFrame.Angles(math.pi, math.pi, -math.pi / 2) * CFrame.new(0, width / 2, -len1 - len2 / 2)
table.insert(list, w2)
end
return unpack(list)
end
function so(id, par, vol, pit)
coroutine.resume(coroutine.create(function()
local sou = Create("Sound", par or workspace)({
Volume = vol,
Pitch = pit or 1,
SoundId = id,
Parent = par
})
sou:Play()
swait()
game:GetService("Debris"):AddItem(sou, 6)
end))
end
function clerp(a, b, t)
local qa = {
QuaternionFromCFrame(a)
}
local qb = {
QuaternionFromCFrame(b)
}
local ax, ay, az = a.x, a.y, a.z
local bx, by, bz = b.x, b.y, b.z
local _t = 1 - t
return QuaternionToCFrame(_t * ax + t * bx, _t * ay + t * by, _t * az + t * bz, QuaternionSlerp(qa, qb, t))
end
function QuaternionFromCFrame(cf)
local mx, my, mz, m00, m01, m02, m10, m11, m12, m20, m21, m22 = cf:components()
local trace = m00 + m11 + m22
if trace > 0 then
local s = math.sqrt(1 + trace)
local recip = 0.5 / s
return (m21 - m12) * recip, (m02 - m20) * recip, (m10 - m01) * recip, s * 0.5
else
local i = 0
if m00 < m11 then
i = 1
end
if m22 > (i == 0 and m00 or m11) then
i = 2
end
if i == 0 then
local s = math.sqrt(m00 - m11 - m22 + 1)
local recip = 0.5 / s
return 0.5 * s, (m10 + m01) * recip, (m20 + m02) * recip, (m21 - m12) * recip
elseif i == 1 then
local s = math.sqrt(m11 - m22 - m00 + 1)
local recip = 0.5 / s
return (m01 + m10) * recip, 0.5 * s, (m21 + m12) * recip, (m02 - m20) * recip
elseif i == 2 then
local s = math.sqrt(m22 - m00 - m11 + 1)
local recip = 0.5 / s
return (m02 + m20) * recip, (m12 + m21) * recip, 0.5 * s, (m10 - m01) * recip
end
end
end
function QuaternionToCFrame(px, py, pz, x, y, z, w)
local xs, ys, zs = x + x, y + y, z + z
local wx, wy, wz = w * xs, w * ys, w * zs
local xx = x * xs
local xy = x * ys
local xz = x * zs
local yy = y * ys
local yz = y * zs
local zz = z * zs
return CFrame.new(px, py, pz, 1 - (yy + zz), xy - wz, xz + wy, xy + wz, 1 - (xx + zz), yz - wx, xz - wy, yz + wx, 1 - (xx + yy))
end
function QuaternionSlerp(a, b, t)
local cosTheta = a[1] * b[1] + a[2] * b[2] + a[3] * b[3] + a[4] * b[4]
local startInterp, finishInterp
if cosTheta >= 1.0E-4 then
if 1 - cosTheta > 1.0E-4 then
local theta = math.acos(cosTheta)
local invSinTheta = 1 / math.sin(theta)
startInterp = math.sin((1 - t) * theta) * invSinTheta
finishInterp = math.sin(t * theta) * invSinTheta
else
startInterp = 1 - t
finishInterp = t
end
elseif 1 + cosTheta > 1.0E-4 then
local theta = math.acos(-cosTheta)
local invSinTheta = 1 / math.sin(theta)
startInterp = math.sin((t - 1) * theta) * invSinTheta
finishInterp = math.sin(t * theta) * invSinTheta
else
startInterp = t - 1
finishInterp = t
end
return a[1] * startInterp + b[1] * finishInterp, a[2] * startInterp + b[2] * finishInterp, a[3] * startInterp + b[3] * finishInterp, a[4] * startInterp + b[4] * finishInterp
end
function rayCast(Pos, Dir, Max, Ignore)
return game:service("Workspace"):FindPartOnRay(Ray.new(Pos, Dir.unit * (Max or 999.999)), Ignore)
end
function Damagefunc(Part, hit, minim, maxim, knockback, Type, Property, Delay, KnockbackType, decreaseblock)
if hit.Parent == nil then
return
end
local h = hit.Parent:FindFirstChild("Humanoid")
for _, v in pairs(hit.Parent:children()) do
if v:IsA("Humanoid") then
h = v
end
end
if hit.Parent.Parent:FindFirstChild("Torso") ~= nil then
h = hit.Parent.Parent:FindFirstChild("Humanoid")
end
if hit.Parent.className == "Hat" then
hit = hit.Parent.Parent:findFirstChild("Head")
end
if h ~= nil and hit.Parent.Name ~= Character.Name and hit.Parent:FindFirstChild("Torso") ~= nil then
if hit.Parent:findFirstChild("DebounceHit") ~= nil and hit.Parent.DebounceHit.Value == true then
return
end
local c = Create("ObjectValue")({
Name = "creator",
Value = game:service("Players").LocalPlayer,
Parent = h
})
game:GetService("Debris"):AddItem(c, 0.5)
local Damage = math.random(minim, maxim)
local blocked = false
local block = hit.Parent:findFirstChild("Block")
if block ~= nil then
print(block.className)
if block.className == "NumberValue" and block.Value > 0 then
blocked = true
if decreaseblock == nil then
block.Value = block.Value - 1
end
end
if block.className == "IntValue" and block.Value > 0 then
blocked = true
if decreaseblock ~= nil then
block.Value = block.Value - 1
end
end
end
if blocked == false then
HitHealth = h.Health
h.Health = h.Health - Damage
if HitHealth ~= h.Health and HitHealth ~= 0 and 0 >= h.Health and h.Parent.Name ~= "Hologram" then
print("gained spree")
Player:FindFirstChild("leaderstats").Spree.Value = Player.leaderstats.Spree.Value + 1
end
ShowDamage(Part.CFrame * CFrame.new(0, 0, Part.Size.Z / 2).p + Vector3.new(0, 1.5, 0), -Damage, 1.5, Part.BrickColor.Color)
else
h.Health = h.Health - Damage / 2
ShowDamage(Part.CFrame * CFrame.new(0, 0, Part.Size.Z / 2).p + Vector3.new(0, 1.5, 0), -Damage, 1.5, BrickColor.new("Bright blue").Color)
end
if Type == "Knockdown" then
local hum = hit.Parent.Humanoid
hum.PlatformStand = true
coroutine.resume(coroutine.create(function(HHumanoid)
swait(1)
HHumanoid.PlatformStand = false
end), hum)
local angle = (hit.Position - (Property.Position + Vector3.new(0, 0, 0))).unit
local bodvol = Create("BodyVelocity")({
velocity = angle * knockback,
P = 5000,
maxForce = Vector3.new(8000, 8000, 8000),
Parent = hit
})
local rl = Create("BodyAngularVelocity")({
P = 3000,
maxTorque = Vector3.new(500000, 500000, 500000) * 50000000000000,
angularvelocity = Vector3.new(math.random(-10, 10), math.random(-10, 10), math.random(-10, 10)),
Parent = hit
})
game:GetService("Debris"):AddItem(bodvol, 0.5)
game:GetService("Debris"):AddItem(rl, 0.5)
elseif Type == "Normal" then
local vp = Create("BodyVelocity")({
P = 500,
maxForce = Vector3.new(math.huge, 0, math.huge)
})
if KnockbackType == 1 then
vp.velocity = Property.CFrame.lookVector * knockback + Property.Velocity / 1.05
elseif KnockbackType == 2 then
vp.velocity = Property.CFrame.lookVector * knockback
end
if knockback > 0 then
vp.Parent = hit.Parent.Torso
end
game:GetService("Debris"):AddItem(vp, 0.5)
elseif Type == "Up" then
local bodyVelocity = Create("BodyVelocity")({
velocity = vt(0, 60, 0),
P = 5000,
maxForce = Vector3.new(8000, 8000, 8000),
Parent = hit
})
game:GetService("Debris"):AddItem(bodyVelocity, 1)
local rl = Create("BodyAngularVelocity")({
P = 3000,
maxTorque = Vector3.new(500000, 500000, 500000) * 50000000000000,
angularvelocity = Vector3.new(math.random(-30, 30), math.random(-30, 30), math.random(-30, 30)),
Parent = hit
})
game:GetService("Debris"):AddItem(rl, 0.5)
elseif Type == "Snare" then
local bp = Create("BodyPosition")({
P = 2000,
D = 100,
maxForce = Vector3.new(math.huge, math.huge, math.huge),
position = hit.Parent.Torso.Position,
Parent = hit.Parent.Torso
})
game:GetService("Debris"):AddItem(bp, 1)
elseif Type == "Target" then
local Targetting = false
if Targetting == false then
ZTarget = hit.Parent.Torso
coroutine.resume(coroutine.create(function(Part)
so("http://www.roblox.com/asset/?id=15666462", Part, 1, 1.5)
swait(5)
so("http://www.roblox.com/asset/?id=15666462", Part, 1, 1.5)
end), ZTarget)
local TargHum = ZTarget.Parent:findFirstChild("Humanoid")
local targetgui = Create("BillboardGui")({
Parent = ZTarget,
Size = UDim2.new(10, 100, 10, 100)
})
local targ = Create("ImageLabel")({
Parent = targetgui,
BackgroundTransparency = 1,
Image = "rbxassetid://4834067",
Size = UDim2.new(1, 0, 1, 0)
})
cam.CameraType = "Scriptable"
cam.CoordinateFrame = CFrame.new(Head.CFrame.p, ZTarget.Position)
local dir = Vector3.new(cam.CoordinateFrame.lookVector.x, 0, cam.CoordinateFrame.lookVector.z)
workspace.CurrentCamera.CoordinateFrame = CFrame.new(Head.CFrame.p, ZTarget.Position)
Targetting = true
RocketTarget = ZTarget
for i = 1, Property do
if 0 < Humanoid.Health and Character.Parent ~= nil and 0 < TargHum.Health and TargHum.Parent ~= nil and Targetting == true then
swait()
end
cam.CoordinateFrame = CFrame.new(Head.CFrame.p, ZTarget.Position)
dir = Vector3.new(cam.CoordinateFrame.lookVector.x, 0, cam.CoordinateFrame.lookVector.z)
cam.CoordinateFrame = CFrame.new(Head.CFrame.p, ZTarget.Position) * cf(0, 5, 10) * euler(-0.3, 0, 0)
end
Targetting = false
RocketTarget = nil
targetgui.Parent = nil
cam.CameraType = "Custom"
end
end
local debounce = Create("BoolValue")({
Name = "DebounceHit",
Parent = hit.Parent,
Value = true
})
game:GetService("Debris"):AddItem(debounce, Delay)
c = Create("ObjectValue")({
Name = "creator",
Value = Player,
Parent = h
})
game:GetService("Debris"):AddItem(c, 0.5)
end
end
function ShowDamage(Pos, Text, Time, Color)
local Rate = 0.03333333333333333
local Pos = Pos or Vector3.new(0, 0, 0)
local Text = Text or ""
local Time = Time or 2
local Color = Color or Color3.new(1, 0, 0)
local EffectPart = part("Custom", workspace, "SmoothPlastic", 0, 1, BrickColor.new(Color), "Effect", vt(0, 0, 0))
EffectPart.Anchored = true
local BillboardGui = Create("BillboardGui")({
Size = UDim2.new(3, 0, 3, 0),
Adornee = EffectPart,
Parent = EffectPart
})
local TextLabel = Create("TextLabel")({
BackgroundTransparency = 1,
Size = UDim2.new(1, 0, 1, 0),
Text = Text,
TextColor3 = Color,
TextScaled = true,
Font = Enum.Font.ArialBold,
Parent = BillboardGui
})
game.Debris:AddItem(EffectPart, Time + 0.1)
EffectPart.Parent = game:GetService("Workspace")
Delay(0, function()
local Frames = Time / Rate
for Frame = 1, Frames do
wait(Rate)
local Percent = Frame / Frames
EffectPart.CFrame = CFrame.new(Pos) + Vector3.new(0, Percent, 0)
TextLabel.TextTransparency = Percent
end
if EffectPart and EffectPart.Parent then
EffectPart:Destroy()
end
end)
end
Handle = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 1, "Really black", "Handle", Vector3.new(0.253175676, 0.588633299, 0.246846244))
Handleweld = weld(m, Character["Right Arm"], Handle, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-0.126804352, -0.233089447, -0.955924273, -0.999948442, 0.00970173907, 0.00306767737, -0.0030676804, 1.47513847E-5, -0.999996543, -0.00970171299, -0.999952316, 1.50370824E-5))
FakeHandle = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 1, "Really black", "FakeHandle", Vector3.new(0.253175676, 0.588633299, 0.246846244))
FakeHandleweld = weld(m, Handle, FakeHandle, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-2.86102295E-6, 2.67028809E-5, -4.76837158E-7, 1.00000036, -2.37487257E-8, 3.92581256E-7, 2.14204192E-8, 1.0000025, -2.65044946E-8, -4.32576428E-7, -2.54158294E-8, 0.999998987))
BarrelA = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "BarrelA", Vector3.new(0.253175676, 0.200000003, 0.200000003))
BarrelAweld = weld(m, FakeHandle, BarrelA, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-0.00215339661, 2.81016588, -0.679691315, 1.00000644, -1.17851188E-4, -3.55327938E-4, -3.55351658E-4, -1.73531589E-9, -0.999998689, 1.17856776E-4, 1.00000906, -1.03853381E-7))
mesh("CylinderMesh", BarrelA, "", "", Vector3.new(0, 0, 0), Vector3.new(1, 0.332292944, 0.94940865))
BarrelB = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "BarrelB", Vector3.new(0.253175676, 0.200000003, 0.200000003))
BarrelBweld = weld(m, FakeHandle, BarrelB, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-0.00297927856, 2.80971742, -0.393089294, 1.00000656, -4.6070898E-5, -1.28114261E-4, -1.28135609E-4, -2.84817361E-8, -0.999998748, 4.60767187E-5, 1.00000906, -9.46238288E-8))
mesh("CylinderMesh", BarrelB, "", "", Vector3.new(0, 0, 0), Vector3.new(1, 0.332292944, 0.933585286))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.200000003, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-2.33522701, 0.235336304, 0.0417299271, -0.0207215287, -2.923799E-5, 0.999783814, -4.13810369E-4, -1.00000906, -3.776011E-5, 0.999791503, -4.14500944E-4, 0.0207213722))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(0.632939398, 0.316469491, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.200000003, 0.200000003, 0.316469312))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.0601425171, 0.235803604, -2.61929059, -0.999793649, 4.19610878E-4, -0.0207200497, -4.18922398E-4, -1.00001073, -3.78352306E-5, -0.0207202174, -2.92077821E-5, 0.99978435))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(0.63293916, 0.316469491, 1))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.200000003, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-2.33585453, -0.805799484, 0.0970172882, 0.00131847756, -2.67218638E-7, 0.999997616, 4.14136797E-4, 1.00000894, -3.39018698E-7, -1.00000536, 4.14132373E-4, 0.0013184452))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(0.632939398, 0.316469491, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.316469669, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-2.62066889, -0.805784225, 0.094909668, 0.00131851574, -2.67215E-7, 0.999997616, 4.14139125E-4, 1.0000037, -3.56746568E-7, -0.999999583, 4.14144248E-4, 0.00131857279))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(1, 0.316469491, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.200000003, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(2.33377934, -0.80566597, 0.0893392563, -0.00131858164, -3.83767838E-5, -0.999997616, -0.00654956326, 0.999982297, -2.98171653E-5, 0.999978244, 0.00654953532, -0.00131886196))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(0.632939637, 0.316469491, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.200000003, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(2.50816345E-4, -0.805568695, -2.33514857, 0.999999523, -4.19221353E-4, -0.00131787139, 4.19216231E-4, 1.0000037, -3.15711986E-7, 0.00131781469, -3.14648787E-7, 0.999997616))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(0.63293916, 0.316469491, 0.632937968))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.316469669, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(2.61788821, 0.235261917, 0.15650177, 0.0207205229, 6.78795477E-5, -0.999784112, 0.00654927408, -0.999988496, 6.79000077E-5, -0.999771416, -0.00654929783, -0.0207203794))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(1, 0.316469491, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.253175706, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.00242042542, 0.231046677, 0.0917644501, -0.999812782, 4.83197859E-4, -0.0194047187, 4.82602976E-4, 1.00001109, 3.88100962E-5, 0.019404849, 2.95427599E-5, -0.999806702))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(1, 0.632938981, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.200000003, 0.200000003, 0.379763395))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.102196693, -0.839551926, -0.0595064163, 0.999999166, -5.25944633E-4, -0.00163693342, 5.25932992E-4, 1.0000037, -4.48350875E-6, 0.00163688057, 3.56229611E-6, 0.999997199))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(0.31646958, 0.648762405, 1))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.200000003, 0.200000003, 0.759526789))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-0.0939426422, -0.839508057, -0.629040003, 0.999999166, -5.29598445E-4, -0.00165220152, 5.29593788E-4, 1.0000037, -4.69715815E-7, 0.00165214634, -4.65610356E-7, 0.999997139))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(0.31646958, 0.648762405, 1))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.253175706, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.00397872925, -0.838012695, -0.18564415, 0.999999225, -5.08233206E-4, -0.00158826832, 5.0822855E-4, 1.0000037, -4.20256583E-7, 0.00158821314, -4.47254934E-7, 0.999997258))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(1, 0.632939041, 0.6329391))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Medium stone grey", "Part", Vector3.new(0.200000003, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-0.154092789, -0.839509964, -1.04045248, 0.999999166, -5.3049298E-4, -0.00165473553, 5.30488556E-4, 1.0000037, -4.71247404E-7, 0.00165468047, -4.668982E-7, 0.999997139))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(0.31646958, 0.648762405, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.379763573, 0.253175586, 0.506351233))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-0.00783157349, -0.58531189, 0.829131842, 0.999999762, -3.84737737E-4, -0.0012139139, 3.8473215E-4, 1.00000358, -2.68339136E-7, 0.00121385849, -3.21568223E-7, 0.999997616))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Dark stone grey", "Part", Vector3.new(0.373434126, 0.200000003, 0.379763395))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.00403022766, -0.83798027, -0.0595018864, 0.999999166, -5.21293608E-4, -0.00162268034, 5.21281036E-4, 1.00000346, -4.52060976E-6, 0.00162263215, 3.52446295E-6, 0.99999696))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(1, 0.632938981, 1))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.200000003, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.185806274, -0.0988779068, -0.901325226, -0.00155679451, -1.68599981E-5, -0.99999696, -0.999999225, 4.80473042E-4, 0.00155683653, 4.80440212E-4, 1.00000346, -1.77582042E-5))
mesh("CylinderMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(0.63293916, 0.316469491, 0.6329391))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.200000003, 0.200000003, 0.379763395))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-0.0939817429, -0.839551926, -0.059491396, 0.999999106, -5.25587471E-4, -0.00163591723, 5.25574666E-4, 1.00000346, -4.52791664E-6, 0.00163586915, 3.51784729E-6, 0.999996901))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(0.31646958, 0.648762405, 1))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Dark stone grey", "Part", Vector3.new(0.373434126, 0.200000003, 0.819656134))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.00410461426, -0.837978363, -0.659051895, 0.999999046, -5.33003593E-4, -0.00166298973, 5.32997772E-4, 1.00000346, -5.2048199E-7, 0.00166293955, -5.16196451E-7, 0.999996841))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(1, 0.632938981, 1))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.200000003, 0.200000003, 0.759526789))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.102247238, -0.839500427, -0.629066944, 0.999999166, -5.32461097E-4, -0.00166054501, 5.32456674E-4, 1.00000358, -5.02135663E-7, 0.00166049844, -4.97217115E-7, 0.999996901))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(0.31646958, 0.648762405, 1))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Dark stone grey", "Part", Vector3.new(0.200000003, 0.200000003, 0.379763395))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-0.154230118, -0.584842682, -0.439127684, 0.999999344, -5.02875075E-4, -0.00157324143, 5.02870418E-4, 1.00000358, -4.39167707E-7, 0.00157319452, -4.67131031E-7, 0.999997079))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(0.31646958, 0.632938981, 1))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Dark stone grey", "Part", Vector3.new(0.379763573, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.00398254395, -0.711421967, 0.130382061, 0.999999285, -5.21925976E-4, -0.00163025025, 5.21921786E-4, 1.00000358, -4.70413397E-7, 0.00163020229, -4.95618224E-7, 0.99999702))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(1, 0.632938981, 0.632939279))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.200000003, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.18581605, 0.0910644531, -0.901327133, -0.0015567973, -1.68775623E-5, -0.99999702, -0.999999344, 4.80472343E-4, 0.0015568356, 4.80440911E-4, 1.00000358, -1.77406437E-5))
mesh("CylinderMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(0.63293916, 0.316469491, 0.6329391))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.253175676, 0.316469491, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-0.00702667236, -0.490217209, 0.385505915, 0.999999762, -3.91439768E-4, -0.00122567732, 3.91436042E-4, 1.0000037, -3.07035407E-7, 0.0012256304, -2.87916919E-7, 0.999997497))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(1, 1, 0.632939279))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Medium stone grey", "Part", Vector3.new(0.379763573, 0.200000003, 1.13929045))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.00401592255, -0.711420059, -0.502290964, 0.999999344, -5.08958008E-4, -0.00159047265, 5.08953119E-4, 1.00000358, -4.49184881E-7, 0.00159042596, -4.75454726E-7, 0.999997079))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(1, 0.632938981, 1))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.200000003, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.00432777405, -0.806547165, -1.16633892, 0.999999583, -4.98779118E-4, -0.00156349433, 4.98774927E-4, 1.0000037, -4.8513084E-7, 0.00156345253, -3.74717274E-7, 0.999997199))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(0.63293916, 0.316469491, 0.949407756))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Medium stone grey", "Part", Vector3.new(0.200000003, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.162312508, -0.839599609, -1.04043412, 0.999999404, -5.35148196E-4, -0.00166929583, 5.35144238E-4, 1.0000037, -4.88199476E-7, 0.00166925485, -4.8513175E-7, 0.999997079))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(0.31646958, 0.648762405, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.253175676, 0.506351173, 0.506351113))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.00422668457, -0.521696091, -1.00804353, 0.999999762, -4.55797184E-4, -0.00142797269, 4.55793692E-4, 1.00000381, -3.59419573E-7, 0.00142793078, -3.71452188E-7, 0.999997377))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.379763573, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-0.00721073151, 0.555006027, -0.546396732, 1, -3.84197105E-4, -0.00121572253, -3.84192215E-4, -1.0000037, 1.14932845E-7, -0.0012156798, 4.94703272E-7, -0.999997556))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(1, 0.949408472, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.379763573, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.00745105743, -0.680278778, -0.544320107, -1, 3.7993025E-4, 0.00120887556, 3.79925361E-4, 1.0000037, -2.70945748E-7, -0.00120883493, 3.30901457E-7, -0.999997556))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(1, 0.316469491, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Medium stone grey", "Part", Vector3.new(0.379763573, 0.200000003, 0.316469461))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.00402545929, -0.584838867, -0.0909211636, 0.999999702, -5.00370981E-4, -0.00156531227, 5.00367256E-4, 1.00000381, -4.177964E-7, 0.00156527071, -4.45434125E-7, 0.999997318))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(1, 0.632938981, 1))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.31646961, 0.200000003, 0.379763395))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.0356550217, -0.584846497, -0.439112663, 0.999999583, -5.02517214E-4, -0.00157210627, 5.02513023E-4, 1.0000037, -4.21038749E-7, 0.00157206471, -4.48966603E-7, 0.999997258))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(1, 0.632938981, 1))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.200000003, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.25723362, 0.597276688, -0.584844589, 1.00000954, -4.96422639E-4, -0.00155257841, -0.00155252253, 4.23668098E-7, -1.00000346, 4.96412395E-4, 1.00000656, -4.26846782E-7))
mesh("CylinderMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(0.63293916, 0.316469491, 0.6329391))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.379763573, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-0.00877285004, -0.680276871, 1.11404014, 0.99999994, -3.78295779E-4, -0.00121141248, 3.7829089E-4, 1.0000037, -2.68495569E-7, 0.00121137092, -3.32338459E-7, 0.999997497))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(1, 0.316469491, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.200000003, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.00260543823, -0.83946991, -0.977151871, 0.999999404, -5.3568976E-4, -0.00167084928, 5.35686035E-4, 1.0000037, -4.91897481E-7, 0.00167080737, -4.83170879E-7, 0.999997079))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(0.680409729, 0.648762405, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Dark stone grey", "Part", Vector3.new(0.379763573, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.00426864624, -0.711380005, 0.257278919, 0.999999344, -5.38330991E-4, -0.0016810667, 5.38320513E-4, 1.00000381, -4.5128636E-6, 0.00168102677, 3.52790812E-6, 0.99999702))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(1, 0.632938981, 0.63293916))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Dark stone grey", "Part", Vector3.new(0.379763573, 0.200000003, 0.253175676))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.00426197052, -0.584779739, 0.193880796, 0.999999285, -5.41021582E-4, -0.00169264583, 5.41017856E-4, 1.00000381, -4.83931217E-7, 0.00169260346, -5.11839971E-7, 0.99999696))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(1, 0.632938981, 1))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.200000003, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(1.16557884, -0.805673599, 0.0980272293, -2.04314318E-4, -3.45961365E-4, -0.999998391, 5.26930671E-5, 1.00000381, -3.46050219E-4, 1.00000083, -5.27666416E-5, -2.04340089E-4))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(0.94940871, 0.316469491, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Dark stone grey", "Part", Vector3.new(0.253175676, 0.200000003, 0.379763454))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-0.00253772736, 2.80870223, -0.394735336, 1.00000656, -1.89693645E-4, -5.83698333E-4, -5.83737507E-4, 4.92018444E-8, -0.99999851, 1.89699931E-4, 1.00000906, -1.41451892E-7))
mesh("CylinderMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(1, 0.316469491, 1))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Medium stone grey", "Part", Vector3.new(0.379763573, 0.200000003, 0.316469461))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.00424480438, -0.616500854, -0.91397047, 0.999998987, -5.21556707E-4, -0.00163153268, 5.21552749E-4, 1.00000346, -4.66357051E-7, 0.00163143163, -4.64564437E-7, 0.999996901))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(1, 0.316469491, 1))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Dark stone grey", "Part", Vector3.new(0.379763573, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.0052690506, -0.744037628, -1.39934874, -1.00000012, 3.80261568E-4, 0.00120868091, 3.80258309E-4, 1.00000381, -2.62050889E-7, -0.00120863831, 2.7758324E-7, -0.999997795))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(1, 0.316469491, 0.63293916))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.379763573, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-0.0154876709, 0.553672791, 1.10770559, -0.999788344, 3.77169345E-4, -0.0206035189, -3.76480399E-4, -1.0000037, -3.6918671E-5, -0.0206036251, -2.92966233E-5, 0.99978596))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(1, 0.949408472, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Medium stone grey", "Part", Vector3.new(0.379763573, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.00402450562, -0.584842682, -0.692234278, 0.999999583, -5.01086703E-4, -0.00156757631, 5.01082744E-4, 1.0000037, -4.18870513E-7, 0.00156753568, -4.46611011E-7, 0.999997258))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(1, 0.632938981, 0.632938504))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Medium stone grey", "Part", Vector3.new(0.253175676, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.00411701202, -0.872737885, -1.04044247, 0.999999404, -5.32282284E-4, -0.00166003755, 5.32278325E-4, 1.0000037, -4.84281372E-7, 0.00165999553, -4.79334631E-7, 0.999997079))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(1, 0.316469491, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.200000003, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.22557354, -0.584844589, -0.597300291, 1.0000062, -4.99660615E-4, -0.00156306126, 4.99651767E-4, 1.0000056, -4.16594958E-7, 0.00156300946, -4.44253601E-7, 1.00000143))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(0.31646958, 0.632938981, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.200000003, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-1.16603017, -0.806951523, 0.0910015106, 0.0014401821, -3.46068438E-4, 0.999997437, 1.07042491E-4, 1.00000393, 3.45832697E-4, -0.999999821, 1.06547493E-4, 0.00144026114))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(0.94940871, 0.316469491, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Dark stone grey", "Part", Vector3.new(0.253175676, 0.316469491, 0.759526789))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-0.00814914703, -0.490310669, 0.829042196, 1, -3.89440451E-4, -0.00122217275, 3.89436958E-4, 1.00000381, -2.84300768E-7, 0.00122212956, -2.71675162E-7, 0.999997735))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Navy blue", "Part", Vector3.new(0.382928163, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.00295829773, -0.553510666, -0.723438978, 0.999999583, -4.90234466E-4, -0.00153373403, 4.9022492E-4, 1.00000381, -4.46594822E-6, 0.00153369538, 3.63407162E-6, 0.999997318))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(1, 0.316469491, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.253175676, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(7.06672668E-4, 0.205863953, 0.199816704, -1.00000083, 4.78833681E-4, 1.05670289E-4, -4.78830421E-4, -1.00000381, -3.97266376E-7, 1.05623272E-4, -5.27878001E-7, 0.999998391))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(1, 0.632939041, 0.632939279))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.443057477, 0.200000003, 0.240516856))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-0.279232264, -0.206943512, -0.00298118591, -7.96075386E-4, -8.97907739E-8, 0.999997973, -2.47266144E-4, 1.00000381, -3.1480522E-7, -1.00000048, -2.47264514E-4, -7.96028064E-4))
mesh("SpecialMesh", Part, Enum.MeshType.FileMesh, "http://www.roblox.com/asset/?id=3270017", Vector3.new(0, 0, 0), Vector3.new(0.354445964, 0.322798938, 1.50006592))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.253175706, 0.253175676, 0.569645226))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-0.00389385223, 0.205747604, -0.925108433, 1.00000012, -3.74833122E-4, -0.0012015684, -3.74829629E-4, -1.00000381, 2.67670657E-7, -0.00120152568, 2.62731191E-7, -0.999997795))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(1, 1, 1))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.253175676, 0.200000003, 1.07599652))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.00398159027, -0.300109863, -0.217233419, 0.999999702, -4.74758213E-4, -0.00148420094, 4.74754721E-4, 1.00000381, -3.88333319E-7, 0.00148415903, -3.96312316E-7, 0.999997318))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(1, 0.316469491, 1))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.253175676, 0.506351173, 0.31646958))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-0.00226020813, -0.520721436, -2.61991787, 1.00000656, -1.56912487E-4, -4.87482001E-4, 1.56918541E-4, 1.00000906, -6.25477696E-8, 4.87519952E-4, -9.38744051E-8, 0.99999851))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.253175706, 0.379763484, 0.31646952))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-0.00392913818, 0.142469406, -1.05169654, 1.00000012, -3.74163035E-4, -0.00120039028, -3.74159543E-4, -1.00000381, 2.65924427E-7, -0.00120034756, 2.63231414E-7, -0.999997735))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(1, 1, 1))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Dark stone grey", "Part", Vector3.new(1.0127027, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-1.76639271, -0.80727005, 0.0904636383, 0.0012062696, -3.45987704E-4, 0.999997616, 7.08191656E-5, 1.00000906, 3.4581896E-4, -1.00000596, 7.03958794E-5, 0.00120624923))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(1, 0.316469491, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.253175676, 0.200000003, 0.253175616))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-0.00172615051, -0.0802326202, -0.0677595139, 1.00000215, -2.22004019E-6, -3.60265494E-6, -9.65083018E-7, 0.707102001, -0.707112849, 4.06918116E-6, 0.707119048, 0.707095683))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(1, 0.632939041, 1))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Dark stone grey", "Part", Vector3.new(0.253175676, 0.200000003, 0.31646955))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-0.00177764893, 2.4308722, -0.679933548, 1.00000584, -4.09069704E-4, -0.00127759273, -0.00127763685, 2.75062121E-7, -0.999997735, 4.09075059E-4, 1.00000906, -3.27489033E-7))
mesh("CylinderMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(1, 0.316469491, 1))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Medium stone grey", "Part", Vector3.new(0.379763573, 0.253175586, 0.31646958))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.00424194336, 0.458267212, 0.913977146, 0.999999523, -5.21552516E-4, -0.00163157831, -5.21548791E-4, -1.0000037, 4.52364475E-7, -0.00163153687, 4.78599759E-7, -0.999997139))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(1, 1, 1))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.253175676, 0.398751616, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-6.10351563E-4, 0.0949077606, 0.031639576, 1.00000107, 1.54366717E-7, -7.14659564E-7, -1.5925616E-7, 1.00000513, -6.79456207E-8, 6.45882892E-7, -5.55883162E-8, 0.999997854))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(1, 1, 0.917761683))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Dark stone grey", "Part", Vector3.new(0.379763573, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-0.00860404968, -0.205316544, -1.39933252, 1, -3.79117904E-4, -0.00120476098, -3.79114412E-4, -1.00000381, 2.55049599E-7, -0.00120471825, 2.81710527E-7, -0.999997735))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(1, 0.316469491, 0.63293916))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Navy blue", "Part", Vector3.new(0.386092901, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.00433635712, -0.490215302, -0.596788645, 0.999999583, -5.03412215E-4, -0.00157724996, 5.03401272E-4, 1.0000037, -4.48485389E-6, 0.00157721096, 3.61087586E-6, 0.999997258))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(1, 0.316469491, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Navy blue", "Part", Vector3.new(0.386092931, 0.200000003, 1.07599664))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.00383377075, -0.363477707, -0.217586279, 0.999999583, -5.03078802E-4, -0.00157187996, 5.03075076E-4, 1.0000037, -4.45784281E-7, 0.00157183746, -4.25008693E-7, 0.999997199))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(1, 0.316469491, 1))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Dark stone grey", "Part", Vector3.new(0.200000003, 0.200000003, 1.01270235))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.0051240921, -0.806119919, -1.76616836, 1.00000572, -4.19280725E-4, -0.00131856895, 4.1928608E-4, 1.00000906, -3.2670232E-7, 0.00131861551, -3.06070433E-7, 0.999997556))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(0.63293916, 0.316469491, 1))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Dark stone grey", "Part", Vector3.new(1.01270258, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(1.76639986, -0.805118561, 0.100095749, -0.00129397365, -3.45726585E-4, -0.999997616, 4.1113887E-4, 1.00000906, -3.46335029E-4, 1.00000584, -4.11581248E-4, -0.00129378564))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(1, 0.316469491, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.253175676, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.00281620026, -0.0719718933, -0.341794968, 0.999986827, -0.00452291034, 0.002758872, 0.00529640075, 0.866029859, -0.499969363, -1.27990963E-4, 0.499979407, 0.866036832))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(1, 0.949408472, 0.158234775))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Navy blue", "Part", Vector3.new(0.253175706, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-0.00544261932, -0.0789928436, -1.27258873, 1.00000012, -3.75170261E-4, -0.00120216631, -3.75167001E-4, -1.00000381, 2.68559234E-7, -0.00120212266, 2.62471076E-7, -0.999997795))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(1, 0.316469789, 0.632938862))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Dark stone grey", "Part", Vector3.new(0.256340384, 0.200000003, 0.253175616))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-1.33514404E-4, -0.175178528, -0.0677566528, 1.00000155, -2.21375376E-6, -3.60358649E-6, -9.61590558E-7, 0.707101464, -0.707113504, 4.07081097E-6, 0.707118511, 0.707096338))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(1, 0.316469491, 1))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Navy blue", "Part", Vector3.new(0.382928193, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.00293636322, -0.458452225, -0.724108696, 0.999999523, -5.1115104E-4, -0.00159854547, 5.11147315E-4, 1.00000381, -4.73800355E-7, 0.00159850239, -4.23311576E-7, 0.999997139))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(1, 0.632938981, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.200000003, 0.200000003, 0.316469312))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(2.5177002E-4, -0.805561066, -2.61996937, 0.999999881, -4.1925488E-4, -0.00131827279, 4.19250689E-4, 1.0000037, -3.26211193E-7, 0.00131822913, -3.24054781E-7, 0.999997556))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(0.63293916, 0.316469491, 1))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.253175676, 0.506351173, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-0.00314712524, -0.521814346, -2.33619571, 1.00000608, -3.22065549E-4, -0.00100909744, 3.22071137E-4, 1.00000906, -1.63273398E-7, 0.00100914051, -2.41647285E-7, 0.999997973))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(1, 1, 0.632939279))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Dark stone grey", "Part", Vector3.new(0.379763573, 0.886114717, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-0.00499248505, -0.269319534, 1.39928484, 1, -3.7944247E-4, -0.00120603503, 3.79439211E-4, 1.00000381, -2.65670678E-7, 0.0012059923, -2.71964382E-7, 0.999997735))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(1, 1, 0.632938862))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Navy blue", "Part", Vector3.new(0.382928193, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.002866745, -0.426689148, -0.597486734, 0.999999464, -5.12457686E-4, -0.00160160579, 5.12453727E-4, 1.0000037, -4.61965101E-7, 0.0016015619, -4.3880209E-7, 0.999997139))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(1, 0.316469491, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Medium stone grey", "Part", Vector3.new(0.379763573, 0.200000003, 1.07599664))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.00374031067, -0.42669487, -0.217225075, 1, -3.94753413E-4, -0.0012314897, 3.94749921E-4, 1.00000381, -2.97884981E-7, 0.00123144651, -2.68262738E-7, 0.999997675))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(1, 0.949408472, 1))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.253175676, 0.200000003, 0.253175616))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-0.00116062164, -0.205852509, 0.00865292549, 1.00000083, -3.57264653E-5, -1.07917731E-4, 3.57239041E-5, 1.00000381, -6.43103704E-8, 1.07873675E-4, -1.95523171E-8, 0.999998391))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(1, 0.632939041, 1))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Dark stone grey", "Part", Vector3.new(0.253175676, 0.253175586, 1.01270235))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.00470161438, -0.648044586, -1.76669383, 1.00000584, -3.87078384E-4, -0.00121720054, 3.87083972E-4, 1.00000906, -2.6685575E-7, 0.00121724466, -2.84217094E-7, 0.999997675))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Navy blue", "Part", Vector3.new(0.253175676, 0.696233034, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-0.00384902954, -0.300741196, 1.27262878, 1, -3.81424325E-4, -0.00120951526, 3.81421065E-4, 1.00000381, -2.70656528E-7, 0.00120947359, -2.70692908E-7, 0.999997735))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(1, 1, 0.632938862))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Dark stone grey", "Part", Vector3.new(0.253175676, 0.398751616, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-6.12258911E-4, 0.0949077606, 0.15506196, 1.00000107, 1.54599547E-7, -7.13728241E-7, -1.5902333E-7, 1.00000501, -6.79465302E-8, 6.46814271E-7, -5.55874067E-8, 0.999997914))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(1, 1, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Dark stone grey", "Part", Vector3.new(0.253175676, 0.200000003, 0.31646955))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-0.00212287903, 2.80894852, -0.679607391, 1.00000656, -2.25796597E-4, -6.98092103E-4, -6.98132091E-4, 7.61738193E-8, -0.99999845, 2.25802884E-4, 1.00000906, -1.6138074E-7))
mesh("CylinderMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(1, 0.316469491, 1))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.200000003, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.0555238724, 0.235569, -2.33452106, -0.99979192, 4.19530552E-4, -0.0207191594, -4.18840675E-4, -1.00000906, -3.78208169E-5, -0.0207193084, -2.92150853E-5, 0.999783814))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(0.63293916, 0.316469491, 0.632937968))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.200000003, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(2.3331461, 0.23503685, 0.15192318, 0.0206767302, 6.75732008E-5, -0.999784589, 0.00653480599, -0.999987781, 6.76400959E-5, -0.999771476, -0.0065348288, -0.0206765924))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(0.632939637, 0.316469491, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.316469669, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-2.61998868, 0.235582352, 0.0350198746, -0.0207206011, -2.92479381E-5, 0.999784291, -4.13753325E-4, -1.00001073, -3.77487086E-5, 0.999793947, -4.14440874E-4, 0.0207204428))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(1, 0.316469491, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.316469669, 0.200000003, 0.200000003))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(2.61860609, -0.805664063, 0.089345932, -0.00131845498, -3.8365637E-5, -0.999997556, -0.00654954929, 0.999982357, -2.98266423E-5, 0.999978602, 0.00654952042, -0.00131872331))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(1, 0.316469491, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Dark stone grey", "Part", Vector3.new(0.253175676, 0.200000003, 0.31646955))
Partweld = weld(m, FakeHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-0.0028629303, 2.43087435, -0.36346817, 1.00000775, -4.09050612E-4, -0.00127734221, -0.00127741334, 2.74636477E-7, -0.999998152, 4.09058062E-4, 1.00001061, -3.27772796E-7))
mesh("CylinderMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(1, 0.316469491, 1))
PumpConnector = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "PumpConnector", Vector3.new(0.253175676, 0.253175616, 1.01270247))
PumpConnectorweld = weld(m, FakeHandle, PumpConnector, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.00457191467, -0.394981384, -1.76718998, 1.00000548, -4.73189866E-4, -0.0014859864, 4.73195454E-4, 1.00000906, -4.67973223E-7, 0.00148603355, -3.15103534E-7, 0.999997318))
PumpHandle = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 1, "Really black", "PumpHandle", Vector3.new(0.253175676, 0.253175616, 0.696232915))
PumpHandleweld = weld(m, PumpConnector, PumpHandle, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-0.00811004639, 5.7220459E-6, -0.0953073502, 1.00001121, -2.18219124E-4, -6.91315043E-4, 2.18238914E-4, 1.00001061, -7.41114491E-7, 6.91521389E-4, 6.25690518E-7, 0.999999762))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Navy blue", "Part", Vector3.new(0.200000003, 0.200000003, 0.200000003))
Partweld = weld(m, PumpHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.157253265, -0.0634880066, -0.316317439, -1.00001073, -0.00129064033, 1.83447744E-4, 0.001290621, -1.00000978, -3.79022822E-6, 1.83670403E-4, -3.5180019E-6, 1.00000012))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(0.31646958, 0.632939041, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Navy blue", "Part", Vector3.new(0.200000003, 0.200000003, 0.200000003))
Partweld = weld(m, PumpHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-0.159186363, -0.0632915497, -0.315506697, -1.00001085, -0.00129064405, 2.06141282E-4, 0.00129062473, -1.00000978, -3.80806159E-6, 2.06361423E-4, -3.50655137E-6, 1.00000012))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(0.31646958, 0.632939041, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Navy blue", "Part", Vector3.new(0.200000003, 0.200000003, 0.200000003))
Partweld = weld(m, PumpHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-0.158708572, -0.0632896423, -0.316618443, 1.00001168, -6.27769623E-5, -1.94763765E-4, -6.27962872E-5, -1.00001073, 4.92951767E-6, -1.94981301E-4, -4.95283712E-6, -1.00000012))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(0.31646958, 0.632939041, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Navy blue", "Part", Vector3.new(0.200000003, 0.200000003, 0.200000003))
Partweld = weld(m, PumpHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-0.381263018, -0.189670563, 0.157283783, 4.93958709E-4, -2.53328835E-6, -1, 1.51888235E-4, -1.00001299, 2.62154208E-6, -1.00001514, -1.51919667E-4, -4.94200736E-4))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(0.31646958, 0.632939041, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Navy blue", "Part", Vector3.new(0.379763573, 0.253175616, 0.200000003))
Partweld = weld(m, PumpHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.00104141235, 3.24249268E-4, -0.379030228, 1.00001168, 2.89033633E-5, 9.224924E-5, -2.88828742E-5, 1.00001073, 4.74210538E-8, -9.20349048E-5, -1.4595571E-8, 1.00000012))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(1, 1, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Navy blue", "Part", Vector3.new(0.253175676, 0.200000003, 0.200000003))
Partweld = weld(m, PumpHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(8.42094421E-4, 0.190042496, -0.378431678, 1.00001156, 9.00141895E-5, 2.85300834E-4, -8.99939332E-5, 1.00001061, 3.24798748E-8, -2.85089598E-4, -2.26718839E-8, 1.00000012))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(1, 0.63293916, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Navy blue", "Part", Vector3.new(0.253175676, 0.200000003, 0.200000003))
Partweld = weld(m, PumpHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-4.08172607E-4, 0.190048218, 0.381075144, 1.00001168, 9.35823191E-5, 2.9639469E-4, -9.35620628E-5, 1.00001073, 3.96703399E-8, -2.96183629E-4, -3.19196261E-8, 1.00000012))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(1, 0.63293916, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Navy blue", "Part", Vector3.new(0.200000003, 0.200000003, 0.200000003))
Partweld = weld(m, PumpHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.378592491, -0.189874649, 0.157202721, 7.87446115E-5, -2.92346704E-6, -1.00000012, 1.98835041E-5, -1.00001061, 2.88951014E-6, -1.00001156, -1.99046917E-5, -7.89594633E-5))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(0.31646958, 0.632939041, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Navy blue", "Part", Vector3.new(0.379763573, 0.253175616, 0.200000003))
Partweld = weld(m, PumpHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-2.22206116E-4, 3.81469727E-4, 0.380491257, 1.00001168, 2.53100879E-5, 8.08704135E-5, -2.52898317E-5, 1.00001073, 4.085814E-8, -8.06568059E-5, -7.41783879E-9, 1.00000024))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(1, 1, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Really black", "Part", Vector3.new(0.253175676, 0.200000003, 0.696232915))
Partweld = weld(m, PumpHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-4.80651855E-4, 0.189878464, -4.14848328E-5, 1.00001156, -8.17235559E-8, -9.06604839E-7, 1.02212653E-7, 1.00001073, 1.75932655E-8, 1.12182749E-6, 1.78952178E-8, 1.00000012))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(1, 0.63293916, 1))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Navy blue", "Part", Vector3.new(0.200000003, 0.200000003, 0.200000003))
Partweld = weld(m, PumpHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(-0.377965927, -0.189758301, 0.158499718, -2.49022327E-4, 5.08589801E-6, 1, 7.88865145E-5, -1.00001073, 5.07002369E-6, 1.00001156, 7.89077021E-5, 2.49234668E-4))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(0.31646958, 0.632939041, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Navy blue", "Part", Vector3.new(0.200000003, 0.200000003, 0.200000003))
Partweld = weld(m, PumpHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.380588293, -0.189929962, 0.157842636, -2.1808597E-5, 4.97501969E-6, 1, 6.82752579E-6, -1.00001061, 4.93962398E-6, 1.00001156, 6.84824772E-6, 2.20224065E-5))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(0.31646958, 0.632939041, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Navy blue", "Part", Vector3.new(0.200000003, 0.200000003, 0.200000003))
Partweld = weld(m, PumpHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(0.157729149, -0.0635128021, -0.317326069, 1.00001168, -6.27734698E-5, -1.94734894E-4, -6.27925619E-5, -1.00001073, 4.9268001E-6, -1.94952445E-4, -4.95011955E-6, -1.00000012))
mesh("SpecialMesh", Part, Enum.MeshType.Wedge, "", Vector3.new(0, 0, 0), Vector3.new(0.31646958, 0.632939041, 0.31646955))
Part = part(Enum.FormFactor.Custom, m, Enum.Material.SmoothPlastic, 0, 0, "Navy blue", "Part", Vector3.new(0.379763573, 0.200000003, 0.696233034))
Partweld = weld(m, PumpHandle, Part, CFrame.new(0, 0, 0, 1, 0, 0, 0, 1, 0, 0, 0, 1), CFrame.new(8.33511353E-4, -0.0628852844, 0.00106692314, 1.00001156, 4.6872301E-5, 1.49078158E-4, -4.68520448E-5, 1.00001073, 2.52566679E-8, -1.48865074E-4, 3.24689609E-9, 1.00000012))
mesh("BlockMesh", Part, "", "", Vector3.new(0, 0, 0), Vector3.new(1, 0.63293916, 1))
local L1 = Create("PointLight")({
Parent = BarrelA,
Color = Color3.new(255, 255, 0),
Range = 5,
Brightness = 10,
Enabled = false
})
local L2 = L1:Clone()
L2.Parent = BarrelB
function effect(Color, Ref, LP, P1, returnn)
local effectsg = Create("Part")({
Material = "Neon",
formFactor = 3,
CanCollide = false,
Name = "Eff",
Locked = true,
Anchored = true,
Size = Vector3.new(0.5, 1, 0.5),
Parent = workspace,
BrickColor = BrickColor.new(Color),
Reflectance = Ref
})
local effectsmsh = Create("BlockMesh")({
Scale = Vector3.new(0.2, 1, 0.2),
Name = "Mesh",
Parent = effectsg
})
local point1 = P1
local mg = (LP.p - point1.p).magnitude
effectsg.Size = Vector3.new(0.5, mg, 0.5)
effectsg.CFrame = CFrame.new((LP.p + point1.p) / 2, point1.p) * CFrame.Angles(math.rad(90), 0, 0)
if returnn then
return effectsg
end
coroutine.resume(coroutine.create(function(Part, Mesh)
if not returnn then
for i = 0, 1, 0.2 do
wait()
Part.Transparency = 1 * i
Mesh.Scale = Vector3.new(0.2 - 0.2 * i, 1, 0.2 - 0.2 * i)
end
wait()
Part.Parent = nil
end
end), effectsg, effectsmsh)
end
local Explode = false
function Bullet(Cf)
for i = 1, 2 do
do
local Bullet = Create("Part")({
Parent = workspace,
Material = "SmoothPlastic",
Name = "Bullet",
BrickColor = BrickColor.new("Really black"),
Material = "Neon",
FormFactor = "Custom",
Size = Vector3.new(0.2, 0.2, 0.2),
CFrame = Cf.CFrame * CFrame.new(0, 0, 0) * CFrame.new(math.random(-750, 750) / 1000, math.random(-750, 750) / 1000, math.random(-750, 750) / 1000),
Elasticity = 0,
Friction = 0,
CanCollide = true
})
Create("SpecialMesh")({Parent = Bullet, MeshType = "Sphere"})
local BodyVelocity = Create("BodyVelocity")({
Parent = Bullet,
maxForce = Vector3.new(math.huge, math.huge, math.huge),
velocity = (mouse.Hit.p - Cf.Position).unit * 200 + Vector3.new(math.random(-9000, 9000) / 1000, math.random(-9000, 9000) / 1000, math.random(-9000, 9000) / 1000)
})
local Con1 = Bullet.Touched:connect(function(hit)
for i, v in pairs(hit.Parent:GetChildren()) do
if v:IsA("Humanoid") then
if Explode == false then
Damagefunc(Bullet, hit, 10, 20, 10, "Normal", RootPart, 1, "Hit1", 1)
so("http://www.roblox.com/asset/?id=257976060", Bullet, 1, 1)
elseif Explode == true then
local S = Create("Explosion")({
Parent = workspace,
Position = Bullet.Position,
BlastPressure = 5,
BlastRadius = 5,
ExplosionType = 2
})
so("http://www.roblox.com/asset/?id=257976060", Bullet, 1, 1)
end
Bullet:remove()
end
end
end)
local LastPoint = Bullet.CFrame * CFrame.new(0, Bullet.Size.Y / 1.5, 0)
coroutine.resume(coroutine.create(function()
repeat
wait()
local Point = Bullet.CFrame * CFrame.new(0, Bullet.Size.Y / 1.5, 0)
effect("Really black", 0.5, LastPoint, Point)
LastPoint = Point
until Bullet.Parent == nil
end))
game:GetService("Debris"):AddItem(Bullet, 2)
end
end
end
function MagicRing(brickcolor, cframe, x1, y1, z1, x3, y3, z3, delay, movnum)
local prt = part("Custom", workspace, "SmoothPlastic", 0, 0, brickcolor, "Effect", vt(0.5, 0.5, 0.5))
prt.Anchored = true
prt.CFrame = cframe
msh = mesh("SpecialMesh", prt, "FileMesh", "http://www.roblox.com/asset/?id=3270017", vt(0, 0, 0), vt(x1, y1, z1))
game:GetService("Debris"):AddItem(prt, 2)
table.insert(Effects, {
prt,
"Ring",
delay,
x3,
y3,
z3,
msh,
movnum
})
coroutine.resume(coroutine.create(function(Part, Mesh, num)
for i = 0, 1, delay do
swait()
Part.CFrame = Part.CFrame * cf(0, 0, -num)
Part.Transparency = i
Mesh.Scale = Mesh.Scale + vt(x3, y3, z3)
end
Part.Parent = nil
end), prt, msh, (math.random(0, 1) + math.random()) / 5)
end
local aim = false
function Fire()
attack = true
aim = true
Humanoid.WalkSpeed = 7
for i = 0, 1, 0.1 do
swait()
RootJoint.C0 = clerp(RootJoint.C0, RootCF * cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.3)
Torso.Neck.C0 = clerp(Torso.Neck.C0, necko * angles(math.rad(0), math.rad(0), math.rad(0)), 0.3)
RW.C0 = clerp(RW.C0, CFrame.new(1.1, 0.5, 0.2) * angles(math.rad(90), math.rad(0), math.rad(-20)), 0.3)
LW.C0 = clerp(LW.C0, CFrame.new(-0.5, 0.5, -1.2) * angles(math.rad(90), math.rad(0), math.rad(40)), 0.3)
RH.C0 = clerp(RH.C0, cf(1, -1, 0) * angles(math.rad(0), math.rad(90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
LH.C0 = clerp(LH.C0, cf(-1, -1, 0) * angles(math.rad(0), math.rad(-90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
FakeHandleweld.C0 = clerp(FakeHandleweld.C0, cf(0, 0, 0) * angles(math.rad(0), math.rad(-20), math.rad(0)), 0.3)
end
L1, L2.Enabled = true, true
if Explode == false then
so("http://www.roblox.com/asset/?id=269408478", Handle, 0.5, 1)
elseif Explode == true then
for i = 1, 20 do
so("http://www.roblox.com/asset/?id=130815729", Handle, 0.5, 1)
end
end
Bullet(BarrelA)
Bullet(BarrelB)
for i = 0, 1, 0.1 do
swait()
RootJoint.C0 = clerp(RootJoint.C0, RootCF * cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.3)
Torso.Neck.C0 = clerp(Torso.Neck.C0, necko * angles(math.rad(-10), math.rad(0), math.rad(0)), 0.3)
RW.C0 = clerp(RW.C0, CFrame.new(1.1, 0.5, 0.2) * angles(math.rad(120), math.rad(0), math.rad(-20)), 0.5)
LW.C0 = clerp(LW.C0, CFrame.new(-0.5, 1, -1.2) * angles(math.rad(140), math.rad(0), math.rad(40)), 0.5)
RH.C0 = clerp(RH.C0, cf(1, -1, 0) * angles(math.rad(0), math.rad(90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
LH.C0 = clerp(LH.C0, cf(-1, -1, 0) * angles(math.rad(0), math.rad(-90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
FakeHandleweld.C0 = clerp(FakeHandleweld.C0, cf(0, 0, 0) * angles(math.rad(0), math.rad(-20), math.rad(0)), 0.3)
PumpHandleweld.C0 = clerp(PumpHandleweld.C0, cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.5)
end
L1, L2.Enabled = false, false
for i = 0, 1, 0.1 do
swait()
RootJoint.C0 = clerp(RootJoint.C0, RootCF * cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.3)
Torso.Neck.C0 = clerp(Torso.Neck.C0, necko * angles(math.rad(0), math.rad(0), math.rad(0)), 0.3)
RW.C0 = clerp(RW.C0, CFrame.new(1.3, 0.5, 0.2) * angles(math.rad(90), math.rad(0), math.rad(-20)), 0.3)
LW.C0 = clerp(LW.C0, CFrame.new(-0.5, 0.5, -1.2) * angles(math.rad(90), math.rad(0), math.rad(40)), 0.3)
RH.C0 = clerp(RH.C0, cf(1, -1, 0) * angles(math.rad(0), math.rad(90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
LH.C0 = clerp(LH.C0, cf(-1, -1, 0) * angles(math.rad(0), math.rad(-90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
FakeHandleweld.C0 = clerp(FakeHandleweld.C0, cf(0, 0, 0) * angles(math.rad(0), math.rad(-20), math.rad(0)), 0.3)
PumpHandleweld.C0 = clerp(PumpHandleweld.C0, cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.5)
end
for i = 0, 1, 0.1 do
swait()
RootJoint.C0 = clerp(RootJoint.C0, RootCF * cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.3)
Torso.Neck.C0 = clerp(Torso.Neck.C0, necko * angles(math.rad(10), math.rad(0), math.rad(0)), 0.3)
RW.C0 = clerp(RW.C0, CFrame.new(1.3, 0.5, 0.2) * angles(math.rad(70), math.rad(0), math.rad(-20)), 0.3)
LW.C0 = clerp(LW.C0, CFrame.new(-0.5, 0.5, -1.2) * angles(math.rad(100), math.rad(0), math.rad(30)), 0.3)
RH.C0 = clerp(RH.C0, cf(1, -1, 0) * angles(math.rad(0), math.rad(90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
LH.C0 = clerp(LH.C0, cf(-1, -1, 0) * angles(math.rad(0), math.rad(-90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
FakeHandleweld.C0 = clerp(FakeHandleweld.C0, cf(0, -0.5, 0) * angles(math.rad(-50), math.rad(0), math.rad(0)), 0.3)
PumpHandleweld.C0 = clerp(PumpHandleweld.C0, cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.5)
end
so("http://www.roblox.com/asset/?id=229859347", Handle, 1, 1)
for i = 0, 1, 0.1 do
swait()
RootJoint.C0 = clerp(RootJoint.C0, RootCF * cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.3)
Torso.Neck.C0 = clerp(Torso.Neck.C0, necko * angles(math.rad(10), math.rad(0), math.rad(0)), 0.3)
RW.C0 = clerp(RW.C0, CFrame.new(1.3, 0.5, 0.2) * angles(math.rad(70), math.rad(0), math.rad(-20)), 0.3)
LW.C0 = clerp(LW.C0, CFrame.new(-0.5, 0.5, -1) * angles(math.rad(90), math.rad(0), math.rad(30)), 0.3)
RH.C0 = clerp(RH.C0, cf(1, -1, 0) * angles(math.rad(0), math.rad(90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
LH.C0 = clerp(LH.C0, cf(-1, -1, 0) * angles(math.rad(0), math.rad(-90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
FakeHandleweld.C0 = clerp(FakeHandleweld.C0, cf(0, -0.5, 0) * angles(math.rad(-50), math.rad(0), math.rad(0)), 0.3)
PumpHandleweld.C0 = clerp(PumpHandleweld.C0, cf(0, 0, -0.5) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.5)
end
for i = 0, 1, 0.1 do
swait()
RootJoint.C0 = clerp(RootJoint.C0, RootCF * cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.3)
Torso.Neck.C0 = clerp(Torso.Neck.C0, necko * angles(math.rad(0), math.rad(0), math.rad(0)), 0.3)
RW.C0 = clerp(RW.C0, CFrame.new(1.3, 0.5, 0.2) * angles(math.rad(70), math.rad(0), math.rad(-20)), 0.3)
LW.C0 = clerp(LW.C0, CFrame.new(-0.5, 0.5, -1.2) * angles(math.rad(100), math.rad(0), math.rad(30)), 0.3)
RH.C0 = clerp(RH.C0, cf(1, -1, 0) * angles(math.rad(0), math.rad(90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
LH.C0 = clerp(LH.C0, cf(-1, -1, 0) * angles(math.rad(0), math.rad(-90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
FakeHandleweld.C0 = clerp(FakeHandleweld.C0, cf(0, -0.5, 0) * angles(math.rad(-50), math.rad(0), math.rad(0)), 0.3)
PumpHandleweld.C0 = clerp(PumpHandleweld.C0, cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.5)
end
Humanoid.WalkSpeed = 20
attack = false
end
function Lightning(p0, p1, tym, ofs, col, th, tra)
local magz = (p0 - p1).magnitude
local curpos = p0
local trz = {
-ofs,
ofs
}
for i = 1, tym do
local li = Instance.new("Part", workspace)
li.Material = "Neon"
li.TopSurface = 0
li.BottomSurface = 0
li.Anchored = true
li.Transparency = tra or 0.4
li.BrickColor = BrickColor.new(col)
li.formFactor = "Custom"
li.CanCollide = false
li.Size = Vector3.new(th, th, magz / tym)
local ofz = Vector3.new(trz[math.random(1, 2)], trz[math.random(1, 2)], trz[math.random(1, 2)])
local trolpos = CFrame.new(curpos, p1) * CFrame.new(0, 0, magz / tym).p + ofz
if tym == i then
local magz2 = (curpos - p1).magnitude
li.Size = Vector3.new(th, th, magz2)
li.CFrame = CFrame.new(curpos, p1) * CFrame.new(0, 0, -magz2 / 2)
else
li.CFrame = CFrame.new(curpos, trolpos) * CFrame.new(0, 0, magz / tym / 2)
end
curpos = li.CFrame * CFrame.new(0, 0, magz / tym / 2).p
game.Debris:AddItem(li, 0.5)
end
end
function MagicBlock(brickcolor, cframe, x1, y1, z1, x3, y3, z3)
local prt = part("Custom", workspace, "SmoothPlastic", 0, 0, brickcolor, "Effect", vt(0.5, 0.5, 0.5))
prt.Anchored = true
prt.CFrame = cframe
local msh = mesh("BlockMesh", prt, "", "", vt(0, 0, 0), vt(x1, y1, z1))
coroutine.resume(coroutine.create(function()
for i = 0, 1, 0.1 do
swait()
prt.CFrame = prt.CFrame * euler(math.random(-50, 50), math.random(-50, 50), math.random(-50, 50))
prt.Transparency = i
msh.Scale = msh.Scale + vt(x3, y3, z3)
end
prt.Parent = nil
end))
end
function MagicCircle(brickcolor, cframe, x1, y1, z1, x3, y3, z3)
local prt = part("Custom", workspace, "SmoothPlastic", 0, 0, brickcolor, "Effect", vt(0.5, 0.5, 0.5))
prt.Anchored = true
prt.CFrame = cframe
local msh = mesh("SpecialMesh", prt, "Sphere", "", vt(0, 0, 0), vt(x1, y1, z1))
coroutine.resume(coroutine.create(function()
for i = 0, 1, 0.1 do
swait()
prt.CFrame = prt.CFrame
prt.Transparency = i
msh.Scale = msh.Scale + vt(x3, y3, z3)
end
prt.Parent = nil
end))
end
attackdebounce = false
spread = 0
range = 100
rangepower = 200
function shoottrail(mouse, baseprt)
coroutine.resume(coroutine.create(function(v)
local spreadvector = Vector3.new(math.random(-spread, spread), math.random(-spread, spread), math.random(-spread, spread)) * (baseprt.Position - MMouse.Hit.p).magnitude / 100
local dir = CFrame.new((baseprt.Position + MMouse.Hit.p) / 2, MMouse.Hit.p + spreadvector)
local hit, pos = rayCast(baseprt.Position, dir.lookVector, 10, Character)
local rangepos = range
local drawtrail = function(From, To)
local effectsmsh = Instance.new("CylinderMesh")
effectsmsh.Scale = Vector3.new(1, 1, 1)
effectsmsh.Name = "Mesh"
local effectsg = Instance.new("Part")
effectsg.formFactor = 3
effectsg.CanCollide = false
effectsg.Name = "Eff"
effectsg.Locked = true
effectsg.Anchored = true
effectsg.Size = Vector3.new(0.2, 0.2, 0.2)
effectsg.Parent = workspace
effectsmsh.Parent = effectsg
effectsg.BrickColor = BrickColor.new("Bright blue")
effectsg.Material = "Neon"
effectsg.Reflectance = 0.25
local LP = From
local point1 = To
local mg = (LP - point1).magnitude
effectsmsh.Scale = Vector3.new(5, mg * 5, 5)
Lightning(LP, point1, 5, 1, "Bright blue", 0.3, 0.1)
effectsg.CFrame = CFrame.new((LP + point1) / 2, point1) * CFrame.Angles(math.rad(90), 0, 0)
coroutine.resume(coroutine.create(function()
for i = 0, 1, 0.2 do
swait()
effectsg.Transparency = 1 * i
effectsmsh.Scale = Vector3.new(3 - 3 * i, mg * 5, 3 - 3 * i)
end
effectsg.Parent = nil
end))
end
local newpos = baseprt.Position
local inc = rangepower
repeat
swait()
rangepos = rangepos - 10
hit, pos = rayCast(newpos, dir.lookVector, inc, Character)
drawtrail(newpos, pos)
newpos = newpos + dir.lookVector * inc
if hit ~= nil then
if hit.Parent:FindFirstChild("Humanoid") ~= nil then
hum = hit.Parent.Humanoid
tTorso = hit.Parent.Torso
Damagefunc(Bullet, hit, 20, 20, 10, "Normal", RootPart, 1, "Hit1", 1)
MagicCircle(BrickColor.new("Cyan"), tTorso.CFrame, 2, 2, 2, 0.5, 0.5, 0.5)
MagicBlock(BrickColor.new("Cyan"), tTorso.CFrame, 2, 2, 2, 0.3, 0.3, 0.3)
attackdebounce = false
elseif hit.Parent.Parent ~= nil and hit.Parent.Parent:FindFirstChild("Humanoid") ~= nil then
hum = hit.Parent.Parent.Humanoid
tTorso = hit.Parent.Parent.Torso
Damagefunc(Bullet, hit, 20, 20, 10, "Normal", RootPart, 1, "Hit1", 1)
attackdebounce = false
end
MagicCircle(BrickColor.new("Bright blue"), CFrame.new(newpos), 2, 2, 2, 10, 10, 10)
MagicBlock(BrickColor.new("Bright blue"), CFrame.new(newpos), 2, 2, 2, 10, 10, 10)
end
until rangepos <= 0
end))
end
spread2 = 5
range2 = 100
rangepower2 = 10
function shoottrail2(mouse, baseprt)
coroutine.resume(coroutine.create(function(v)
local spreadvector = Vector3.new(math.random(-spread2, spread2), math.random(-spread2, spread2), math.random(-spread2, spread2)) * (baseprt.Position - MMouse.Hit.p).magnitude / 100
local dir = CFrame.new((baseprt.Position + MMouse.Hit.p) / 2, MMouse.Hit.p + spreadvector)
local hit, pos = rayCast(baseprt.Position, dir.lookVector, 10, Character)
local rangepos2 = range2
local drawtrail = function(From, To)
local effectsmsh = Instance.new("CylinderMesh")
effectsmsh.Scale = Vector3.new(1, 1, 1)
effectsmsh.Name = "Mesh"
local effectsg = Instance.new("Part")
effectsg.formFactor = 3
effectsg.CanCollide = false
effectsg.Name = "Eff"
effectsg.Locked = true
effectsg.Anchored = true
effectsg.Size = Vector3.new(0.2, 0.2, 0.2)
effectsg.Parent = workspace
effectsmsh.Parent = effectsg
effectsg.BrickColor = BrickColor.new("Bright blue")
effectsg.Material = "Neon"
effectsg.Reflectance = 0.25
local LP = From
local point1 = To
local mg = (LP - point1).magnitude
effectsmsh.Scale = Vector3.new(5, mg * 5, 5)
effectsg.CFrame = CFrame.new((LP + point1) / 2, point1) * CFrame.Angles(math.rad(90), 0, 0)
coroutine.resume(coroutine.create(function()
for i = 0, 1, 0.2 do
swait()
effectsg.Transparency = 1 * i
effectsmsh.Scale = Vector3.new(3 - 3 * i, mg * 5, 3 - 3 * i)
end
effectsg.Parent = nil
end))
end
local newpos = baseprt.Position
local inc = rangepower2
repeat
swait()
rangepos2 = rangepos2 - 10
hit, pos = rayCast(newpos, dir.lookVector, inc, Character)
drawtrail(newpos, pos)
newpos = newpos + dir.lookVector * inc
if hit ~= nil then
if hit.Parent:FindFirstChild("Humanoid") ~= nil then
hum = hit.Parent.Humanoid
tTorso = hit.Parent.Torso
Damagefunc(Bullet, hit, 20, 20, 10, "Normal", RootPart, 1, "Hit1", 1)
MagicCircle(BrickColor.new("Cyan"), tTorso.CFrame, 2, 2, 2, 10, 10, 10)
MagicBlock(BrickColor.new("Cyan"), tTorso.CFrame, 2, 2, 2, 10, 10, 10)
attackdebounce = false
elseif hit.Parent.Parent ~= nil and hit.Parent.Parent:FindFirstChild("Humanoid") ~= nil then
hum = hit.Parent.Parent.Humanoid
tTorso = hit.Parent.Parent.Torso
attackdebounce = false
end
MagniDamage(hit, newpos, 5, 10, 20, 10, "Knockdown")
MagicCircle(BrickColor.new("Bright blue"), CFrame.new(newpos), 2, 2, 2, 5, 5, 5)
MagicBlock(BrickColor.new("Bright blue"), CFrame.new(newpos), 2, 2, 2, 5, 5, 5)
end
until rangepos2 <= 0
end))
end
spread3 = 0
range3 = 10000
rangepower3 = 1
function shoottrail3(mouse, baseprt)
coroutine.resume(coroutine.create(function(v)
local spreadvector = Vector3.new(math.random(-spread3, spread3), math.random(-spread3, spread3), math.random(-spread3, spread3)) * (baseprt.Position - MMouse.Hit.p).magnitude / 100
local dir = CFrame.new((baseprt.Position + MMouse.Hit.p) / 2, MMouse.Hit.p + spreadvector)
local hit, pos = rayCast(baseprt.Position, dir.lookVector, 10, Character)
local rangepos3 = range3
local drawtrail = function(From, To)
local effectsmsh = Instance.new("CylinderMesh")
effectsmsh.Scale = Vector3.new(1, 1, 1)
effectsmsh.Name = "Mesh"
local effectsg = Instance.new("Part")
effectsg.formFactor = 3
effectsg.CanCollide = false
effectsg.Name = "Eff"
effectsg.Locked = true
effectsg.Anchored = true
effectsg.Size = Vector3.new(0.5, 0.5, 0.5)
effectsg.Parent = workspace
effectsmsh.Parent = effectsg
effectsg.BrickColor = BrickColor.new("Bright blue")
effectsg.Material = "Neon"
effectsg.Reflectance = 0.25
local LP = From
local point1 = To
local mg = (LP - point1).magnitude
effectsmsh.Scale = Vector3.new(7, mg * 7, 7)
effectsg.CFrame = CFrame.new((LP + point1) / 2, point1) * CFrame.Angles(math.rad(90), 0, 0)
coroutine.resume(coroutine.create(function()
for i = 0, 1, 0.05 do
swait()
effectsg.Transparency = 1 * i
effectsmsh.Scale = Vector3.new(3 - 3 * i, mg * 5, 3 - 3 * i)
end
effectsg.Parent = nil
end))
end
local newpos = baseprt.Position
local inc = rangepower3
repeat
swait()
rangepos3 = rangepos3 - 10
hit, pos = rayCast(newpos, dir.lookVector, inc, Character)
drawtrail(newpos, pos)
newpos = newpos + dir.lookVector * inc
if hit ~= nil then
if hit.Parent:FindFirstChild("Humanoid") ~= nil then
hum = hit.Parent.Humanoid
tTorso = hit.Parent.Torso
Damagefunc(Bullet, hit, 20, 20, 10, "Normal", RootPart, 1, "Hit1", 1)
MagniDamage(hit, newpos, 15, 10, 20, 10, "Knockdown")
MagicCircle(BrickColor.new("Cyan"), tTorso.CFrame, 2, 2, 2, 10, 10, 10)
MagicBlock(BrickColor.new("Cyan"), tTorso.CFrame, 2, 2, 2, 10, 10, 10)
attackdebounce = false
elseif hit.Parent.Parent ~= nil and hit.Parent.Parent:FindFirstChild("Humanoid") ~= nil then
hum = hit.Parent.Parent.Humanoid
tTorso = hit.Parent.Parent.Torso
attackdebounce = false
end
MagniDamage(hit, newpos, 15, 10, 20, 10, "Knockdown")
MagicCircle(BrickColor.new("Bright blue"), CFrame.new(newpos), 2, 2, 2, 15, 15, 15)
MagicBlock(BrickColor.new("Bright blue"), CFrame.new(newpos), 2, 2, 2, 15, 15, 15)
MagicCircle(BrickColor.new("Bright blue"), CFrame.new(newpos), 2, 2, 2, 15, 15, 15)
MagicBlock(BrickColor.new("Bright blue"), CFrame.new(newpos), 2, 2, 2, 15, 15, 15)
MagicCircle(BrickColor.new("Bright blue"), CFrame.new(newpos), 2, 2, 2, 15, 15, 15)
MagicBlock(BrickColor.new("Bright blue"), CFrame.new(newpos), 2, 2, 2, 15, 15, 15)
end
until rangepos3 <= 0
end))
end
function MagniDamage(Hit, Part, magni, mindam, maxdam, knock, Type)
for _, c in pairs(workspace:children()) do
local hum = c:findFirstChild("Humanoid")
if hum ~= nil then
local head = c:findFirstChild("Torso")
if head ~= nil then
local targ = head.Position - Part
local mag = targ.magnitude
if magni >= mag and c.Name ~= Player.Name then
Damagefunc(Hit, head, mindam, maxdam, knock, Type, RootPart, 0.2, 1, 3)
end
end
end
end
end
function boom()
if mana >= 1 then
mana = mana - 1
else
return
end
attack = true
aim = true
Humanoid.WalkSpeed = 7
for i = 0, 1, 0.1 do
swait()
RootJoint.C0 = clerp(RootJoint.C0, RootCF * cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.3)
Torso.Neck.C0 = clerp(Torso.Neck.C0, necko * angles(math.rad(0), math.rad(0), math.rad(0)), 0.3)
RW.C0 = clerp(RW.C0, CFrame.new(1.1, 0.5, 0.2) * angles(math.rad(90), math.rad(0), math.rad(-20)), 0.3)
LW.C0 = clerp(LW.C0, CFrame.new(-0.5, 0.5, -1.2) * angles(math.rad(90), math.rad(0), math.rad(40)), 0.3)
RH.C0 = clerp(RH.C0, cf(1, -1, 0) * angles(math.rad(0), math.rad(90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
LH.C0 = clerp(LH.C0, cf(-1, -1, 0) * angles(math.rad(0), math.rad(-90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
FakeHandleweld.C0 = clerp(FakeHandleweld.C0, cf(0, 0, 0) * angles(math.rad(0), math.rad(-20), math.rad(0)), 0.3)
end
L1, L2.Enabled = true, true
if Explode == false then
so("http://www.roblox.com/asset/?id=269408478", Handle, 0.5, 1)
elseif Explode == true then
for i = 1, 20 do
so("http://www.roblox.com/asset/?id=130815729", Handle, 0.5, 1)
end
end
shoottrail(mouse, BarrelA)
for i = 0, 1, 0.1 do
swait()
RootJoint.C0 = clerp(RootJoint.C0, RootCF * cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.3)
Torso.Neck.C0 = clerp(Torso.Neck.C0, necko * angles(math.rad(-10), math.rad(0), math.rad(0)), 0.3)
RW.C0 = clerp(RW.C0, CFrame.new(1.1, 0.5, 0.2) * angles(math.rad(120), math.rad(0), math.rad(-20)), 0.5)
LW.C0 = clerp(LW.C0, CFrame.new(-0.5, 1, -1.2) * angles(math.rad(140), math.rad(0), math.rad(40)), 0.5)
RH.C0 = clerp(RH.C0, cf(1, -1, 0) * angles(math.rad(0), math.rad(90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
LH.C0 = clerp(LH.C0, cf(-1, -1, 0) * angles(math.rad(0), math.rad(-90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
FakeHandleweld.C0 = clerp(FakeHandleweld.C0, cf(0, 0, 0) * angles(math.rad(0), math.rad(-20), math.rad(0)), 0.3)
PumpHandleweld.C0 = clerp(PumpHandleweld.C0, cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.5)
end
L1, L2.Enabled = false, false
for i = 0, 1, 0.1 do
swait()
RootJoint.C0 = clerp(RootJoint.C0, RootCF * cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.3)
Torso.Neck.C0 = clerp(Torso.Neck.C0, necko * angles(math.rad(0), math.rad(0), math.rad(0)), 0.3)
RW.C0 = clerp(RW.C0, CFrame.new(1.3, 0.5, 0.2) * angles(math.rad(90), math.rad(0), math.rad(-20)), 0.3)
LW.C0 = clerp(LW.C0, CFrame.new(-0.5, 0.5, -1.2) * angles(math.rad(90), math.rad(0), math.rad(40)), 0.3)
RH.C0 = clerp(RH.C0, cf(1, -1, 0) * angles(math.rad(0), math.rad(90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
LH.C0 = clerp(LH.C0, cf(-1, -1, 0) * angles(math.rad(0), math.rad(-90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
FakeHandleweld.C0 = clerp(FakeHandleweld.C0, cf(0, 0, 0) * angles(math.rad(0), math.rad(-20), math.rad(0)), 0.3)
PumpHandleweld.C0 = clerp(PumpHandleweld.C0, cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.5)
end
for i = 0, 1, 0.1 do
swait()
RootJoint.C0 = clerp(RootJoint.C0, RootCF * cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.3)
Torso.Neck.C0 = clerp(Torso.Neck.C0, necko * angles(math.rad(10), math.rad(0), math.rad(0)), 0.3)
RW.C0 = clerp(RW.C0, CFrame.new(1.3, 0.5, 0.2) * angles(math.rad(70), math.rad(0), math.rad(-20)), 0.3)
LW.C0 = clerp(LW.C0, CFrame.new(-0.5, 0.5, -1.2) * angles(math.rad(100), math.rad(0), math.rad(30)), 0.3)
RH.C0 = clerp(RH.C0, cf(1, -1, 0) * angles(math.rad(0), math.rad(90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
LH.C0 = clerp(LH.C0, cf(-1, -1, 0) * angles(math.rad(0), math.rad(-90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
FakeHandleweld.C0 = clerp(FakeHandleweld.C0, cf(0, -0.5, 0) * angles(math.rad(-50), math.rad(0), math.rad(0)), 0.3)
PumpHandleweld.C0 = clerp(PumpHandleweld.C0, cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.5)
end
so("http://www.roblox.com/asset/?id=229859347", Handle, 1, 1)
for i = 0, 1, 0.1 do
swait()
RootJoint.C0 = clerp(RootJoint.C0, RootCF * cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.3)
Torso.Neck.C0 = clerp(Torso.Neck.C0, necko * angles(math.rad(10), math.rad(0), math.rad(0)), 0.3)
RW.C0 = clerp(RW.C0, CFrame.new(1.3, 0.5, 0.2) * angles(math.rad(70), math.rad(0), math.rad(-20)), 0.3)
LW.C0 = clerp(LW.C0, CFrame.new(-0.5, 0.5, -1) * angles(math.rad(90), math.rad(0), math.rad(30)), 0.3)
RH.C0 = clerp(RH.C0, cf(1, -1, 0) * angles(math.rad(0), math.rad(90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
LH.C0 = clerp(LH.C0, cf(-1, -1, 0) * angles(math.rad(0), math.rad(-90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
FakeHandleweld.C0 = clerp(FakeHandleweld.C0, cf(0, -0.5, 0) * angles(math.rad(-50), math.rad(0), math.rad(0)), 0.3)
PumpHandleweld.C0 = clerp(PumpHandleweld.C0, cf(0, 0, -0.5) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.5)
end
for i = 0, 1, 0.1 do
swait()
RootJoint.C0 = clerp(RootJoint.C0, RootCF * cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.3)
Torso.Neck.C0 = clerp(Torso.Neck.C0, necko * angles(math.rad(0), math.rad(0), math.rad(0)), 0.3)
RW.C0 = clerp(RW.C0, CFrame.new(1.3, 0.5, 0.2) * angles(math.rad(70), math.rad(0), math.rad(-20)), 0.3)
LW.C0 = clerp(LW.C0, CFrame.new(-0.5, 0.5, -1.2) * angles(math.rad(100), math.rad(0), math.rad(30)), 0.3)
RH.C0 = clerp(RH.C0, cf(1, -1, 0) * angles(math.rad(0), math.rad(90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
LH.C0 = clerp(LH.C0, cf(-1, -1, 0) * angles(math.rad(0), math.rad(-90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
FakeHandleweld.C0 = clerp(FakeHandleweld.C0, cf(0, -0.5, 0) * angles(math.rad(-50), math.rad(0), math.rad(0)), 0.3)
PumpHandleweld.C0 = clerp(PumpHandleweld.C0, cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.5)
end
Humanoid.WalkSpeed = 20
attack = false
end
function shakalaka()
if mana >= 2 then
mana = mana - 2
else
return
end
attack = true
aim = true
Humanoid.WalkSpeed = 7
for i = 0, 1, 0.1 do
swait()
RootJoint.C0 = clerp(RootJoint.C0, RootCF * cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.3)
Torso.Neck.C0 = clerp(Torso.Neck.C0, necko * angles(math.rad(0), math.rad(0), math.rad(0)), 0.3)
RW.C0 = clerp(RW.C0, CFrame.new(1.1, 0.5, 0.2) * angles(math.rad(90), math.rad(0), math.rad(-20)), 0.3)
LW.C0 = clerp(LW.C0, CFrame.new(-0.5, 0.5, -1.2) * angles(math.rad(90), math.rad(0), math.rad(40)), 0.3)
RH.C0 = clerp(RH.C0, cf(1, -1, 0) * angles(math.rad(0), math.rad(90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
LH.C0 = clerp(LH.C0, cf(-1, -1, 0) * angles(math.rad(0), math.rad(-90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
FakeHandleweld.C0 = clerp(FakeHandleweld.C0, cf(0, 0, 0) * angles(math.rad(0), math.rad(-20), math.rad(0)), 0.3)
end
L1, L2.Enabled = true, true
if Explode == false then
so("http://www.roblox.com/asset/?id=269408478", Handle, 0.5, 1)
elseif Explode == true then
for i = 1, 20 do
so("http://www.roblox.com/asset/?id=130815729", Handle, 0.5, 1)
end
end
for i = 1, 2 do
shoottrail2(mouse, BarrelA)
shoottrail2(mouse, BarrelB)
end
for i = 0, 1, 0.1 do
swait()
RootJoint.C0 = clerp(RootJoint.C0, RootCF * cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.3)
Torso.Neck.C0 = clerp(Torso.Neck.C0, necko * angles(math.rad(-10), math.rad(0), math.rad(0)), 0.3)
RW.C0 = clerp(RW.C0, CFrame.new(1.1, 0.5, 0.2) * angles(math.rad(120), math.rad(0), math.rad(-20)), 0.5)
LW.C0 = clerp(LW.C0, CFrame.new(-0.5, 1, -1.2) * angles(math.rad(140), math.rad(0), math.rad(40)), 0.5)
RH.C0 = clerp(RH.C0, cf(1, -1, 0) * angles(math.rad(0), math.rad(90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
LH.C0 = clerp(LH.C0, cf(-1, -1, 0) * angles(math.rad(0), math.rad(-90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
FakeHandleweld.C0 = clerp(FakeHandleweld.C0, cf(0, 0, 0) * angles(math.rad(0), math.rad(-20), math.rad(0)), 0.3)
PumpHandleweld.C0 = clerp(PumpHandleweld.C0, cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.5)
end
L1, L2.Enabled = false, false
for i = 0, 1, 0.1 do
swait()
RootJoint.C0 = clerp(RootJoint.C0, RootCF * cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.3)
Torso.Neck.C0 = clerp(Torso.Neck.C0, necko * angles(math.rad(0), math.rad(0), math.rad(0)), 0.3)
RW.C0 = clerp(RW.C0, CFrame.new(1.3, 0.5, 0.2) * angles(math.rad(90), math.rad(0), math.rad(-20)), 0.3)
LW.C0 = clerp(LW.C0, CFrame.new(-0.5, 0.5, -1.2) * angles(math.rad(90), math.rad(0), math.rad(40)), 0.3)
RH.C0 = clerp(RH.C0, cf(1, -1, 0) * angles(math.rad(0), math.rad(90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
LH.C0 = clerp(LH.C0, cf(-1, -1, 0) * angles(math.rad(0), math.rad(-90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
FakeHandleweld.C0 = clerp(FakeHandleweld.C0, cf(0, 0, 0) * angles(math.rad(0), math.rad(-20), math.rad(0)), 0.3)
PumpHandleweld.C0 = clerp(PumpHandleweld.C0, cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.5)
end
for i = 0, 1, 0.1 do
swait()
RootJoint.C0 = clerp(RootJoint.C0, RootCF * cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.3)
Torso.Neck.C0 = clerp(Torso.Neck.C0, necko * angles(math.rad(10), math.rad(0), math.rad(0)), 0.3)
RW.C0 = clerp(RW.C0, CFrame.new(1.3, 0.5, 0.2) * angles(math.rad(70), math.rad(0), math.rad(-20)), 0.3)
LW.C0 = clerp(LW.C0, CFrame.new(-0.5, 0.5, -1.2) * angles(math.rad(100), math.rad(0), math.rad(30)), 0.3)
RH.C0 = clerp(RH.C0, cf(1, -1, 0) * angles(math.rad(0), math.rad(90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
LH.C0 = clerp(LH.C0, cf(-1, -1, 0) * angles(math.rad(0), math.rad(-90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
FakeHandleweld.C0 = clerp(FakeHandleweld.C0, cf(0, -0.5, 0) * angles(math.rad(-50), math.rad(0), math.rad(0)), 0.3)
PumpHandleweld.C0 = clerp(PumpHandleweld.C0, cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.5)
end
so("http://www.roblox.com/asset/?id=229859347", Handle, 1, 1)
for i = 0, 1, 0.1 do
swait()
RootJoint.C0 = clerp(RootJoint.C0, RootCF * cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.3)
Torso.Neck.C0 = clerp(Torso.Neck.C0, necko * angles(math.rad(10), math.rad(0), math.rad(0)), 0.3)
RW.C0 = clerp(RW.C0, CFrame.new(1.3, 0.5, 0.2) * angles(math.rad(70), math.rad(0), math.rad(-20)), 0.3)
LW.C0 = clerp(LW.C0, CFrame.new(-0.5, 0.5, -1) * angles(math.rad(90), math.rad(0), math.rad(30)), 0.3)
RH.C0 = clerp(RH.C0, cf(1, -1, 0) * angles(math.rad(0), math.rad(90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
LH.C0 = clerp(LH.C0, cf(-1, -1, 0) * angles(math.rad(0), math.rad(-90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
FakeHandleweld.C0 = clerp(FakeHandleweld.C0, cf(0, -0.5, 0) * angles(math.rad(-50), math.rad(0), math.rad(0)), 0.3)
PumpHandleweld.C0 = clerp(PumpHandleweld.C0, cf(0, 0, -0.5) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.5)
end
for i = 0, 1, 0.1 do
swait()
RootJoint.C0 = clerp(RootJoint.C0, RootCF * cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.3)
Torso.Neck.C0 = clerp(Torso.Neck.C0, necko * angles(math.rad(0), math.rad(0), math.rad(0)), 0.3)
RW.C0 = clerp(RW.C0, CFrame.new(1.3, 0.5, 0.2) * angles(math.rad(70), math.rad(0), math.rad(-20)), 0.3)
LW.C0 = clerp(LW.C0, CFrame.new(-0.5, 0.5, -1.2) * angles(math.rad(100), math.rad(0), math.rad(30)), 0.3)
RH.C0 = clerp(RH.C0, cf(1, -1, 0) * angles(math.rad(0), math.rad(90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
LH.C0 = clerp(LH.C0, cf(-1, -1, 0) * angles(math.rad(0), math.rad(-90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
FakeHandleweld.C0 = clerp(FakeHandleweld.C0, cf(0, -0.5, 0) * angles(math.rad(-50), math.rad(0), math.rad(0)), 0.3)
PumpHandleweld.C0 = clerp(PumpHandleweld.C0, cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.5)
end
Humanoid.WalkSpeed = 20
attack = false
end
function shabang()
if mana >= 4 then
mana = mana - 4
else
return
end
attack = true
aim = true
Humanoid.WalkSpeed = 7
for i = 0, 1, 0.1 do
swait()
RootJoint.C0 = clerp(RootJoint.C0, RootCF * cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.3)
Torso.Neck.C0 = clerp(Torso.Neck.C0, necko * angles(math.rad(0), math.rad(0), math.rad(0)), 0.3)
RW.C0 = clerp(RW.C0, CFrame.new(1.1, 0.5, 0.2) * angles(math.rad(90), math.rad(0), math.rad(-20)), 0.3)
LW.C0 = clerp(LW.C0, CFrame.new(-0.5, 0.5, -1.2) * angles(math.rad(90), math.rad(0), math.rad(40)), 0.3)
RH.C0 = clerp(RH.C0, cf(1, -1, 0) * angles(math.rad(0), math.rad(90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
LH.C0 = clerp(LH.C0, cf(-1, -1, 0) * angles(math.rad(0), math.rad(-90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
FakeHandleweld.C0 = clerp(FakeHandleweld.C0, cf(0, 0, 0) * angles(math.rad(0), math.rad(-20), math.rad(0)), 0.3)
end
L1, L2.Enabled = true, true
if Explode == false then
so("http://www.roblox.com/asset/?id=269408478", Handle, 0.5, 1)
elseif Explode == true then
for i = 1, 20 do
so("http://www.roblox.com/asset/?id=130815729", Handle, 0.5, 1)
end
end
for i = 1, 3, 0.1 do
wait()
MagicBlock(BrickColor.new("Bright blue"), BarrelA.CFrame, 2, 2, 2, 0.5, 0.5, 0.5)
end
MagicRing(BrickColor.new("Bright blue"), BarrelA.CFrame * euler(1.57, 0, 0), 1, 1, 1, 0.5, 0.5, 0.5, 0.05, 0.4)
MagicRing(BrickColor.new("Bright blue"), BarrelA.CFrame * euler(1.57, 0, 0), 1, 1, 1, 0.3, 0.3, 0.3, 0.05, 0.6)
MagicRing(BrickColor.new("Bright blue"), BarrelA.CFrame * euler(1.57, 0, 0), 1, 1, 1, 0.1, 0.1, 0.1, 0.05, 0.8)
shoottrail3(mouse, BarrelA)
for i = 0, 1, 0.1 do
swait()
RootJoint.C0 = clerp(RootJoint.C0, RootCF * cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.3)
Torso.Neck.C0 = clerp(Torso.Neck.C0, necko * angles(math.rad(-10), math.rad(0), math.rad(0)), 0.3)
RW.C0 = clerp(RW.C0, CFrame.new(1.1, 0.5, 0.2) * angles(math.rad(120), math.rad(0), math.rad(-20)), 0.5)
LW.C0 = clerp(LW.C0, CFrame.new(-0.5, 1, -1.2) * angles(math.rad(140), math.rad(0), math.rad(40)), 0.5)
RH.C0 = clerp(RH.C0, cf(1, -1, 0) * angles(math.rad(0), math.rad(90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
LH.C0 = clerp(LH.C0, cf(-1, -1, 0) * angles(math.rad(0), math.rad(-90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
FakeHandleweld.C0 = clerp(FakeHandleweld.C0, cf(0, 0, 0) * angles(math.rad(0), math.rad(-20), math.rad(0)), 0.3)
PumpHandleweld.C0 = clerp(PumpHandleweld.C0, cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.5)
end
L1, L2.Enabled = false, false
for i = 0, 1, 0.1 do
swait()
RootJoint.C0 = clerp(RootJoint.C0, RootCF * cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.3)
Torso.Neck.C0 = clerp(Torso.Neck.C0, necko * angles(math.rad(0), math.rad(0), math.rad(0)), 0.3)
RW.C0 = clerp(RW.C0, CFrame.new(1.3, 0.5, 0.2) * angles(math.rad(90), math.rad(0), math.rad(-20)), 0.3)
LW.C0 = clerp(LW.C0, CFrame.new(-0.5, 0.5, -1.2) * angles(math.rad(90), math.rad(0), math.rad(40)), 0.3)
RH.C0 = clerp(RH.C0, cf(1, -1, 0) * angles(math.rad(0), math.rad(90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
LH.C0 = clerp(LH.C0, cf(-1, -1, 0) * angles(math.rad(0), math.rad(-90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
FakeHandleweld.C0 = clerp(FakeHandleweld.C0, cf(0, 0, 0) * angles(math.rad(0), math.rad(-20), math.rad(0)), 0.3)
PumpHandleweld.C0 = clerp(PumpHandleweld.C0, cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.5)
end
for i = 0, 1, 0.1 do
swait()
RootJoint.C0 = clerp(RootJoint.C0, RootCF * cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.3)
Torso.Neck.C0 = clerp(Torso.Neck.C0, necko * angles(math.rad(10), math.rad(0), math.rad(0)), 0.3)
RW.C0 = clerp(RW.C0, CFrame.new(1.3, 0.5, 0.2) * angles(math.rad(70), math.rad(0), math.rad(-20)), 0.3)
LW.C0 = clerp(LW.C0, CFrame.new(-0.5, 0.5, -1.2) * angles(math.rad(100), math.rad(0), math.rad(30)), 0.3)
RH.C0 = clerp(RH.C0, cf(1, -1, 0) * angles(math.rad(0), math.rad(90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
LH.C0 = clerp(LH.C0, cf(-1, -1, 0) * angles(math.rad(0), math.rad(-90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
FakeHandleweld.C0 = clerp(FakeHandleweld.C0, cf(0, -0.5, 0) * angles(math.rad(-50), math.rad(0), math.rad(0)), 0.3)
PumpHandleweld.C0 = clerp(PumpHandleweld.C0, cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.5)
end
so("http://www.roblox.com/asset/?id=229859347", Handle, 1, 1)
for i = 0, 1, 0.1 do
swait()
RootJoint.C0 = clerp(RootJoint.C0, RootCF * cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.3)
Torso.Neck.C0 = clerp(Torso.Neck.C0, necko * angles(math.rad(10), math.rad(0), math.rad(0)), 0.3)
RW.C0 = clerp(RW.C0, CFrame.new(1.3, 0.5, 0.2) * angles(math.rad(70), math.rad(0), math.rad(-20)), 0.3)
LW.C0 = clerp(LW.C0, CFrame.new(-0.5, 0.5, -1) * angles(math.rad(90), math.rad(0), math.rad(30)), 0.3)
RH.C0 = clerp(RH.C0, cf(1, -1, 0) * angles(math.rad(0), math.rad(90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
LH.C0 = clerp(LH.C0, cf(-1, -1, 0) * angles(math.rad(0), math.rad(-90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
FakeHandleweld.C0 = clerp(FakeHandleweld.C0, cf(0, -0.5, 0) * angles(math.rad(-50), math.rad(0), math.rad(0)), 0.3)
PumpHandleweld.C0 = clerp(PumpHandleweld.C0, cf(0, 0, -0.5) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.5)
end
for i = 0, 1, 0.1 do
swait()
RootJoint.C0 = clerp(RootJoint.C0, RootCF * cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.3)
Torso.Neck.C0 = clerp(Torso.Neck.C0, necko * angles(math.rad(0), math.rad(0), math.rad(0)), 0.3)
RW.C0 = clerp(RW.C0, CFrame.new(1.3, 0.5, 0.2) * angles(math.rad(70), math.rad(0), math.rad(-20)), 0.3)
LW.C0 = clerp(LW.C0, CFrame.new(-0.5, 0.5, -1.2) * angles(math.rad(100), math.rad(0), math.rad(30)), 0.3)
RH.C0 = clerp(RH.C0, cf(1, -1, 0) * angles(math.rad(0), math.rad(90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
LH.C0 = clerp(LH.C0, cf(-1, -1, 0) * angles(math.rad(0), math.rad(-90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
FakeHandleweld.C0 = clerp(FakeHandleweld.C0, cf(0, -0.5, 0) * angles(math.rad(-50), math.rad(0), math.rad(0)), 0.3)
PumpHandleweld.C0 = clerp(PumpHandleweld.C0, cf(0, 0, 0) * angles(math.rad(0), math.rad(0), math.rad(0)), 0.5)
end
Humanoid.WalkSpeed = 20
attack = false
end
Bin = script.Parent
function ob1u(mouse)
end
function ob1d(mouse)
if attack == false then
Fire()
end
end
function key(k)
k = k:lower()
if attack == false then
if k == "z" then
boom()
end
if k == "x" then
shakalaka()
end
if k == "c" then
shabang()
end
end
end
function ds(mouse)
end
function s(mouse)
print("Selected")
mouse.Button1Down:connect(function()
ob1d(mouse)
end)
mouse.Button1Up:connect(function()
ob1u(mouse)
end)
mouse.KeyDown:connect(key)
MMouse = mouse
end
Bin.Selected:connect(s)
Bin.Deselected:connect(ds)
local sine = 0
local change = 1
local val = 0
local donum = 0
local idle = 0
while true do
swait()
sine = sine + change
local torvel = (RootPart.Velocity * Vector3.new(1, 0, 1)).magnitude
local velderp = RootPart.Velocity.y
hitfloor, posfloor = rayCast(RootPart.Position, CFrame.new(RootPart.Position, RootPart.Position - Vector3.new(0, 1, 0)).lookVector, 4, Character)
if equipped == true or equipped == false then
if attack == false then
idle = idle + 1
else
idle = 0
end
if donum >= 0.5 then
handidle = true
elseif donum <= 0 then
handidle = false
end
if handidle == false then
donum = donum + 0.003
else
donum = donum - 0.003
end
if 1 < RootPart.Velocity.y and hitfloor == nil then
Anim = "Jump"
if attack == false then
RootJoint.C0 = clerp(RootJoint.C0, RootCF * cf(0, 0, 0) * angles(math.rad(-5), math.rad(0), math.rad(-15)), 0.3)
Torso.Neck.C0 = clerp(Torso.Neck.C0, necko * angles(math.rad(-5), math.rad(0), math.rad(15)), 0.3)
RW.C0 = clerp(RW.C0, CFrame.new(1.5, 0.5, 0) * angles(math.rad(30), math.rad(0), math.rad(15)), 0.3)
LW.C0 = clerp(LW.C0, CFrame.new(-1.5, 0.5, 0) * angles(math.rad(-10), math.rad(0), math.rad(-20)), 0.3)
RH.C0 = clerp(RH.C0, cf(1, -1, 0) * angles(math.rad(0), math.rad(90), math.rad(20)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
LH.C0 = clerp(LH.C0, cf(-1, -1, 0) * angles(math.rad(0), math.rad(-75), math.rad(-10)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
FakeHandleweld.C0 = clerp(FakeHandleweld.C0, cf(0, 1, -1) * angles(math.rad(-170), math.rad(0), math.rad(0)), 0.3)
end
elseif -1 > RootPart.Velocity.y and hitfloor == nil then
Anim = "Fall"
if attack == false then
RootJoint.C0 = clerp(RootJoint.C0, RootCF * cf(0, 0, 0) * angles(math.rad(5), math.rad(0), math.rad(-15)), 0.3)
Torso.Neck.C0 = clerp(Torso.Neck.C0, necko * angles(math.rad(5), math.rad(0), math.rad(15)), 0.3)
RW.C0 = clerp(RW.C0, CFrame.new(1.5, 0.5, 0) * angles(math.rad(30), math.rad(0), math.rad(15)), 0.3)
LW.C0 = clerp(LW.C0, CFrame.new(-1.5, 0.5, 0) * angles(math.rad(-10), math.rad(0), math.rad(-30)), 0.3)
RH.C0 = clerp(RH.C0, cf(1, -1, 0) * angles(math.rad(0), math.rad(90), math.rad(20)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
LH.C0 = clerp(LH.C0, cf(-1, -1, 0) * angles(math.rad(0), math.rad(-75), math.rad(-10)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
FakeHandleweld.C0 = clerp(FakeHandleweld.C0, cf(0, 1, -1) * angles(math.rad(-170), math.rad(0), math.rad(0)), 0.3)
end
elseif torvel < 1 and hitfloor ~= nil then
Anim = "Idle"
if attack == false then
RootJoint.C0 = clerp(RootJoint.C0, RootCF * cf(0, 0, 0) * angles(math.rad(5), math.rad(0), math.rad(-15)), 0.3)
Torso.Neck.C0 = clerp(Torso.Neck.C0, necko * angles(math.rad(5), math.rad(0), math.rad(15)), 0.3)
RW.C0 = clerp(RW.C0, CFrame.new(1.5, 0.5, 0) * angles(math.rad(30), math.rad(0), math.rad(10)), 0.3)
LW.C0 = clerp(LW.C0, CFrame.new(-1.5, 0.5, 0) * angles(math.rad(-10), math.rad(0), math.rad(-10)), 0.3)
RH.C0 = clerp(RH.C0, cf(1, -1, 0) * angles(math.rad(0), math.rad(90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
LH.C0 = clerp(LH.C0, cf(-1, -1, 0) * angles(math.rad(0), math.rad(-75), math.rad(-10)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
FakeHandleweld.C0 = clerp(FakeHandleweld.C0, cf(0, 1, -1) * angles(math.rad(-170), math.rad(0), math.rad(0)), 0.3)
end
elseif torvel > 2 and hitfloor ~= nil then
Anim = "Walk"
if attack == false then
change = 3
RootJoint.C0 = clerp(RootJoint.C0, RootCF * cf(0, 0, 0) * angles(math.rad(10), math.rad(0), math.rad(0)), 0.3)
Torso.Neck.C0 = clerp(Torso.Neck.C0, necko * angles(math.rad(-5), math.rad(0), math.rad(0)), 0.3)
RW.C0 = clerp(RW.C0, CFrame.new(1.5, 0.5, 0) * angles(math.rad(40), math.rad(0), math.rad(10)), 0.3)
LW.C0 = clerp(LW.C0, CFrame.new(-1.5, 0.5, 0) * angles(math.rad(-30 * math.cos(sine / 15)), math.rad(0), math.rad(-10)), 0.3)
RH.C0 = clerp(RH.C0, cf(1, -1, 0) * angles(math.rad(0), math.rad(90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
LH.C0 = clerp(LH.C0, cf(-1, -1, 0) * angles(math.rad(0), math.rad(-90), math.rad(0)) * angles(math.rad(-3), math.rad(0), math.rad(0)), 0.3)
FakeHandleweld.C0 = clerp(FakeHandleweld.C0, cf(0, 1, -1) * angles(math.rad(-170), math.rad(0), math.rad(0)), 0.3)
end
end
end
if #Effects > 0 then
for e = 1, #Effects do
if Effects[e] ~= nil then
local Thing = Effects[e]
if Thing ~= nil then
local Part = Thing[1]
local Mode = Thing[2]
local Delay = Thing[3]
local IncX = Thing[4]
local IncY = Thing[5]
local IncZ = Thing[6]
if 1 >= Thing[1].Transparency then
if Thing[2] == "Block1" then
Thing[1].CFrame = Thing[1].CFrame * euler(math.random(-50, 50), math.random(-50, 50), math.random(-50, 50))
Mesh = Thing[1].Mesh
Mesh.Scale = Mesh.Scale + vt(Thing[4], Thing[5], Thing[6])
Thing[1].Transparency = Thing[1].Transparency + Thing[3]
elseif Thing[2] == "Cylinder" then
Mesh = Thing[1].Mesh
Mesh.Scale = Mesh.Scale + vt(Thing[4], Thing[5], Thing[6])
Thing[1].Transparency = Thing[1].Transparency + Thing[3]
elseif Thing[2] == "Blood" then
Mesh = Thing[7]
Thing[1].CFrame = Thing[1].CFrame * cf(0, 0.5, 0)
Mesh.Scale = Mesh.Scale + vt(Thing[4], Thing[5], Thing[6])
Thing[1].Transparency = Thing[1].Transparency + Thing[3]
elseif Thing[2] == "Elec" then
Mesh = Thing[1].Mesh
Mesh.Scale = Mesh.Scale + vt(Thing[7], Thing[8], Thing[9])
Thing[1].Transparency = Thing[1].Transparency + Thing[3]
elseif Thing[2] == "Disappear" then
Thing[1].Transparency = Thing[1].Transparency + Thing[3]
end
else
Part.Parent = nil
table.remove(Effects, e)
end
end
end
end
end
end
|
-- roles.lua :
-- LICENSE: The MIT License (MIT)
--
-- Copyright (c) 2016 Pascal TROUVIN
--
-- For Microsoft Azure
-- Author: Pascal Trouvin
--
-- History:
-- 20160203: 1st version
-- import requirements
-- allow either cjson, or th-LuaJSON
local has_cjson, jsonmod = pcall(require, "cjson")
if not has_cjson then
jsonmod = require "json"
end
local http = require "resty.http"
local scheme = ngx.var.scheme
local server_name = ngx.var.server_name
local tenant_id = ngx.var.ngo_tenant_id
local uri_args = ngx.req.get_uri_args()
local group_id = uri_args["group_id"] or ""
local user = ngx.var.cookie_OauthEmail or "UNKNOWN"
ngx.log(ngx.ERR, "user:"..user.." GROUP_REQUEST:"..group_id)
local oauth_expires = tonumber(ngx.var.cookie_OauthExpires) or 0
local oauth_email = ngx.unescape_uri(ngx.var.cookie_OauthEmail or "")
local oauth_token_sign = ngx.unescape_uri(ngx.var.cookie_OauthAccessTokenSign or "")
local access_token = ngx.unescape_uri(ngx.var.cookie_OauthAccessToken or "")
local expected_token = ngx.encode_base64(ngx.hmac_sha1(token_secret, cb_server_name .. access_token .. oauth_email .. oauth_expires))
local _debug = ngx.var.ngo_debug
if _debug == "0" or _debug == "false" then
_debug = false;
end
function getGroupsDetails(group_id)
local httpc = http.new()
local res, err = httpc:request_uri("https://graph.windows.net:443/"..tenant_id.."/groups/"..group_id.."?api-version=1.0", {
method = "GET",
headers = {
["Authorization"] = "Bearer "..access_token,
["Host"] = "graph.windows.net"
},
ssl_verify = false
})
if not res then
ngx.log(ngx.ERR, "failed to request: ".. err)
return jsonmod.decode(err)
end
if _debug then
ngx.log(ngx.ERR, "DEBUG BODY: "..res.body.." headers: "..jsonmod.encode(res.headers))
end
if res.status~=200 then
ngx.log(ngx.ERR, "received "..res.status.." : "..res.body.." from https://graph.windows.net:443/"..tenant_id.."/groups/"..group_id.."?api-version=1.0")
end
return jsonmod.decode(res.body)
end
if oauth_token_sign != expected_token or oauth_expires or oauth_expires <= ngx.time() then
-- token invalid or expired
ngx.log(ngx.ERR, "roles access requested while invalid token")
return ngx.exit(ngx.HTTP_UNAUTHORIZED)
end
-- groupsData : hash table which will be sent back at the end
local groupsData={}
if string.len(group_id) == 0 then
-- retrieve groups id from user OAUTH.access_token
-- split and interpret access_token
local alg, claims, sign = access_token:match('^([^.]+)[.]([^.]+)[.](.*)')
if _debug then
ngx.log(ngx.ERR, "DEBUG: token split "..alg..' . '..claims..' . '..sign)
end
local _claims = ngx.decode_base64( claims )
if _debug then
ngx.log(ngx.ERR, "DEBUG: claims JSON ".._claims)
end
local json_claims = jsonmod.decode(_claims)
local groups = json_claims["groups"]
if not groups then
ngx.log(ngx.ERR, "User: "..user.." unable to retrieve GROUPS from token: ".._claims)
return ngx.exit(400)
end
if _debug then
ngx.log(ngx.ERR, "User: "..user.." GROUPS: "..type(groups).." = "..jsonmod.encode(groups))
end
for i=1,#groups do
local gid=groups[i]
groupsData[gid]=getGroupsDetails(gid)
end
else
groupsData[groupd_id]=getGroupsDetails(group_id)
end
if not uri_args["as_text"] then
ngx.header["Content-Type"] = {"application/x-json"}
end
ngx.say(jsonmod.encode(groupsData))
|
-------------------------------------------------------------------------------
-- Importing module
-------------------------------------------------------------------------------
local http = require "socket.http"
local https = require "ssl.https"
local url = require "socket.url"
local table = require "table"
local ltn12 = require "ltn12"
local base64 = require "elasticsearch.Base64"
-------------------------------------------------------------------------------
-- Declaring module
-------------------------------------------------------------------------------
local Connection = {}
-------------------------------------------------------------------------------
-- Declaring instance variables
-------------------------------------------------------------------------------
-- The protocol of the connection
Connection.protocol = nil
-- The host where the connection should be made
Connection.host = nil
-- The port at which the connection should be made
Connection.port = nil
-- The username which the connection may be made
Connection.username = nil
-- The password which the connection may be made
Connection.password = nil
-- The timeout for a ping/sniff request
Connection.pingTimeout = nil
-- The last timestamp where it was marked alive
Connection.lastPing = 0
-- The number of times it was marked dead continuously
Connection.failedPings = 0
-- Whether the client is alive or not
Connection.alive = false
-- How to verify HTTPS certs
Connection.verify = "none"
-- Location of ca cert file if verification is set to "peer"
Connection.cafile = ""
-- The logger instance
Connection.logger = nil
-- The standard requester
Connection.requestEngine = nil
-------------------------------------------------------------------------------
-- Makes a request to target server
--
-- @param method The HTTP method to be used
-- @param uri The HTTP URI for the request
-- @param params The optional URI parameters to be passed
-- @param body The body to passed if any
-- @param timeout The timeout(if any) in seconds
--
-- @return table The response returned
-------------------------------------------------------------------------------
function Connection:request(method, uri, params, body, timeout)
-- Building URI
local uri = self:buildURI(uri, params)
-- Checking if an overloaded requester is provided
if self.requestEngine ~= "LuaSocket" then
return self.requestEngine(method, uri, body, timeout)
end
-- The responseBody table
local responseBody = {}
-- The response table
local response = {}
-- The request table
local request = {
method = method,
url = uri,
sink = ltn12.sink.table(responseBody)
}
request.headers = {}
if body ~= nil then
-- Adding body to request
request.headers["Content-Length"] = body:len()
request.headers["Content-Type"] = 'application/json'
request.source = ltn12.source.string(body)
end
-- Adding auth to request
if self.username ~= nil and self.password ~= nil then
local authStr = base64:enc(self.username .. ':' .. self.password)
request.headers['Authorization'] = 'Basic ' .. authStr
end
if timeout ~= nil then
-- Setting timeout for request
http.TIMEOUT = timeout
https.TIMEOUT = timeout
end
-- Making the actual request
if (self.protocol == "https")
then
request.verify = self.verify
if self.cafile ~= nil and self.cafile ~= "" and self.verify ~= "none"
then
request.cafile = self.cafile
end
response.code, response.statusCode, response.headers, response.statusLine
= https.request(request)
self.logger:debug("Got HTTPS " .. response.statusCode)
https.TIMEOUT = nil
else
response.code, response.statusCode, response.headers, response.statusLine
= http.request(request)
self.logger:debug("Got HTTP " .. response.statusCode)
http.TIMEOUT = nil
end
response.body = table.concat(responseBody)
return response
end
-------------------------------------------------------------------------------
-- Pings the target server and sets alive variable appropriately
--
-- @return boolean The status whether the Node is alive or not
-------------------------------------------------------------------------------
function Connection:ping()
local response = self:request('HEAD', '', nil, nil, self.pingTimeout)
if response.code ~= nil and response.statusCode == 200 then
self:markAlive()
return true
else
self:markDead()
return false
end
end
-------------------------------------------------------------------------------
-- Sniffs the network to collect information about other nodes in the cluster
--
-- @return table The details about other nodes
-------------------------------------------------------------------------------
function Connection:sniff()
return self:request('GET', '/_nodes/_all/clear', nil, nil, self.pingTimeout)
end
-------------------------------------------------------------------------------
-- Builds the query string from the query table
--
-- @param params The query as a table
--
-- @return string The query as a string
-------------------------------------------------------------------------------
function Connection:buildQuery(params)
local query = ''
for k, v in pairs(params) do
query = query .. k .. '=' .. v .. '&'
end
return query:sub(1, query:len()-1)
end
-------------------------------------------------------------------------------
-- Builds the URL according to protocol, host, port, uri and params
--
-- @param uri The HTTP URI for the request
-- @param params The optional URI parameters to be passed
--
-- @return string The final built URI
-------------------------------------------------------------------------------
function Connection:buildURI(uri, params)
local urlComponents = {
scheme = self.protocol,
host = self.host,
port = self.port,
path = uri
}
if params ~= nil then
urlComponents.query = self:buildQuery(params)
end
return url.build(urlComponents)
end
-------------------------------------------------------------------------------
-- Marks the connection alive
-------------------------------------------------------------------------------
function Connection:markAlive()
self.alive = true
self.failedPings = 0
self.lastPing = os.time()
self.logger:debug(self:toString() .. " marked alive")
end
-------------------------------------------------------------------------------
-- Marks the connection alive
-------------------------------------------------------------------------------
function Connection:markDead()
self.alive = false
self.failedPings = self.failedPings + 1
self.lastPing = os.time()
self.logger:debug(self:toString() .. " marked dead")
end
-------------------------------------------------------------------------------
-- Returns the connection description as a string
--
-- @return string The details about the connection as a string
-------------------------------------------------------------------------------
function Connection:toString()
return(self.protocol .. "://" .. self.host .. ":" .. self.port)
end
-------------------------------------------------------------------------------
-- Returns an instance of Connection class
-------------------------------------------------------------------------------
function Connection:new(o)
o = o or {}
setmetatable(o, self)
self.__index = self
return o
end
return Connection
|
-- CLIENTSIDED --
Citizen.CreateThread(function()
while true do
Citizen.Wait(0)
SetCanAttackFriendly(GetPlayerPed(-1), true, false)
NetworkSetFriendlyFireOption(true)
end
end) |
includeFile("tangible/tcg/series8/decorative_bespin_lamp_off.lua")
includeFile("tangible/tcg/series8/combine_decorative_bespin_lamp_off.lua")
includeFile("tangible/tcg/series8/decorative_bespin_glass_sculpture.lua")
includeFile("tangible/tcg/series8/decorative_bespin_sconce_off.lua")
includeFile("tangible/tcg/series8/painting_tcg8_victory.lua")
includeFile("tangible/tcg/series8/deco_bespin_house.lua")
includeFile("tangible/tcg/series8/decorative_bespin_sconce_on.lua")
includeFile("tangible/tcg/series8/painting_han_leia.lua")
includeFile("tangible/tcg/series8/painting_tcg8_vintage.lua")
includeFile("tangible/tcg/series8/diorama_bespin_city.lua")
includeFile("tangible/tcg/series8/painting_tcg8_yoda.lua")
includeFile("tangible/tcg/series8/decorative_bespin_shelves.lua")
includeFile("tangible/tcg/series8/combine_decorative_bespin_lamp_on.lua")
includeFile("tangible/tcg/series8/combine_decorative_bespin_shelves.lua")
includeFile("tangible/tcg/series8/decorative_bespin_lamp_on.lua")
|
require "lib.classes.class"
require "Battle.consts"
local Action = require("Battle.model.actions.Action")
--------------------------------------------------------------------------------------------------------
-- class: ActionBuilder
-- A builder class for an action
local ActionBuilder = class(function(self)
self:reset()
end)
-- reset: None -> ActionBuilder
-- Resets the internnal parameters of the action builder
function ActionBuilder.reset(self)
self.id = 1
self.name = "???"
self.description = "???"
self.item_requirements = {}
self.start_piece = BATTLE_ACTION_PIECE_BORDER
self.end_piece = BATTLE_ACTION_PIECE_BORDER
self.target = BATTLE_TARGET_NONE
self.type = BATTLE_ACTION_OTHER_TYPE
self.action_fun = function(source_entity, target_entity) end
self.icon_path = nil
return self
end
-- getAction: None -> Action
-- Returns the result action of the builder
function ActionBuilder.getAction(self)
if self.icon_path == nil then
self.icon_path = BATTLE_ACTION_DEFAULT_ICON_DIR .. self.start_piece .. self.end_piece .. ".png"
end
return Action.new(
self.id,
self.name,
self.description,
self.item_requirements,
self.start_piece,
self.end_piece,
self.target,
self.type,
self.action_fun,
self.icon_path
)
end
-- setters
function ActionBuilder.setId(self, new_id)
self.id = new_id
return self
end
function ActionBuilder.setName(self, new_name)
self.name = new_name
return self
end
function ActionBuilder.setDescription(self, new_description)
self.description = new_description
return self
end
function ActionBuilder.addItemRequirement(self, new_item_id, cuantity)
self.item_requirements[new_item_id] = cuantity
return self
end
function ActionBuilder.setStartPiece(self, new_start_piece)
self.start_piece = new_start_piece
return self
end
function ActionBuilder.setEndPiece(self, new_end_piece)
self.end_piece = new_end_piece
return self
end
function ActionBuilder.setTarget(self, new_target)
self.target = new_target
return self
end
function ActionBuilder.setType(self, new_type)
self.type = new_type
return self
end
function ActionBuilder.setActionFunction(self, new_action_fun)
self.action_fun = new_action_fun
return self
end
function ActionBuilder.setIconPath(self, new_icon_path)
self.icon_path = new_icon_path
return self
end
return ActionBuilder |
local _tl_compat; if (tonumber((_VERSION or ''):match('[%d.]*$')) or 0) < 5.3 then local p, m = true, require('compat53.module'); if p then _tl_compat = m end end; local assert = _tl_compat and _tl_compat.assert or assert; local pairs = _tl_compat and _tl_compat.pairs or pairs; local table = _tl_compat and _tl_compat.table or table
local common = require("cyan.tlcommon")
local fs = require("cyan.fs")
local util = require("cyan.util")
local values, ivalues, keys, from =
util.tab.values, util.tab.ivalues, util.tab.keys, util.tab.from
local Node = {}
local function make_node(input)
return {
input = input,
modules = {},
dependents = {},
}
end
local Dag = {}
local function mark_for_typecheck(n)
if n.mark then return end
n.mark = "typecheck"
for child in keys(n.dependents) do
mark_for_typecheck(child)
end
end
local function mark_for_compile(n)
if n.mark == "compile" then return end
n.mark = "compile"
for child in keys(n.dependents) do
mark_for_typecheck(child)
end
end
local function make_dependent_counter()
local cache = {}
local function count_dependents(n)
if cache[n] then return cache[n] end
local deps = 0
for v in keys(n.dependents) do
deps = deps + count_dependents(v) + 1
end
cache[n] = deps
return deps
end
return count_dependents
end
function Dag:nodes()
local count = make_dependent_counter()
local most_deps = 0
local nodes_by_deps = setmetatable({}, {
__index = function(self, key)
if key > most_deps then
most_deps = key
end
local arr = {}
rawset(self, key, arr)
return arr
end,
})
for n in values(self._nodes_by_filename) do
table.insert(nodes_by_deps[count(n)], n)
end
setmetatable(nodes_by_deps, nil)
local i = most_deps
if not nodes_by_deps[i] then
return function() end
end
local iter = values(nodes_by_deps[i])
return function()
local n
while i >= 0 do
n = iter()
if n then
return n
end
repeat i = i - 1
until i < 0 or nodes_by_deps[i]
if nodes_by_deps[i] then
iter = values(nodes_by_deps[i])
end
end
end
end
function Dag:mark_each(predicate)
for n in self:nodes() do
if predicate(n.input) then
mark_for_compile(n)
end
end
end
function Dag:marked_nodes(m)
local iter = self:nodes()
return function()
local n
repeat n = iter()
until not n or
n.mark == m; return n
end
end
local graph = {
Node = Node,
Dag = Dag,
}
function graph.empty()
return setmetatable({
_nodes_by_filename = {},
}, { __index = Dag })
end
local function add_deps(t, n)
for child in pairs(n.dependents) do
if not t[child] then
t[child] = true
add_deps(t, child)
end
end
t[n] = true
end
local function unchecked_insert(dag, f, in_dir)
if f:is_absolute() then
return
end
local real_path = f:to_real_path()
if dag._nodes_by_filename[real_path] then
return
end
local _, ext = fs.extension_split(f, 2)
if ext ~= ".tl" then
return
end
local res = common.parse_file(real_path)
if not res then return end
local n = make_node(f)
dag._nodes_by_filename[real_path] = n
for mod_name in ivalues(res.reqs) do
local search_result = common.search_module(mod_name, true)
if search_result then
if in_dir and search_result:is_absolute() and search_result:is_in(in_dir) then
search_result = fs.path.new(search_result:relative_to(in_dir))
assert(not search_result:is_absolute())
end
n.modules[mod_name] = search_result
if not in_dir or search_result:is_in(in_dir) then
unchecked_insert(dag, search_result, in_dir)
end
end
end
for node in values(dag._nodes_by_filename) do
for mod_path in values(node.modules) do
local dep_node = dag._nodes_by_filename[mod_path:to_real_path()]
if dep_node then
add_deps(dep_node.dependents, node)
end
end
end
end
local function check_for_cycles(dag)
local ret = {}
for fname, n in pairs(dag._nodes_by_filename) do
if n.dependents[n] then
ret[fname] = true
end
end
if next(ret) then
return from(keys(ret))
end
end
function Dag:insert_file(fstr, in_dir)
local f = type(fstr) == "table" and
fstr or
fs.path.new(fstr)
assert(f, "No path given")
unchecked_insert(self, f, fs.path.ensure(in_dir))
local cycles = check_for_cycles(self)
if cycles then
return false, cycles
else
return true
end
end
function Dag:find(fstr)
local f = fs.path.ensure(fstr)
return self._nodes_by_filename[f:to_real_path()]
end
function graph.scan_dir(dir, include, exclude)
local d = graph.empty()
dir = fs.path.ensure(dir)
for p in fs.scan_dir(dir, include, exclude) do
local _, ext = fs.extension_split(p, 2)
if ext == ".tl" then
unchecked_insert(d, dir .. p, dir)
end
end
local cycles = check_for_cycles(d)
if cycles then
return nil, cycles
else
return d
end
end
return graph |
local lfs = require 'lfs'
local sysinfo = require 'utils.sysinfo'
local class = require 'middleclass'
local focas_ubus = class('FANUC_FOCAS_UBUS_S')
---
function focas_ubus:initialize(app_dir)
assert(app_dir)
self._app_dir = app_dir
local arch = sysinfo.cpu_arch_short()
assert(arch == 'arm', 'Currently only arm is supported! '..arch)
self._arch = arch
end
function focas_ubus:prepare()
assert(self._arch)
if self._arch == 'arm' then
local sysroot = '/usr/focas_armhf_rootfs/sysroot'
if lfs.attributes(sysroot .. '/bin', 'mode') ~= 'directory' then
return nil, "Focas armhf rootfs is not installed"
end
return self:prepare_armhf_rootfs(sysroot)
end
return nil, string.format("CPU archture: %s is not supported.", self._arch)
end
function focas_ubus:prepare_armhf_rootfs(sysroot)
local cp_chroot = string.format('cp "%s/bin/arm/arch-chroot" %s/bin/arch-chroot', self._app_dir, sysroot)
local cp_focas_ubus = string.format('cp "%s/bin/arm/focas_ubus" %s/bin/focas_ubus', self._app_dir, sysroot)
os.execute(cp_chroot)
os.execute(cp_focas_ubu)
local init_d_script = '/etc/init.d/focas_ubus'
if lfs.attributes(init_d_script, 'mode') then
os.execute(init_d_script..' stop')
else
os.execute(string.format('ln -s %s/init.d/arm/focas_ubus '..init_d_script, self._app_dir))
end
end
function focas_ubus:start()
if not self._arch then
return
end
local init_d_script = '/etc/init.d/focas_ubus'
os.execute(init_d_script..' start')
end
function focas_ubus:stop()
if not self._arch then
return
end
local init_d_script = '/etc/init.d/focas_ubus'
os.execute(init_d_script..' stop')
end
function focas_ubus:remove()
if not self._arch then
return
end
self:stop()
local init_d_script = '/etc/init.d/focas_ubus'
os.execute('rm -f '..init_d_script)
end
function focas_ubus:__gc()
self:remove()
end
return focas_ubus
|
local Entity = require "lib.concord.entity"
local Position = require "src.components.Position"
local Sprite = require "src.components.Sprite"
local MovementController = require "src.components.MovementController"
local PlayerEntity = Entity()
-- A player has the following components:
PlayerEntity:give(Position, 0, 0) -- Start in the top-left
PlayerEntity:give(Sprite, "res/placeholders/alien.png")
PlayerEntity:give(MovementController, 16)
return PlayerEntity |
possibleSpells = {
}
|
includeFile("ais.lua") |
-- Zancudo Gates (GTAO like): -1600.30100000 2806.73100000 18.79683000
exports('GetZancudoGatesObject', function()
return ZancudoGates
end)
ZancudoGates = {
Gates = {
Open = function()
EnableIpl("CS3_07_MPGates", false)
end,
Close = function()
EnableIpl("CS3_07_MPGates", true)
end,
},
LoadDefault = function()
ZancudoGates.Gates.Open()
end
}
|
----------------------------------------------------------------------------
-- LuaJIT MIPS disassembler module.
--
-- Copyright (C) 2005-2011 Mike Pall. All rights reserved.
-- Released under the MIT/X license. See Copyright Notice in luajit.h
----------------------------------------------------------------------------
-- This is a helper module used by the LuaJIT machine code dumper module.
--
-- It disassembles all standard MIPS32R1/R2 instructions.
-- Default mode is big-endian, but see: dis_mipsel.lua
------------------------------------------------------------------------------
local type = type
local sub, byte, format = string.sub, string.byte, string.format
local match, gmatch, gsub = string.match, string.gmatch, string.gsub
local concat = table.concat
local bit = require("bit")
local band, bor, tohex = bit.band, bit.bor, bit.tohex
local lshift, rshift, arshift = bit.lshift, bit.rshift, bit.arshift
------------------------------------------------------------------------------
-- Primary and extended opcode maps
------------------------------------------------------------------------------
local map_movci = { shift = 16, mask = 1, [0] = "movfDSC", "movtDSC", }
local map_srl = { shift = 21, mask = 1, [0] = "srlDTA", "rotrDTA", }
local map_srlv = { shift = 6, mask = 1, [0] = "srlvDTS", "rotrvDTS", }
local map_special = {
shift = 0, mask = 63,
[0] = { shift = 0, mask = -1, [0] = "nop", _ = "sllDTA" },
map_movci, map_srl, "sraDTA",
"sllvDTS", false, map_srlv, "sravDTS",
"jrS", "jalrD1S", "movzDST", "movnDST",
"syscallY", "breakY", false, "sync",
"mfhiD", "mthiS", "mfloD", "mtloS",
false, false, false, false,
"multST", "multuST", "divST", "divuST",
false, false, false, false,
"addDST", "addu|moveDST0", "subDST", "subu|neguDS0T",
"andDST", "orDST", "xorDST", "nor|notDST0",
false, false, "sltDST", "sltuDST",
false, false, false, false,
"tgeSTZ", "tgeuSTZ", "tltSTZ", "tltuSTZ",
"teqSTZ", false, "tneSTZ",
}
local map_special2 = {
shift = 0, mask = 63,
[0] = "maddST", "madduST", "mulDST", false,
"msubST", "msubuST",
[32] = "clzDS", [33] = "cloDS",
[63] = "sdbbpY",
}
local map_bshfl = {
shift = 6, mask = 31,
[2] = "wsbhDT",
[16] = "sebDT",
[24] = "sehDT",
}
local map_special3 = {
shift = 0, mask = 63,
[0] = "extTSAK", [4] = "insTSAL",
[32] = map_bshfl,
[59] = "rdhwrTD",
}
local map_regimm = {
shift = 16, mask = 31,
[0] = "bltzSB", "bgezSB", "bltzlSB", "bgezlSB",
false, false, false, false,
"tgeiSI", "tgeiuSI", "tltiSI", "tltiuSI",
"teqiSI", false, "tneiSI", false,
"bltzalSB", "bgezalSB", "bltzallSB", "bgezallSB",
false, false, false, false,
false, false, false, false,
false, false, false, "synciSO",
}
local map_cop0 = {
shift = 25, mask = 1,
[0] = {
shift = 21, mask = 15,
[0] = "mfc0TDW", [4] = "mtc0TDW",
[10] = "rdpgprDT",
[11] = { shift = 5, mask = 1, [0] = "diT0", "eiT0", },
[14] = "wrpgprDT",
}, {
shift = 0, mask = 63,
[1] = "tlbr", [2] = "tlbwi", [6] = "tlbwr", [8] = "tlbp",
[24] = "eret", [31] = "deret",
[32] = "wait",
},
}
local map_cop1s = {
shift = 0, mask = 63,
[0] = "add.sFGH", "sub.sFGH", "mul.sFGH", "div.sFGH",
"sqrt.sFG", "abs.sFG", "mov.sFG", "neg.sFG",
"round.l.sFG", "trunc.l.sFG", "ceil.l.sFG", "floor.l.sFG",
"round.w.sFG", "trunc.w.sFG", "ceil.w.sFG", "floor.w.sFG",
false,
{ shift = 16, mask = 1, [0] = "movf.sFGC", "movt.sFGC" },
"movz.sFGT", "movn.sFGT",
false, "recip.sFG", "rsqrt.sFG", false,
false, false, false, false,
false, false, false, false,
false, "cvt.d.sFG", false, false,
"cvt.w.sFG", "cvt.l.sFG", "cvt.ps.sFGH", false,
false, false, false, false,
false, false, false, false,
"c.f.sVGH", "c.un.sVGH", "c.eq.sVGH", "c.ueq.sVGH",
"c.olt.sVGH", "c.ult.sVGH", "c.ole.sVGH", "c.ule.sVGH",
"c.sf.sVGH", "c.ngle.sVGH", "c.seq.sVGH", "c.ngl.sVGH",
"c.lt.sVGH", "c.nge.sVGH", "c.le.sVGH", "c.ngt.sVGH",
}
local map_cop1d = {
shift = 0, mask = 63,
[0] = "add.dFGH", "sub.dFGH", "mul.dFGH", "div.dFGH",
"sqrt.dFG", "abs.dFG", "mov.dFG", "neg.dFG",
"round.l.dFG", "trunc.l.dFG", "ceil.l.dFG", "floor.l.dFG",
"round.w.dFG", "trunc.w.dFG", "ceil.w.dFG", "floor.w.dFG",
false,
{ shift = 16, mask = 1, [0] = "movf.dFGC", "movt.dFGC" },
"movz.dFGT", "movn.dFGT",
false, "recip.dFG", "rsqrt.dFG", false,
false, false, false, false,
false, false, false, false,
"cvt.s.dFG", false, false, false,
"cvt.w.dFG", "cvt.l.dFG", false, false,
false, false, false, false,
false, false, false, false,
"c.f.dVGH", "c.un.dVGH", "c.eq.dVGH", "c.ueq.dVGH",
"c.olt.dVGH", "c.ult.dVGH", "c.ole.dVGH", "c.ule.dVGH",
"c.df.dVGH", "c.ngle.dVGH", "c.deq.dVGH", "c.ngl.dVGH",
"c.lt.dVGH", "c.nge.dVGH", "c.le.dVGH", "c.ngt.dVGH",
}
local map_cop1ps = {
shift = 0, mask = 63,
[0] = "add.psFGH", "sub.psFGH", "mul.psFGH", false,
false, "abs.psFG", "mov.psFG", "neg.psFG",
false, false, false, false,
false, false, false, false,
false,
{ shift = 16, mask = 1, [0] = "movf.psFGC", "movt.psFGC" },
"movz.psFGT", "movn.psFGT",
false, false, false, false,
false, false, false, false,
false, false, false, false,
"cvt.s.puFG", false, false, false,
false, false, false, false,
"cvt.s.plFG", false, false, false,
"pll.psFGH", "plu.psFGH", "pul.psFGH", "puu.psFGH",
"c.f.psVGH", "c.un.psVGH", "c.eq.psVGH", "c.ueq.psVGH",
"c.olt.psVGH", "c.ult.psVGH", "c.ole.psVGH", "c.ule.psVGH",
"c.psf.psVGH", "c.ngle.psVGH", "c.pseq.psVGH", "c.ngl.psVGH",
"c.lt.psVGH", "c.nge.psVGH", "c.le.psVGH", "c.ngt.psVGH",
}
local map_cop1w = {
shift = 0, mask = 63,
[32] = "cvt.s.wFG", [33] = "cvt.d.wFG",
}
local map_cop1l = {
shift = 0, mask = 63,
[32] = "cvt.s.lFG", [33] = "cvt.d.lFG",
}
local map_cop1bc = {
shift = 16, mask = 3,
[0] = "bc1fCB", "bc1tCB", "bc1flCB", "bc1tlCB",
}
local map_cop1 = {
shift = 21, mask = 31,
[0] = "mfc1TG", false, "cfc1TG", "mfhc1TG",
"mtc1TG", false, "ctc1TG", "mthc1TG",
map_cop1bc, false, false, false,
false, false, false, false,
map_cop1s, map_cop1d, false, false,
map_cop1w, map_cop1l, map_cop1ps,
}
local map_cop1x = {
shift = 0, mask = 63,
[0] = "lwxc1FSX", "ldxc1FSX", false, false,
false, "luxc1FSX", false, false,
"swxc1FSX", "sdxc1FSX", false, false,
false, "suxc1FSX", false, "prefxMSX",
false, false, false, false,
false, false, false, false,
false, false, false, false,
false, false, "alnv.psFGHS", false,
"madd.sFRGH", "madd.dFRGH", false, false,
false, false, "madd.psFRGH", false,
"msub.sFRGH", "msub.dFRGH", false, false,
false, false, "msub.psFRGH", false,
"nmadd.sFRGH", "nmadd.dFRGH", false, false,
false, false, "nmadd.psFRGH", false,
"nmsub.sFRGH", "nmsub.dFRGH", false, false,
false, false, "nmsub.psFRGH", false,
}
local map_pri = {
[0] = map_special, map_regimm, "jJ", "jalJ",
"beq|beqz|bST00B", "bne|bnezST0B", "blezSB", "bgtzSB",
"addiTSI", "addiu|liTS0I", "sltiTSI", "sltiuTSI",
"andiTSU", "ori|liTS0U", "xoriTSU", "luiTU",
map_cop0, map_cop1, false, map_cop1x,
"beql|beqzlST0B", "bnel|bnezlST0B", "blezlSB", "bgtzlSB",
false, false, false, false,
map_special2, false, false, map_special3,
"lbTSO", "lhTSO", "lwlTSO", "lwTSO",
"lbuTSO", "lhuTSO", "lwrTSO", false,
"sbTSO", "shTSO", "swlTSO", "swTSO",
false, false, "swrTSO", "cacheNSO",
"llTSO", "lwc1HSO", "lwc2TSO", "prefNSO",
false, "ldc1HSO", "ldc2TSO", false,
"scTSO", "swc1HSO", "swc2TSO", false,
false, "sdc1HSO", "sdc2TSO", false,
}
------------------------------------------------------------------------------
local map_gpr = {
[0] = "r0", "r1", "r2", "r3", "r4", "r5", "r6", "r7",
"r8", "r9", "r10", "r11", "r12", "r13", "r14", "r15",
"r16", "r17", "r18", "r19", "r20", "r21", "r22", "r23",
"r24", "r25", "r26", "r27", "r28", "sp", "r30", "ra",
}
------------------------------------------------------------------------------
-- Output a nicely formatted line with an opcode and operands.
local function putop(ctx, text, operands)
local pos = ctx.pos
local extra = ""
if ctx.rel then
local sym = ctx.symtab[ctx.rel]
if sym then extra = "\t->"..sym end
end
if ctx.hexdump > 0 then
ctx.out(format("%08x %s %-7s %s%s\n",
ctx.addr+pos, tohex(ctx.op), text, concat(operands, ", "), extra))
else
ctx.out(format("%08x %-7s %s%s\n",
ctx.addr+pos, text, concat(operands, ", "), extra))
end
ctx.pos = pos + 4
end
-- Fallback for unknown opcodes.
local function unknown(ctx)
return putop(ctx, ".long", { "0x"..tohex(ctx.op) })
end
local function get_be(ctx)
local pos = ctx.pos
local b0, b1, b2, b3 = byte(ctx.code, pos+1, pos+4)
return bor(lshift(b0, 24), lshift(b1, 16), lshift(b2, 8), b3)
end
local function get_le(ctx)
local pos = ctx.pos
local b0, b1, b2, b3 = byte(ctx.code, pos+1, pos+4)
return bor(lshift(b3, 24), lshift(b2, 16), lshift(b1, 8), b0)
end
-- Disassemble a single instruction.
local function disass_ins(ctx)
local op = ctx:get()
local operands = {}
local last = nil
ctx.op = op
ctx.rel = nil
local opat = map_pri[rshift(op, 26)]
while type(opat) ~= "string" do
if not opat then return unknown(ctx) end
opat = opat[band(rshift(op, opat.shift), opat.mask)] or opat._
end
local name, pat = match(opat, "^([a-z0-9_.]*)(.*)")
local altname, pat2 = match(pat, "|([a-z0-9_.|]*)(.*)")
if altname then pat = pat2 end
for p in gmatch(pat, ".") do
local x = nil
if p == "S" then
x = map_gpr[band(rshift(op, 21), 31)]
elseif p == "T" then
x = map_gpr[band(rshift(op, 16), 31)]
elseif p == "D" then
x = map_gpr[band(rshift(op, 11), 31)]
elseif p == "F" then
x = "f"..band(rshift(op, 6), 31)
elseif p == "G" then
x = "f"..band(rshift(op, 11), 31)
elseif p == "H" then
x = "f"..band(rshift(op, 16), 31)
elseif p == "R" then
x = "f"..band(rshift(op, 21), 31)
elseif p == "A" then
x = band(rshift(op, 6), 31)
elseif p == "M" then
x = band(rshift(op, 11), 31)
elseif p == "N" then
x = band(rshift(op, 16), 31)
elseif p == "C" then
x = band(rshift(op, 18), 7)
if x == 0 then x = nil end
elseif p == "K" then
x = band(rshift(op, 11), 31) + 1
elseif p == "L" then
x = band(rshift(op, 11), 31) - last + 1
elseif p == "I" then
x = arshift(lshift(op, 16), 16)
elseif p == "U" then
x = band(op, 0xffff)
elseif p == "O" then
local disp = arshift(lshift(op, 16), 16)
operands[#operands] = format("%d(%s)", disp, last)
elseif p == "X" then
local index = map_gpr[band(rshift(op, 16), 31)]
operands[#operands] = format("%s(%s)", index, last)
elseif p == "B" then
x = ctx.addr + ctx.pos + arshift(lshift(op, 16), 16)*4 + 4
ctx.rel = x
x = "0x"..tohex(x)
elseif p == "J" then
x = band(ctx.addr + ctx.pos, 0xf0000000) + band(op, 0x03ffffff)*4
ctx.rel = x
x = "0x"..tohex(x)
elseif p == "V" then
x = band(rshift(op, 8), 7)
if x == 0 then x = nil end
elseif p == "W" then
x = band(op, 7)
if x == 0 then x = nil end
elseif p == "Y" then
x = band(rshift(op, 6), 0x000fffff)
if x == 0 then x = nil end
elseif p == "Z" then
x = band(rshift(op, 6), 1023)
if x == 0 then x = nil end
elseif p == "0" then
if last == "r0" or last == 0 then
local n = #operands
operands[n] = nil
last = operands[n-1]
if altname then
local a1, a2 = match(altname, "([^|]*)|(.*)")
if a1 then name, altname = a1, a2
else name = altname end
end
end
elseif p == "1" then
if last == "ra" then
operands[#operands] = nil
end
else
assert(false)
end
if x then operands[#operands+1] = x; last = x end
end
return putop(ctx, name, operands)
end
------------------------------------------------------------------------------
-- Disassemble a block of code.
local function disass_block(ctx, ofs, len)
if not ofs then ofs = 0 end
local stop = len and ofs+len or #ctx.code
stop = stop - stop % 4
ctx.pos = ofs - ofs % 4
ctx.rel = nil
while ctx.pos < stop do disass_ins(ctx) end
end
-- Extended API: create a disassembler context. Then call ctx:disass(ofs, len).
local function create_(code, addr, out)
local ctx = {}
ctx.code = code
ctx.addr = addr or 0
ctx.out = out or io.write
ctx.symtab = {}
ctx.disass = disass_block
ctx.hexdump = 8
ctx.get = get_be
return ctx
end
local function create_el_(code, addr, out)
local ctx = create_(code, addr, out)
ctx.get = get_le
return ctx
end
-- Simple API: disassemble code (a string) at address and output via out.
local function disass_(code, addr, out)
create_(code, addr, out):disass()
end
local function disass_el_(code, addr, out)
create_el_(code, addr, out):disass()
end
-- Return register name for RID.
local function regname_(r)
if r < 32 then return map_gpr[r] end
return "f"..(r-32)
end
-- Public module functions.
module(...)
create = create_
create_el = create_el_
disass = disass_
disass_el = disass_el_
regname = regname_
|
--[[
GD50
Angry Birds
Author: Colton Ogden
cogden@cs50.harvard.edu
]]
AlienLaunchMarker = Class{}
function AlienLaunchMarker:init(world)
self.world = world
-- starting coordinates for launcher used to calculate launch vector
self.baseX = 90
self.baseY = VIRTUAL_HEIGHT - 100
-- shifted coordinates when clicking and dragging launch alien
self.shiftedX = self.baseX
self.shiftedY = self.baseY
-- whether our arrow is showing where we're aiming
self.aiming = false
-- whether we launched the alien and should stop rendering the preview
self.launched = false
-- our alien we will eventually spawn
self.alien = {}
self.spawn = false
hit = false
counter = 0
end
function AlienLaunchMarker:update(dt)
-- perform everything here as long as we haven't launched yet
if not self.launched then
-- grab mouse coordinates
local x, y = push:toGame(love.mouse.getPosition())
-- if we click the mouse and haven't launched, show arrow preview
if love.mouse.wasPressed(1) and not self.launched then
self.aiming = true
-- if we release the mouse, launch an Alien
elseif love.mouse.wasReleased(1) and self.aiming then
self.launched = true
-- spawn new alien in the world, passing in user data of player
table.insert(self.alien,
Alien(self.world, 'round', self.shiftedX, self.shiftedY, 'Player'))
-- apply the difference between current X,Y and base X,Y as launch vector impulse
self.alien[1].body:setLinearVelocity((self.baseX - self.shiftedX) * 10, (self.baseY - self.shiftedY) * 10)
self.velocity = {
['dx'] = (self.baseX - self.shiftedX) * 10,
['dy'] = (self.baseY - self.shiftedY) * 10
}
-- make the alien pretty bouncy
self.alien[1].fixture:setRestitution(0.4)
self.alien[1].body:setAngularDamping(1)
-- we're no longer aiming
self.aiming = false
-- re-render trajectory
elseif self.aiming then
self.shiftedX = math.min(self.baseX + 30, math.max(x, self.baseX - 30))
self.shiftedY = math.min(self.baseY + 30, math.max(y, self.baseY - 30))
self.position = {
['x'] = self.shiftedX,
['y'] = self.shiftedY
}
end
elseif self.launched then
if not self.spawn then
self.position['x'] = self.position['x'] + (self.baseX - self.shiftedX) * 10 * dt
self.position['y'] = self.position['y'] + (self.baseY - self.shiftedY) * 10 * dt
self.velocity['dy'] = self.velocity['dy'] + 30 * dt
end
if not hit then
if love.keyboard.isDown('space') and not self.spawn then
for l = 2,3 do
table.insert(self.alien,
Alien(self.world, 'round', self.position['x'], self.position['y'], 'Player'))
self.alien[l].body:setLinearVelocity(self.velocity['dx'] * 0.9,
self.velocity['dy'] * 0.2 * (-1) ^ l)
self.alien[l].fixture:setRestitution(0.4)
self.alien[l].body:setAngularDamping(1)
end
self.spawn = true
end
end
end
end
function AlienLaunchMarker:render()
if not self.launched then
-- render base alien, non physics based
love.graphics.draw(gTextures['aliens'], gFrames['aliens'][9],
self.shiftedX - 17.5, self.shiftedY - 17.5)
if self.aiming then
-- render arrow if we're aiming, with transparency based on slingshot distance
local impulseX = (self.baseX - self.shiftedX) * 10
local impulseY = (self.baseY - self.shiftedY) * 10
-- draw 18 circles simulating trajectory of estimated impulse
local trajX, trajY = self.shiftedX, self.shiftedY
local gravX, gravY = self.world:getGravity()
-- http://www.iforce2d.net/b2dtut/projected-trajectory
for i = 1, 90 do
-- magenta color that starts off slightly transparent
love.graphics.setColor(255/255, 80/255, 255/255, ((255 / 24) * i) / 255)
-- trajectory X and Y for this iteration of the simulation
trajX = self.shiftedX + i * 1/60 * impulseX
trajY = self.shiftedY + i * 1/60 * impulseY + 0.5 * (i * i + i) * gravY * 1/60 * 1/60
-- render every fifth calculation as a circle
if i % 5 == 0 then
love.graphics.circle('fill', trajX, trajY, 3)
end
end
end
love.graphics.setColor(1, 1, 1, 1)
else
for k, alien in pairs(self.alien) do
alien:render()
end
end
end |
-- Track messages received by users of the MUC
-- We rewrite the 'id' attribute of outgoing stanzas to match the stanza (archive) id
-- This module is therefore incompatible with the muc#stable_id feature
-- We rewrite the id because XEP-0333 doesn't tell clients explicitly which id to use
-- in marker reports. However it implies the 'id' attribute through examples, and this
-- is what some clients implement.
-- Notably Conversations will ack the origin-id instead. We need to update the XEP to
-- clarify the correct behaviour.
local set = require "util.set";
local st = require "util.stanza";
local xmlns_markers = "urn:xmpp:chat-markers:0";
local marker_order = { "received", "displayed", "acknowledged" };
-- Add reverse mapping
for priority, name in ipairs(marker_order) do
marker_order[name] = priority;
end
local marker_element_name = module:get_option_string("muc_marker_type", "displayed");
local marker_summary_on_join = module:get_option_boolean("muc_marker_summary_on_join", true);
local rewrite_id_attribute = module:get_option_boolean("muc_marker_rewrite_id", false);
assert(marker_order[marker_element_name], "invalid marker name: "..marker_element_name);
local marker_element_names = set.new();
-- "displayed" implies "received", etc. so we'll add the
-- chosen marker and any "higher" ones to the set
for i = marker_order[marker_element_name], #marker_order do
marker_element_names:add(marker_order[i]);
end
local muc_marker_map_store = module:open_store("muc_markers", "map");
local function get_stanza_id(stanza, by_jid)
for tag in stanza:childtags("stanza-id", "urn:xmpp:sid:0") do
if tag.attr.by == by_jid then
return tag.attr.id;
end
end
return nil;
end
module:hook("muc-broadcast-message", function (event)
local stanza = event.stanza;
local archive_id = get_stanza_id(stanza, event.room.jid);
-- We are not interested in stanzas that didn't get archived
if not archive_id then return; end
if rewrite_id_attribute then
-- Add stanza id as id attribute
stanza.attr.id = archive_id;
end
-- Add markable element to request markers from clients
stanza:tag("markable", { xmlns = xmlns_markers }):up();
end, -1);
module:hook("muc-occupant-groupchat", function (event)
local marker = event.stanza:child_with_ns(xmlns_markers);
if not marker or not marker_element_names:contains(marker.name) then
return; -- No marker, or not one we are interested in
end
-- Store the id that the user has received to
module:log("warn", "New marker for %s in %s: %s", event.occupant.bare_jid, event.room.jid, marker.attr.id);
muc_marker_map_store:set(event.occupant.bare_jid, event.room.jid, marker.attr.id);
end);
module:hook("muc-message-is-historic", function (event)
local marker = event.stanza:get_child(nil, xmlns_markers)
-- Prevent stanza from reaching the archive (it's just noise)
if marker and marker_element_names:contains(marker.name) then
return false
end
end);
local function find_nickname(room, user_jid)
-- Find their current nickname
for nick, occupant in pairs(room._occupants) do
if occupant.bare_jid == user_jid then
return nick;
end
end
-- Or if they're not here
local nickname = room:get_affiliation_data(user_jid, "reserved_nickname");
if nickname then return room.jid.."/"..nickname; end
end
-- Synthesize markers
if muc_marker_map_store.get_all then
module:hook("muc-occupant-session-new", function (event)
if not marker_summary_on_join then
return;
end
local room, to = event.room, event.stanza.attr.from;
local markers = muc_marker_map_store:get_all(room.jid);
if not markers then return end
for user_jid, id in pairs(markers) do
local room_nick = find_nickname(room, user_jid);
if room_nick then
local recv_marker = st.message({ type = "groupchat", from = room_nick, to = to })
:tag(marker_element_name, { xmlns = xmlns_markers, id = id });
room:route_stanza(recv_marker);
end
end
end);
end
-- Public API
--luacheck: ignore 131
function get_user_read_marker(user_jid, room_jid)
return muc_marker_map_store:get(user_jid, room_jid);
end
function is_markable(stanza)
return not not stanza:get_child("markable", xmlns_markers);
end
|
local aliases = {}
local fake_message = import("fake_message")
local last_message_arrived = discordia.Stopwatch()
local unixToString = import("unixToString")
local command = import("classes.command")
local plugin = import("classes.plugin")("meta")
if not config.aliases then
config.aliases = {}
end
client:on("messageCreate",function(msg)
last_message_arrived:reset()
last_message_arrived:start()
end)
local prefix
for k,v in pairs(command_handler:get_prefixes()) do
if (not prefix) or prefix:len() > v:len() then
prefix = v
end
end
local function add_alias(name,comm,prefix,description)
if (not aliases[name]) then
print("[ALIAS] Adding alias \""..name.."\" for \""..comm.."\"")
config.aliases[name] = {comm = comm,prefix = prefix}
aliases[name] = command(name,{
help = "Alias for ``"..comm.."``",
usage = ((prefix and globals.prefix) or "")..name,
exec = function(msg,args2,opts)
print("[ALIAS] Triggerting alias "..tostring(comm).." with args \""..tostring(msg.content).."\"")
local str = msg.content:gsub("^%S+ ?","")
aftersub = comm:gsub("%.%.%.",str or "")
aftersub = aftersub:gsub("%$prefix",prefix or "&")
local status,args = require("air").parse(str)
for k,v in pairs(args) do
aftersub = aftersub:gsub("([^\\])%$"..k,"%1"..v)
end
command_handler:handle(fake_message(msg,{
content = aftersub
}))
end,
options = {
prefix = prefix,
custom = true
}
})
plugin:add_command(aliases[name])
return true
else
return false
end
end
local function remove_alias(name)
if config.aliases[name] then
config.aliases[name] = nil
plugin:remove_command(aliases[name])
return true
else
return false
end
end
local function purify_strings(msg,input)
local text = input
while text:match("<@(%D*)(%d*)>") do
local obj,id = text:match("<@(%D*)(%d*)>")
local substitution = ""
if obj:match("!") then
local member = msg.guild:getMember(id)
if member then
substitution = "@"..member.name
end
elseif obj:match("&") then
local role = msg.guild:getRole(id)
if role then
substitution = "@"..role.name
end
end
if substitution == "" then
substitution = "<\\@"..obj..id..">"
end
text = text:gsub("<@(%D*)"..id..">",substitution)
end
text = text:gsub("@everyone","")
return text
end
for k,v in pairs(config.aliases) do
commdata = v
if type(v) == "string" then --legacy format conversion
commdata = {comm = v, prefix = false}
end
add_alias(k,commdata.comm,commdata.prefix)
end
local prefix = command("prefix",{
help = "Set prefix",
usage = "prefix [(add | remove | list (default)) [<new prefix>]]",
users = {
[client.owner.id] = 1
},
roles = {
["747042157185073182"] = 1
},
perms = {
"administrator"
},
exec = function(msg,args,opts)
local function list_prefixes(msg)
local prefixes = ""
for k,v in pairs(command_handler:get_prefixes()) do
prefixes = prefixes..v.."\n"
end
msg:reply({embed = {
title = "Prefixes for this server",
description = prefixes
}})
end
if args[1] then
if args[1] == "add" and args[2] then
command_handler:add_prefix(args[2])
msg:reply("Added "..args[2].." as a prefix")
elseif args[1] == "remove" and args[2] then
local status,err = command_handler:remove_prefix(args[2])
if status then
msg:reply("Removed the "..args[2].." prefix")
else
msg:reply(err)
end
elseif args[1] == "list" then
list_prefixes(msg)
else
msg:reply("Syntax error")
end
else
list_prefixes(msg)
end
end
})
plugin:add_command(prefix)
local c_alias = command("alias", {
args = {
"string","string"
},
perms = {
"administrator"
},
exec = function(msg,args,opts)
if add_alias(args[1],args[2],(opts["prefix"] or opts["p"]),opts["description"]) then
msg:reply("Bound ``"..args[1].."`` as an alias to ``"..args[2].."``")
else
msg:reply("``"..args[1].."`` is already bound")
end
end
})
plugin:add_command(c_alias)
local c_unalias = command("unalias", {
args = {
"string"
},
perms = {
"administrator"
},
exec = function(msg,args,opts)
if remove_alias(args[1]) then
msg:reply("Removed the ``"..args[1].."`` alias")
else
msg:reply("No such alias")
end
end
})
plugin:add_command(c_unalias)
local c_aliases = command("aliases", {
exec = function(msg,args,opts)
msg:reply({embed = {
title = "Aliases for this server",
fields = (function()
local fields = {}
for k,v in pairs(config.aliases) do
table.insert(fields,{name = ((v["prefix"] and prefix) or "")..k,value = v["comm"]})
end
return fields
end)()
}})
end
})
plugin:add_command(c_aliases)
local c_ping = command("ping", {
exec = function(msg,args,opts)
local before = msg:getDate()
local reply = msg:reply("Pong!")
if not reply then
log("ERROR","Couldn't send the ping reply for some reason")
return
end
local after = reply:getDate()
local latency = (after:toMilliseconds() - before:toMilliseconds())
last_message_arrived:stop()
local uptime = discordia.Date():toSeconds() - server.uptime:toSeconds()
local processing = (last_message_arrived:getTime():toMilliseconds())
msg:reply({embed = {
title = "Stats:",
fields = {
{name = "Latency",value = tostring(math.floor(latency)).."ms"},
{name = "Processing time",value = tostring(math.floor(processing)).."ms"},
{name = "Uptime",value = tostring(unixToString(uptime))}
}
}})
end
})
plugin:add_command(c_ping)
local c_about = command("about", {
exec = function(msg,args,opts)
local rand = math.random
local author = client:getUser("245973168257368076")
msg:reply({embed = {
title = "About 512mb.org bot",
thumbnail = {
url = client.user:getAvatarURL()
},
color = discordia.Color.fromRGB(rand(50,200),rand(50,200),rand(50,200)).value,
description = "512mb.org is an open-source bot written in Lua. It is based on a beta rewrite version of the Suppa-Bot.",
fields = {
{name = "Source Code: ",value = "https://github.com/512mb-xyz/512mb.org-bot"},
{name = "Author: ",value = author.tag},
{name = "Invite: ",value = "Not available yet"}
},
footer = {
text = "For any information regarding the bot, contact yessiest on 512mb.org discord."
}
}})
end
})
plugin:add_command(c_about)
local c_server = command("server", {
exec = function(msg,args,opts)
msg:reply({embed = {
thumbnail = {
url = msg.guild.iconURL
},
title = msg.guild.name,
description = msg.guild.description,
fields = {
{name = "Members",value = msg.guild.totalMemberCount,inline = true},
{name = "Owner",value = (msg.guild.owner and msg.guild.owner.user.tag..":"..msg.guild.owner.user.id),inline = true},
{name = "Created At",value = os.date("!%c",msg.guild.createdAt).." (UTC+0)",inline = true},
{name = "Text Channels",value = msg.guild.textChannels:count(),inline = true},
{name = "Voice Channels",value = msg.guild.voiceChannels:count(),inline = true}
}
}})
end,
})
plugin:add_command(c_server)
local c_user = command("user", {
exec = function(msg,args,opts)
local member = msg.guild:getMember((args[1] or ""):match("%d+")) or msg.guild:getMember(msg.author.id)
local roles = ""
for k,v in pairs(member.roles) do
roles = roles..v.mentionString.."\n"
end
msg:reply({embed = {
title = member.user.tag..":"..member.user.id,
thumbnail = {
url = member.user:getAvatarURL()
},
fields = {
{name = "Profile Created At",value = os.date("!%c",member.user.createdAt).." (UTC+0)"},
{name = "Joined At",value = os.date("!%c",discordia.Date.fromISO(member.joinedAt):toSeconds()).." (UTC+0)",inline = true},
{name = "Boosting",value = ((member.premiumSince and "Since "..member.premiumSince) or "No"),inline = true},
{name = "Highest Role",value = member.highestRole.mentionString,inline = true},
{name = "Roles",value = roles,inline = true}
}
}})
end,
})
plugin:add_command(c_user)
local c_speak = command("speak", {
args = {
"string"
},
exec = function(msg,args,opts)
local text = purify_strings(msg, table.concat(args," "))
if opts["unescape"] or opts["u"] then
text = text:gsub("\\","")
end
msg:reply(text)
msg:delete()
end,
})
plugin:add_command(c_speak)
local c_adminSpeak = command("adminSpeak", {
args = {
"string"
},
exec = function(msg,args,opts)
local text = table.concat(args," ")
if opts["unescape"] or opts["u"] then
text = text:gsub("\\","")
end
msg:reply(text)
msg:delete()
end,
perms = {
"mentionEveryone"
}
})
plugin:add_command(c_adminSpeak)
local c_echo = command("echo",{
args = {
"string"
},
exec = function(msg,args,opts)
local text = purify_strings(msg, table.concat(args," "))
if opts["unescape"] or opts["u"] then
text = text:gsub("\\","")
end
msg:reply(text)
end,
})
plugin:add_command(c_echo)
plugin.removal_callback = function()
for k,v in pairs(config.aliases) do
remove_alias(k)
end
end
local helpdb = import(plugin_path:sub(3,-1).."help")
plugin:for_all_commands(function(command)
if helpdb[command.name] then
command:set_help(helpdb[command.name])
end
end)
return plugin
|
local DataTables = {
GET = {}
}
function DataTables._collection( collection_path, options )
local Collection = require( collection_path )
local collection = Collection:new( options )
local result = {}
local tablerows = {}
for _, row in ipairs( collection:rows() ) do
local tablerow = {}
for _, column in ipairs( options.columns ) do
--ngx.say( 'column: ', column )
--ngx.say( inspect( Collection.fieldMapping ) )
if column == '_action' then
--ngx.say( inspect( row ) )
if row.id then
table.insert( tablerow, '<span id="action_'..row.id..'"></span>' )
else
table.insert( tablerow, '<span class="action"></span>' )
end
else
if Collection.fieldMapping[column].location then
table.insert( tablerow, row[column] )
elseif Collection.fieldMapping[column].accessor then
table.insert( tablerow, Collection.fieldMapping[column].accessor( row ) )
end
end
end
table.insert( tablerows, tablerow )
end
result.data = tablerows
result.recordsTotal = collection:totalCount()
if options.filter then
result.recordsFiltered = collection:filteredCount()
else
result.recordsFiltered = result.recordsTotal
end
return result
end
function DataTables.GET.collection( collection_path, parameters )
local uri = restfully.arguments()
local datatable_params = restfully.validate{
draw = { location = uri.draw, required = true, type = 'integer' },
columns = { location = uri.columns, required = true, type = {'string'} },
limit = { location = uri.length, required = true, type = 'integer' },
offset = { location = uri.start, required = true, type = 'integer' },
filter = { location = uri.search.value, required = false, type = 'string' },
filter_regex = { location = uri.search.regex, required = true, type = 'boolean' },
order_index = { location = uri.order[1].column, required = true, type = 'integer' },
order_direction = { location = uri.order[1].dir, required = true, type = 'string', values = { 'asc', 'desc' } }
}
local options = {
columns = datatable_params.columns,
filter = datatable_params.filter,
offset = datatable_params.offset,
limit = datatable_params.limit,
order_by = datatable_params.columns[ datatable_params.order_index + 1],
order_direction = datatable_params.order_direction,
conditions = parameters
}
--ngx.say( inspect( options.conditions ) )
restfully.respond( DataTables._collection( collection_path, options ) )
end
return DataTables
|
local intern = require 'intern'
local t = require 'testhelper'
t( type( intern() ), 'function' )
local int = intern()
t( type( int( 1 )), 'table' )
t( int( 1 ), int( 2 ), t.diff )
t( type( int( 1, nil, 0/0, 3 )), 'table' )
t( int( 1, nil, 0/0, 3 ), int( 1, nil, 0/0, 3 ))
t( int( 1, nil, 0/0, 3 ), int( 1, nil, 0/0 ), t.diff )
t( int( 1, nil, 0/0, 3 ), int( 1, nil ), t.diff )
t( int( 1, nil, 0/0, 3 ), int( 1 ), t.diff )
t( int( 1, nil, 0/0, 3 ), int( 1, nil, 0/0, 2 ), t.diff)
t( int( 1, nil, 0/0, 3 ), int( 1, nil, 0, 3 ), t.diff)
t( int( 1, nil, 0/0, 3 ), int( 1, '', 0/0, 3 ), t.diff)
t( int( 1, nil, 0/0, 3 ), int( 4, nil, 0/0, 3 ), t.diff)
-- Multiple store
local alt = intern()
t( type( alt( 1, nil, 0/0, 3 )), 'table' )
t( alt( 1, nil, 0/0, 3 ), alt( 1, nil, 0/0, 3 ))
t( alt( 1, nil, 0/0, 3 ), int( 1, nil, 0/0, 3 ), t.diff )
-- Garbage collection test
local gccount = 0
local x = int( true, false )
x = setmetatable( x, {__gc=function(t) gccount = gccount + 1 end} )
-- No collection if some reference is still around
collectgarbage('collect')
t( gccount, 0 )
-- Automatic collection
x = nil
collectgarbage('collect')
t( gccount, 1 )
t.test_embedded_example()
t()
|
object_intangible_vehicle_walker_at_xt_pcd = object_intangible_vehicle_shared_walker_at_xt_pcd:new {
}
ObjectTemplates:addTemplate(object_intangible_vehicle_walker_at_xt_pcd, "object/intangible/vehicle/walker_at_xt_pcd.iff") |
YoptaWords = { -- Глобальной делаем для того, чтобы какие нибудь магистры на кодерах всяких darkrp серверов смогли увеличить количество слов
{'нах', ";"},
{'есть', "end"},
{'жы', "then"},
{"сука", "="},
{"внатуре", "="},
{"куку","local"},
{"йопта", "function"},
{"четко", "true"},
{"нечетко", "false"},
{"вилкойвглаз", "if"},
{"перетрем", "while"},
{"побазарим", "repeat"},
{"идинахуй", "until"},
{"break", "харэ"},
{"continue", "двигай"},
{"крч", "do"},
{"иливжопураз","else"},
{"го", "for"},
{"в", "in"},
{"отвечаю", "return"},
{"тырыпыры", "self"},
{"тырыпыры", "self"},
{"чезажижан", "wihile"},
{"ходка", "goto"},
{"бабкиГони", "floor"},
{"хуевей", "<"},
{"пизже", ">"},
{"хуевейилихуйня", "<="},
{"пизжеилихуйня", ">="},
{"иличо", "or"},
{"ичо", "and"},
{"однахуйня", "=="},
{"чоблясука", "~="},
{"одноглазыйсука" ,"elseif"},
{"нихуя", "nil"},
{"малява", "print"},
{"нуллио", "null"},
{"сигиесть", "find"},
{"наПечать", "Msg"},
{"малявуТаблом", "PrintTable"},
{"поясниЗаБазар", "MsgN"},
{"ксива", "string"},
{"гопец", "math"},
{"таблом", "table"},
{"заебеньВсе","concat"},
{"поделитьЯгу","split"},
{"вырезатьОчко","trim"},
{"найтиСтукача", "assert"},
{"папандос", "error"},
{"папандосРостовский", "Error"},
{"папандосПитерский", "ErrorNoHalt"},
{"англиоЕбала", "EyeAngles"},
{"векториоЕбала", "EyePos()"},
{"векторио", "Vector"},
{"векториоПоШаре", "VectorRand"},
{"срокДругихПетушков", "VGUIFrameTime"},
{"намазатьМалевича", "VGUIRect"},
{"нашаритьПахана", "FindMetaTable"},
{"нашаритьОтветкунаЗоне", "FindTooltip"},
{"срок", "time"},
{"складЧмошников","trace"},
{"Пиздец", "pi"},
{"абсолютли","abs"},
{"агопосинус","acos"},
{"агопосинусКупчинский", "acosh"},
{"агопинус", "asin"},
{"агопинусКупчинский", "asinh"},
{"агопангенс", "atan"},
{"агопангенсПо2", "atan2"},
{"ЧирикГони", "ceil"},
{"гопосинос", "cos"},
{"гопинус", "sin"},
{"гопспанента", "exp"},
{"гопорифм", "log"},
{"хуйло", "max"},
{"хуйчик", "min"},
{"гопень", "pow"},
{"шара", "random"},
{"шарачирик", "Rand"},
{"подрезать", "round"},
{"сквирт" ,"sqrt"},
{"глобалкаЙопта", "_G"},
{"которыйСрок", "Count"},
{"запросПоЩам", "HTTP"},
{"этотабло", "istable"},
{"этоксива", "isstring"},
{"этонумбарио", "isnumber"},
{"этоанглио", "isangle"},
{"этоохуйня", "isentity"},
{"эточеткость", "isbool"},
{"этомаляр", "IsColor"},
{"этозлобнаяхуйня", "IsEnemyEntityName"},
{"вЖопуРазНеПидорас", "IsFirstTimePredicted"},
{"этонезлобнаяхуйня", "IsFriendEntityName"},
{"этойопта", "isfunction"},
{"этоманя", "ismatrix"},
{"маня","Matrix"},
{"отхуярили", "IsMounted"},
{"отхуяренные", "engineGetGames"},
{"этопадла", "ispanel"},
{"падлы", "vgui"},
{"хуйняМобила", "IsUselessModel"},
{"семкиНайди", "Lerp"},
{"семкиНайдиПоАнглио", "LerpAngle"},
{"семкиНайдиПоВекторио", "LerpVector"},
{"отжатьНаперстки", "LoadPresets"},
{"сохранитьНаперстки", "SavePresets"},
{"всеЕбало", "SceenScale"},
{"всеЕбалоПоЭксу", "ScrW"},
{'вСеЕбалоПоУгам', "ScrH"},
{"сестьНаБутылку", "select"},
{"длинаБазара", "SentenceDuration"},
{":отжатьипоставить", ":MoveTo"},
{"пацанский", "Localize"},
{"понятия", "language"},
{"маргинал", "Mesh"},
{"чмо", "Model"},
{"вписка", "module"},
{"вписаться", "require"},
{"голубой", "MsgC"},
{"малярПоПонятиям","NamedColoc"},
{"новыйЖиган", "newproxy"},
{"дружбан", "next"},
{"сколькоХодок", "NumModelSkins"},
{"дружбанВекторио", "OrderVectors"},
{"парчик", "Particle"},
{"парчикРостовский", "ParticleEffect"},
{"парчикРостовскийНахуй", "ПарчикРостовскийAttach"},
{"жигаллоПарчик", "ParticleEmitter"},
{"кудаПошел", "Path"},
{"слышьПодошел", "pcall"},
{"слышьПодошелПоПермски", "xpcall"},
{"камеруВырубайБлять","PositionSpawnIcon"},
{"отмудохатьПарчиков", "PrecacheParticleSystem"},
{"отмудохатьПоПермски", "PrecacheScene"},
{"отмудохатьБлять", "PrecacheSentenceFile"},
{"отмудохатьВсех", "PrecacheSentenceGroup"},
{"НеСсыВТрусы", "ProtectedCall"},
{"естьЧоПоШаре","RandomPairs"},
{"ПоПолосеОднахуйня", "rawequal"},
{"ПоПолосеВычислить", "rawget"},
{"ПоПолосеПодогнать", "rawset"},
{"петуховыйсрокбезпиздежа", "RealFrameTime"},
{"срокБезПиздежа", "RealTime"},
{"подписатьПриговорДерьма","RegisterDermaMenuForClose"},
{"подписатьПоложнякКрысы", "RememberCursorPosition"},
{"откинутсяНаЗоне", "RemoveTooltip"},
{"англиоЕбалаДважды", "RenderAngles"},
{"намазатьГуфа","RenderDOF"},
{"намазатьМертвогоГуфа","RenderSuperDOF"},
{"намазатьЕбалу", "RenderStereoscopy"},
{"вернутьПоложнякКрысы", "RestoreCursorPosition"},
{"заДворСтреляюВУпор", "RunString"},
{"заДворСтреляюВУпорДважды", "RunStringEx"},
{"ножВПечень", "SafeRemoveEntity"},
{"хуевыйНожВПечень", "SafeRemoveEntityDelayed"},
{"мат", "Material"},
{"этонихуя", "IsValid"},
{"сидор", "sort"},
{"пероПодРебро", "foreach"},
{"естьЧо", "pairs"},
{"естьЧоблять", "ipairs"},
{"вынестиГовно", "Copy"},
{"вынестиГовноНахуй", "CopyFromTo"},
{"получитьПиздывЙопте", "AccessorFunc"},
{"накинутьХуйБотярам", "Add_NPC_Class"},
{"накинутьЙоптуКлиенту", "AddCSLuaFile"},
{"вопросНаЗоне", "AddWorldTip"},
{"англио", "Angle"},
{"англиоШара", "AgnleRand"},
{"СлышьТолпа", "BroadcastLua"},
{"ПиздаТеСлесарь" ,"BuildNetworkedVarsTable"},
{"датьОтветкуНаЗоне", "ChangeTooltip"},
{"ЧмоУКлиента" ,"ClientsideModel"},
{"ЧмоУКлиентаКупчинское" ,"ClientsideRagdool"},
{"ЧмоУКлиентаПермское", "ClientsideScene"},
{"ЗакрытьебалоДерьму", "CloseDermaMenu"},
{"давайХуярь", "CompileFile"},
{"давайХуярьСтринги", "CompileString"},
{"маляр", "Color"},
{"малярПоЕбалу" ,"ColorAlpha"},
{"малярПоШаре", "ColorRand"},
{"малярПопутал", "ColorToHSV"},
{"малярПопуталДважды", "ColorToHSL"},
{"чикаДоступная", "ConVarExits"},
{"чика" ,"GetConVar"},
{"хуйнутьЧикуЧмошникам", "CreateClientConVar"},
{"хуйнутьЧику", "CreateConVar"},
{"намутитьМат", "CreateMaterial"},
{"намутитьПарчиков", "CreateParticleSystem"},
{"намутитьКолянаКвадратного", "CreatePhysCollideBox"},
{"намутитьКолянаОхуенного", "CreatePhysCollidesFromModel"},
{"намутитьСучку", "CreateSound"},
{"намутитьСпрос", "CreateSprite"},
{"курваСрок", "CurTime"},
{"дележИнфы", "DamageInfo"},
{"дележПизды", "DebugInfo"},
{"оседлатьГея", "DeriveGamemode"},
{"дерьмокрутится", "Derma_Anim"},
{"дерьмопиздаЗаднику", "Derma_DrawBackgroundBlur"},
{"дерьмокрюк", "Derma_Hook"},
{"дерьмоопаЧикуля", "Derma_Install_Convar_Functions"},
{"дерьмомалява" ,"Derma_Message"},
{"дерьмопиздеж", "Derma_String_Request"},
{"дерьмохули", "Derma_Query"},
{"дерьмоебало", "DermaMenu"},
{"отхуяритьМаляров","DisableClipping"},
{"гуфебнуть", "DOF_Kill"},
{"гуфоживить", "DOF_Start"},
{"гуфпрограммист", "DOFModelHack"},
{"осветитьЕбало", "DrawBloom"},
{"перекраситьЕбало", "DrawColorModify"},
{"закрытьЕбало", "DrawMaterialOverlay"},
{"размытьПодвижноеЕбало", "DrawMotionBlur"},
{"четкоеЕбало", "DrawSharpen"},
{"ЕбалоВКрай", "DrawSobel"},
{"ОблучитьЕбало", "DrawSunbeams"},
{"замаляритьЕбало", "DrawTexturize"},
{"пиздюкЕбало", "DrawToyTown"},
{"выкинутьХуйню","DropEntityIfHeld"},
{"хуйня", "Entity"},
{"хуйни", "ents"},
{"сырыеХуйни", "scripted_ents"},
{"мигалки" ,"DynamicLight"},
{"ЭфалиоБазар", "EffectData"},
{"илиЧоЙопта", "Either"},
{"потрепаться", "EmitSentence"},
{"кроитьФон", "EmitSound"},
{"получитьПиздыНаЗоне", "EndTooltip"},
{"поТюряге", "Format"},
{"поТюряге", "format"},
{"счетПетухов", "FrameNumber"},
{"петуховыйсрок", "FrameTime"},
{"вычислитьСтукачей", "getfenv"},
{"вычислитьПаханАнглио", "GetGlobalAngle"},
{"вычислитьПаханЧеткость", "GetGlobalBool"},
{"вычислитьПаханХуйню", "GetGlobalEntity"},
{"вычислитьПаханНумбариоХуевое", "GetGlobalInt"},
{"вычислитьПаханНумбариоПиздатое", "GetGlobalFloat"},
{"вычислитьПаханКсиву", "GetGlobalString"},
{"вычислитьПаханВекторио", "GetGlobalVector"},
{"доска", "surface"},
{"вычислитьГлухаря", "GetHostName"},
{"вычислитьПадлуПахана", "GetHUDPanel"},
{"вычислитьПахана", "getmetatable"},
{"вычислитьИгролиоТанковио", "GetPredictionPlayer"},
{"игролио", "Player"},
{"паханы", "player"},
{"вычислитьЦельДосок", "GetRenderTarget"},
{"вычислитьЦельДосокПоКупчински", "GetRenderTargetEx"},
{"срокВТанке","GetTimeOutInfo"},
{"вычислитьорбиту", "GetViewEntity"},
{"попутатьмаляра", "HSVToColor"},
{"попутатьмаляраДважды", "HSVLoColor"},
{"вписать", "include"},
{"свойПахан", "LocalPlayer"},
{"неСпиздилАУкрал", "SetClipboardText"},
{"впаритьПаханАнглио", "SetGlobalAngle"},
{"впаритьПаханЧеткость", "SetGlobalBool"},
{"впаритьПаханХуйню", "SetGlobalEntity"},
{"впаритьПаханНумбариоХуевое", "SetGlobalInt"},
{"впаритьПаханНумбариоПиздатое", "SetGlobalFloat"},
{"впаритьПаханКсиву", "SetGlobalString"},
{"впаритьПаханВекторио", "SetGlobalVector"},
{"впаритьСтукачей", "setfenv"},
{"впаритьПахана", "setmetatable"},
{"впаритьКолянаСистемного","SetPhysConstraintSystem"},
{"естьЧоСидорское", "SortedPairs"},
{"естьЧоСидорскоеПермское", "SortedPairsByValue"},
{"естьЧоСидорскоеКупчинское", "SortedPairsByMemberValue"},
{"сучка", "Sound"},
{"срокСучуки", "SoundDuration"},
{"нечитаемаяПоебота", "STNDRD"},
{"обнулитьПетушка","SuppressHostEvents"},
{"реальныйСрок", "SysTime"},
{"кумарСлежка","TauntCamera"},
{"ОтжатьуВсех","TextEntryLoseFocus"},
{"срокГопосинуса","TimedCos"},
{"срокГопинуса","TimedCos"},
{"втабло", "tobool"},
{"вксиву", "tostring"},
{"внумбарио","tonumber"},
{"обшмонатьЛохаПоНомеру", "TypeID"},
{"обшмонатьЛоха", "type"},
{"обшмонать", "unpack"},
{"пиздежныйСрок","UnPredictedCurTime"},
{"подстава", "hook"},
{"накинуть", "Add"},
{"отжать", "Remove"},
{"щасвТаблоДам", "GetTable"},
{"доскаОхуенная" ,"render" },
{"доскаХуевая","draw"},
{"хуи","ai"},
{"стукачи", "debug"},
{"поЩам", "http"},
{"огрести", "fetch"},
{"пиздануть", "post"},
}
table.sort(YoptaWords, function(a,b) return #a[1] > #b[1] end) -- Для Fast конверта |
local showtrainer = false
Citizen.CreateThread(function()
while true do
Wait(1)
if IsControlJustReleased(1, 167) and not blockinput then -- f6
if not showtrainer then
showtrainer = true
SendNUIMessage({
showtrainer = true
})
else
showtrainer = false
SendNUIMessage({
hidetrainer = true
})
end
end
if showtrainer and not blockinput then
if IsControlJustReleased(1, 176) then -- enter
SendNUIMessage({
trainerenter = true
})
elseif IsControlJustReleased(1, 177) then -- back / right click
SendNUIMessage({
trainerback = true
})
end
if IsControlJustReleased(1, 172) then -- up
SendNUIMessage({
trainerup = true
})
elseif IsControlJustReleased(1, 173) then -- down
SendNUIMessage({
trainerdown = true
})
end
if IsControlJustReleased(1, 174) then -- left
SendNUIMessage({
trainerleft = true
})
elseif IsControlJustReleased(1, 175) then -- right
SendNUIMessage({
trainerright = true
})
end
end
end
end)
RegisterNUICallback("playsound", function(data, cb)
PlaySoundFrontend(-1, data.name, "HUD_FRONTEND_DEFAULT_SOUNDSET", true)
cb("ok")
end)
RegisterNUICallback("trainerclose", function(data, cb)
showtrainer = false
cb("ok")
end)
function drawNotification(text)
SetNotificationTextEntry("STRING")
AddTextComponentString(text)
DrawNotification(false, false)
end
function stringsplit(inputstr, sep)
if sep == nil then
sep = "%s"
end
local t={} ; i=1
for str in string.gmatch(inputstr, "([^"..sep.."]+)") do
t[i] = str
i = i + 1
end
return t
end |
local classic = require 'classic'
-- Do not install if ALEWrap missing
local hasALEWrap, framework = pcall(require, 'alewrap')
if not hasALEWrap then
return nil
end
local Atari, super = classic.class('Atari', Env)
Atari.timeStepLimit = 100000
-- Constructor
function Atari:_init(opts)
-- Create ALEWrap options from opts
opts = opts or {}
opts.timeStepLimit = Atari.timeStepLimit
super._init(self, opts)
if opts.lifeLossTerminal == nil then
opts.lifeLossTerminal = true
end
local options = {
game_path = opts.romPath or 'roms',
env = opts.game,
actrep = opts.actRep or 4,
random_starts = opts.randomStarts or 1,
gpu = opts.gpu and opts.gpu - 1 or -1, -- GPU flag (GPU enables faster screen buffer with CudaTensors)
pool_frms = { -- Defaults to 2-frame mean-pooling
type = opts.poolFrmsType or 'mean', -- Max captures periodic events e.g. blinking lasers
size = opts.poolFrmsSize or 2 -- Pools over frames to prevent problems with fixed interval events as above
}
}
-- Use ALEWrap and Xitari
self.gameEnv = framework.GameEnvironment(options)
-- Create mapping from action index to action for game
self.actions = self.gameEnv:getActions()
-- Set evaluation mode by default
self.trainingFlag = false
-- Full actions mode
if opts.fullActions then
self.actions = {0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17}
end
-- Life loss = terminal mode
self.lifeLossTerminal = opts.lifeLossTerminal
end
-- 1 state returned, of type 'real', of dimensionality 3 x 210 x 160, between 0 and 1
function Atari:getStateSpace()
local state = {}
state['name'] = 'Box'
state['shape'] = {3, 210, 160}
state['low'] = {
0
}
state['high'] = {
1
}
return state
end
-- 1 action required, of type 'int', of dimensionality 1, between 1 and 18 (max)
function Atari:getActionSpace()
local action = {}
action['name'] = 'Discrete'
action['n'] = #self.actions
return action
end
-- RGB screen of height 210 and width 160
function Atari:getDisplaySpec()
return {'real', {3, 210, 160}, {0, 1}}
end
-- Min and max reward (unknown)
function Atari:getRewardSpace()
return nil, nil
end
-- Starts a new game, possibly with a random number of no-ops
function Atari:_start()
local screen, reward, terminal
if self.gameEnv._random_starts > 0 then
screen, reward, terminal = self.gameEnv:nextRandomGame()
else
screen, reward, terminal = self.gameEnv:newGame()
end
return screen:select(1, 1)
end
-- Steps in a game
function Atari:_step(action)
-- Map action index to action for game
action = self.actions[action]
-- Step in the game
local screen, reward, terminal = self.gameEnv:step(action, self.trainingFlag)
return reward, screen:select(1, 1), terminal
end
-- Returns display of screen
function Atari:getDisplay()
return self.gameEnv._state.observation:select(1, 1)
end
-- Set training mode (losing a life triggers terminal signal)
function Atari:training()
if self.lifeLossTerminal then
self.trainingFlag = true
end
end
-- Set evaluation mode (losing lives does not necessarily end an episode)
function Atari:evaluate()
self.trainingFlag = false
end
return Atari
|
local M = {}
--[[
-- Returns a iterator for all the matches from the query
-- @returns iterator of all the matches
--]]
function M.get_query_matches(buffer, lang, query_str)
buffer = buffer or API.nvim_get_current_buf()
local root = TS.get_parser(buffer, lang):parse()[1]:root()
local query = TS.parse_query(lang, query_str)
return query:iter_matches(root, buffer)
end
return M
|
local Modules = script.Parent
local FFlagAESPromptsSupportGamepad = require(Modules.Flags.FFlagAESPromptsSupportGamepad)
return {
enableExperimentalGamepadSupport = FFlagAESPromptsSupportGamepad,
} |
-- make sure we are pointing to the local copas first
package.path = string.format("../src/?.lua;%s", package.path)
local now = require("socket").gettime
local copas = require "copas"
local semaphore = require "copas.semaphore"
local test_complete = false
copas.loop(function()
local sema = semaphore.new(10, 5, 1)
assert(sema:get_count() == 5)
assert(sema:take(3))
assert(sema:get_count() == 2)
local ok, _, err
local start = now()
_, err = sema:take(3, 0) -- 1 too many, immediate timeout
assert(err == "timeout", "expected a timeout")
assert(now() - start < 0.001, "expected it not to block with timeout = 0")
start = now()
_, err = sema:take(10, 0) -- way too many, immediate timeout
assert(err == "timeout", "expected a timeout")
assert(now() - start < 0.001, "expected it not to block with timeout = 0")
start = now()
_, err = sema:take(11) -- more than 'max'; "too many" error
assert(err == "too many", "expected a 'too many' error")
assert(now() - start < 0.001, "expected it not to block")
start = now()
_, err = sema:take(10) -- not too many, let's timeout
assert(err == "timeout", "expected a 'timeout' error")
assert(now() - start > 1, "expected it to block for 1s")
assert(sema:get_count() == 2)
--validate async threads
local state = 0
copas.addthread(function()
assert(sema:take(5))
print("got the first 5!")
state = state + 1
end)
copas.addthread(function()
assert(sema:take(5))
print("got the next 5!")
state = state + 2
end)
copas.sleep(0.1)
assert(state == 0, "expected state to still be 0")
assert(sema:get_count() == 2, "expected count to still have 2 resources")
assert(sema:give(4))
assert(sema:get_count() == 1, "expected count to now have 1 resource")
copas.sleep(0.1)
assert(state == 1, "expected 1 from the first thread to be added to state")
assert(sema:give(4))
assert(sema:get_count() == 0, "gave 4 more, so 5 in total, releasing 5, leaves 0 as expected")
copas.sleep(0.1)
assert(state == 3, "expected 2 from the 2nd thread to be added to state")
ok, err = sema:give(100)
assert(not ok)
assert(err == "too many")
assert(sema:get_count() == 10)
test_complete = true
end)
assert(test_complete, "test did not complete!")
print("test success!")
|
-- We are introducing variables for the position of the rectangle
-- so that we can change it when the player presses keys
-- ref: https://www.lua.org/pil/1.2.html
x = 0
y = 0
-- this controls how much we want to move the rectangle when a key is pressed
-- start value is 10 so that the movement is noticeable
movement = 10
-- ref:
-- https://love2d.org/wiki/love.draw
-- https://love2d.org/wiki/love.graphics
function love.draw()
love.graphics.rectangle("fill", x, y, 20, 60)
end
-- ref:
-- https://love2d.org/wiki/love.keypressed
-- https://www.lua.org/pil/4.3.1.html
function love.keypressed(key, scancode, isrepeat)
-- the coordinate system starts from the upper left corner of the window
-- that means to move down we are increasing the y value
if key == "down" then
y = y + movement
end
if key == "right" then
x = x + movement
end
end
|
function OnLoad()
Print("Loading !")
DelayAction(function() Basic() end, 3.25)
end
function Print(msg)
print("<font color=\"#5E9C19\">Legacy Mid ></font><font color=\"#5E9C41\"> "..msg.."</font>")
end
Champions = {
["Viktor"] = true,
["TwistedFate"] = true,
}
class 'Basic'
class 'Viktor'
class 'TwistedFate'
-- Viktor: START.
function Viktor:__init()
UPL:AddSpell(_W, {speed = 2000, delay = 0.25, range = function() if myHero:GetSpellData(_W).name == "ViktorGravitonField" then return 625 else return 812 end end, width = 290, collsion = false, aoe = true, type = "circular"})
UPL:AddSpell(_E, {speed = 1350, delay = 0.25, range = 1140, width = 40, collsion = false, aoe = true, type = "linear"})
UPL:AddSpell(_R, {speed = 2000, delay = 0.25, range = 700, width = 290, collsion = false, aoe = true, type = "circular"})
if myHero:GetSpellData(SUMMONER_1).name:find("SummonerDot") then
Ignite = SUMMONER_1
elseif myHero:GetSpellData(SUMMONER_2).name:find("SummonerDot") then
Ignite = SUMMONER_2
end
IgniteDamage = 50 + (20 * myHero.level)
self:Menu()
self:Callbacks()
end
function Viktor:Menu()
Menu:addSubMenu("Combo", "Combo")
Menu.Combo:addParam("Q", "Use Q", SCRIPT_PARAM_ONOFF, true)
Menu.Combo:addParam("W", "Use W", SCRIPT_PARAM_ONOFF, true)
Menu.Combo:addParam("E", "Use E", SCRIPT_PARAM_ONOFF, true)
Menu.Combo:addParam("R", "Use R", SCRIPT_PARAM_ONOFF, true)
Menu:addSubMenu("Harass", "Harass")
Menu.Harass:addParam("Q", "Use Q", SCRIPT_PARAM_ONOFF, true)
Menu.Harass:addParam("E", "Use E", SCRIPT_PARAM_ONOFF, true)
Menu:addSubMenu("KillSteal", "KS")
Menu.KS:addSubMenu("Champion Filter", "Filter")
for _, enemy in pairs(GetEnemyHeroes()) do
Menu.KS.Filter:addParam(enemy.charName, "Enable Killsteal in : "..enemy.charName, SCRIPT_PARAM_ONOFF, true)
end
Menu.KS:addParam("Q", "Use Q", SCRIPT_PARAM_ONOFF, true)
Menu.KS:addParam("E", "Use E", SCRIPT_PARAM_ONOFF, true)
Menu.KS:addParam("R", "Use R", SCRIPT_PARAM_ONOFF, true)
if Ignite then
Menu.KS:addParam("Ignite", "Use Ignite", SCRIPT_PARAM_ONOFF, true)
end
ts = TargetSelector(TARGET_LESS_CAST_PRIORITY, 1145, DAMAGE_MAGICAL)
ts.name = myHero.charName
Menu:addTS(ts)
enemyMinions = minionManager(MINION_ENEMY, 855, myHero, MINION_SORT_HEALTH_ASC)
end
function Viktor:Callbacks()
AddTickCallback(function() self:Ticks() end)
end
function Viktor:Ticks()
if myHero.dead then
return
end
ts:update()
enemyMinions:update()
Target = ts.target
self:Combo(Target)
self:Harass(Target)
self:KillSteal()
end
function Viktor:GetDamage(spell, target)
Damage = 0
if spell and target and ValidTarget(target) then
if spell == _Q and myHero:CanUseSpell(_Q) == READY then
return ({60, 80, 100, 120, 140})[myHero:GetSpellData(_Q).level] + 0.4 * myHero.ap
end
if spell == _E and myHero:CanUseSpell(_E) == READY then
return ({70, 110, 150, 190, 230})[myHero:GetSpellData(_E).level] + 0.5 * myHero.ap
end
if spell == _R and myHero:CanUseSpell(_R) == READY then
return ({100, 175, 250})[myHero:GetSpellData(_R).level] + 0.5 * myHero.ap
end
end
return Damage
end
function Viktor:Combo(target)
if Basic:OrbKey() == 1 and ValidTarget(target) then
if Menu.Combo.Q then
self:Q(target)
end
if Menu.Combo.W then
self:W(target)
end
if Menu.Combo.E then
self:E(target)
end
if Menu.Combo.R then
if myHero:CanUseSpell(_R) == READY and target.health <= self:GetDamage(_R, target) then
self:R(target)
elseif Ignite and myHero:CanUseSpell(Ignite) == READY and myHero:CanUseSpell(_R) == READY then
if target.health <= IgniteDamage + self:GetDamage(_R, target) and GetDistance(target) <= 600 then
self:R(target)
CastSpell(Ignite, target)
end
end
end
end
end
function Viktor:Harass(target)
if Basic:OrbKey() == 2 and ValidTarget(target) then
if Menu.Harass.Q then
self:Q(target)
end
if Menu.Harass.E then
self:E(target)
end
end
end
function Viktor:KillSteal()
if myHero.dead then
return
end
for _, enemy in pairs(GetEnemyHeroes()) do
if Menu.KS.Filter[enemy.charName] then
if Menu.KS.Q and enemy.health <= self:GetDamage(_Q, enemy) then
self:Q(enemy)
end
if Menu.KS.E and enemy.health <= self:GetDamage(_E, enemy) then
self:E(enemy)
end
if Menu.KS.R and myHero:CanUseSpell(_R) == READY and enemy.health <= self:GetDamage(_R, enemy) then
self:R(enemy)
elseif Menu.KS.R and Ignite and myHero:CanUseSpell(Ignite) == READY and myHero:CanUseSpell(_R) == READY then
if enemy.health <= IgniteDamage + self:GetDamage(_R, enemy) and GetDistance(enemy) <= 600 then
self:R(enemy)
CastSpell(Ignite, enemy)
end
end
if Ignite and Menu.KS.Ignite and enemy.health <= IgniteDamage and myHero:CanUseSpell(Ignite) == READY and ValidTarget(enemy) and GetDistance(enemy) <= 600 then
CastSpell(Ignite, enemy)
end
end
end
end
function Viktor:Q(target)
if ValidTarget(target) and myHero:CanUseSpell(_Q) == READY then
if GetDistance(target) <= 600 then
CastSpell(_Q, target)
end
end
end
function Viktor:W(target)
Range = 0
if myHero:GetSpellData(_W).name == "ViktorGravitonField" then
Range = 625
else
Range = 812
end
if ValidTarget(target) and myHero:CanUseSpell(_W) == READY then
if GetDistance(target) <= Range then
local CastPosition, HitChance, Position = UPL:Predict(_W, myHero, target)
if CastPosition and HitChance > 0 and GetDistance(CastPosition) < Range then
CastSpell(_W, CastPosition.x, CastPosition.z)
end
end
end
end
function Viktor:E(target)
if ValidTarget(target) and myHero:CanUseSpell(_E) == READY then
if GetDistance(target) <= 1140 then
local CastPosition, HitChance, Position = UPL:Predict(_E, myHero, target)
if CastPosition and HitChance > 0 and GetDistance(CastPosition) < 1140 then
local Initial = Vector(myHero) - 540 * (Vector(myHero) - Vector(target)):normalized()
CastSpell3(_E, D3DXVECTOR3(Initial.x, Initial.y, Initial.z), D3DXVECTOR3(CastPosition.x, CastPosition.y, CastPosition.z))
end
end
end
end
function Viktor:R(target)
if ValidTarget(target) and myHero:CanUseSpell(_R) == READY then
if GetDistance(target) <= 700 then
local CastPosition, HitChance, Position = UPL:Predict(_R, myHero, target)
if CastPosition and HitChance > 0 and GetDistance(CastPosition) < 700 then
CastSpell(_R, CastPosition.x, CastPosition.z)
end
end
end
end
-- Viktor: END.
-- TwistedFate: START.
function TwistedFate:__init()
UPL:AddSpell(_Q, {speed = 1000, delay = 0.30, range = 1450, width = 50, collsion = false, aoe = false, type = "linear"})
if myHero:GetSpellData(SUMMONER_1).name:find("SummonerDot") then
Ignite = SUMMONER_1
elseif myHero:GetSpellData(SUMMONER_2).name:find("SummonerDot") then
Ignite = SUMMONER_2
end
IgniteDamage = 50 + (20 * myHero.level)
ToSelectCard = nil
CardsLost = 0
RN = 0
self:Menu()
self:Callbacks()
end
function TwistedFate:Menu()
Menu:addSubMenu("Combo", "Combo")
Menu.Combo:addParam("Q", "Use Q", SCRIPT_PARAM_ONOFF, true)
Menu.Combo:addParam("W", "Use W", SCRIPT_PARAM_ONOFF, true)
Menu.Combo:addParam("WLogic", "W Logic: ", SCRIPT_PARAM_LIST, 1, {"W Logic 1", "W Logic 2", "Only Gold", "Only Red", "Only Blue"})
if Menu.Combo.WLogic == 1 then
Menu.Combo:addParam("EnW", "Enemies number to use RED CARD", SCRIPT_PARAM_SLICE, 3, 1, 5, 0)
end
Menu.Combo:setCallback("WLogic", function(value)
if value == 1 then
Menu.Combo:addParam("EnW", "Enemies number to use RED CARD", SCRIPT_PARAM_SLICE, 3, 1, 5, 0)
elseif value ~= 1 then
Menu.Combo:removeParam("EnW")
end
end)
Menu:addSubMenu("Harass", "Harass")
Menu.Harass:addParam("Q", "Use Q", SCRIPT_PARAM_ONOFF, true)
Menu:addSubMenu("LaneClear", "Laneclear")
Menu.Laneclear:addParam("Q", "Use Q", SCRIPT_PARAM_ONOFF, true)
Menu.Laneclear:addParam("W", "Use W Logic", SCRIPT_PARAM_ONOFF, true)
Menu.Laneclear:addParam("Qm", "Mana % to stop using Q", SCRIPT_PARAM_SLICE, 50, 1, 100, 0)
Menu.Laneclear:addParam("Wm", "Mana % to pick Blue Card", SCRIPT_PARAM_SLICE, 40, 1, 100, 0)
Menu:addSubMenu("JungleClear", "Jungleclear")
Menu.Jungleclear:addParam("Q", "Use Q", SCRIPT_PARAM_ONOFF, true)
Menu.Jungleclear:addParam("W", "Use W", SCRIPT_PARAM_ONOFF, true)
Menu.Jungleclear:addParam("WLogic", "W Logic: ", SCRIPT_PARAM_LIST, 1, {"W Logic", "Only Gold", "Only Red", "Only Blue"})
Menu.Jungleclear:addParam("Qm", "Mana % to stop using Q", SCRIPT_PARAM_SLICE, 25, 1, 100, 0)
Menu.Jungleclear:addParam("Wm", "Mana % to pick Blue Card", SCRIPT_PARAM_SLICE, 35, 1, 100, 0)
Menu:addSubMenu("KillSteal", "KS")
Menu.KS:addSubMenu("Champion Filter", "Filter")
for _, enemy in pairs(GetEnemyHeroes()) do
Menu.KS.Filter:addParam(enemy.charName, "Enable Killsteal in : "..enemy.charName, SCRIPT_PARAM_ONOFF, true)
end
Menu.KS:addParam("Q", "Use Q", SCRIPT_PARAM_ONOFF, true)
if Ignite then
Menu.KS:addParam("Ignite", "Use Ignite", SCRIPT_PARAM_ONOFF, true)
end
Menu:addSubMenu("Card Picker", "CP")
Menu.CP:addParam("Yellow", "Yellow Card Key", SCRIPT_PARAM_ONKEYDOWN, false, string.byte("W"))
Menu.CP:addParam("Red", "Red Card Key", SCRIPT_PARAM_ONKEYDOWN, false, string.byte("E"))
Menu.CP:addParam("Blue", "Blue Card Key", SCRIPT_PARAM_ONKEYDOWN, false, string.byte("T"))
Menu.CP:addParam("R", "Select Gold Card in Ultimate", SCRIPT_PARAM_ONOFF, true)
MenuDraw:addParam("DrawCL", "Draw Card Lost", SCRIPT_PARAM_ONOFF, true)
ts = TargetSelector(TARGET_LESS_CAST_PRIORITY, 1450, DAMAGE_MAGICAL)
ts.name = myHero.charName
Menu:addTS(ts)
enemyMinions = minionManager(MINION_ENEMY, 855, myHero, MINION_SORT_HEALTH_ASC)
jungleMinions = minionManager(MINION_JUNGLE, 855, myHero, MINION_SORT_HEALTH_ASC)
end
function TwistedFate:Callbacks()
AddTickCallback(function() self:Ticks() end)
AddTickCallback(function() self:CPTicks() end)
AddDrawCallback(function() self:Draws() end)
AddApplyBuffCallback(function(Src, Target, Buff) self:OnApplyBuff(Src, Target, Buff) end)
AddCastSpellCallback(function(iSpell, startPos, endPos, targetUnit) self:OnCastSpell(iSpell, startPos, endPos, targetUnit) end)
end
function TwistedFate:Ticks()
if myHero.dead then
return
end
ts:update()
enemyMinions:update()
jungleMinions:update()
Target = ts.target
self:Combo(Target)
self:Harass(Target)
self:LaneClear()
self:KillSteal()
end
function TwistedFate:CPTicks()
if myHero.dead then
ToSelectCard = nil
return
end
if myHero:CanUseSpell(_W) == READY then
if Menu.CP.Yellow then
ToSelectCard = "Gold"
end
if Menu.CP.Red then
ToSelectCard = "Red"
end
if Menu.CP.Blue then
ToSelectCard = "Blue"
end
end
if myHero:CanUseSpell(_W) == READY then
if ToSelectCard ~= nil and myHero:GetSpellData(_W).name == "PickACard" then
CastSpell(_W)
end
if ToSelectCard ~= nil and myHero:GetSpellData(_W).name:find(ToSelectCard) then
CastSpell(_W)
end
end
if myHero:GetSpellData(_W).currentCd >= 1 then
ToSelectCard = nil
end
end
function TwistedFate:OnApplyBuff(Src, Target, Buff)
if Target and Target.valid and Target.isMe and ToSelectCard ~= nil and Buff.name:find("CardPreAttack") and not Buff.name:find(ToSelectCard) then
CardsLost = CardsLost + 1
end
end
function TwistedFate:OnCastSpell(iSpell, startPos, endPos, targetUnit)
if iSpell == 3 then
RN = RN + 1
if Menu.CP.R and RN >= 2 and myHero:CanUseSpell(_W) == READY then
ToSelectCard = "Gold"
RN = 0
end
end
end
function TwistedFate:Draws()
if MenuDraw.DrawCL then
DrawText3D("Lost Cards: "..CardsLost, myHero.x, myHero.y + 30, myHero.z, 13, 0xFFFFFFFF)
end
end
function TwistedFate:GetDamage(spell, target)
Damage = 0
if spell and target and ValidTarget(target) then
if spell == _Q and myHero:CanUseSpell(_Q) == READY then
return ({60, 80, 100, 120, 140})[myHero:GetSpellData(_Q).level] + 0.4 * myHero.ap
end
if spell == BLUE then
return ({40, 60, 80, 100, 120})[myHero:GetSpellData(_W).level] + myHero.totalDamage + 0.5 * myHero.ap
end
end
return Damage
end
function TwistedFate:Combo(target)
if Basic:OrbKey() == 1 and ValidTarget(target) then
if Menu.Combo.Q then
self:Q(target)
end
if Menu.Combo.W and myHero:CanUseSpell(_W) == READY and ToSelectCard == nil and GetDistance(target) <= myHero.range + 110 then
if Menu.Combo.WLogic == 1 then
if self:GetDamage(Blue) > target.health then
ToSelectCard = "Blue"
elseif CountEnemyHeroInRange(200, enemy) >= Menu.Combo.EnW then
ToSelectCard = "Red"
else
ToSelectCard = "Gold"
end
elseif Menu.Combo.WLogic == 2 then
if self:GetDamage(Blue) > target.health then
ToSelectCard = "Blue"
else
ToSelectCard = "Gold"
end
elseif Menu.Combo.WLogic == 3 then
ToSelectCard = "Gold"
elseif Menu.Combo.WLogic == 4 then
ToSelectCard = "Red"
elseif Menu.Combo.WLogic == 5 then
ToSelectCard = "Blue"
end
end
end
end
function TwistedFate:Harass(target)
if Basic:OrbKey() == 2 and ValidTarget(target) then
if Menu.Harass.Q then
self:Q(target)
end
end
end
function TwistedFate:LaneClear()
if Basic:OrbKey() == 3 then
local QManaL = myHero.mana < (myHero.maxMana * ( Menu.Laneclear.Qm / 100))
local WManaL = myHero.mana < (myHero.maxMana * ( Menu.Laneclear.Wm / 100))
local QManaJ = myHero.mana < (myHero.maxMana * ( Menu.Jungleclear.Qm / 100))
local WManaJ = myHero.mana < (myHero.maxMana * ( Menu.Jungleclear.Wm / 100))
for i, minion in pairs(enemyMinions.objects) do
if Menu.Laneclear.Q and myHero:CanUseSpell(_Q) == READY and not QManaL then
local BestMinion = self:GetBestQ()
self:Q(BestMinion)
end
if Menu.Laneclear.W and myHero:CanUseSpell(_W) == READY and ToSelectCard == nil then
if WManaL then
ToSelectCard = "Blue"
else
ToSelectCard = "Red"
end
end
end
for i, minion in pairs(jungleMinions.objects) do
if Menu.Jungleclear.Q and myHero:CanUseSpell(_Q) == READY and not QManaJ then
self:Q(minion)
end
if Menu.Jungleclear.W and myHero:CanUseSpell(_W) == READY and ToSelectCard == nil then
if Menu.Jungleclear.WLogic == 1 then
if WManaJ then
ToSelectCard = "Blue"
else
ToSelectCard = "Red"
end
elseif Menu.Jungleclear.WLogic == 2 then
ToSelectCard = "Gold"
elseif Menu.Jungleclear.WLogic == 3 then
ToSelectCard = "Red"
elseif Menu.Jungleclear.WLogic == 4 then
ToSelectCard = "Blue"
end
end
end
end
end
function TwistedFate:GetBestQ()
local HitQ = 0
local BestQ
for i, minion in pairs(enemyMinions.objects) do
local Hits = self:CountMaxHit(minion)
if Hits > HitQ or BestQ == nil then
BestQ = minion
HitQ = Hits
end
end
return BestQ
end
function TwistedFate:CountMaxHit(pos)
local HitNumber = 0
local ExtendedVector = Vector(myHero) + Vector(Vector(pos) - Vector(myHero)):normalized() * 1145
local EndPoint = Vector(myHero) + ExtendedVector
for i, minion in ipairs(enemyMinions.objects) do
local MinionPointSegment, MinionPointLine, MinionIsOnSegment = VectorPointProjectionOnLineSegment(Vector(myHero), Vector(EndPoint), Vector(minion))
local MinionPointSegment3D = {x = MinionPointSegment.x, y = pos.y, z = MinionPointSegment.y}
if MinionIsOnSegment and GetDistance(MinionPointSegment3D, pos) < 40 then
HitNumber = HitNumber + 1
end
end
return HitNumber
end
function TwistedFate:KillSteal()
if myHero.dead then
return
end
for _, enemy in pairs(GetEnemyHeroes()) do
if Menu.KS.Filter[enemy.charName] then
if Menu.KS.Q and enemy.health <= self:GetDamage(_Q, enemy) then
self:Q(enemy)
end
if Menu.KS.Q and myHero:CanUseSpell(_Q) == READY and enemy.health <= self:GetDamage(_Q, enemy) then
self:Q(enemy)
elseif Menu.KS.Q and Ignite and myHero:CanUseSpell(Ignite) == READY and myHero:CanUseSpell(_Q) == READY then
if enemy.health <= IgniteDamage + self:GetDamage(_Q, enemy) and GetDistance(enemy) <= 600 then
local CastPosition, HitChance, Position = UPL:Predict(_Q, myHero, target)
if CastPosition and HitChance > 0 then
CastSpell(_Q, CastPosition.x, CastPosition.z)
CastSpell(Ignite, enemy)
end
end
end
if Ignite and Menu.KS.Ignite and enemy.health <= IgniteDamage and myHero:CanUseSpell(Ignite) == READY and ValidTarget(enemy) and GetDistance(enemy) <= 600 then
CastSpell(Ignite, enemy)
end
end
end
end
function TwistedFate:Q(target)
if ValidTarget(target) and myHero:CanUseSpell(_Q) == READY then
local CastPosition, HitChance, Position = UPL:Predict(_Q, myHero, target)
if CastPosition and HitChance > 0 then
CastSpell(_Q, CastPosition.x, CastPosition.z)
end
end
end
-- TwistedFate: END.
-- Basic: START.
function Basic:__init()
MenuSpace = scriptConfig(" [Legacy Mid]", "Legacy")
if Champions[myHero.charName] then
Menu = scriptConfig("Legacy Mid: "..myHero.charName, "Legacy"..myHero.charName)
MenuDraw = scriptConfig("Draws", "DrawsLegacy"..myHero.charName)
MenuDraw:addParam("On", "Disable All Draws", SCRIPT_PARAM_ONOFF, false)
MenuDraw:addParam("AA", "Enable AA Range", SCRIPT_PARAM_ONOFF, true)
MenuDraw:addParam("Waypoints", "Enable Enemy Waypoints", SCRIPT_PARAM_ONOFF, true)
self:OrbWalkers()
self:Predictions()
AddDrawCallback(function() self:Draw() end)
Print("Loaded.")
else
Print("Champion not supported.")
Print("Loading : Skin Changer, Auto Leveler.")
end
-- Skin Changer : START.
MenuSkin = scriptConfig("SkinChanger", "SkinLegacy"..myHero.charName)
MenuSkin:addParam("ChangeSkin", "Enable Skin Changer", SCRIPT_PARAM_ONOFF, false)
MenuSkin:setCallback('ChangeSkin', function(Change)
if Change then
SetSkin(myHero, MenuSkin.SkinID - 1)
else
SetSkin(myHero, - 1)
end
end)
MenuSkin:addParam('SkinID', 'Skins', SCRIPT_PARAM_LIST, 1, {"Classic","2","3","4","5","6","7","8","9","10","11","12","13","14","15"})
MenuSkin:setCallback('SkinID', function(Change)
if MenuSkin.ChangeSkin then
SetSkin(myHero, MenuSkin.SkinID - 1)
end
end)
if MenuSkin.ChangeSkin then
SetSkin(myHero, MenuSkin.SkinID - 1)
end
-- Skin Changer : END
-- Auto Leveler : START.
LastSpell = 0
MenuLvl = scriptConfig("Auto Leveler", "LevelerLegacy"..myHero.charName)
MenuLvl:addParam("On", "Enable Auto Leveler", SCRIPT_PARAM_ONOFF, false)
-- Auto Leveler : END.
MenuSpace1 = scriptConfig(" [Legacy Mid]", "Legacy")
AddTickCallback(function() self:Tick() end)
AddUnloadCallback(function() SetSkin(myHero, - 1) end)
self:Update()
end
function Basic:Tick()
if os.clock() - LastSpell >= 3.5 then
LastSpell = os.clock()
if MenuLvl.On then
autoLevelSetSequence(LvLSequence[myHero.charName])
elseif not MenuLvl.On then
autoLevelSetSequence(nil)
end
end
end
function Basic:Draw()
if not MenuDraw.On and not myHero.dead then
if MenuDraw.AA then
DrawCircle(myHero.x, myHero.y, myHero.z, myHero.range + 65, ARGB(100, 0, 252, 255))
end
if MenuDraw.Waypoints then
--By Sida.
for _, enemy in pairs(GetEnemyHeroes()) do
if enemy and enemy.path.count > 1 then
for j = enemy.path.curPath, enemy.path.count do
local p1 = j == enemy.path.curPath and enemy or enemy.path:Path(j-1)
local p2 = enemy.path:Path(j)
DrawLine3D(p1.x, p1.y, p1.z, p2.x, p2.y, p2.z, 1, 0xFFFFFFFF)
DrawText3D(enemy.charName, p2.x, p2.y, p2.z, 11, 0xFFFFFFFF)
end
end
end
--
end
end
end
function Basic:OrbWalkers()
OrbWalkers = {}
LoadedOrb = nil
if _G.Reborn_Loaded or _G.Reborn_Initialised or _G.AutoCarry ~= nil then
table.insert(OrbWalkers, "SAC")
end
if _G.MMA_IsLoaded then
table.insert(OrbWalkers, "MMA")
end
if _G._Pewalk then
table.insert(OrbWalkers, "Pewalk")
end
if FileExist(LIB_PATH .. "/Nebelwolfi's Orb Walker.lua") then
table.insert(OrbWalkers, "NOW")
end
if FileExist(LIB_PATH .. "/Big Fat Orbwalker.lua") then
table.insert(OrbWalkers, "Big Fat Walk")
end
if FileExist(LIB_PATH .. "/SOW.lua") then
table.insert(OrbWalkers, "SOW")
end
if FileExist(LIB_PATH .. "/SxOrbWalk.lua") then
table.insert(OrbWalkers, "SxOrbWalk")
end
if FileExist(LIB_PATH .. "/S1mpleOrbWalker.lua") then
table.insert(OrbWalkers, "S1mpleOrbWalker")
end
if #OrbWalkers > 0 then
MenuOrb = scriptConfig("OrbWalkers", "OrbLegacy"..myHero.charName)
MenuOrb:addSubMenu("Select Orbwalker", "Select")
MenuOrb:addSubMenu("Keys", "Keys")
MenuOrb.Select:addParam("Orbwalker", "OrbWalker", SCRIPT_PARAM_LIST, 1, OrbWalkers)
MenuOrb.Keys:addParam("info", "Detecting keys from: "..OrbWalkers[MenuOrb.Select.Orbwalker], SCRIPT_PARAM_INFO, "")
MenuOrb.Select:setCallback("Orbwalker", function(value)
if OrbAlr then
return
end
OrbAlr = true
MenuOrb:addParam("info", "Press F9 2x to load your selected Orbwalker", SCRIPT_PARAM_INFO, "")
Print("Press F9 2x to load your selected Orbwalker.")
end)
LoadedOrb = OrbWalkers[MenuOrb.Select.Orbwalker]
if LoadedOrb == "NOW" then
require "Nebelwolfi's Orb Walker"
_G.NOWi = NebelwolfisOrbWalkerClass()
elseif LoadedOrb == "Big Fat Walk" then
require "Big Fat Orbwalker"
elseif LoadedOrb == "SOW" then
require "SOW"
MenuOrb:addSubMenu("SOW", "SOW")
_G.SOWi = SOW(_G.VP)
SOW:LoadToMenu(MenuOrb.SOW)
elseif LoadedOrb == "SxOrbWalk" then
require "SxOrbWalk"
MenuOrb:addSubMenu("SxOrbWalk", "SxOrbWalk")
SxOrb:LoadToMenu(MenuOrb.SxOrbWalk)
elseif LoadedOrb == "S1mpleOrbWalker" then
require "S1mpleOrbWalker"
S1 = S1mpleOrbWalker()
MenuOrb:addSubMenu("S1mpleOrbWalker", "S1mpleOrbWalker")
S1:AddToMenu(MenuOrb.S1mpleOrbWalker)
end
DelayAction(function() TIMEFORSAC = true end, 10)
end
end
function Basic:OrbKey()
--[[
1 = Combo.
2 = Harass.
3 = LaneClear.
4 = LastHit.
]]
if LoadedOrb == "SAC" and TIMEFORSAC then
if _G.AutoCarry.Keys.AutoCarry then
return 1
end
if _G.AutoCarry.Keys.MixedMode then
return 2
end
if _G.AutoCarry.Keys.LaneClear then
return 3
end
if _G.AutoCarry.Keys.LastHit then
return 4
end
elseif LoadedOrb == "MMA" then
if _G.MMA_IsOrbwalking() then
return 1
end
if _G.MMA_IsDualCarrying() then
return 2
end
if _G.MMA_IsLaneClearing() then
return 3
end
if _G.MMA_IsLastHitting() then
return 4
end
elseif LoadedOrb == "Pewalk" then
if _G._Pewalk.GetActiveMode().Carry then
return 1
end
if _G._Pewalk.GetActiveMode().Mixed then
return 2
end
if _G._Pewalk.GetActiveMode().LaneClear then
return 3
end
if _G._Pewalk.GetActiveMode().Farm then
return 4
end
elseif LoadedOrb == "NOW" then
if _G.NOWi.mode == "Combo" then
return 1
end
if _G.NOWi.mode == "Harass" then
return 2
end
if _G.NOWi.mode == "LaneClear" then
return 3
end
if _G.NOWi.mode == "LastHit" then
return 4
end
elseif LoadedOrb == "Big Fat Walk" then
if _G["BigFatOrb_Mode"] == "Combo" then
return 1
end
if _G["BigFatOrb_Mode"] == "Harass" then
return 2
end
if _G["BigFatOrb_Mode"] == "LaneClear" then
return 3
end
if _G["BigFatOrb_Mode"] == "LastHit" then
return 4
end
elseif LoadedOrb == "SOW" then
if _G.SOWi.Menu.Mode0 then
return 1
end
if _G.SOWi.Menu.Mode1 then
return 2
end
if _G.SOWi.Menu.Mode2 then
return 3
end
if _G.SOWi.Menu.Mode3 then
return 4
end
elseif LoadedOrb == "SxOrbWalk" then
if _G.SxOrb.isFight then
return 1
end
if _G.SxOrb.isHarass then
return 2
end
if _G.SxOrb.isLaneClear then
return 3
end
if _G.SxOrb.isLastHit then
return 4
end
elseif LoadedOrb == "S1mpleOrbWalker" then
if S1.aamode == "sbtw" then
return 1
end
if S1.aamode == "harass" then
return 2
end
if S1.aamode == "laneclear" then
return 3
end
if S1.aamode == "lasthit" then
return 4
end
end
end
function Basic:Predictions()
if not FileExist(LIB_PATH .. "/UPL.lua") then
DelayAction(function() DownloadFile("https://raw.githubusercontent.com/nebelwolfi/BoL/master/Common/UPL.lua".."?rand="..math.random(1,10000), LIB_PATH.."VPrediction.lua",
function()
self:InitUPL()
end)
end, 3)
else
self:InitUPL()
end
end
function Basic:InitUPL()
require "UPL"
UPL = UPL()
MenuPred = scriptConfig("Predictions", "PredLegacy"..myHero.charName)
UPL:AddToMenu(MenuPred)
_ENV[myHero.charName]()
end
function Basic:Update()
self.Version = 0.10
local host = "s1mplescripts.de"
local ServerVersionDATA = GetWebResult(host, "/HiranN/BoL/Versions/Legacy%20Mid.version")
local ServerVersion = tonumber(ServerVersionDATA)
if ServerVersionDATA then
if ServerVersion then
if ServerVersion > tonumber(self.Version) then
AddDownload("s1mplescripts.de","/HiranN/BoL/Scripts/Legacy%20Mid.lua", SCRIPT_PATH.._ENV.FILE_NAME, 80, {}, {{key = "afterdltext", value = "(Press 2x F9 to RELOAD) Legacy Mid Updated to Version: "..ServerVersionDATA}})
end
end
end
end
-- Basic: END.
LvLSequence = {
["Kled"] = {1,2,3,1,1,4,1,2,1,2,4,2,2,3,3,4,3,3},
["Taliyah"] = {1,3,2,1,1,4,1,3,1,3,4,3,3,2,2,4,2,2},
["AurelionSol"] = {2,1,3,2,2,4,2,1,2,1,4,1,1,3,3,4,3,3},
["Shyvana"] = {2,1,3,2,2,4,2,1,2,1,4,1,1,3,3,4,3,3},
["Gragas"] = {1,2,3,1,1,4,1,2,1,2,4,2,2,3,3,4,3,3},
["JarvanIV"] = {3,1,2,1,1,4,2,3,1,3,4,1,2,2,3,4,3,2},
["Irelia"] = {2,3,1,2,2,4,3,3,2,1,4,2,3,1,1,4,3,1},
["Garen"] = {1,3,3,2,3,4,3,1,3,1,4,1,1,2,2,4,2,2},
["Gnar"] = {1,2,3,1,1,4,1,2,1,2,4,2,2,3,3,4,3,3},
["Aatrox"] = {2,1,2,3,2,4,2,1,2,1,4,1,1,3,3,4,3,3},
["Amumu"] = {2,3,1,2,2,4,2,3,2,3,4,3,3,1,1,4,1,1},
["Nunu"] = {1,2,3,1,1,4,1,3,1,3,4,3,3,2,2,4,2,2},
["Fiddlesticks"] = {2,3,2,1,1,4,1,3,1,3,4,1,2,3,2,4,3,2},
["Teemo"] = {3,1,2,1,1,4,3,3,2,3,4,1,1,3,2,4,2,2},
["ChoGath"] = {1,2,3,1,1,4,1,1,2,2,4,2,3,2,3,4,3,3},
["Darius"] = {1,2,3,1,1,4,1,2,1,2,4,3,2,2,3,4,3,3},
["DrMundo"] = {1,3,2,1,1,4,1,2,1,2,4,2,2,3,3,4,3,3},
["Elise"] = {2,1,3,1,1,4,1,2,1,2,4,2,2,3,3,4,3,3},
["Evelynn"] = {1,3,2,1,1,4,3,1,3,1,4,3,3,2,2,4,2,2},
["Fiora"] = {2,3,1,2,2,4,2,1,2,1,4,1,1,3,3,4,3,3},
["Gangplank"] = {1,2,2,3,2,4,2,1,2,1,4,1,1,3,3,4,3,3},
["Hecarim"] = {1,2,3,1,1,4,3,1,3,1,4,3,3,2,2,4,2,2},
["Jax"] = {2,3,1,1,1,4,3,2,3,2,4,2,1,1,3,4,2,3},
["Jayce"] = {1,3,1,2,1,2,1,2,1,2,1,2,2,3,3,3,3,3},
["Ahri"] = {1,3,2,1,1,4,1,2,1,2,4,2,3,2,3,4,3,3},
["Akali"] = {1,2,1,3,1,4,1,3,1,3,4,3,3,2,2,4,2,2},
["Anivia"] = {1,3,3,1,3,4,3,2,3,2,4,2,2,2,1,4,1,1},
["Annie"] = {1,2,1,3,1,4,1,1,2,2,4,2,2,3,3,4,3,3},
["Azir"] = {2,1,3,1,1,4,1,3,1,3,4,3,3,2,2,4,2,2},
["Brand"] = {2,1,3,2,2,4,2,1,2,1,4,1,1,3,3,4,3,3},
["Cassiopeia"] = {3,1,2,3,3,4,1,1,3,3,4,1,1,2,2,4,2,2},
["Orianna"] = {3,1,2,1,1,4,2,1,3,1,4,2,3,2,2,4,3,3},
["Lux"] = {3,1,2,3,3,4,1,2,3,1,4,2,3,1,1,4,2,2},
["Diana"] = {2,1,3,1,1,4,1,2,1,2,4,2,2,3,3,4,3,3},
["Ekko"] = {2,1,3,1,1,4,2,2,1,2,4,1,2,3,3,4,3,3},
["Ezreal"] = {1,2,3,1,1,4,2,2,1,3,4,1,2,2,3,4,3,3},
["Fizz"] = {2,1,3,2,2,4,3,2,1,2,4,1,1,3,1,4,3,3},
["Galio"] = {1,2,3,1,1,4,1,2,1,2,4,2,3,2,3,4,3,3},
["Heimerdinger"] = {1,2,3,1,1,4,2,2,2,1,4,1,2,3,3,4,3,3},
["Ashe"] = {2,1,3,2,2,4,1,2,1,2,4,1,1,3,3,4,3,3},
["Kalista"] = {3,1,3,2,3,4,3,1,3,1,4,1,1,2,2,4,2,2},
["Graves"] = {1,2,3,1,1,4,3,1,3,1,4,3,3,2,2,4,2,2},
["Caitlyn"] = {1,3,1,2,1,4,1,3,1,3,4,3,3,2,2,4,2,2},
["Vayne"] = {2,1,3,2,2,4,1,2,2,1,4,1,1,3,3,4,3,3},
["MissFortune"] = {1,2,3,1,2,4,1,1,2,1,4,2,2,3,3,4,3,3},
["Corki"] = {1,2,3,1,1,4,1,3,1,3,4,3,3,2,2,4,2,2},
["Draven"] = {1,2,3,1,1,4,1,2,1,2,4,2,2,3,3,4,3,3},
["Jinx"] = {1,2,3,1,1,4,2,1,2,1,4,2,2,3,3,4,3,3},
["Leona"] = {1,3,2,2,2,4,2,1,2,1,4,1,1,3,3,4,3,3},
["Alistar"] = {1,2,3,1,1,4,1,2,1,2,4,2,2,3,3,4,3,3},
["Janna"] = {3,1,3,2,3,4,3,2,3,2,4,2,2,1,1,4,1,1},
["Braum"] = {1,3,2,1,1,4,1,3,1,3,4,3,3,2,2,4,2,2},
["Bard"] = {1,2,3,1,1,4,2,1,1,2,4,2,2,3,3,4,3,3},
["Blitzcrank"] = {1,3,2,1,1,4,2,1,3,1,4,2,2,2,3,4,3,3},
["Morgana"] = {2,1,3,2,2,4,1,1,3,1,4,1,2,2,3,4,3,3},
["Soraka"] = {1,2,3,1,1,4,1,2,1,2,4,2,2,3,3,4,3,3},
["Karma"] = {1,3,1,2,1,4,1,3,1,3,4,3,3,2,2,4,2,2},
["Karthus"] = {1,3,1,2,1,4,1,3,1,3,4,3,3,2,2,4,2,2},
["Kassadin"] = {2,1,3,3,2,4,1,1,3,1,4,2,1,2,3,4,3,2},
["Katarina"] = {1,2,3,1,1,4,2,2,1,2,4,1,2,3,3,4,3,3},
["Kayle"] = {3,2,1,3,3,4,3,1,3,1,4,1,1,2,2,4,2,2},
["Kennen"] = {1,2,3,1,1,4,1,2,1,2,4,2,2,3,3,4,3,3},
["KhaZix"] = {1,3,2,1,1,4,1,1,3,3,4,3,3,2,2,4,2,2},
["KogMaw"] = {2,3,3,1,3,4,3,2,3,2,4,2,2,1,1,4,1,1},
["Leblanc"] = {2,1,3,2,1,4,2,2,1,3,4,2,1,1,3,4,3,3},
["LeeSin"] = {1,2,3,1,1,4,1,3,1,3,4,2,2,2,2,4,3,3},
["Riven"] = {1,3,2,1,1,4,1,3,1,3,4,3,3,2,2,4,2,2},
["Viktor"] = {1,3,3,2,3,4,3,1,3,1,4,1,2,1,2,4,2,2},
["Lissandra"] = {1,3,2,1,1,4,1,2,1,2,4,2,2,3,3,4,3,3},
["Lucian"] = {1,3,2,1,1,4,1,2,1,3,4,3,2,3,2,4,2,3},
["Lulu"] = {1,3,2,1,1,4,1,3,1,3,4,3,3,2,2,4,2,2},
["MasterYi"] = {1,2,3,1,1,4,3,1,3,1,4,3,3,2,2,4,2,2},
["Malphite"] = {3,2,1,3,3,4,3,1,3,1,4,1,1,2,2,4,2,2},
["Malzahar"] = {3,2,1,3,3,4,1,3,2,3,4,2,2,1,1,4,1,2},
["Maokai"] = {3,1,2,1,1,4,1,2,1,2,4,2,2,3,3,4,3,3},
["Mordekaiser"] = {3,2,3,2,1,4,3,1,3,2,4,2,2,3,1,4,1,1},
["Nami"] = {1,2,3,2,2,4,2,3,2,1,4,3,3,3,1,4,1,1},
["Nasus"] = {1,2,3,1,1,4,3,1,2,1,4,3,3,2,3,4,2,2},
["Nautilus"] = {3,1,2,3,3,4,3,2,3,2,4,2,2,1,1,4,1,1},
["Nidalee"] = {1,3,2,1,1,4,3,1,1,3,4,3,3,2,2,4,2,2},
["Nocturne"] = {1,3,2,1,1,4,1,3,1,3,4,3,3,2,2,4,2,2},
["Olaf"] = {1,3,2,1,1,4,1,3,1,3,4,3,3,2,2,4,2,2},
["Pantheon"] = {1,2,3,1,1,4,1,3,1,3,4,3,3,2,2,4,2,2},
["Poppy"] = {1,3,2,1,1,4,2,1,3,1,4,2,2,2,3,4,3,3},
["Quinn"] = {1,3,2,1,1,4,1,2,1,2,4,2,2,3,3,4,3,3},
["Rammus"] = {2,1,3,3,2,4,3,3,3,2,4,2,2,1,1,4,1,1},
["RekSai"] = {2,1,3,2,1,4,1,1,2,1,4,3,2,2,3,4,2,3},
["Renekton"] = {2,3,1,1,1,4,1,3,1,3,4,3,2,3,2,4,2,2},
["Rengar"] = {1,3,2,1,1,4,1,3,1,3,4,3,3,2,2,4,2,2},
["Rumble"] = {1,3,2,1,1,4,1,3,1,3,4,3,3,2,2,4,2,2},
["Ryze"] = {1,2,3,1,1,4,2,1,2,1,4,3,2,3,2,4,3,3},
["Sejuani"] = {2,3,1,2,2,4,2,3,2,3,4,3,3,1,1,4,1,1},
["Shaco"] = {2,3,1,3,3,4,3,2,3,2,4,2,2,1,1,4,1,1},
["Shen"] = {1,3,1,2,1,4,1,2,1,2,4,2,2,3,3,4,3,3},
["Singed"] = {1,3,1,3,1,4,1,2,1,3,4,3,3,2,2,4,2,2},
["Sion"] = {1,2,3,1,1,4,1,2,1,2,4,2,2,3,3,4,3,3},
["Sivir"] = {1,3,2,1,1,4,3,2,1,2,4,1,2,2,3,4,3,3},
["Skarner"] = {1,2,1,3,1,4,1,2,1,2,4,2,2,3,3,4,3,3},
["Sona"] = {1,2,3,1,1,4,1,2,1,2,4,2,2,3,3,4,3,3},
["Swain"] = {2,3,3,1,3,4,3,1,3,1,4,1,1,2,2,4,2,2},
["Syndra"] = {1,3,1,2,1,4,1,3,1,3,4,3,3,2,2,4,2,2},
["TahmKench"] = {1,2,3,2,2,4,2,1,2,1,4,1,1,3,3,4,3,3},
["Talon"] = {2,3,2,1,2,4,2,1,2,1,4,1,1,3,3,4,3,3},
["Taric"] = {3,1,2,3,3,4,3,2,3,2,4,2,2,1,1,4,1,1},
["Teemo"] = {3,1,2,1,3,4,1,3,1,3,4,3,1,2,2,4,2,2},
["Thresh"] = {3,1,2,3,3,4,3,1,3,1,4,1,1,2,2,4,2,2},
["Tristana"] = {3,1,2,1,1,4,3,1,3,1,4,3,3,2,2,4,2,2},
["Trundle"] = {1,2,1,3,1,4,1,2,1,2,4,2,2,3,3,4,3,3},
["Tryndamere"] = {3,1,2,1,1,4,1,3,1,3,4,3,3,2,2,4,2,2},
["TwistedFate"] = {2,1,3,1,1,4,1,2,1,2,4,2,2,3,3,4,3,3},
["Twitch"] = {3,2,3,1,3,4,3,1,3,1,4,1,1,2,2,4,2,2},
["Udyr"] = {4,2,4,3,4,2,4,2,4,3,2,3,2,3,3,1,1,1},
["Urgot"] = {1,3,2,1,1,4,1,3,1,3,4,3,3,2,2,4,2,2},
["Zed"] = {1,2,3,1,1,4,1,3,2,1,4,3,3,2,3,4,2,2},
["Varus"] = {1,2,3,1,1,4,1,3,1,3,4,3,3,2,2,4,2,2},
["Veigar"] = {1,2,3,2,2,4,1,2,3,1,4,2,1,1,3,4,3,3},
["VelKoz"] = {2,3,1,2,2,4,2,1,2,1,4,1,1,3,3,4,3,3},
["Vi"] = {2,3,1,1,1,4,1,2,3,1,4,3,2,3,2,4,2,3},
["Viktor"] = {1,3,3,2,3,4,3,1,3,1,4,1,2,1,2,4,2,2},
["Vladimir"] = {1,2,1,3,1,4,1,3,1,3,4,3,3,2,2,4,2,2},
["Volibear"] = {3,2,1,2,2,4,2,3,2,3,4,3,3,1,1,4,1,1},
["Warwick"] = {2,1,3,1,2,4,2,1,2,1,4,2,1,3,3,4,3,3},
["MonkeyKing"] = {3,1,2,3,3,4,3,1,3,1,4,1,1,2,2,4,2,2},
["Xerath"] = {1,2,3,1,1,4,2,1,2,1,4,2,2,3,3,4,3,3},
["XinZhao"] = {1,2,3,1,1,4,2,1,2,1,4,2,2,3,3,4,3,3},
["Yasuo"] = {1,3,2,1,1,4,1,3,1,3,4,3,3,2,2,4,2,2},
["Yorick"] = {3,2,3,1,3,4,3,2,3,2,4,2,2,1,1,4,1,1},
["Zac"] = {1,3,2,1,1,4,1,3,1,3,4,3,3,2,2,4,2,2},
["Ziggs"] = {1,3,2,1,1,4,1,3,1,3,4,3,3,2,2,4,2,2},
["Zyra"] = {3,1,2,1,1,4,1,3,1,3,4,3,3,2,2,4,2,2},
["Zilean"] = {1,2,1,3,1,4,1,3,1,3,4,3,2,3,2,4,2,2},
["Kindred"] = {1,2,3,1,1,4,1,2,1,2,4,2,2,3,3,4,3,3},
["Illaoi"] = {1,2,3,2,2,4,2,1,2,1,4,1,1,3,3,4,3,3},
["Jhin"] = {1,2,3,1,1,4,1,3,1,3,4,3,3,2,2,4,2,2},
}
-- Updater --
local function class(base, init)
local c = {}
if not init and type(base) == 'function' then
init = base
base = nil
elseif type(base) == 'table' then
for i,v in pairs(base) do
c[i] = v
end
c._base = base
end
c.__index = c
local mt = {}
mt.__call = function(class_tbl, ...)
local obj = {}
setmetatable(obj,c)
if init then
init(obj,...)
else
if base and base.init then
base.init(obj, ...)
end
end
return obj
end
c.init = init
c.is_a = function(self, klass)
local m = getmetatable(self)
while m do
if m == klass then return true end
m = m._base
end
return false
end
setmetatable(c, mt)
return c
end
local downloads = {}
function AddDownload(server, server_path, localpath, port, data, options)
local function sprite_file_exists()
local file = io.open(SPRITE_PATH.."\\S1mple\\Downloader\\Sprite.png")
if file then file:close() return true else return false end
end
if sprite_file_exists() then
local dlsize = #downloads
local pos_y = 20+dlsize*30
downloads[#downloads+1] = FancyDownload(server, server_path, localpath, port, data, 20, pos_y, false, options, dlsize)
else
--Main Download
local dlsize = #downloads
local pos_y = 20+dlsize*30
downloads[#downloads+1] = FancyDownload(server, server_path, localpath, port, data, 20, pos_y, true, options, dlsize)
--Download sprite for next time
local dlsize = #downloads
local pos_y = 20+dlsize*30
downloads[#downloads+1] = FancyDownload("s1mplescripts.de", "/S1mple/Scripts/BolStudio/FancyDownloader/Sprite.png", SPRITE_PATH.."\\S1mple\\Downloader\\Sprite.png", 80, {}, 20, pos_y, true)
end
end
FancyDownload = class(function(fd,server, server_path, localpath, port, data, pos_x, pos_y, ncp, options, i)
assert(type(server) == "string" or type(server_path) == "string", "FancyDownload: wrong argument types (<string><string> expected for server, server_path)")
if not data then data = {} end
if not port then port = 80 end
if not options then options = {} end
if not ncp then ncp = false end
fd.server = server
fd.server_path = server_path
fd.localpath = localpath
fd.port = port
fd.data = data
fd.progress = 0
fd.ncp = ncp
fd.pos_x = pos_x
fd.pos_y = pos_y
fd.file_size = math.huge
fd.lua_socket = require("socket")
fd.download_tcp = nil
fd.response = ""
fd.status = ""
fd.cutheader = false
fd.bytesperchunk = 8096
fd.nicename = ""
fd.i = i
fd.c_time = 0
fd.passed_time = 0
fd.after_download_text = nil
fd:parseoptions(options)
fd:ncp_special_checks()
fd:LoadSprite()
fd:StartDownload()
AddDrawCallback(function ()
fd:DrawProgress()
end)
AddUnloadCallback(function ()
fd:Cleanup()
end)
end)
function FancyDownload:ncp_special_checks()
CreateDirectory(SPRITE_PATH.."\\S1mple")
CreateDirectory(SPRITE_PATH.."\\S1mple\\Downloader")
end
function FancyDownload:parseoptions(options)
for _,v in pairs(options) do
if v.key == "bps" then
self.bytesperchunk = v.value
elseif v.key == "nicename" then
self.nicename = v.value
elseif v.key == "afterdltext" then
self.after_download_text = v.value
end
end
end
function FancyDownload:StartDownload()
self:GetFileSize()
self.download_tcp = self.lua_socket.connect(self.server,self.port)
local requeststring = "GET "..self.server_path
local first = true
for i,v in pairs(self.data)do
requeststring = requeststring..(first and "?" or "&")..i.."="..v
first = false
end
requeststring = requeststring.. " HTTP/1.0\r\nHost: "..self.server.."\r\n\r\n"
self.download_tcp:send(requeststring)
AddTickCallback(function ()
self:Tick()
end)
end
function FancyDownload:Tick()
if self.status == "timeout" or self.status == "closed" then
self:WriteToFile(self.response)
self.status = "end"
self:Cleanup()
elseif self.status ~= "end" then
s,status, partial = self.download_tcp:receive(self.bytesperchunk)
self.status = status
self.response = self.response..(s or partial)
local headerend = string.find(self.response, "\r\n\r\n")
if (headerend and not self.cutheader) then
self.response = self.response:sub(headerend+4)
self.cutheader = true
end
self.progress = self.response:len()/self.file_size*100
if(math.floor(os.clock()) > self.c_time)then
self.passed_time = self.passed_time + 1
end
end
end
function FancyDownload:GetFileSize()
local connection_tcp = self.lua_socket.connect(self.server,self.port)
local requeststring = "HEAD "..self.server_path
local first = true
for i,v in pairs(self.data)do
requeststring = requeststring..(first and "?" or "&")..i.."="..v
first = false
end
requeststring = requeststring.. " HTTP/1.0\r\nHost: "..self.server.."\r\n\r\n"
connection_tcp:send(requeststring)
local response = ""
local status
while true do
s,status, partial = connection_tcp:receive('*a')
response = response..(s or partial)
if(status == "closed" or status == "timeout")then
break
end
end
local snip_1 = string.find(response, "Length:")+8
response = response:sub(snip_1)
local snip_2 = string.find(response, "\n")-2
response = response:sub(0,snip_2)
self.file_size = tonumber(response)
end
function FancyDownload:DrawProgress()
if self.ncp then return end
--Background
self.sprite:DrawEx(Rect(0,10,417,25), D3DXVECTOR3(0,0,0), D3DXVECTOR3(self.pos_x,self.pos_y,0), 255)
--Foreground
self.sprite:DrawEx(Rect(0,0,self.progress*4.17,10), D3DXVECTOR3(0,0,0), D3DXVECTOR3(self.pos_x+3,self.pos_y+2,0), 255)
if self.status == "end" then
if self.after_download_text then
DrawTextA(self.after_download_text,12, self.pos_x+3,self.pos_y-12)
else
DrawTextA((self.nicename or self.localpath).. " downloaded",12, self.pos_x+3,self.pos_y-12)
end
else
DrawTextA((self.nicename or self.localpath).." Speed: "..math.floor(self.response:len()/self.passed_time).." bytes/sec",12, self.pos_x+3,self.pos_y-12)
end
end
function FancyDownload:LoadSprite()
if self.ncp then return end
self.sprite = GetSprite("S1mple\\Downloader\\Sprite.png")
end
function FancyDownload:Cleanup()
if not self.ncp and self.sprite then
self.sprite:Release()
end
end
function FancyDownload:WriteToFile(text)
local file = io.open(self.localpath, "wb")
file:write(tostring(text))
file:close()
end
--[[
API:
AddDownload(server, server_path, localpath, port, data (table), options)
Usage Example:
AddDownload("s1mplescripts.de","/S1mple/Scripts/BolStudio/Syndra/S1mple_Syndra.lua", SPRITE_PATH.."test.lua", 80, {}, {{key = "nicename", value = "S1mple_Syndra"}})
AddDownload("ddragon.leagueoflegends.com","/cdn/dragontail-6.18.1.tgz", SPRITE_PATH.."test2.tgz", 80, {}, {{key = "nicename", value = "DDragon"}})
Made by:
S1mple (https://forum.botoflegends.com/user/494545-)
--]]
-- Updater --
-- START: BOL TOOLS.
assert(load(Base64Decode("G0x1YVIAAQQEBAgAGZMNChoKAAAAAAAAAAAAAQpQAAAABAAAAEYAQAClAAAAXUAAAUZAQAClQAAAXUAAAWWAAAAIQACBZcAAAAhAgIFLAAAAgQABAMZAQQDHgMEBAQEBAKGACoCGQUEAjMFBAwACgAKdgYABmwEAABcACYDHAUID2wEAABdACIDHQUIDGIDCAxeAB4DHwUIDzAHDA0FCAwDdgYAB2wEAABdAAoDGgUMAx8HDAxgAxAMXgACAwUEEANtBAAAXAACAwYEEAEqAgQMXgAOAx8FCA8wBwwNBwgQA3YGAAdsBAAAXAAKAxoFDAMfBwwMYAMUDF4AAgMFBBADbQQAAFwAAgMGBBABKgIEDoMD0f4ZARQDlAAEAnUAAAYaARQDBwAUAnUAAAYbARQDlQAEAisAAjIbARQDlgAEAisCAjIbARQDlwAEAisAAjYbARQDlAAIAisCAjR8AgAAcAAAABBIAAABBZGRVbmxvYWRDYWxsYmFjawAEFAAAAEFkZEJ1Z3NwbGF0Q2FsbGJhY2sABAwAAABUcmFja2VyTG9hZAAEDQAAAEJvbFRvb2xzVGltZQADAAAAAAAA8D8ECwAAAG9iak1hbmFnZXIABAsAAABtYXhPYmplY3RzAAQKAAAAZ2V0T2JqZWN0AAQGAAAAdmFsaWQABAUAAAB0eXBlAAQHAAAAb2JqX0hRAAQFAAAAbmFtZQAEBQAAAGZpbmQABAIAAAAxAAQHAAAAbXlIZXJvAAQFAAAAdGVhbQADAAAAAAAAWUAECAAAAE15TmV4dXMABAsAAABUaGVpck5leHVzAAQCAAAAMgADAAAAAAAAaUAEFQAAAEFkZERlbGV0ZU9iakNhbGxiYWNrAAQGAAAAY2xhc3MABA4AAABTY3JpcHRUcmFja2VyAAQHAAAAX19pbml0AAQSAAAAU2VuZFZhbHVlVG9TZXJ2ZXIABAoAAABzZW5kRGF0YXMABAsAAABHZXRXZWJQYWdlAAkAAAACAAAAAwAAAAAAAwkAAAAFAAAAGABAABcAAIAfAIAABQAAAAxAQACBgAAAHUCAAR8AgAADAAAAAAQSAAAAU2VuZFZhbHVlVG9TZXJ2ZXIABAcAAAB1bmxvYWQAAAAAAAEAAAABAAAAAAAAAAAAAAAAAAAAAAAEAAAABQAAAAAAAwkAAAAFAAAAGABAABcAAIAfAIAABQAAAAxAQACBgAAAHUCAAR8AgAADAAAAAAQSAAAAU2VuZFZhbHVlVG9TZXJ2ZXIABAkAAABidWdzcGxhdAAAAAAAAQAAAAEAAAAAAAAAAAAAAAAAAAAAAAUAAAAHAAAAAQAEDQAAAEYAwACAAAAAXYAAAUkAAABFAAAATEDAAMGAAABdQIABRsDAAKUAAADBAAEAXUCAAR8AgAAFAAAABA4AAABTY3JpcHRUcmFja2VyAAQSAAAAU2VuZFZhbHVlVG9TZXJ2ZXIABAUAAABsb2FkAAQMAAAARGVsYXlBY3Rpb24AAwAAAAAAQHpAAQAAAAYAAAAHAAAAAAADBQAAAAUAAAAMAEAAgUAAAB1AgAEfAIAAAgAAAAQSAAAAU2VuZFZhbHVlVG9TZXJ2ZXIABAgAAAB3b3JraW5nAAAAAAABAAAAAAAAAAAAAAAAAAAAAAAAAAAAAgAAAAEAAAAAAAAAAAAAAAAAAAAAAAAACAAAAA0AAAAAAAYyAAAABgBAAB2AgAAaQEAAF4AAgEGAAABfAAABF0AKgEYAQQBHQMEAgYABAMbAQQDHAMIBEEFCAN0AAAFdgAAACECAgUYAQQBHQMEAgYABAMbAQQDHAMIBEMFCAEbBQABPwcICDkEBAt0AAAFdgAAACEAAhUYAQQBHQMEAgYABAMbAQQDHAMIBBsFAAA9BQgIOAQEARoFCAE/BwgIOQQEC3QAAAV2AAAAIQACGRsBAAIFAAwDGgEIAAUEDAEYBQwBWQIEAXwAAAR8AgAAOAAAABA8AAABHZXRJbkdhbWVUaW1lcgADAAAAAAAAAAAECQAAADAwOjAwOjAwAAQGAAAAaG91cnMABAcAAABzdHJpbmcABAcAAABmb3JtYXQABAYAAAAlMDIuZgAEBQAAAG1hdGgABAYAAABmbG9vcgADAAAAAAAgrEAEBQAAAG1pbnMAAwAAAAAAAE5ABAUAAABzZWNzAAQCAAAAOgAAAAAAAQAAAAAAAAAAAAAAAAAAAAAAAAAAABUAAAAcAAAAAQAFIwAAABsAAAAXwAeARwBAAFsAAAAXAAeARkBAAFtAAAAXQAaACIDAgEfAQABYAMEAF4AAgEfAQAAYQMEAF4AEgEaAwQCAAAAAxsBBAF2AgAGGgMEAwAAAAAYBQgCdgIABGUAAARcAAYBFAAABTEDCAMGAAgBdQIABF8AAgEUAAAFMQMIAwcACAF1AgAEfAIAADAAAAAQGAAAAdmFsaWQABAcAAABEaWRFbmQAAQEEBQAAAG5hbWUABB4AAABTUlVfT3JkZXJfbmV4dXNfc3dpcmxpZXMudHJveQAEHgAAAFNSVV9DaGFvc19uZXh1c19zd2lybGllcy50cm95AAQMAAAAR2V0RGlzdGFuY2UABAgAAABNeU5leHVzAAQLAAAAVGhlaXJOZXh1cwAEEgAAAFNlbmRWYWx1ZVRvU2VydmVyAAQEAAAAd2luAAQGAAAAbG9vc2UAAAAAAAMAAAABAQAAAQAAAAAAAAAAAAAAAAAAAAAAHQAAAB0AAAACAAICAAAACkAAgB8AgAABAAAABAoAAABzY3JpcHRLZXkAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAHQAAAB4AAAACAAUKAAAAhgBAAMAAgACdgAABGEBAARfAAICFAIAAjIBAAQABgACdQIABHwCAAAMAAAAEBQAAAHR5cGUABAcAAABzdHJpbmcABAoAAABzZW5kRGF0YXMAAAAAAAIAAAAAAAEAAAAAAAAAAAAAAAAAAAAAAB8AAAAuAAAAAgATPwAAAApAAICGgEAAnYCAAAqAgICGAEEAxkBBAAaBQQAHwUECQQECAB2BAAFGgUEAR8HBAoFBAgBdgQABhoFBAIfBQQPBgQIAnYEAAcaBQQDHwcEDAcICAN2BAAEGgkEAB8JBBEECAwAdggABFgECAt0AAAGdgAAACoCAgYaAQwCdgIAACoCAhgoAxIeGQEQAmwAAABdAAIAKgMSHFwAAgArAxIeGQEUAh4BFAQqAAIqFAIAAjMBFAQEBBgBBQQYAh4FGAMHBBgAAAoAAQQIHAIcCRQDBQgcAB0NAAEGDBwCHw0AAwcMHAAdEQwBBBAgAh8RDAFaBhAKdQAACHwCAACEAAAAEBwAAAGFjdGlvbgAECQAAAHVzZXJuYW1lAAQIAAAAR2V0VXNlcgAEBQAAAGh3aWQABA0AAABCYXNlNjRFbmNvZGUABAkAAAB0b3N0cmluZwAEAwAAAG9zAAQHAAAAZ2V0ZW52AAQVAAAAUFJPQ0VTU09SX0lERU5USUZJRVIABAkAAABVU0VSTkFNRQAEDQAAAENPTVBVVEVSTkFNRQAEEAAAAFBST0NFU1NPUl9MRVZFTAAEEwAAAFBST0NFU1NPUl9SRVZJU0lPTgAECwAAAGluZ2FtZVRpbWUABA0AAABCb2xUb29sc1RpbWUABAYAAABpc1ZpcAAEAQAAAAAECQAAAFZJUF9VU0VSAAMAAAAAAADwPwMAAAAAAAAAAAQJAAAAY2hhbXBpb24ABAcAAABteUhlcm8ABAkAAABjaGFyTmFtZQAECwAAAEdldFdlYlBhZ2UABA4AAABib2wtdG9vbHMuY29tAAQXAAAAL2FwaS9ldmVudHM/c2NyaXB0S2V5PQAECgAAAHNjcmlwdEtleQAECQAAACZhY3Rpb249AAQLAAAAJmNoYW1waW9uPQAEDgAAACZib2xVc2VybmFtZT0ABAcAAAAmaHdpZD0ABA0AAAAmaW5nYW1lVGltZT0ABAgAAAAmaXNWaXA9AAAAAAACAAAAAAABAAAAAAAAAAAAAAAAAAAAAAAvAAAAMwAAAAMACiEAAADGQEAAAYEAAN2AAAHHwMAB3YCAAArAAIDHAEAAzADBAUABgACBQQEA3UAAAscAQADMgMEBQcEBAIABAAHBAQIAAAKAAEFCAgBWQYIC3UCAAccAQADMgMIBQcECAIEBAwDdQAACxwBAAMyAwgFBQQMAgYEDAN1AAAIKAMSHCgDEiB8AgAASAAAABAcAAABTb2NrZXQABAgAAAByZXF1aXJlAAQHAAAAc29ja2V0AAQEAAAAdGNwAAQIAAAAY29ubmVjdAADAAAAAAAAVEAEBQAAAHNlbmQABAUAAABHRVQgAAQSAAAAIEhUVFAvMS4wDQpIb3N0OiAABAUAAAANCg0KAAQLAAAAc2V0dGltZW91dAADAAAAAAAAAAAEAgAAAGIAAwAAAPyD15dBBAIAAAB0AAQKAAAATGFzdFByaW50AAQBAAAAAAQFAAAARmlsZQAAAAAAAQAAAAAAAAAAAAAAAAAAAAAAAAAAAAEAAAABAAAAAAAAAAAAAAAAAAAAAAA="), nil, "bt", _ENV))()
TrackerLoad("5j30YsUkHTtRGYBH")
-- END: BOL TOOLS. |
local Native = require('lib.native.native')
---@class PlayerSlotState
local PlayerSlotState = {
Empty = Native.ConvertPlayerSlotState(0), --PLAYER_SLOT_STATE_EMPTY
Playing = Native.ConvertPlayerSlotState(1), --PLAYER_SLOT_STATE_PLAYING
Left = Native.ConvertPlayerSlotState(2), --PLAYER_SLOT_STATE_LEFT
}
return PlayerSlotState
|
test_run = require('test_run').new()
REPLICASET_1 = { 'storage_1_a', 'storage_1_b' }
REPLICASET_2 = { 'storage_2_a', 'storage_2_b' }
test_run:create_cluster(REPLICASET_1, 'storage')
test_run:create_cluster(REPLICASET_2, 'storage')
util = require('util')
util.wait_master(test_run, REPLICASET_1, 'storage_1_a')
util.wait_master(test_run, REPLICASET_2, 'storage_2_a')
util.push_rs_filters(test_run)
_ = test_run:switch("storage_2_a")
vshard.storage.rebalancer_disable()
_ = test_run:switch("storage_1_a")
-- Create buckets sending to rs2 and restart - recovery must
-- garbage some of them and activate others. Receiving buckets
-- must be garbaged on bootstrap.
_bucket = box.space._bucket
_bucket:replace{2, vshard.consts.BUCKET.SENDING, util.replicasets[2]}
_bucket:replace{3, vshard.consts.BUCKET.RECEIVING, util.replicasets[2]}
_ = test_run:switch('storage_2_a')
_bucket = box.space._bucket
_bucket:replace{2, vshard.consts.BUCKET.ACTIVE}
_bucket:replace{3, vshard.consts.BUCKET.SENDING, util.replicasets[1]}
_ = test_run:cmd('stop server storage_1_a')
_ = test_run:cmd('start server storage_1_a')
_ = test_run:switch('storage_1_a')
vshard.storage.recovery_wakeup()
_bucket = box.space._bucket
_bucket:select{}
_ = test_run:switch('storage_2_a')
_bucket:select{}
_ = test_run:switch('storage_1_a')
while _bucket:count() ~= 0 do vshard.storage.recovery_wakeup() fiber.sleep(0.01) end
--
-- Test a case, when a bucket is sending on one replicaset,
-- receiving on another one, but there is no rebalancing.
--
_ = test_run:cmd('stop server storage_2_a')
_ = test_run:cmd('start server storage_2_a')
_ = test_run:switch('storage_2_a')
_bucket = box.space._bucket
while _bucket:count() ~= 2 do vshard.storage.recovery_wakeup() fiber.sleep(0.1) end
--
-- Test a case, when a destination is down. The recovery fiber
-- must restore buckets, when the destination is up.
--
_ = test_run:switch('storage_1_a')
_bucket:replace{1, vshard.consts.BUCKET.SENDING, util.replicasets[2]}
_ = test_run:switch('storage_2_a')
_bucket:replace{1, vshard.consts.BUCKET.ACTIVE}
_ = test_run:switch('default')
_ = test_run:cmd('stop server storage_2_a')
_ = test_run:cmd('stop server storage_1_a')
_ = test_run:cmd('start server storage_1_a')
_ = test_run:switch('storage_1_a')
_bucket = box.space._bucket
_bucket:select{}
for i = 1, 10 do vshard.storage.recovery_wakeup() end
_bucket:select{}
_ = test_run:cmd('start server storage_2_a')
while _bucket:count() ~= 0 do vshard.storage.recovery_wakeup() fiber.sleep(0.1) end
_bucket:select{}
_ = test_run:switch('storage_2_a')
_bucket = box.space._bucket
_bucket:select{}
--
-- Test a case when a bucket is sending in one place and garbage
-- or sent or deleted on a destination.
--
_bucket:replace{1, vshard.consts.BUCKET.GARBAGE, util.replicasets[1]}
_ = test_run:switch('storage_1_a')
_bucket:replace{1, vshard.consts.BUCKET.SENDING, util.replicasets[2]}
_ = test_run:switch('default')
_ = test_run:cmd('stop server storage_2_a')
_ = test_run:cmd('stop server storage_1_a')
_ = test_run:cmd('start server storage_1_a')
_ = test_run:cmd('start server storage_2_a')
_ = test_run:switch('storage_1_a')
_bucket = box.space._bucket
while _bucket:get{1}.status ~= vshard.consts.BUCKET.ACTIVE do vshard.storage.recovery_wakeup() fiber.sleep(0.1) end
_ = test_run:switch("default")
test_run:drop_cluster(REPLICASET_2)
test_run:drop_cluster(REPLICASET_1)
_ = test_run:cmd('clear filter')
|
-- Trackpad input by Paul Hedderly
-- Expects three sources X, Y and touch
-- On the Korg Nanopad2 these would be nanoP.ch0.cc1, nanoP.ch0.cc2, nanoP.ch0.cc16
-- so you could map and feed this script with something like:
-- [midi nanoP]
-- read = nanoPAD2
-- write = nanoPAD2
-- [lua trackpad]
-- script = trackpad.lua
-- ..
-- nanoP.ch0.cc1 > trackpad.x
-- nanoP.ch0.cc2 > trackpad.y
-- nanoP.ch0.cc16 > trackpad.touch
--
-- Each touch will generate four outputs
-- - on[1-9] - the first point of touch (might not be very useful!)
-- - off[1-9] - the final point of touch
-- - swipe[1-9][1-9] - the first and last as a *simple* gesture or swipe
-- - gesture[1-9]..[1-9] - every segment you touch in order so you can do complicated gestures
--
-- Each output of 1 is followed by an output of 0
-- You would map these as
-- trackpad.on3 > ...
-- trackpad.off9 > ....
-- trackpad.swipe17 > .... -- would catch a line from top left to bottom left but could go anywhere in between
-- trackpad.gesture78965 > .... would catch a backwards capital L starting at the bottom left
-- -- Reserve state variables
contact=0;
trace="";
x=0; y=0
lpos=""
function x(v) -- NOTE the code assumes that we get an X before the Y - Some devices might differ!
x=math.floor((v+0.09)*2.55)
end
function y(v)
y=2-math.floor((v+0.09)*2.55) -- 2- so that we have 1 at the top
pos=""..x+1+y*3 -- we need a string to compare
lpos=string.sub(trace,-1)
print("pos"..pos.." lpos"..lpos.." = "..trace)
if pos ~= lpos then trace=trace..pos end
end
function touch(v)
-- print("TOUCH .."..contact..".... trace"..trace)
if v==1 then contact=1
elseif v==0 then
first=string.sub(trace,1,1); last=string.sub(trace,-1)
ends=first..last
output("on"..last,1); output ("on"..last,0)
output("off"..last,1); output ("off"..last,0)
output("swipe"..ends,1); output ("swipe"..ends,0)
output("gesture"..trace,1); output ("gesture"..trace,0)
print("TRACKPAD>>>"..trace.." ends.."..ends)
trace="" -- reset tracking
end;
end
|
local rx, _, util = require(script:GetCustomProperty("rx"))()
local mazeGroup = script:GetCustomProperty("maze_group")
local maze = script:GetCustomProperty("maze"):WaitForObject()
local weapon = script:GetCustomProperty("weapon")
local templatesList = script:GetCustomProperty("templates")
local bufferSize = 100
local buildDelay = 0.00001
local FRONT = 'front'
local BACK = 'back'
local LEFT = 'left'
local RIGHT = 'right'
local parent = nil
local templates = World.SpawnAsset(templatesList, {position = Vector3.New(0,0,0), parent = script.parent})
local function bind(t, k)
return function(...) return t[k](t, ...) end
end
print('preparing for maze generation')
local generateMaze_ = rx.fromEvent('generate-maze')
.pipe({
_.tap(function(data)
print('generating maze with:')
print(' seed: ', data.seed)
print(' mazeSize: ', data.mazeSize)
print(' tileSize: ', data.tileSize)
print(' template: ', data.template)
if (parent ~= nil) then
parent:Destroy()
end
parent = World.SpawnAsset(mazeGroup, {name = 'maze-architecture', position = Vector3.New(0,0,0), parent = maze})
end),
})
local removeDuplicateCells = function(includeWhich)
local cellKey = function(cell)
local key = cell.x..cell.y
key = includeWhich and key..cell.which or key
return key
end
return function(source)
return source.pipe(_.distinct(cellKey))
end
end
local mazeGenerator_ = generateMaze_
.pipe({
_.mergeMap(function(data)
local rng = RandomStream.New(data.seed)
local mazeSize = data.mazeSize
local tileSize = data.tileSize
local template = templates:FindDescendantByName(data.template)
local wall = template:GetCustomProperty("wall")
local column = template:GetCustomProperty("column")
local floor = template:GetCustomProperty("floor")
print('making the maze')
local ring = function(positive, negative, include, randomWhich)
local allowedDirections = {
{FRONT, LEFT},
{FRONT, RIGHT},
{BACK, LEFT},
{BACK, RIGHT},
}
local filterDirections = function(want)
return util.filter(allowedDirections, function(dir)
local wants = util.intersect({dir, include})
if (#wants > 0) then return true end
end)
end
local directions = include
and filterDirections(include)
or filterDirections({BACK, FRONT})
return rx.from(directions)
.pipe({
_.mergeMap(function(direction)
local frontBack = direction[1]
local leftRight = direction[2]
return rx.range(positive, negative, -1, true)
.pipe({
_.map(function(val)
local limit = frontBack == FRONT and positive or negative
local determineWhich = function()
if (not randomWhich) then
return leftRight == LEFT and 1 or 0
else
return rng:GetInteger(0, 1)
end
end
return {
x = leftRight == LEFT and limit or val,
y = leftRight == RIGHT and limit or val,
which = determineWhich()
}
end),
})
end)
})
end
local mainMaze_ = function(randomWhich)
return rx.range(0, mazeSize)
.pipe({
_.mergeMap(function(ringNumber)
return ring(ringNumber, 0, nil, randomWhich)
end),
removeDuplicateCells(),
})
end
local startingArea_ = rx.merge(ring(mazeSize - 1, -2, {BACK}), ring(mazeSize - 1, -1, {BACK}))
local columnBounds_ = ring(mazeSize, -2)
local isNotFarCell = function(cell)
return cell.x ~= mazeSize or cell.y ~= mazeSize
end
local wallBounds_ = rx.merge(
ring(mazeSize - 1, -2, {BACK}),
ring(mazeSize, -2, {FRONT}).pipe(_.filter(isNotFarCell))
)
local calculatePosition = function(data)
local x = data['x']
local y = data['y']
local trans = {
position = Vector3.New(x*tileSize, y*tileSize, 0),
parent = parent,
which = data['which'],
}
return trans
end
local calculateRotation = function(data)
local which = data['which']
data['rotation'] = Rotation.New(0, 0, which*90)
return data
end
local batchSpawn = function(asset, delay)
delay = delay or true
return function(trans)
Task.Wait(buildDelay)
for index, val in ipairs(trans) do
World.SpawnAsset(asset, val)
end
end
end
local generateFloor_ = rx.merge(mainMaze_(), startingArea_)
.pipe({
removeDuplicateCells(),
_.map(calculatePosition),
_.buffer(bufferSize),
_.tap(batchSpawn(floor, false)),
})
local generateWalls_ = rx.merge(mainMaze_(true), wallBounds_)
.pipe({
removeDuplicateCells(true),
_.map(calculatePosition),
_.map(calculateRotation),
_.buffer(bufferSize),
_.tap(batchSpawn(wall)),
})
local generateColumns_ = rx.merge(mainMaze_(), columnBounds_)
.pipe({
removeDuplicateCells(),
_.map(calculatePosition),
_.buffer(bufferSize/4),
_.tap(batchSpawn(column)),
})
return rx.merge(generateFloor_, generateWalls_, generateColumns_)
end),
})
.subscribe(function() end, print, function() end)
|
ITEM.name = "Патроны 5,45x39"
ITEM.ammo = "545x39"
ITEM.ammoAmount = 120
ITEM.desc = "Коробка с патронами калибра 5,45x39"
ITEM.category = "Патроны"
ITEM.price = 3400
ITEM.exRender = false
ITEM.model = "models/kek1ch/ammo_545x39_fmj.mdl"
ITEM.width = 2
ITEM.height = 1
ITEM.iconCam = {
pos = Vector(99.246322631836, 83.277549743652, 62.181777954102),
ang = Angle(25, 220, 0),
fov = 7
}
|
module(..., lunit.testcase, package.seeall)
local common = dofile("common.lua")
local net = require "luanode.net"
function test()
local tests_run = 0
function pingPong (port, host)
local N = 1000
local count = 0
local sent_final_ping = false
local server = net.createServer(function (self, socket)
console.log("connection: %s:%d", socket:remoteAddress())
assert_equal(self, socket.server)
assert_equal(1, self.connections)
socket:setNoDelay()
socket.timeout = 0
socket:setEncoding("utf8")
socket:addListener("data", function (self, data)
console.log("server got: %s", data)
assert_equal(true, socket.writable)
assert_equal(true, socket.readable)
assert_equal(true, count <= N)
if data:match("PING") then
socket:write("PONG")
end
end)
socket:addListener("end", function (self)
assert_equal(true, socket.writable)
assert_equal(false, socket.readable)
socket:finish()
end)
socket:addListener("error", function (self, e)
error(e)
end)
socket:addListener("close", function (self)
console.log("server socket.end")
assert_equal(false, socket.writable)
assert_equal(false, socket.readable)
socket.server:close()
end)
end)
server:listen(port, host, function (self)
console.log("server listening on " .. port .. " " .. (host and host or ""))
local client = net.createConnection(port, host)
collectgarbage()
client:setEncoding("ascii")
client:addListener("connect", function ()
assert_equal(true, client.readable)
assert_equal(true, client.writable)
client:write("PING")
end)
client:addListener("data", function (self, data)
console.log("client got: %s", data)
assert_equal("PONG", data)
count = count + 1
if sent_final_ping then
assert_equal(false, client.writable)
assert_equal(true, client.readable)
return
else
assert_equal(true, client.writable)
assert_equal(true, client.readable)
end
if count < N then
client:write("PING")
else
sent_final_ping = true
client:write("PING")
client:finish()
end
end)
client:addListener("close", function ()
console.log("client.end")
assert_equal(N + 1, count)
assert_equal(true, sent_final_ping)
tests_run = tests_run + 1
end)
client:addListener("error", function (self, e)
error(e)
end)
end)
end
-- All are run at once, so run on different ports
pingPong(20989, "localhost")
pingPong(20988)
--pingPong(20997, "::1") -- deshabilitado porque mi notebook no soporta ipv6
--pingPong("/tmp/pingpong.sock") -- aun no soporto unix domain sockets
process:addListener("exit", function ()
--assert_equal(3, tests_run)
assert_equal(2, tests_run)
console.log("done")
end)
process:loop()
end |
local u = {}
local function offsetObject(obj,dx,dy,done)
done[obj] = true
local x,y = obj.x+dx, obj.y+dy
local taken = obj.world[obj.layer][x][y]
if taken then
offsetObject(taken,dx,dy,done)
end
obj.world:moveObject(obj, obj.x+dx, obj.y+dy)
end
local function offsetPathNode(pn,dx,dy,done)
done[pn] = true
local x,y = pn.x+dx, pn.y+dy
local taken = pn.path.world.pathNodes[x][y]
if taken then
offsetPathNode(taken,dx,dy,done)
end
pn.path.world:movePathNode(pn, pn.x+dx, pn.y+dy)
end
function u.offsetEverything(world,dx,dy)
if dx==0 and dy==0 then
--prevent stack overflow due to object trying to move itself first,
--before moving, getting stuck in an infinite loop
return
end
local done = {}
for obj in world.objects:iterate() do
if not done[obj] then
offsetObject(obj,dx,dy,done)
end
end
for path in world.paths:iterate() do
local node = path.head
while node do
if not done[node] then
offsetPathNode(node,dx,dy,done)
end
node = node.next
end
end
end
return u
|
local scripts = {
"tool",
"misc",
"nodes",
"spawneggs",
"equip",
}
for _, script in ipairs(scripts) do
antum.loadScript(script)
end
|
local snowflakes = {}
local snowing = false
local box_width, box_depth, box_height = 4,4,4
local position = {0,0,0}
local flake_removal = nil
local snow_fadein = 10
sx,sy = guiGetScreenSize()
sx2,sy2 = sx/2,sy/2
localPlayer = getLocalPlayer()
--local random = math.random
function random(lower,upper)
return lower+(math.random()*(upper-lower))
end
function startSnow()
if not snowing then
snowflakes = {}
local lx,ly,lz = getWorldFromScreenPosition(0,0,1)
local rx,ry,rz = getWorldFromScreenPosition(sx,0,1)
box_width = getDistanceBetweenPoints3D(lx,ly,lz,rx,ry,rz)+2 -- +1 each side of the screen
box_depth = box_width
lx,ly,lz = getWorldFromScreenPosition(sx2,sy2,box_depth)
position = {lx,ly,lz}
-- let it snow
for i=1, settings.density do
local x,y,z = random(0,box_width*2),random(0,box_depth*2),random(0,box_height*2)
createFlake(x-box_width,y-box_depth,z-box_height,0)
end
-- outputChatBox(string.format("Width/Depth: %.1f",box_width))
addEventHandler("onClientRender",root,drawSnow)
snowing = true
-- outputChatBox("Snow started")
return true
else
-- outputChatBox("Its already snowing")
return false
end
return false
end
addEventHandler("onClientResourceStart", getResourceRootElement(), startSnow)
function toggleSnow()
if snowing then
stopSnow()
else
startSnow()
end
end
addCommandHandler("snow",function()
if snowToggle then
toggleSnow()
else
outputChatBox("Snow toggling is disabled.")
end
end)
--[[function showSnowToggleBind()
if getKeyState("lctrl") or getKeyState("rctrl") then
if snowToggle then
toggleSnow()
else
outputChatBox("Snow toggling is disabled.")
end
end
end
addCommandHandler("Snow Toggle (hold ctrl)",showSnowToggleBind)
bindKey("s","down","Snow Toggle (hold ctrl)")]]
function stopSnow()
if snowing then
removeEventHandler("onClientRender",root,drawSnow)
for i,flake in pairs(snowflakes) do
snowflakes[i] = nil
end
snowflakes = nil
flake_removal = nil
snowing = false
-- outputChatBox("Snow stopped")
return true
end
return false
end
addEventHandler("onClientResourceStop",getResourceRootElement(getThisResource()),stopSnow)
function updateSnowType(type)
if type then
settings.type = type
-- outputChatBox("Snow type set to "..type)
return true
end
return false
end
function updateSnowDensity(dense,blend,speed)
if dense and tonumber(dense) then
dense = tonumber(dense)
if snowing then
if blend then
-- if we are blending in more flakes
if dense > settings.density then
-- default speed
if not tonumber(speed) then
speed = 300
end
-- create 1/20 of the new amount every 'speed'ms for 20 iterations
setTimer(function(old,new)
for i=1, (new-old)/20, 1 do
local x,y = random(0,box_width*2),random(0,box_depth*2)
createFlake(x-box_width,y-box_depth,box_height,0)
end
end,tonumber(speed),20,settings.density,dense)
-- if we are blending out existing flakes, just flag that we should stop recreating them and check in createFlake()
elseif dense < settings.density then
if not tonumber(speed) then
speed = 10
end
flake_removal = {settings.density-dense,0,tonumber(speed)}
end
if not tonumber(speed) then
speed = 0
end
else
speed = 0
if dense > settings.density then
for i=settings.density+1, dense do
local x,y = random(0,box_width*2),random(0,box_depth*2)
createFlake(x-box_width,y-box_depth,box_height,0)
end
elseif dense < settings.density then
for i=density, dense+1, -1 do
table.remove(snowflakes,i)
end
end
end
else
speed = 0
end
-- outputChatBox("Snow density set to "..dense.." (b: "..((blend ~= nil) and "yes" or "no").." - "..((dense > settings.density) and "in" or "out").." at "..tonumber(speed).."ms : "..settings.density..","..dense..")")
settings.density = tonumber(dense)
return true
end
return false
end
function updateSnowWindDirection(xdir,ydir)
if xdir and tonumber(xdir) and ydir and tonumber(ydir) then
settings.wind_direction = {tonumber(xdir)/100,tonumber(ydir)/100}
-- outputChatBox("Snow winddirection set to "..xdir..","..ydir)
return true
end
return false
end
function updateSnowWindSpeed(speed)
if speed and tonumber(speed) then
settings.wind_speed = tonumber(speed)
-- outputChatBox("Snow windspeed set to "..settings.wind_speed)
return true
end
return false
end
function updateSnowflakeSize(min,max)
if min and tonumber(min) and max and tonumber(max) then
settings.snowflake_min_size = tonumber(min)
settings.snowflake_max_size = tonumber(max)
-- outputChatBox("Snowflake size set to "..min.." - "..max)
return true
end
return false
end
function updateSnowFallSpeed(min,max)
if min and tonumber(min) and max and tonumber(max) then
settings.fall_speed_min = tonumber(min)
settings.fall_speed_max = tonumber(max)
return true
end
return false
end
function updateSnowAlphaFadeIn(alpha)
if alpha and tonumber(alpha) then
snow_fadein = tonumber(alpha)
-- outputChatBox("Snow fade in alpha set to "..alpha)
return true
end
return false
end
function createFlake(x,y,z,alpha,i)
if flake_removal then
if (flake_removal[2] % flake_removal[3]) == 0 then
flake_removal[1] = flake_removal[1] - 1
if flake_removal[1] == 0 then
flake_removal = nil
end
table.remove(snowflakes,i)
return
else
flake_removal[2] = flake_removal[2] + 1
end
end
if i then
snowflakes[i] = {x = x, y = y, z = z, speed = math.random(settings.fall_speed_min,settings.fall_speed_max)/100, size = 2^math.random(settings.snowflake_min_size,settings.snowflake_max_size), image = math.random(1,4), rot = math.random(0,180), alpha = alpha}
else
table.insert(snowflakes,{x = x, y = y, z = z, speed = math.random(settings.fall_speed_min,settings.fall_speed_max)/100, size = 2^math.random(settings.snowflake_min_size,settings.snowflake_max_size), image = math.random(1,4), rot = math.random(0,180), alpha = alpha})
end
end
function drawSnow()
if getElementDimension(localPlayer) ~= 0 then
return
end
local cx,cy,cz = getCameraMatrix()
local lx,ly,lz = getWorldFromScreenPosition(sx2,sy2,box_depth)
--local hit,hx,hy,hz = processLineOfSight(lx,ly,lz,lx,ly,lz+20,true,true,false,true,false,true,false,false,localPlayer)
if (isLineOfSightClear(cx,cy,cz,cx,cy,cz+20,true,false,false,true,false,true,false,true,localPlayer) or
isLineOfSightClear(lx,ly,lz,lx,ly,lz+20,true,false,false,true,false,true,false,true,localPlayer)) then
-- if we are underwater, substitute the water level for the ground level
local check = getGroundPosition
if testLineAgainstWater(cx,cy,cz,cx,cy,cz+20) then
check = getWaterLevel
end
-- local gz = getGroundPosition(lx,ly,lz)
-- split the box into a 3x3 grid, each section of the grid takes its own ground level reading to apply for every flake within it
local grid = {(box_width*2)/6,(box_depth*2)/6}
local gpx,gpy,gpz = lx+(-box_width),ly+(-box_depth),lz+15
local ground = {
[1] = {check(gpx+grid[1],gpy+grid[2],gpz),
check(gpx+grid[1],gpy+grid[2]*3,gpz),
check(gpx+grid[1],gpy+grid[2]*5,gpz)},
[2] = {check(gpx+grid[1]*3,gpy+grid[2],gpz),
check(gpx+grid[1]*3,gpy+grid[2]*3,gpz),
check(gpx+grid[1]*3,gpy+grid[2]*5,gpz)},
[3] = {check(gpx+grid[1]*5,gpy+grid[2],gpz),
check(gpx+grid[1]*5,gpy+grid[2]*3,gpz),
check(gpx+grid[1]*5,gpy+grid[2]*5,gpz)}
}
-- outputDebugString(string.format("%.1f %.1f %.1f, %.1f %.1f %.1f, %.1f %.1f %.1f",ground[1][1],ground[1][2],ground[1][3],ground[2][1],ground[2][2],ground[2][3],ground[3][1],ground[3][2],ground[3][3]))
-- outputDebugString(string.format("%.1f %.1f %.1f, %.1f %.1f %.1f",(-box_width)+grid[1],(-box_width)+grid[1]*3,(-box_width)+grid[1]*5,(-box_depth)+grid[2],(-box_depth)+grid[2]*3,(-box_depth)+grid[2]*5))
local dx,dy,dz = position[1]-lx,position[2]-ly,position[3]-lz
local alpha = (math.abs(dx) + math.abs(dy) + math.abs(dz))*15
-- outputDebugString(tostring(alpha))
for i,flake in pairs(snowflakes) do
if flake then
-- check the flake hasnt moved beyond the box or below the ground
-- actually, to preserve a constant density allow the flakes to fall past ground level (just dont show them) and remove once at the bottom of the box
-- if (flake.z+lz) < ground[gx][gy] or flake.z < (-box_height) then
if flake.z < (-box_height) then
-- outputDebugString(string.format("Flake removed. %.1f %.1f %.1f",flake.x,flake.y,flake.z))
local x,y = random(0,box_width*2),random(0,box_depth*2)
createFlake(x-box_width,y-box_depth,box_height,0,i)
else
-- find the grid section the flake is in
local gx,gy
if flake.x <= (-box_width)+grid[1]*2 then gx = 1
elseif flake.x >= (-box_width)+grid[1]*4 then gx = 3
else gx = 2
end
if flake.y <= (-box_depth)+grid[2]*2 then gy = 1
elseif flake.y >= (-box_depth)+grid[2]*4 then gy = 3
else gy = 2
end
-- check it hasnt moved past the ground
if ground[gx][gy] and (flake.z+lz) > ground[gx][gy] then
-- draw all onscreen flakes
local draw_x,draw_y = getScreenFromWorldPosition(flake.x+lx,flake.y+ly,flake.z+lz,15,false)
if draw_x and draw_y then
-- outputDebugString(string.format("Drawing flake %.1f %.1f",draw_x,draw_y))
-- only draw flakes that are infront of the player
-- peds seem to have very vague collisions, resulting in a dome-like space around the player where no snow is drawn, so leave this out due to it looking rediculous
-- if isLineOfSightClear(cx,cy,cz,flake.x+lx,flake.y+ly,flake.z+lz,true,true,true,true,false,false,false,true) then
dxDrawImage(draw_x,draw_y,flake.size,flake.size,"flakes/snowflake"..tostring(flake.image).."_".. settings.type ..".png",flake.rot,0,0,tocolor(222,235,255,flake.alpha))
-- end
-- rotation and alpha (do not need to be done if the flake isnt being drawn)
flake.rot = flake.rot + settings.wind_speed
if flake.alpha < 255 then
flake.alpha = flake.alpha + snow_fadein + alpha
if flake.alpha > 255 then flake.alpha = 255 end
end
else
-- outputDebugString(string.format("Cannot find screen pos. %.1f %.1f %.1f",flake.x+lx,flake.y+ly,flake.z+lz))
end
else
end
-- horizontal movement
flake.x = flake.x + (settings.wind_direction[1] * settings.wind_speed)
flake.y = flake.y + (settings.wind_direction[2] * settings.wind_speed)
-- vertical movement
flake.z = flake.z - flake.speed
-- update flake position based on movement of the camera
flake.x = flake.x + dx
flake.y = flake.y + dy
flake.z = flake.z + dz
-- outputDebugString(string.format("Diff: %.1f, %.1f, %.1f",position[1]-lx,position[2]-ly,position[3]-lz))
if flake.x < -box_width or flake.x > box_width or
flake.y < -box_depth or flake.y > box_depth or
flake.z > box_height then
-- outputDebugString(string.format("Flake removed (move). %.1f %.1f %.1f",flake.x,flake.y,flake.z))
-- mirror flakes that were removed due to camera movement onto the opposite side of the box (and hope nobody notices)
flake.x = flake.x - dx
flake.y = flake.y - dy
local x,y,z = (flake.x > 0 and -flake.x or math.abs(flake.x)),(flake.y > 0 and -flake.y or math.abs(flake.y)),random(0,box_height*2)
createFlake(x,y,z-box_height,255,i)
end
end
end
end
else
-- outputDebugString("Not clear (roof)")
end
position = {lx,ly,lz}
end
--debug
--[[
addCommandHandler("ssize",function()
if snowflakes then
outputDebugString("Snowflake table size: "..#snowflakes)
end
end)
addCommandHandler("swdir",function(cmd,xdir,ydir)
updateSnowWindDirection(xdir,ydir)
end)
addCommandHandler("swspeed",function(cmd,speed)
updateSnowWindSpeed(speed)
end)
addCommandHandler("sdensity",function(cmd,dense,blend,speed)
updateSnowDensity(dense,blend,speed)
end)
addCommandHandler("salpha",function(cmd,alpha)
updateSnowAlphaFadeIn(alpha)
end)
]] |
workspace "Hazel_Kai"
architecture "x64"
startproject "Sandbox"
configurations
{
"Debug",
"Release",
"Dist"
}
outputdir = "%{cfg.buildcfg}-%{cfg.system}-%{cfg.architecture}"
-- Inlcude directories relative to root folder(solution dir)
IncludeDir = {}
IncludeDir["GLFW"] = "Hazel_Kai/vendor/GLFW/include"
IncludeDir["GLAD"] = "Hazel_Kai/vendor/GLAD/include"
IncludeDir["ImGui"] = "Hazel_Kai/vendor/imgui"
IncludeDir["glm"] = "Hazel_Kai/vendor/glm"
include "Hazel_Kai/vendor/GLFW"
include "Hazel_Kai/vendor/GLAD"
include "Hazel_Kai/vendor/imgui"
project "Hazel_Kai"
location "Hazel_Kai"
kind "SharedLib"
language "C++"
staticruntime "off"
targetdir ("bin/" .. outputdir .. "/%{prj.name}")
objdir ("bin-int/" .. outputdir .. "/%{prj.name}")
pchheader "hzpch.h"
pchsource "Hazel_Kai/src/hzpch.cpp"
files
{
"%{prj.name}/src/**.h",
"%{prj.name}/src/**.cpp",
"%{prj.name}/vendor/glm/glm/**.hpp",
"%{prj.name}/vendor/glm/glm/**.inl",
}
includedirs
{
"%{prj.name}/src",
"%{prj.name}/vendor/spdlog/include",
"%{IncludeDir.GLFW}",
"%{IncludeDir.ImGui}",
"%{IncludeDir.GLAD}",
"%{IncludeDir.glm}"
}
links
{
"GLFW",
"GLAD",
"ImGui",
"opengl32.lib"
}
filter "system:windows"
cppdialect "C++17"
systemversion "latest"
defines
{
"HZ_PLATFORM_WINDOWS",
"HZ_BUILD_DLL",
"GLFW_INCLUDE_NONE"
}
postbuildcommands
{
("{COPY} %{cfg.buildtarget.relpath} \"../bin/" .. outputdir .. "/Sandbox/\"")
}
filter "configurations:Debug"
defines "HZ_DEBUG"
runtime "Debug"
symbols "On"
filter "configurations:Release"
defines "HZ_RELEASE"
runtime "Release"
optimize "On"
filter "configurations:Dist"
defines "HZ_DIST"
runtime "Release"
optimize "On"
project "Sandbox"
location "Sandbox"
kind "ConsoleApp"
language "C++"
staticruntime "off"
targetdir ("bin/" .. outputdir .. "/%{prj.name}")
objdir ("bin-int/" .. outputdir .. "/%{prj.name}")
files
{
"%{prj.name}/src/**.h",
"%{prj.name}/src/**.cpp"
}
includedirs
{
"Hazel_Kai/src",
"Hazel_Kai/vendor/spdlog/include",
"%{IncludeDir.glm}"
}
links
{
"Hazel_Kai"
}
filter "system:windows"
cppdialect "C++17"
systemversion "latest"
defines
{
"HZ_PLATFORM_WINDOWS",
}
filter "configurations:Debug"
defines "HZ_DEBUG"
runtime "Debug"
symbols "On"
filter "configurations:Release"
defines "HZ_RELEASE"
runtime "Release"
optimize "On"
filter "configurations:Dist"
defines "HZ_DIST"
runtime "Release"
optimize "On" |
local config = require("aerial.config")
local M = {}
M.rpad = function(str, length, padchar)
local strlen = vim.api.nvim_strwidth(str)
if strlen < length then
return str .. string.rep(padchar or " ", length - strlen)
end
return str
end
M.lpad = function(str, length, padchar)
if string.len(str) < length then
return string.rep(padchar or " ", length - string.len(str)) .. str
end
return str
end
M.get_width = function(bufnr)
local ok, width = pcall(vim.api.nvim_buf_get_var, bufnr or 0, "aerial_width")
if ok then
return width
end
return (config.min_width + config.max_width) / 2
end
M.set_width = function(bufnr, width)
if bufnr == nil or bufnr == 0 then
bufnr = vim.api.nvim_get_current_buf()
end
width = math.min(config.max_width, math.max(config.min_width, width))
if M.get_width(bufnr) == width then
return width
end
vim.api.nvim_buf_set_var(bufnr, "aerial_width", width)
for _, winid in ipairs(vim.api.nvim_list_wins()) do
if vim.api.nvim_win_get_buf(winid) == bufnr then
vim.api.nvim_win_set_width(winid, width)
end
end
return width
end
M.get_height = function(bufnr)
local ok, height = pcall(vim.api.nvim_buf_get_var, bufnr or 0, "aerial_height")
if ok then
return height
end
local max_height = math.min(config.float.max_height, vim.o.lines - vim.o.cmdheight)
return math.max(config.float.min_height, max_height / 2)
end
M.set_height = function(bufnr, height)
if bufnr == nil or bufnr == 0 then
bufnr = vim.api.nvim_get_current_buf()
end
height = math.min(config.float.max_height, math.max(config.float.min_height, height))
vim.api.nvim_buf_set_var(bufnr, "aerial_height", height)
for _, winid in ipairs(vim.api.nvim_list_wins()) do
if vim.api.nvim_win_get_buf(winid) == bufnr and M.is_floating_win(winid) then
vim.api.nvim_win_set_height(winid, height)
end
end
end
M.is_aerial_buffer = function(bufnr)
local ft = vim.api.nvim_buf_get_option(bufnr or 0, "filetype")
return ft == "aerial"
end
M.go_win_no_au = function(winid)
if winid == vim.api.nvim_get_current_win() then
return
end
local winnr = vim.api.nvim_win_get_number(winid)
vim.cmd(string.format("noau %dwincmd w", winnr))
end
M.go_buf_no_au = function(bufnr)
vim.cmd(string.format("noau b %d", bufnr))
end
M.get_aerial_orphans = function()
local orphans = {}
for _, winid in ipairs(vim.api.nvim_tabpage_list_wins(0)) do
local winbuf = vim.api.nvim_win_get_buf(winid)
if M.is_aerial_buffer(winbuf) and M.is_aerial_buffer_orphaned(winbuf) then
table.insert(orphans, winid)
end
end
return orphans
end
M.buf_first_win_in_tabpage = function(bufnr)
for _, winid in ipairs(vim.api.nvim_tabpage_list_wins(0)) do
if vim.api.nvim_win_get_buf(winid) == bufnr then
return winid
end
end
end
M.is_aerial_buffer_orphaned = function(bufnr)
local sourcebuf = M.get_source_buffer(bufnr)
if sourcebuf == -1 then
return true
end
if config.close_behavior == "global" and not M.is_aerial_buffer() then
return sourcebuf ~= vim.api.nvim_get_current_buf()
end
for _, winid in ipairs(vim.api.nvim_tabpage_list_wins(0)) do
if vim.api.nvim_win_get_buf(winid) == sourcebuf then
return false
end
end
return true
end
M.get_aerial_buffer = function(bufnr)
return M.get_buffer_from_var(bufnr or 0, "aerial_buffer")
end
M.get_buffers = function(bufnr)
if bufnr == nil or bufnr == 0 then
bufnr = vim.api.nvim_get_current_buf()
end
if M.is_aerial_buffer(bufnr) then
return M.get_source_buffer(bufnr), bufnr
else
return bufnr, M.get_aerial_buffer(bufnr)
end
end
M.get_source_buffer = function(bufnr)
return M.get_buffer_from_var(bufnr or 0, "source_buffer")
end
M.get_buffer_from_var = function(bufnr, varname)
local status, result_bufnr = pcall(vim.api.nvim_buf_get_var, bufnr, varname)
if not status or result_bufnr == nil or not vim.api.nvim_buf_is_valid(result_bufnr) then
return -1
end
return result_bufnr
end
M.flash_highlight = function(bufnr, lnum, durationMs, hl_group)
hl_group = hl_group or "AerialLine"
if durationMs == true or durationMs == 1 then
durationMs = 300
end
local ns = vim.api.nvim_buf_add_highlight(bufnr, 0, hl_group, lnum - 1, 0, -1)
local remove_highlight = function()
vim.api.nvim_buf_clear_namespace(bufnr, ns, 0, -1)
end
vim.defer_fn(remove_highlight, durationMs)
end
M.tbl_indexof = function(tbl, value)
for i, v in ipairs(tbl) do
if value == v then
return i
end
end
end
M.get_fixed_wins = function(bufnr)
local wins = {}
for _, winid in ipairs(vim.api.nvim_tabpage_list_wins(0)) do
if not M.is_floating_win(winid) and (not bufnr or vim.api.nvim_win_get_buf(winid) == bufnr) then
table.insert(wins, winid)
end
end
return wins
end
M.is_floating_win = function(winid)
return vim.api.nvim_win_get_config(winid or 0).relative ~= ""
end
M.is_managing_folds = function(winid)
return vim.api.nvim_win_get_option(winid or 0, "foldexpr") == "aerial#foldexpr()"
end
M.detect_split_direction = function(bufnr)
local default = config.default_direction
if default ~= "prefer_left" and default ~= "prefer_right" then
return default
end
local wins = M.get_fixed_wins()
local left_available, right_available
if config.placement_editor_edge then
left_available = not M.is_aerial_buffer(vim.api.nvim_win_get_buf(wins[1]))
right_available = not M.is_aerial_buffer(vim.api.nvim_win_get_buf(wins[#wins]))
else
if not bufnr or bufnr == 0 then
bufnr = vim.api.nvim_get_current_buf()
end
left_available = vim.api.nvim_win_get_buf(wins[1]) == bufnr
right_available = vim.api.nvim_win_get_buf(wins[#wins]) == bufnr
end
if default == "prefer_left" then
if left_available then
return "left"
elseif right_available then
return "right"
else
return "left"
end
else
if right_available then
return "right"
elseif left_available then
return "left"
else
return "right"
end
end
end
M.render_centered_text = function(bufnr, text)
if not vim.api.nvim_buf_is_valid(bufnr) then
return
end
if type(text) == "string" then
text = { text }
end
local winid
for _, win in ipairs(vim.api.nvim_list_wins()) do
if vim.api.nvim_win_get_buf(win) == bufnr then
winid = win
break
end
end
local height = 40
local width = M.get_width(bufnr)
if winid then
height = vim.api.nvim_win_get_height(winid)
width = vim.api.nvim_win_get_width(winid)
end
local lines = {}
for _ = 1, (height / 2) - (#text / 2) do
table.insert(lines, "")
end
for _, line in ipairs(text) do
line = string.rep(" ", (width - vim.api.nvim_strwidth(line)) / 2) .. line
table.insert(lines, line)
end
vim.api.nvim_buf_set_option(bufnr, "modifiable", true)
vim.api.nvim_buf_set_lines(bufnr, 0, -1, false, lines)
vim.api.nvim_buf_set_option(bufnr, "modifiable", false)
end
return M
|
local benchmark = require "benchmark"
local x = {}
for i = 1, 1000000 do
x[i] = 1/0
if (i % 2) == 0 then
x[i] = x[i] * (-1)
end
end
benchmark(x, "infs")
|
slot2 = "PdkPlayerInfoCcsPane"
PdkPlayerInfoCcsPane = class(slot1)
PdkPlayerInfoCcsPane.onCreationComplete = function (slot0)
slot13 = slot0.onDataChanged
createSetterGetter(slot2, slot0, "data", nil, nil, nil, nil, handler(slot11, slot0))
slot3 = slot0
slot0.onDataChanged(slot2)
end
PdkPlayerInfoCcsPane.onDataChanged = function (slot0)
if slot0._data then
slot4 = Hero
if slot0._data.wChairID == Hero.getWChairID(slot3) then
slot6 = 2
slot5 = StringUtil.truncate(slot2, slot0._data.szNickName, 12, nil)
slot0.txtName.setString(slot0._data.szNickName, slot0.txtName)
else
slot4 = "玩家"
slot0.txtName.setString(slot2, slot0.txtName)
end
slot13 = nil
slot5 = HtmlUtil.createArtNumWithHansUnits(slot2, slot0._data.lScore, "#plist_pdk_font_bean_2_%s.png", nil, nil, nil, nil, nil, nil, nil, 0)
slot0.autoNode.setStrTxt(slot0._data.lScore, slot0.autoNode)
slot7 = slot0._data.wGender
slot0.controller.setHeadBg(slot0._data.lScore, slot0.controller, slot0.head, GAME_STATE.BATTLE)
slot6 = true
slot0.head.setUserData(slot0._data.lScore, slot0.head, slot0._data)
end
end
return
|
local _M = {}
function _M.handler(event)
return {status = 200, body = 'Hello DuEdge!'}
end
return _M |
function scandir(command)
local i, t, popen = 0, {}, io.popen
local pfile = popen(command)
for filename in pfile:lines() do
i = i + 1
t[i] = filename
end
pfile:close()
return t
end
function readAll(file)
local f = assert(io.open(file, "rb"))
local content = f:read("*all")
f:close()
return content
end
print "=====Generating Documentation====="
local sampleFamilies = scandir('cd ./src/families/ && ls -d ./*/ && cd ../..')
-- Make toc.md
local file = io.open("./toc.md", "w")
for k,v in pairs(sampleFamilies) do
local sampleFamily = string.sub(v,3,-2)
file:write('## '..sampleFamily..' Samples\n\n')
local sampleTypes = scandir('cd ./src/families/'..sampleFamily..'/samples/ && ls -d ./*/ && cd ../../..')
for k2,v2 in pairs(sampleTypes) do
local sampleType = string.sub(v2,3,-2)
dofile("./src/families/"..sampleFamily.."/samples/"..sampleType.."/samples.lua")
file:write(' * ['..sampleInfo.ShortName..'](output/'..sampleFamily..'/samples/'..sampleType..'/page.md) - '..sampleInfo.Description..' \n')
end
file:write('## '..sampleFamily..' Tests\n\n')
local subTestTypes = scandir('cd ./src/families/'..sampleFamily..'/tests/ && ls -d ./*/ && cd ../../..')
for k2,v2 in pairs(subTestTypes) do
local subTestType = string.sub(v2,3,-2)
dofile("./src/families/"..sampleFamily.."/tests/"..subTestType.."/tests.lua")
file:write(' * ['..testInfo.ShortName..'](output/'..sampleFamily..'/tests/'..subTestType..'/page.md) - '..testInfo.Description..' \n')
end
end
file:close()
-- make output/X/tests/Y/results.md
for k,v in pairs(sampleFamilies) do
local sampleFamily = string.sub(v,3,-2)
local subTestTypes = scandir('cd ./src/families/'..sampleFamily..'/tests/ && ls -d ./*/ && cd ../../..')
for k2,v2 in pairs(subTestTypes) do
local subTestType = string.sub(v2,3,-2)
dofile("./src/families/"..sampleFamily.."/tests/"..subTestType.."/tests.lua")
file = io.open("./output/"..sampleFamily.."/tests/"..subTestType.."/results.md", "w")
file:write("# Test Results\n tests done:\n")
for testFunctionIndex, testFunctionName in ipairs(testInfo.Functions) do
file:write("* "..testFunctionName.."\n")
end
for testFunctionIndex, testFunctionName in ipairs(testInfo.Functions) do
file:write("## "..testFunctionName.."\n")
local sampleTypes = scandir('cd ./src/families/'..sampleFamily..'/samples/ && ls -d ./*/ && cd ../../..')
for k3,v3 in pairs(sampleTypes) do
local sampleType = string.sub(v3,3,-2)
dofile("./src/families/"..sampleFamily.."/samples/"..sampleType.."/samples.lua")
file:write("### "..sampleInfo.LongName.."\n")
if testInfo.MakesSampleTypeImages then
file:write(" \n")
end
for sampleFunctionIndex, sampleFunctionInfo in ipairs(sampleInfo.Functions) do
if testInfo.MakesIndividualImages then
file:write("#### "..sampleFunctionInfo.name.." (")
if sampleFunctionInfo.progressive then
file:write("Progressive, ")
else
file:write("Not Progressive, ")
end
if sampleFunctionInfo.randomized then
file:write("Randomized)\n")
else
file:write("Deterministic)\n")
end
file:write(" \n")
end
end
end
end
file:close()
end
end
-- combine output/X/tests/Y/results.md and src/families/X/tests/Y/tests.md into output/X/tests/Y/page.md
for k,v in pairs(sampleFamilies) do
local sampleFamily = string.sub(v,3,-2)
local subTestTypes = scandir('cd ./src/families/'..sampleFamily..'/tests/ && ls -d ./*/ && cd ../../..')
for k2,v2 in pairs(subTestTypes) do
local subTestType = string.sub(v2,3,-2)
dofile("./src/families/"..sampleFamily.."/tests/"..subTestType.."/tests.lua")
local results = readAll("./output/"..sampleFamily.."/tests/"..subTestType.."/results.md")
local testsPage = readAll("./src/families/"..sampleFamily.."/tests/"..subTestType.."/tests.md")
file = io.open("./output/"..sampleFamily.."/tests/"..subTestType.."/page.md", "w")
file:write("# "..testInfo.LongName.."\n")
file:write("Source Code: [/src/families/"..sampleFamily.."/tests/"..subTestType.."/](../../../../src/families/"..sampleFamily.."/tests/"..subTestType.."/)\n\n")
file:write(testsPage)
file:write("\n")
file:write(results)
file:close()
end
end
-- make output/X/samples/Y/results.md
for k,v in pairs(sampleFamilies) do
local sampleFamily = string.sub(v,3,-2)
local sampleTypes = scandir('cd ./src/families/'..sampleFamily..'/samples/ && ls -d ./*/ && cd ../../..')
for k2,v2 in pairs(sampleTypes) do
local sampleType = string.sub(v2,3,-2)
dofile("./src/families/"..sampleFamily.."/samples/"..sampleType.."/samples.lua")
file = io.open("./output/"..sampleFamily.."/samples/"..sampleType.."/results.md", "w")
file:write("# Test Results\n samples tested:\n")
for sampleFunctionIndex, sampleFunctionInfo in ipairs(sampleInfo.Functions) do
file:write("* "..sampleFunctionInfo.name.. " (")
if sampleFunctionInfo.progressive then
file:write("Progressive, ")
else
file:write("Not Progressive, ")
end
if sampleFunctionInfo.randomized then
file:write("Randomized)\n")
else
file:write("Deterministic)\n")
end
end
for sampleFunctionIndex, sampleFunctionInfo in ipairs(sampleInfo.Functions) do
file:write("## "..sampleFunctionInfo.name.."\n")
local subTestTypes = scandir('cd ./src/families/'..sampleFamily..'/tests/ && ls -d ./*/ && cd ../../..')
for k3,v3 in pairs(subTestTypes) do
local subTestType = string.sub(v3,3,-2)
dofile("./src/families/"..sampleFamily.."/tests/"..subTestType.."/tests.lua")
if testInfo.MakesIndividualImages then
file:write("### "..testInfo.LongName.."\n")
for testFunctionIndex, testFunctionName in ipairs(testInfo.Functions) do
if testInfo.SamplePageShowsFunctionName then
file:write("#### "..testFunctionName.."\n")
end
file:write(" \n")
end
end
end
end
-- write links to sample type images
local subTestTypes = scandir('cd ./src/families/'..sampleFamily..'/tests/ && ls -d ./*/ && cd ../../..')
for k3,v3 in pairs(subTestTypes) do
local subTestType = string.sub(v3,3,-2)
dofile("./src/families/"..sampleFamily.."/tests/"..subTestType.."/tests.lua")
if testInfo.MakesSampleTypeImages then
file:write("## "..testInfo.LongName.."\n")
for testFunctionIndex, testFunctionName in ipairs(testInfo.Functions) do
if testInfo.SamplePageShowsFunctionName then
file:write("### "..testFunctionName.."\n")
end
file:write(" \n")
end
end
end
file:close()
end
end
-- combine output/X/samples/Y/results.md and src/families/X/samples/Y/samples.md into output/X/samples/Y/page.md
for k,v in pairs(sampleFamilies) do
local sampleFamily = string.sub(v,3,-2)
local sampleTypes = scandir('cd ./src/families/'..sampleFamily..'/samples/ && ls -d ./*/ && cd ../../..')
for k2,v2 in pairs(sampleTypes) do
local sampleType = string.sub(v2,3,-2)
dofile("./src/families/"..sampleFamily.."/samples/"..sampleType.."/samples.lua")
local results = readAll("./output/"..sampleFamily.."/samples/"..sampleType.."/results.md")
local testsPage = readAll("./src/families/"..sampleFamily.."/samples/"..sampleType.."/samples.md")
file = io.open("./output/"..sampleFamily.."/samples/"..sampleType.."/page.md", "w")
file:write("# "..sampleInfo.LongName.."\n")
file:write("Source Code: [src/families/"..sampleFamily.."/samples/"..sampleType.."/](../../../../src/families/"..sampleFamily.."/samples/"..sampleType.."/)\n\n")
file:write(testsPage)
file:write("\n")
file:write(results)
file:close()
end
end
-- combine readme.raw.md and toc.md into readme.md
local readmeRaw = readAll("readme.raw.md")
local TOC = readAll("toc.md")
local result = string.gsub(readmeRaw, "TOCTOC", TOC)
file = io.open("./readme.md", "w")
file:write(result)
file:close()
|
--[[ $%BEGINLICENSE%$
Copyright (c) 2007, 2012, Oracle and/or its affiliates. All rights reserved.
This program is free software; you can redistribute it and/or
modify it under the terms of the GNU General Public License as
published by the Free Software Foundation; version 2 of the
License.
This program is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
GNU General Public License for more details.
You should have received a copy of the GNU General Public License
along with this program; if not, write to the Free Software
Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA
02110-1301 USA
$%ENDLICENSE%$ --]]
--[[
--]]
---
-- read_query() gets the client query before it reaches the server
--
-- @param packet the mysql-packet sent by client
--
-- the packet contains a command-packet:
-- * the first byte the type (e.g. proxy.COM_QUERY)
-- * the argument of the command
--
-- http://forge.mysql.com/wiki/MySQL_Internals_ClientServer_Protocol#Command_Packet
--
-- for a COM_QUERY it is the query itself in plain-text
--
function read_query( packet )
if string.byte(packet) == proxy.COM_QUERY then
print("we got a normal query: " .. string.sub(packet, 2))
end
end
|
--------------------------------------------------------------------------------
function Spawn( entityKeyValues )
if not IsServer() then
return
end
if thisEntity == nil then
return
end
BallAbility = thisEntity:FindAbilityByName( "creature_pangoballer_gyroshell" )
StopBallAbility = thisEntity:FindAbilityByName( "pangolier_gyroshell_stop" )
thisEntity:SetContextThink( "PangoballerThink", PangoballerThink, 1 )
end
--------------------------------------------------------------------------------
function PangoballerThink()
local flEarlyReturn = InitialRoomMobLogic( thisEntity )
if flEarlyReturn == nil then
return nil
elseif flEarlyReturn > 0 then
return flEarlyReturn
end
local nAggroRange = 1000
local bRolling = thisEntity:FindModifierByName( "modifier_pangolier_gyroshell" )
local hClosestPlayer = GetClosestPlayerInRoomOrReturnToSpawn( thisEntity, nAggroRange )
if not hClosestPlayer or not BallAbility then
if bRolling then
--Stop()
end
return 1
end
if not bRolling then
CastBallAbility()
else
SteerTowards( hClosestPlayer )
end
return 0.5
end
--------------------------------------------------------------------------------
function CastBallAbility()
ExecuteOrderFromTable({
UnitIndex = thisEntity:entindex(),
OrderType = DOTA_UNIT_ORDER_CAST_NO_TARGET,
AbilityIndex = BallAbility:entindex(),
})
return 0.5
end
--------------------------------------------------------------------------------
function SteerTowards( hClosestPlayer )
ExecuteOrderFromTable({
UnitIndex = thisEntity:entindex(),
OrderType = DOTA_UNIT_ORDER_MOVE_TO_POSITION,
Position = hClosestPlayer:GetOrigin() + RandomVector( 75 )
})
return 0.5
end
--------------------------------------------------------------------------------
function Stop()
ExecuteOrderFromTable({
UnitIndex = thisEntity:entindex(),
OrderType = DOTA_UNIT_ORDER_CAST_NO_TARGET,
AbilityIndex = StopBallAbility:entindex(),
})
return 0.5
end |
local constants = require "kong.constants"
local plugin_handler = require "kong.plugins.escher.handler"
local ConsumerDb = require "kong.plugins.escher.consumer_db"
local KeyDb = require "kong.plugins.escher.key_db"
local EscherWrapper = require "kong.plugins.escher.escher_wrapper"
describe("escher plugin", function()
local old_ngx = _G.ngx
local mock_config= {
anonymous = 'anonym123'
}
local handler
local anonymous_consumer = {
id = 'anonym123',
custom_id = '',
username = 'anonymous'
}
local test_consumer = {
id = 'test123',
custom_id = '',
username = 'test'
}
local test_escher_key = {
key = 'test_key',
secret = 'test_secret',
consumer_id = '0001-1234'
}
ConsumerDb.find_by_id = function(consumer_id, anonymous)
if consumer_id == 'anonym123' then
return anonymous_consumer
else
return test_consumer
end
end
before_each(function()
local ngx_req_headers = {}
local stubbed_ngx = {
req = {
get_headers = function()
return ngx_req_headers
end,
set_header = function(header_name, header_value)
ngx_req_headers[header_name] = header_value
end,
read_body = function() end,
get_method = function() end,
get_body_data = function() end,
},
ctx = {},
header = {},
log = function(...) end,
say = function(...) end,
exit = function(...) end,
var = {
request_id = 123,
request_uri = "request_uri",
}
}
EscherWrapper.authenticate = function()
return test_escher_key
end
_G.ngx = stubbed_ngx
stub(stubbed_ngx, "say")
stub(stubbed_ngx, "exit")
stub(stubbed_ngx, "log")
handler = plugin_handler()
end)
after_each(function()
_G.ngx = old_ngx
end)
describe("#access", function()
it("set anonymous header to true when request not has x-ems-auth header", function()
EscherWrapper.authenticate = function()
return nil
end
handler:access(mock_config)
assert.are.equal(true, ngx.req.get_headers()[constants.HEADERS.ANONYMOUS])
end)
it("set anonymous header to nil when x-ems-auth header exists", function()
ngx.req.set_header("X-EMS-AUTH", "some escher header string")
handler:access(mock_config)
assert.are.equal(nil, ngx.req.get_headers()[constants.HEADERS.ANONYMOUS])
end)
it("set anonymous consumer on ngx context and not set credentials when X-EMS-AUTH header was not found", function()
EscherWrapper.authenticate = function()
return nil
end
handler:access(mock_config)
assert.are.equal(anonymous_consumer, ngx.ctx.authenticated_consumer)
assert.are.equal(nil, ngx.ctx.authenticated_credential)
end)
it("set consumer specific request headers when authentication was successful", function()
ngx.req.set_header("X-EMS-AUTH", "some escher header string")
handler:access(mock_config)
assert.are.equal('test123', ngx.req.get_headers()[constants.HEADERS.CONSUMER_ID])
assert.are.equal('', ngx.req.get_headers()[constants.HEADERS.CONSUMER_CUSTOM_ID])
assert.are.equal('test', ngx.req.get_headers()[constants.HEADERS.CONSUMER_USERNAME])
assert.are.equal('test_key', ngx.req.get_headers()[constants.HEADERS.CREDENTIAL_USERNAME])
end)
it("set consumer specific ngx context variables when authentication was successful", function()
ngx.req.set_header("X-EMS-AUTH", "some escher header string")
handler:access(mock_config)
assert.are.equal(test_consumer, ngx.ctx.authenticated_consumer)
assert.are.equal(test_escher_key, ngx.ctx.authenticated_credential)
end)
end)
end) |
if getResourceName(getThisResource()) == "openframe" then
local script = {}
function push(str)
table.insert(script, str)
end
function getScripts()
return script
end
function load()
return 'for i,v in ipairs(exports.openframe:getScripts()) do loadstring(v)() end'
end
else
loadstring(exports.openframe:load())()
end |
package.preload['lunajson._str_lib']=(function(...)
local e=math.huge
local c,h,u=string.byte,string.char,string.sub
local a=setmetatable
local o=math.floor
local t=nil
local t={
0,1,2,3,4,5,6,7,8,9,e,e,e,e,e,e,
e,10,11,12,13,14,15,e,e,e,e,e,e,e,e,e,
e,e,e,e,e,e,e,e,e,e,e,e,e,e,e,e,
e,10,11,12,13,14,15,e,e,e,e,e,e,e,e,e,
}
t.__index=function()
return e
end
a(t,t)
return function(r)
local s={
['"']='"',
['\\']='\\',
['/']='/',
['b']='\b',
['f']='\f',
['n']='\n',
['r']='\r',
['t']='\t'
}
s.__index=function()
r("invalid escape sequence")
end
a(s,s)
local a=0
local function l(d,n)
local i
if d=='u'then
local d,s,c,l=c(n,1,4)
local t=t[d-47]*4096+t[s-47]*256+t[c-47]*16+t[l-47]
if t==e then
r("invalid unicode charcode")
end
n=u(n,5)
if t<128 then
i=h(t)
elseif t<2048 then
i=h(192+o(t*.015625),128+t%64)
elseif t<55296 or 57344<=t then
i=h(224+o(t*.000244140625),128+o(t*.015625)%64,128+t%64)
elseif 55296<=t and t<56320 then
if a==0 then
a=t
if n==''then
return''
end
end
else
if a==0 then
a=1
else
t=65536+(a-55296)*1024+(t-56320)
a=0
i=h(240+o(t*3814697265625e-18),128+o(t*.000244140625)%64,128+o(t*.015625)%64,128+t%64)
end
end
end
if a~=0 then
r("invalid surrogate pair")
end
return(i or s[d])..n
end
local function e()
return a==0
end
return{
subst=l,
surrogateok=e
}
end
end)
package.preload['lunajson.decoder']=(function(...)
local y=error
local s,e,h,w,n,u=string.byte,string.char,string.find,string.gsub,string.match,string.sub
local l=tonumber
local r,f=tostring,setmetatable
local m
if _VERSION=="Lua 5.3"then
m=require'lunajson._str_lib_lua53'
else
m=require'lunajson._str_lib'
end
local e=nil
local function j()
local a,t,v,p
local d,o
local function i(e)
y("parse error at "..t..": "..e)
end
local function e()
i('invalid value')
end
local function q()
if u(a,t,t+2)=='ull'then
t=t+3
return v
end
i('invalid value')
end
local function j()
if u(a,t,t+3)=='alse'then
t=t+4
return false
end
i('invalid value')
end
local function x()
if u(a,t,t+2)=='rue'then
t=t+3
return true
end
i('invalid value')
end
local r=n(r(.5),'[^0-9]')
local c=l
if r~='.'then
if h(r,'%W')then
r='%'..r
end
c=function(e)
return l(w(e,'.',r))
end
end
local function l()
i('invalid number')
end
local function b(h)
local o=t
local e
local i=s(a,o)
if not i then
return l()
end
if i==46 then
e=n(a,'^.[0-9]*',t)
local e=#e
if e==1 then
return l()
end
o=t+e
i=s(a,o)
end
if i==69 or i==101 then
local a=n(a,'^[^eE]*[eE][-+]?[0-9]+',t)
if not a then
return l()
end
if e then
e=a
end
o=t+#a
end
t=o
if e then
e=c(e)
else
e=0
end
if h then
e=-e
end
return e
end
local function r(h)
t=t-1
local e=n(a,'^.[0-9]*%.?[0-9]*',t)
if s(e,-1)==46 then
return l()
end
local o=t+#e
local i=s(a,o)
if i==69 or i==101 then
e=n(a,'^[^eE]*[eE][-+]?[0-9]+',t)
if not e then
return l()
end
o=t+#e
end
t=o
e=c(e)-0
if h then
e=-e
end
return e
end
local function k()
local e=s(a,t)
if e then
t=t+1
if e>48 then
if e<58 then
return r(true)
end
else
if e>47 then
return b(true)
end
end
end
i('invalid number')
end
local n=m(i)
local m=n.surrogateok
local g=n.subst
local c=f({},{__mode="v"})
local function l(d)
local e=t-2
local o=t
local r,n
repeat
e=h(a,'"',o,true)
if not e then
i("unterminated string")
end
o=e+1
while true do
r,n=s(a,e-2,e-1)
if n~=92 or r~=92 then
break
end
e=e-2
end
until n~=92
local a=u(a,t,o-2)
t=o
if d then
local e=c[a]
if e then
return e
end
end
local e=a
if h(e,'\\',1,true)then
e=w(e,'\\(.)([^\\]*)',g)
if not m()then
i("invalid surrogate pair")
end
end
if d then
c[a]=e
end
return e
end
local function u()
local r={}
o,t=h(a,'^[ \n\r\t]*',t)
t=t+1
local n=0
if s(a,t)~=93 then
local e=t-1
repeat
n=n+1
o=d[s(a,e+1)]
t=e+2
r[n]=o()
o,e=h(a,'^[ \n\r\t]*,[ \n\r\t]*',t)
until not e
o,e=h(a,'^[ \n\r\t]*%]',t)
if not e then
i("no closing bracket of an array")
end
t=e
end
t=t+1
if p then
r[0]=n
end
return r
end
local function c()
local r={}
o,t=h(a,'^[ \n\r\t]*',t)
t=t+1
if s(a,t)~=125 then
local n=t-1
repeat
t=n+1
if s(a,t)~=34 then
i("not key")
end
t=t+1
local l=l(true)
o=e
do
local a,e,i=s(a,t,t+3)
if a==58 then
n=t
if e==32 then
n=n+1
e=i
end
o=d[e]
end
end
if o==e then
o,n=h(a,'^[ \n\r\t]*:[ \n\r\t]*',t)
if not n then
i("no colon after a key")
end
end
o=d[s(a,n+1)]
t=n+2
r[l]=o()
o,n=h(a,'^[ \n\r\t]*,[ \n\r\t]*',t)
until not n
o,n=h(a,'^[ \n\r\t]*}',t)
if not n then
i("no closing bracket of an object")
end
t=n
end
t=t+1
return r
end
d={
e,e,e,e,e,e,e,e,e,e,e,e,e,e,e,
e,e,e,e,e,e,e,e,e,e,e,e,e,e,e,e,
e,e,l,e,e,e,e,e,e,e,e,e,e,k,e,e,
b,r,r,r,r,r,r,r,r,r,e,e,e,e,e,e,
e,e,e,e,e,e,e,e,e,e,e,e,e,e,e,e,
e,e,e,e,e,e,e,e,e,e,e,u,e,e,e,e,
e,e,e,e,e,e,j,e,e,e,e,e,e,e,q,e,
e,e,e,e,x,e,e,e,e,e,e,c,e,e,e,e,
}
d[0]=e
d.__index=function()
i("unexpected termination")
end
f(d,d)
local function r(r,e,i,n)
a,t,v,p=r,e,i,n
t=t or 1
o,t=h(a,'^[ \n\r\t]*',t)
t=t+1
o=d[s(a,t)]
t=t+1
local i=o()
if e then
return i,t
else
o,t=h(a,'^[ \n\r\t]*',t)
if t~=#a then
y('json ended')
end
return i
end
end
return r
end
return j
end)
package.preload['lunajson.encoder']=(function(...)
local n=error
local q,d,w,l,i=string.byte,string.find,string.format,string.gsub,string.match
local v=table.concat
local o=tostring
local p,r=pairs,type
local f=setmetatable
local y,b=1/0,-1/0
local h
if _VERSION=="Lua 5.1"then
h='[^ -!#-[%]^-\255]'
else
h='[\0-\31"\\]'
end
local e=nil
local function k()
local c,m
local e,t,s
local function g(a)
t[e]=o(a)
e=e+1
end
local a=i(o(.5),'[^0-9]')
local o=i(o(12345.12345),'[^0-9'..a..']')
if a=='.'then
a=nil
end
local u
if a or o then
u=true
if a and d(a,'%W')then
a='%'..a
end
if o and d(o,'%W')then
o='%'..o
end
end
local y=function(i)
if b<i and i<y then
local i=w("%.17g",i)
if u then
if o then
i=l(i,o,'')
end
if a then
i=l(i,a,'.')
end
end
t[e]=i
e=e+1
return
end
n('invalid number')
end
local i
local o={
['"']='\\"',
['\\']='\\\\',
['\b']='\\b',
['\f']='\\f',
['\n']='\\n',
['\r']='\\r',
['\t']='\\t',
__index=function(t,e)
return w('\\u00%02X',q(e))
end
}
f(o,o)
local function u(a)
t[e]='"'
if d(a,h)then
a=l(a,h,o)
end
t[e+1]=a
t[e+2]='"'
e=e+3
end
local function h(a)
if s[a]then
n("loop detected")
end
s[a]=true
local o=a[0]
if r(o)=='number'then
t[e]='['
e=e+1
for o=1,o do
i(a[o])
t[e]=','
e=e+1
end
if o>0 then
e=e-1
end
t[e]=']'
else
o=a[1]
if o~=nil then
t[e]='['
e=e+1
local n=2
repeat
i(o)
o=a[n]
if o==nil then
break
end
n=n+1
t[e]=','
e=e+1
until false
t[e]=']'
else
t[e]='{'
e=e+1
local s=e
for a,o in p(a)do
if r(a)~='string'then
n("non-string key")
end
u(a)
t[e]=':'
e=e+1
i(o)
t[e]=','
e=e+1
end
if e>s then
e=e-1
end
t[e]='}'
end
end
e=e+1
s[a]=nil
end
local o={
boolean=g,
number=y,
string=u,
table=h,
__index=function()
n("invalid type value")
end
}
f(o,o)
function i(a)
if a==m then
t[e]='null'
e=e+1
return
end
return o[r(a)](a)
end
local function a(o,a)
c,m=o,a
e,t,s=1,{},{}
i(c)
return v(t)
end
return a
end
return k
end)
package.preload['lunajson.sax']=(function(...)
local k=error
local o,H,l,g,m,u=string.byte,string.char,string.find,string.gsub,string.match,string.sub
local q=tonumber
local R,r,O=tostring,type,table.unpack or unpack
local b
if _VERSION=="Lua 5.3"then
b=require'lunajson._str_lib_lua53'
else
b=require'lunajson._str_lib'
end
local e=nil
local function e()end
local function x(s,n)
local a,d
local i,t,y=0,1,0
local f,h
if r(s)=='string'then
a=s
i=#a
d=function()
a=''
i=0
d=e
end
else
d=function()
y=y+i
t=1
repeat
a=s()
if not a then
a=''
i=0
d=e
return
end
i=#a
until i>0
end
d()
end
local N=n.startobject or e
local I=n.key or e
local S=n.endobject or e
local T=n.startarray or e
local A=n.endarray or e
local E=n.string or e
local v=n.number or e
local r=n.boolean or e
local w=n.null or e
local function p()
local e=o(a,t)
if not e then
d()
e=o(a,t)
end
return e
end
local function n(e)
k("parse error at "..y+t..": "..e)
end
local function j()
return p()or n("unexpected termination")
end
local function s()
while true do
h,t=l(a,'^[ \n\r\t]*',t)
if t~=i then
t=t+1
return
end
if i==0 then
n("unexpected termination")
end
d()
end
end
local function e()
n('invalid value')
end
local function c(a,e,s,i)
for i=1,e do
local e=j()
if o(a,i)~=e then
n("invalid char")
end
t=t+1
end
return i(s)
end
local function _()
if u(a,t,t+2)=='ull'then
t=t+3
return w(nil)
end
return c('ull',3,nil,w)
end
local function z()
if u(a,t,t+3)=='alse'then
t=t+4
return r(false)
end
return c('alse',4,false,r)
end
local function x()
if u(a,t,t+2)=='rue'then
t=t+3
return r(true)
end
return c('rue',3,true,r)
end
local r=m(R(.5),'[^0-9]')
local w=q
if r~='.'then
if l(r,'%W')then
r='%'..r
end
w=function(e)
return q(g(e,'.',r))
end
end
local function c(h)
local s={}
local i=1
local e=o(a,t)
t=t+1
local function a()
s[i]=e
i=i+1
e=p()
t=t+1
end
if e==48 then
a()
else
repeat a()until not(e and 48<=e and e<58)
end
if e==46 then
a()
if not(e and 48<=e and e<58)then
n('invalid number')
end
repeat a()until not(e and 48<=e and e<58)
end
if e==69 or e==101 then
a()
if e==43 or e==45 then
a()
end
if not(e and 48<=e and e<58)then
n('invalid number')
end
repeat a()until not(e and 48<=e and e<58)
end
t=t-1
local e=H(O(s))
e=w(e)-0
if h then
e=-e
end
return v(e)
end
local function q(s)
local n=t
local e
local h=o(a,n)
if h==46 then
e=m(a,'^.[0-9]*',t)
local e=#e
if e==1 then
t=t-1
return c(s)
end
n=t+e
h=o(a,n)
end
if h==69 or h==101 then
local a=m(a,'^[^eE]*[eE][-+]?[0-9]+',t)
if not a then
t=t-1
return c(s)
end
if e then
e=a
end
n=t+#a
end
if n>i then
t=t-1
return c(s)
end
t=n
if e then
e=w(e)
else
e=0
end
if s then
e=-e
end
return v(e)
end
local function r(n)
t=t-1
local e=m(a,'^.[0-9]*%.?[0-9]*',t)
if o(e,-1)==46 then
return c(n)
end
local s=t+#e
local o=o(a,s)
if o==69 or o==101 then
e=m(a,'^[^eE]*[eE][-+]?[0-9]+',t)
if not e then
return c(n)
end
s=t+#e
end
if s>i then
return c(n)
end
t=s
e=w(e)-0
if n then
e=-e
end
return v(e)
end
local function w()
local e=o(a,t)or j()
if e then
t=t+1
if e>48 then
if e<58 then
return r(true)
end
else
if e>47 then
return q(true)
end
end
end
n("invalid number")
end
local c=b(n)
local m=c.surrogateok
local v=c.subst
local function c(c)
local h=t
local s
local e=''
local r
while true do
while true do
s=l(a,'[\\"]',h)
if s then
break
end
e=e..u(a,t,i)
if h==i+2 then
h=2
else
h=1
end
d()
end
if o(a,s)==34 then
break
end
h=s+2
r=true
end
e=e..u(a,t,s-1)
t=s+1
if r then
e=g(e,'\\(.)([^\\]*)',v)
if not m()then
n("invalid surrogate pair")
end
end
if c then
return I(e)
end
return E(e)
end
local function m()
T()
s()
if o(a,t)~=93 then
local e
while true do
h=f[o(a,t)]
t=t+1
h()
h,e=l(a,'^[ \n\r\t]*,[ \n\r\t]*',t)
if not e then
h,e=l(a,'^[ \n\r\t]*%]',t)
if e then
t=e
break
end
s()
local a=o(a,t)
if a==44 then
t=t+1
s()
e=t-1
elseif a==93 then
break
else
n("no closing bracket of an array")
end
end
t=e+1
if t>i then
s()
end
end
end
t=t+1
return A()
end
local function v()
N()
s()
if o(a,t)~=125 then
local e
while true do
if o(a,t)~=34 then
n("not key")
end
t=t+1
c(true)
h,e=l(a,'^[ \n\r\t]*:[ \n\r\t]*',t)
if not e then
s()
if o(a,t)~=58 then
n("no colon after a key")
end
t=t+1
s()
e=t-1
end
t=e+1
if t>i then
s()
end
h=f[o(a,t)]
t=t+1
h()
h,e=l(a,'^[ \n\r\t]*,[ \n\r\t]*',t)
if not e then
h,e=l(a,'^[ \n\r\t]*}',t)
if e then
t=e
break
end
s()
local a=o(a,t)
if a==44 then
t=t+1
s()
e=t-1
elseif a==125 then
break
else
n("no closing bracket of an object")
end
end
t=e+1
if t>i then
s()
end
end
end
t=t+1
return S()
end
f={
e,e,e,e,e,e,e,e,e,e,e,e,e,e,e,
e,e,e,e,e,e,e,e,e,e,e,e,e,e,e,e,
e,e,c,e,e,e,e,e,e,e,e,e,e,w,e,e,
q,r,r,r,r,r,r,r,r,r,e,e,e,e,e,e,
e,e,e,e,e,e,e,e,e,e,e,e,e,e,e,e,
e,e,e,e,e,e,e,e,e,e,e,m,e,e,e,e,
e,e,e,e,e,e,z,e,e,e,e,e,e,e,_,e,
e,e,e,e,x,e,e,e,e,e,e,v,e,e,e,e,
}
f[0]=e
local function n()
s()
h=f[o(a,t)]
t=t+1
h()
end
local function s(e)
if e<0 then
k("the argument must be non-negative")
end
local e=(t-1)+e
local o=u(a,t,e)
while e>i and i~=0 do
d()
e=e-(i-(t-1))
o=o..u(a,t,e)
end
if i~=0 then
t=e+1
end
return o
end
local function e()
return y+t
end
return{
run=n,
tryc=p,
read=s,
tellpos=e,
}
end
local function o(e,o)
local e=io.open(e)
local function a()
local t
if e then
t=e:read(8192)
if not t then
e:close()
e=nil
end
end
return t
end
return x(a,o)
end
return{
newparser=x,
newfileparser=o
}
end)
package.preload['lunajson']=(function(...)
local a=require'lunajson.decoder'
local t=require'lunajson.encoder'
local e=require'lunajson.sax'
return{
decode=a(),
encode=t(),
newparser=e.newparser,
newfileparser=e.newfileparser,
}
end)
package.preload['slaxml']=(function(...)
local f={
VERSION="0.7",
_call={
pi=function(t,e)
print(string.format("<?%s %s?>",t,e))
end,
comment=function(e)
print(string.format("<!-- %s -->",e))
end,
startElement=function(a,e,t)
io.write("<")
if t then io.write(t,":")end
io.write(a)
if e then io.write(" (ns='",e,"')")end
print(">")
end,
attribute=function(o,a,t,e)
io.write(' ')
if e then io.write(e,":")end
io.write(o,'=',string.format('%q',a))
if t then io.write(" (ns='",t,"')")end
io.write("\n")
end,
text=function(e)
print(string.format(" text: %q",e))
end,
closeElement=function(e,t,t)
print(string.format("</%s>",e))
end,
}
}
function f:parser(e)
return{_call=e or self._call,parse=f.parse}
end
function f:parse(s,w)
if not w then w={stripWhitespace=false}end
local h,x,y,l,z,g,j=string.find,string.sub,string.gsub,string.char,table.insert,table.remove,table.concat
local e,a,o,i,t,v,m
local b=unpack or table.unpack
local t=1
local f="text"
local d=1
local r={}
local u={}
local c
local n={}
local k=false
local q={{2047,192},{65535,224},{2097151,240}}
local function p(e)
if e<128 then return l(e)end
local t={}
for a,o in ipairs(q)do
if e<=o[1]then
for o=a+1,2,-1 do
local a=e%64
e=(e-a)/64
t[o]=l(128+a)
end
t[1]=l(o[2]+e)
return j(t)
end
end
end
local l={["lt"]="<",["gt"]=">",["amp"]="&",["quot"]='"',["apos"]="'"}
local l=function(t,a,e)return l[e]or a=="#"and p(tonumber('0'..e))or t end
local function p(e)return y(e,'(&(#?)([%d%a]+);)',l)end
local function l()
if e>d and self._call.text then
local e=x(s,d,e-1)
if w.stripWhitespace then
e=y(e,'^%s+','')
e=y(e,'%s+$','')
if#e==0 then e=nil end
end
if e then self._call.text(p(e))end
end
end
local function x()
e,a,o,i=h(s,'^<%?([:%a_][:%w_.-]*) ?(.-)%?>',t)
if e then
l()
if self._call.pi then self._call.pi(o,i)end
t=a+1
d=t
return true
end
end
local function j()
e,a,o=h(s,'^<!%-%-(.-)%-%->',t)
if e then
l()
if self._call.comment then self._call.comment(o)end
t=a+1
d=t
return true
end
end
local function w(e)
if e=='xml'then return'http://www.w3.org/XML/1998/namespace'end
for t=#n,1,-1 do if n[t][e]then return n[t][e]end end
error(("Cannot find namespace for prefix %s"):format(e))
end
local function q()
k=true
e,a,o=h(s,'^<([%a_][%w_.-]*)',t)
if e then
r[2]=nil
r[3]=nil
l()
t=a+1
e,a,i=h(s,'^:([%a_][%w_.-]*)',t)
if e then
r[1]=i
r[3]=o
o=i
t=a+1
else
r[1]=o
for e=#n,1,-1 do if n[e]['!']then r[2]=n[e]['!'];break end end
end
c=0
z(n,{})
return true
end
end
local function y()
e,a,o=h(s,'^%s+([:%a_][:%w_.-]*)%s*=%s*',t)
if e then
v=a+1
e,a,i=h(s,'^"([^<"]*)"',v)
if e then
t=a+1
i=p(i)
else
e,a,i=h(s,"^'([^<']*)'",v)
if e then
t=a+1
i=p(i)
end
end
end
if o and i then
local e={o,i}
local t,a=string.match(o,'^([^:]+):([^:]+)$')
if t then
if t=='xmlns'then
n[#n][a]=i
else
e[1]=a
e[4]=t
end
else
if o=='xmlns'then
n[#n]['!']=i
r[2]=i
end
end
c=c+1
u[c]=e
return true
end
end
local function p()
e,a,o=h(s,'^<!%[CDATA%[(.-)%]%]>',t)
if e then
l()
if self._call.text then self._call.text(o)end
t=a+1
d=t
return true
end
end
local function v()
e,a,o=h(s,'^%s*(/?)>',t)
if e then
f="text"
t=a+1
d=t
if r[3]then r[2]=w(r[3])end
if self._call.startElement then self._call.startElement(b(r))end
if self._call.attribute then
for e=1,c do
if u[e][4]then u[e][3]=w(u[e][4])end
self._call.attribute(b(u[e]))
end
end
if o=="/"then
g(n)
if self._call.closeElement then self._call.closeElement(b(r))end
end
return true
end
end
local function r()
e,a,o,i=h(s,'^</([%a_][%w_.-]*)%s*>',t)
if e then
m=nil
for e=#n,1,-1 do if n[e]['!']then m=n[e]['!'];break end end
else
e,a,i,o=h(s,'^</([%a_][%w_.-]*):([%a_][%w_.-]*)%s*>',t)
if e then m=w(i)end
end
if e then
l()
if self._call.closeElement then self._call.closeElement(o,m)end
t=a+1
d=t
g(n)
return true
end
end
while t<#s do
if f=="text"then
if not(x()or j()or p()or r())then
if q()then
f="attributes"
else
e,a=h(s,'^[^<]+',t)
t=(e and a or t)+1
end
end
elseif f=="attributes"then
if not y()then
if not v()then
error("Was in an element and couldn't find attributes or the close.")
end
end
end
end
if not k then error("Parsing did not discover any elements")end
if#n>0 then error("Parsing ended with unclosed elements")end
end
return f
end)
package.preload['pure-xml-dump']=(function(...)
local c,o,a,n,
e,u=
ipairs,pairs,table.insert,type,
string.match,tostring
local function d(e)
if n(e)=='boolean'then
return e and'true'or'false'
else
return e:gsub('&','&'):gsub('>','>'):gsub('<','<'):gsub("'",''')
end
end
local function l(e)
local t=e.xml or'table'
for e,a in o(e)do
if e~='xml'and n(e)=='string'then
t=t..' '..e.."='"..d(a).."'"
end
end
return t
end
local function r(o,i,t,e,h,s)
if h>s then
error(string.format("Could not dump table to XML. Maximal depth of %i reached.",s))
end
if o[1]then
a(t,(e=='n'and i or'')..'<'..l(o)..'>')
e='n'
local l=i..' '
for i,o in c(o)do
local i=n(o)
if i=='table'then
r(o,l,t,e,h+1,s)
e='n'
elseif i=='number'then
a(t,u(o))
else
local o=d(o)
a(t,o)
e='s'
end
end
a(t,(e=='n'and i or'')..'</'..(o.xml or'table')..'>')
e='n'
else
a(t,(e=='n'and i or'')..'<'..l(o)..'/>')
e='n'
end
end
local function o(a,e)
local t=e or 3e3
local e={}
r(a,'\n',e,'s',1,t)
return table.concat(e,'')
end
return o
end)
package.preload['pure-xml-load']=(function(...)
local i=require'slaxml'
local o={}
local e={o}
local t={}
local a=function(i,o,a)
local a=e[#e]
if o~=t[#t]then
t[#t+1]=o
else
o=nil
end
a[#a+1]={xml=i,xmlns=o}
e[#e+1]=a[#a]
end
local n=function(t,a)
local e=e[#e]
e[t]=a
end
local h=function(o,a)
table.remove(e)
if a~=t[#t]then
t[#t]=nil
end
end
local s=function(t)
local e=e[#e]
e[#e+1]=t
end
local n=i:parser{
startElement=a,
attribute=n,
closeElement=h,
text=s
}
local function i(a)
o={}
e={o}
t={}
n:parse(a,{stripWhitespace=true})
return select(2,next(o))
end
return i
end)
package.preload['resty.prettycjson']=(function(...)
local t=require"cjson.safe".encode
local n=table.concat
local c=string.sub
local d=string.rep
return function(a,h,i,l,e)
local t,e=(e or t)(a)
if not t then return t,e end
h,i,l=h or"\n",i or"\t",l or" "
local e,a,u,m,o,s,r=1,0,0,#t,{},nil,nil
local f=c(l,-1)=="\n"
for m=1,m do
local t=c(t,m,m)
if not r and(t=="{"or t=="[")then
o[e]=s==":"and n{t,h}or n{d(i,a),t,h}
a=a+1
elseif not r and(t=="}"or t=="]")then
a=a-1
if s=="{"or s=="["then
e=e-1
o[e]=n{d(i,a),s,t}
else
o[e]=n{h,d(i,a),t}
end
elseif not r and t==","then
o[e]=n{t,h}
u=-1
elseif not r and t==":"then
o[e]=n{t,l}
if f then
e=e+1
o[e]=d(i,a)
end
else
if t=='"'and s~="\\"then
r=not r and true or nil
end
if a~=u then
o[e]=d(i,a)
e,u=e+1,a
end
o[e]=t
end
s,e=t,e+1
end
return n(o)
end
end)
do local e={};
e["fhir-data/fhir-elements.json"]="[\
{\
\"min\": 0,\
\"path\": \"Element\",\
\"weight\": 1,\
\"max\": \"*\",\
\"kind\": \"complex-type\",\
\"derivations\": [\
\"Address\",\
\"Annotation\",\
\"Attachment\",\
\"BackboneElement\",\
\"CodeableConcept\",\
\"Coding\",\
\"ContactDetail\",\
\"ContactPoint\",\
\"Contributor\",\
\"DataRequirement\",\
\"Dosage\",\
\"ElementDefinition\",\
\"Extension\",\
\"HumanName\",\
\"Identifier\",\
\"Meta\",\
\"Narrative\",\
\"ParameterDefinition\",\
\"Period\",\
\"Quantity\",\
\"Range\",\
\"Ratio\",\
\"Reference\",\
\"RelatedArtifact\",\
\"SampledData\",\
\"Signature\",\
\"Timing\",\
\"TriggerDefinition\",\
\"UsageContext\",\
\"base64Binary\",\
\"boolean\",\
\"date\",\
\"dateTime\",\
\"decimal\",\
\"instant\",\
\"integer\",\
\"string\",\
\"time\",\
\"uri\",\
\"xhtml\"\
]\
},\
{\
\"min\": 0,\
\"path\": \"Element.id\",\
\"weight\": 2,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Element.extension\",\
\"weight\": 3,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"BackboneElement\",\
\"weight\": 4,\
\"max\": \"*\",\
\"kind\": \"complex-type\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"BackboneElement.id\",\
\"weight\": 5,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"BackboneElement.extension\",\
\"weight\": 6,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"BackboneElement.modifierExtension\",\
\"weight\": 7,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"base64Binary\",\
\"weight\": 8,\
\"max\": \"*\",\
\"kind\": \"primitive-type\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"base64Binary.id\",\
\"weight\": 9,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"base64Binary.extension\",\
\"weight\": 10,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"base64Binary.value\",\
\"type_xml\": \"xsd:base64Binary\",\
\"weight\": 11,\
\"max\": \"1\",\
\"type_json\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"boolean\",\
\"weight\": 12,\
\"max\": \"*\",\
\"kind\": \"primitive-type\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"boolean.id\",\
\"weight\": 13,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"boolean.extension\",\
\"weight\": 14,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"boolean.value\",\
\"type_xml\": \"xsd:boolean\",\
\"weight\": 15,\
\"max\": \"1\",\
\"type_json\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"code\",\
\"weight\": 16,\
\"max\": \"*\",\
\"kind\": \"primitive-type\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"code.id\",\
\"weight\": 17,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"code.extension\",\
\"weight\": 18,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"code.value\",\
\"type_xml\": \"xsd:token\",\
\"weight\": 19,\
\"max\": \"1\",\
\"type_json\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"date\",\
\"weight\": 20,\
\"max\": \"*\",\
\"kind\": \"primitive-type\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"date.id\",\
\"weight\": 21,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"date.extension\",\
\"weight\": 22,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"date.value\",\
\"type_xml\": \"xsd:gYear OR xsd:gYearMonth OR xsd:date\",\
\"weight\": 23,\
\"max\": \"1\",\
\"type_json\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"dateTime\",\
\"weight\": 24,\
\"max\": \"*\",\
\"kind\": \"primitive-type\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"dateTime.id\",\
\"weight\": 25,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"dateTime.extension\",\
\"weight\": 26,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"dateTime.value\",\
\"type_xml\": \"xsd:gYear OR xsd:gYearMonth OR xsd:date OR xsd:dateTime\",\
\"weight\": 27,\
\"max\": \"1\",\
\"type_json\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"decimal\",\
\"weight\": 28,\
\"max\": \"*\",\
\"kind\": \"primitive-type\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"decimal.id\",\
\"weight\": 29,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"decimal.extension\",\
\"weight\": 30,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"decimal.value\",\
\"type_xml\": \"xsd:decimal\",\
\"weight\": 31,\
\"max\": \"1\",\
\"type_json\": \"number\"\
},\
{\
\"min\": 0,\
\"path\": \"id\",\
\"weight\": 32,\
\"max\": \"*\",\
\"kind\": \"primitive-type\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"id.id\",\
\"weight\": 33,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"id.extension\",\
\"weight\": 34,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"id.value\",\
\"type_xml\": \"xsd:string\",\
\"weight\": 35,\
\"max\": \"1\",\
\"type_json\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"instant\",\
\"weight\": 36,\
\"max\": \"*\",\
\"kind\": \"primitive-type\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"instant.id\",\
\"weight\": 37,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"instant.extension\",\
\"weight\": 38,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"instant.value\",\
\"type_xml\": \"xsd:dateTime\",\
\"weight\": 39,\
\"max\": \"1\",\
\"type_json\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"integer\",\
\"weight\": 40,\
\"max\": \"*\",\
\"kind\": \"primitive-type\",\
\"derivations\": [\
\"positiveInt\",\
\"unsignedInt\"\
],\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"integer.id\",\
\"weight\": 41,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"integer.extension\",\
\"weight\": 42,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"integer.value\",\
\"type_xml\": \"xsd:int\",\
\"weight\": 43,\
\"max\": \"1\",\
\"type_json\": \"number\"\
},\
{\
\"min\": 0,\
\"path\": \"markdown\",\
\"weight\": 44,\
\"max\": \"*\",\
\"kind\": \"primitive-type\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"markdown.id\",\
\"weight\": 45,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"markdown.extension\",\
\"weight\": 46,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"markdown.value\",\
\"type_xml\": \"xsd:string\",\
\"weight\": 47,\
\"max\": \"1\",\
\"type_json\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"oid\",\
\"weight\": 48,\
\"max\": \"*\",\
\"kind\": \"primitive-type\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"oid.id\",\
\"weight\": 49,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"oid.extension\",\
\"weight\": 50,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"oid.value\",\
\"type_xml\": \"xsd:anyURI\",\
\"weight\": 51,\
\"max\": \"1\",\
\"type_json\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"positiveInt\",\
\"weight\": 52,\
\"max\": \"*\",\
\"kind\": \"primitive-type\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"positiveInt.id\",\
\"weight\": 53,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"positiveInt.extension\",\
\"weight\": 54,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"positiveInt.value\",\
\"type_xml\": \"xsd:positiveInteger\",\
\"weight\": 55,\
\"max\": \"1\",\
\"type_json\": \"number\"\
},\
{\
\"min\": 0,\
\"path\": \"string\",\
\"weight\": 56,\
\"max\": \"*\",\
\"kind\": \"primitive-type\",\
\"derivations\": [\
\"code\",\
\"id\",\
\"markdown\"\
],\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"string.id\",\
\"weight\": 57,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"string.extension\",\
\"weight\": 58,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"string.value\",\
\"type_xml\": \"xsd:string\",\
\"weight\": 59,\
\"max\": \"1\",\
\"type_json\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"time\",\
\"weight\": 60,\
\"max\": \"*\",\
\"kind\": \"primitive-type\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"time.id\",\
\"weight\": 61,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"time.extension\",\
\"weight\": 62,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"time.value\",\
\"type_xml\": \"xsd:time\",\
\"weight\": 63,\
\"max\": \"1\",\
\"type_json\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"unsignedInt\",\
\"weight\": 64,\
\"max\": \"*\",\
\"kind\": \"primitive-type\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"unsignedInt.id\",\
\"weight\": 65,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"unsignedInt.extension\",\
\"weight\": 66,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"unsignedInt.value\",\
\"type_xml\": \"xsd:nonNegativeInteger\",\
\"weight\": 67,\
\"max\": \"1\",\
\"type_json\": \"number\"\
},\
{\
\"min\": 0,\
\"path\": \"uri\",\
\"weight\": 68,\
\"max\": \"*\",\
\"kind\": \"primitive-type\",\
\"derivations\": [\
\"oid\",\
\"uuid\"\
],\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"uri.id\",\
\"weight\": 69,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"uri.extension\",\
\"weight\": 70,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"uri.value\",\
\"type_xml\": \"xsd:anyURI\",\
\"weight\": 71,\
\"max\": \"1\",\
\"type_json\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"uuid\",\
\"weight\": 72,\
\"max\": \"*\",\
\"kind\": \"primitive-type\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"uuid.id\",\
\"weight\": 73,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"uuid.extension\",\
\"weight\": 74,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"uuid.value\",\
\"type_xml\": \"xsd:anyURI\",\
\"weight\": 75,\
\"max\": \"1\",\
\"type_json\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"xhtml\",\
\"weight\": 76,\
\"max\": \"*\",\
\"kind\": \"primitive-type\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"xhtml.id\",\
\"weight\": 77,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"xhtml.extension\",\
\"weight\": 78,\
\"max\": \"0\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"xhtml.value\",\
\"type_xml\": \"xhtml:div\",\
\"weight\": 79,\
\"max\": \"1\",\
\"type_json\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Address\",\
\"weight\": 80,\
\"max\": \"*\",\
\"kind\": \"complex-type\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"Address.id\",\
\"weight\": 81,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Address.extension\",\
\"weight\": 82,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Address.use\",\
\"weight\": 83,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Address.type\",\
\"weight\": 84,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Address.text\",\
\"weight\": 85,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Address.line\",\
\"weight\": 86,\
\"max\": \"*\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Address.city\",\
\"weight\": 87,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Address.district\",\
\"weight\": 88,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Address.state\",\
\"weight\": 89,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Address.postalCode\",\
\"weight\": 90,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Address.country\",\
\"weight\": 91,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Address.period\",\
\"weight\": 92,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Age\",\
\"weight\": 93,\
\"max\": \"*\",\
\"kind\": \"complex-type\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"Age.id\",\
\"weight\": 94,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Age.extension\",\
\"weight\": 95,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Age.value\",\
\"weight\": 96,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"Age.comparator\",\
\"weight\": 97,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Age.unit\",\
\"weight\": 98,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Age.system\",\
\"weight\": 99,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Age.code\",\
\"weight\": 100,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Annotation\",\
\"weight\": 101,\
\"max\": \"*\",\
\"kind\": \"complex-type\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"Annotation.id\",\
\"weight\": 102,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Annotation.extension\",\
\"weight\": 103,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Annotation.authorReference\",\
\"weight\": 104,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Annotation.authorReference\",\
\"weight\": 104,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Annotation.authorReference\",\
\"weight\": 104,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Annotation.authorString\",\
\"weight\": 104,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Annotation.time\",\
\"weight\": 105,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 1,\
\"path\": \"Annotation.text\",\
\"weight\": 106,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Attachment\",\
\"weight\": 107,\
\"max\": \"*\",\
\"kind\": \"complex-type\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"Attachment.id\",\
\"weight\": 108,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Attachment.extension\",\
\"weight\": 109,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Attachment.contentType\",\
\"weight\": 110,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Attachment.language\",\
\"weight\": 111,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Attachment.data\",\
\"weight\": 112,\
\"max\": \"1\",\
\"type\": \"base64Binary\"\
},\
{\
\"min\": 0,\
\"path\": \"Attachment.url\",\
\"weight\": 113,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Attachment.size\",\
\"weight\": 114,\
\"max\": \"1\",\
\"type\": \"unsignedInt\"\
},\
{\
\"min\": 0,\
\"path\": \"Attachment.hash\",\
\"weight\": 115,\
\"max\": \"1\",\
\"type\": \"base64Binary\"\
},\
{\
\"min\": 0,\
\"path\": \"Attachment.title\",\
\"weight\": 116,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Attachment.creation\",\
\"weight\": 117,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeableConcept\",\
\"weight\": 118,\
\"max\": \"*\",\
\"kind\": \"complex-type\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeableConcept.id\",\
\"weight\": 119,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeableConcept.extension\",\
\"weight\": 120,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeableConcept.coding\",\
\"weight\": 121,\
\"max\": \"*\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeableConcept.text\",\
\"weight\": 122,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Coding\",\
\"weight\": 123,\
\"max\": \"*\",\
\"kind\": \"complex-type\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"Coding.id\",\
\"weight\": 124,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Coding.extension\",\
\"weight\": 125,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Coding.system\",\
\"weight\": 126,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Coding.version\",\
\"weight\": 127,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Coding.code\",\
\"weight\": 128,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Coding.display\",\
\"weight\": 129,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Coding.userSelected\",\
\"weight\": 130,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"ContactDetail\",\
\"weight\": 131,\
\"max\": \"*\",\
\"kind\": \"complex-type\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"ContactDetail.id\",\
\"weight\": 132,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ContactDetail.extension\",\
\"weight\": 133,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ContactDetail.name\",\
\"weight\": 134,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ContactDetail.telecom\",\
\"weight\": 135,\
\"max\": \"*\",\
\"type\": \"ContactPoint\"\
},\
{\
\"min\": 0,\
\"path\": \"ContactPoint\",\
\"weight\": 136,\
\"max\": \"*\",\
\"kind\": \"complex-type\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"ContactPoint.id\",\
\"weight\": 137,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ContactPoint.extension\",\
\"weight\": 138,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ContactPoint.system\",\
\"weight\": 139,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ContactPoint.value\",\
\"weight\": 140,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ContactPoint.use\",\
\"weight\": 141,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ContactPoint.rank\",\
\"weight\": 142,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ContactPoint.period\",\
\"weight\": 143,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Contributor\",\
\"weight\": 144,\
\"max\": \"*\",\
\"kind\": \"complex-type\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"Contributor.id\",\
\"weight\": 145,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Contributor.extension\",\
\"weight\": 146,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Contributor.type\",\
\"weight\": 147,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"Contributor.name\",\
\"weight\": 148,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Contributor.contact\",\
\"weight\": 149,\
\"max\": \"*\",\
\"type\": \"ContactDetail\"\
},\
{\
\"min\": 0,\
\"path\": \"Count\",\
\"weight\": 150,\
\"max\": \"*\",\
\"kind\": \"complex-type\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"Count.id\",\
\"weight\": 151,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Count.extension\",\
\"weight\": 152,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Count.value\",\
\"weight\": 153,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"Count.comparator\",\
\"weight\": 154,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Count.unit\",\
\"weight\": 155,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Count.system\",\
\"weight\": 156,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Count.code\",\
\"weight\": 157,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"DataRequirement\",\
\"weight\": 158,\
\"max\": \"*\",\
\"kind\": \"complex-type\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"DataRequirement.id\",\
\"weight\": 159,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"DataRequirement.extension\",\
\"weight\": 160,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"DataRequirement.type\",\
\"weight\": 161,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"DataRequirement.profile\",\
\"weight\": 162,\
\"max\": \"*\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"DataRequirement.mustSupport\",\
\"weight\": 163,\
\"max\": \"*\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"DataRequirement.codeFilter\",\
\"weight\": 164,\
\"max\": \"*\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"DataRequirement.codeFilter.id\",\
\"weight\": 165,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"DataRequirement.codeFilter.extension\",\
\"weight\": 166,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"DataRequirement.codeFilter.path\",\
\"weight\": 167,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"DataRequirement.codeFilter.valueSetString\",\
\"weight\": 168,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"DataRequirement.codeFilter.valueSetReference\",\
\"weight\": 168,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DataRequirement.codeFilter.valueCode\",\
\"weight\": 169,\
\"max\": \"*\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"DataRequirement.codeFilter.valueCoding\",\
\"weight\": 170,\
\"max\": \"*\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"DataRequirement.codeFilter.valueCodeableConcept\",\
\"weight\": 171,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"DataRequirement.dateFilter\",\
\"weight\": 172,\
\"max\": \"*\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"DataRequirement.dateFilter.id\",\
\"weight\": 173,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"DataRequirement.dateFilter.extension\",\
\"weight\": 174,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"DataRequirement.dateFilter.path\",\
\"weight\": 175,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"DataRequirement.dateFilter.valueDateTime\",\
\"weight\": 176,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"DataRequirement.dateFilter.valuePeriod\",\
\"weight\": 176,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"DataRequirement.dateFilter.valueDuration\",\
\"weight\": 176,\
\"max\": \"1\",\
\"type\": \"Duration\"\
},\
{\
\"min\": 0,\
\"path\": \"Distance\",\
\"weight\": 177,\
\"max\": \"*\",\
\"kind\": \"complex-type\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"Distance.id\",\
\"weight\": 178,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Distance.extension\",\
\"weight\": 179,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Distance.value\",\
\"weight\": 180,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"Distance.comparator\",\
\"weight\": 181,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Distance.unit\",\
\"weight\": 182,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Distance.system\",\
\"weight\": 183,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Distance.code\",\
\"weight\": 184,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Dosage\",\
\"weight\": 185,\
\"max\": \"*\",\
\"kind\": \"complex-type\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"Dosage.id\",\
\"weight\": 186,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Dosage.extension\",\
\"weight\": 187,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Dosage.sequence\",\
\"weight\": 188,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"Dosage.text\",\
\"weight\": 189,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Dosage.additionalInstruction\",\
\"weight\": 190,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Dosage.patientInstruction\",\
\"weight\": 191,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Dosage.timing\",\
\"weight\": 192,\
\"max\": \"1\",\
\"type\": \"Timing\"\
},\
{\
\"min\": 0,\
\"path\": \"Dosage.asNeededBoolean\",\
\"weight\": 193,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"Dosage.asNeededCodeableConcept\",\
\"weight\": 193,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Dosage.site\",\
\"weight\": 194,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Dosage.route\",\
\"weight\": 195,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Dosage.method\",\
\"weight\": 196,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Dosage.doseRange\",\
\"weight\": 197,\
\"max\": \"1\",\
\"type\": \"Range\"\
},\
{\
\"min\": 0,\
\"path\": \"Dosage.doseQuantity\",\
\"weight\": 197,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"Dosage.maxDosePerPeriod\",\
\"weight\": 198,\
\"max\": \"1\",\
\"type\": \"Ratio\"\
},\
{\
\"min\": 0,\
\"path\": \"Dosage.maxDosePerAdministration\",\
\"weight\": 199,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"Dosage.maxDosePerLifetime\",\
\"weight\": 200,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"Dosage.rateRatio\",\
\"weight\": 201,\
\"max\": \"1\",\
\"type\": \"Ratio\"\
},\
{\
\"min\": 0,\
\"path\": \"Dosage.rateRange\",\
\"weight\": 201,\
\"max\": \"1\",\
\"type\": \"Range\"\
},\
{\
\"min\": 0,\
\"path\": \"Dosage.rateQuantity\",\
\"weight\": 201,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"Duration\",\
\"weight\": 202,\
\"max\": \"*\",\
\"kind\": \"complex-type\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"Duration.id\",\
\"weight\": 203,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Duration.extension\",\
\"weight\": 204,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Duration.value\",\
\"weight\": 205,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"Duration.comparator\",\
\"weight\": 206,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Duration.unit\",\
\"weight\": 207,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Duration.system\",\
\"weight\": 208,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Duration.code\",\
\"weight\": 209,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition\",\
\"weight\": 210,\
\"max\": \"*\",\
\"kind\": \"complex-type\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.id\",\
\"weight\": 211,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.extension\",\
\"weight\": 212,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.path\",\
\"weight\": 213,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.representation\",\
\"weight\": 214,\
\"max\": \"*\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.sliceName\",\
\"weight\": 215,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.label\",\
\"weight\": 216,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.code\",\
\"weight\": 217,\
\"max\": \"*\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.slicing\",\
\"weight\": 218,\
\"max\": \"1\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.slicing.id\",\
\"weight\": 219,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.slicing.extension\",\
\"weight\": 220,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.slicing.discriminator\",\
\"weight\": 221,\
\"max\": \"*\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.slicing.discriminator.id\",\
\"weight\": 222,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.slicing.discriminator.extension\",\
\"weight\": 223,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.slicing.discriminator.type\",\
\"weight\": 224,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.slicing.discriminator.path\",\
\"weight\": 225,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.slicing.description\",\
\"weight\": 226,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.slicing.ordered\",\
\"weight\": 227,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.slicing.rules\",\
\"weight\": 228,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.short\",\
\"weight\": 229,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.definition\",\
\"weight\": 230,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.comment\",\
\"weight\": 231,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.requirements\",\
\"weight\": 232,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.alias\",\
\"weight\": 233,\
\"max\": \"*\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.min\",\
\"weight\": 234,\
\"max\": \"1\",\
\"type\": \"unsignedInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.max\",\
\"weight\": 235,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.base\",\
\"weight\": 236,\
\"max\": \"1\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.base.id\",\
\"weight\": 237,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.base.extension\",\
\"weight\": 238,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.base.path\",\
\"weight\": 239,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.base.min\",\
\"weight\": 240,\
\"max\": \"1\",\
\"type\": \"unsignedInt\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.base.max\",\
\"weight\": 241,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.contentReference\",\
\"weight\": 242,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.type\",\
\"weight\": 243,\
\"max\": \"*\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.type.id\",\
\"weight\": 244,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.type.extension\",\
\"weight\": 245,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.type.code\",\
\"weight\": 246,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.type.profile\",\
\"weight\": 247,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.type.targetProfile\",\
\"weight\": 248,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.type.aggregation\",\
\"weight\": 249,\
\"max\": \"*\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.type.versioning\",\
\"weight\": 250,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValueBase64Binary\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"base64Binary\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValueBoolean\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValueCode\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValueDate\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValueDateTime\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValueDecimal\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValueId\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValueInstant\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"instant\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValueInteger\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValueMarkdown\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValueOid\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"oid\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValuePositiveInt\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValueString\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValueTime\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"time\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValueUnsignedInt\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"unsignedInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValueUri\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValueAddress\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"Address\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValueAge\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"Age\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValueAnnotation\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValueAttachment\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"Attachment\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValueCodeableConcept\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValueCoding\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValueContactPoint\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"ContactPoint\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValueCount\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"Count\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValueDistance\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"Distance\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValueDuration\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"Duration\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValueHumanName\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"HumanName\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValueIdentifier\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValueMoney\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValuePeriod\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValueQuantity\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValueRange\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"Range\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValueRatio\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"Ratio\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValueReference\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValueSampledData\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"SampledData\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValueSignature\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"Signature\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValueTiming\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"Timing\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.defaultValueMeta\",\
\"weight\": 251,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.meaningWhenMissing\",\
\"weight\": 252,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.orderMeaning\",\
\"weight\": 253,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedBase64Binary\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"base64Binary\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedBoolean\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedCode\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedDate\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedDateTime\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedDecimal\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedId\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedInstant\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"instant\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedInteger\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedMarkdown\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedOid\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"oid\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedPositiveInt\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedString\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedTime\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"time\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedUnsignedInt\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"unsignedInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedUri\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedAddress\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"Address\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedAge\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"Age\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedAnnotation\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedAttachment\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"Attachment\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedCodeableConcept\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedCoding\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedContactPoint\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"ContactPoint\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedCount\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"Count\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedDistance\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"Distance\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedDuration\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"Duration\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedHumanName\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"HumanName\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedIdentifier\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedMoney\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedPeriod\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedQuantity\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedRange\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"Range\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedRatio\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"Ratio\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedReference\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedSampledData\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"SampledData\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedSignature\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"Signature\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedTiming\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"Timing\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.fixedMeta\",\
\"weight\": 254,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternBase64Binary\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"base64Binary\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternBoolean\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternCode\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternDate\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternDateTime\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternDecimal\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternId\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternInstant\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"instant\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternInteger\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternMarkdown\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternOid\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"oid\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternPositiveInt\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternString\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternTime\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"time\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternUnsignedInt\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"unsignedInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternUri\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternAddress\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"Address\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternAge\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"Age\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternAnnotation\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternAttachment\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"Attachment\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternCodeableConcept\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternCoding\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternContactPoint\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"ContactPoint\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternCount\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"Count\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternDistance\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"Distance\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternDuration\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"Duration\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternHumanName\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"HumanName\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternIdentifier\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternMoney\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternPeriod\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternQuantity\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternRange\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"Range\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternRatio\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"Ratio\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternReference\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternSampledData\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"SampledData\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternSignature\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"Signature\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternTiming\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"Timing\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.patternMeta\",\
\"weight\": 255,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.example\",\
\"weight\": 256,\
\"max\": \"*\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.example.id\",\
\"weight\": 257,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.example.extension\",\
\"weight\": 258,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.label\",\
\"weight\": 259,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valueBase64Binary\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"base64Binary\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valueBoolean\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valueCode\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valueDate\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valueDateTime\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valueDecimal\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valueId\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valueInstant\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"instant\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valueInteger\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valueMarkdown\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valueOid\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"oid\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valuePositiveInt\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valueString\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valueTime\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"time\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valueUnsignedInt\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"unsignedInt\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valueUri\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valueAddress\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"Address\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valueAge\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"Age\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valueAnnotation\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valueAttachment\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"Attachment\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valueCodeableConcept\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valueCoding\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valueContactPoint\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"ContactPoint\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valueCount\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"Count\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valueDistance\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"Distance\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valueDuration\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"Duration\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valueHumanName\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"HumanName\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valueIdentifier\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valueMoney\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valuePeriod\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valueQuantity\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valueRange\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"Range\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valueRatio\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"Ratio\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valueReference\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valueSampledData\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"SampledData\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valueSignature\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"Signature\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valueTiming\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"Timing\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.example.valueMeta\",\
\"weight\": 260,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.minValueDate\",\
\"weight\": 261,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.minValueDateTime\",\
\"weight\": 261,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.minValueInstant\",\
\"weight\": 261,\
\"max\": \"1\",\
\"type\": \"instant\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.minValueTime\",\
\"weight\": 261,\
\"max\": \"1\",\
\"type\": \"time\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.minValueDecimal\",\
\"weight\": 261,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.minValueInteger\",\
\"weight\": 261,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.minValuePositiveInt\",\
\"weight\": 261,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.minValueUnsignedInt\",\
\"weight\": 261,\
\"max\": \"1\",\
\"type\": \"unsignedInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.minValueQuantity\",\
\"weight\": 261,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.maxValueDate\",\
\"weight\": 262,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.maxValueDateTime\",\
\"weight\": 262,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.maxValueInstant\",\
\"weight\": 262,\
\"max\": \"1\",\
\"type\": \"instant\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.maxValueTime\",\
\"weight\": 262,\
\"max\": \"1\",\
\"type\": \"time\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.maxValueDecimal\",\
\"weight\": 262,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.maxValueInteger\",\
\"weight\": 262,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.maxValuePositiveInt\",\
\"weight\": 262,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.maxValueUnsignedInt\",\
\"weight\": 262,\
\"max\": \"1\",\
\"type\": \"unsignedInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.maxValueQuantity\",\
\"weight\": 262,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.maxLength\",\
\"weight\": 263,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.condition\",\
\"weight\": 264,\
\"max\": \"*\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.constraint\",\
\"weight\": 265,\
\"max\": \"*\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.constraint.id\",\
\"weight\": 266,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.constraint.extension\",\
\"weight\": 267,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.constraint.key\",\
\"weight\": 268,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.constraint.requirements\",\
\"weight\": 269,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.constraint.severity\",\
\"weight\": 270,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.constraint.human\",\
\"weight\": 271,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.constraint.expression\",\
\"weight\": 272,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.constraint.xpath\",\
\"weight\": 273,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.constraint.source\",\
\"weight\": 274,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.mustSupport\",\
\"weight\": 275,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.isModifier\",\
\"weight\": 276,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.isSummary\",\
\"weight\": 277,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.binding\",\
\"weight\": 278,\
\"max\": \"1\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.binding.id\",\
\"weight\": 279,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.binding.extension\",\
\"weight\": 280,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.binding.strength\",\
\"weight\": 281,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.binding.description\",\
\"weight\": 282,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.binding.valueSetUri\",\
\"weight\": 283,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.binding.valueSetReference\",\
\"weight\": 283,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.mapping\",\
\"weight\": 284,\
\"max\": \"*\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.mapping.id\",\
\"weight\": 285,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.mapping.extension\",\
\"weight\": 286,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.mapping.identity\",\
\"weight\": 287,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.mapping.language\",\
\"weight\": 288,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"ElementDefinition.mapping.map\",\
\"weight\": 289,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ElementDefinition.mapping.comment\",\
\"weight\": 290,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension\",\
\"weight\": 291,\
\"max\": \"*\",\
\"kind\": \"complex-type\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.id\",\
\"weight\": 292,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.extension\",\
\"weight\": 293,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Extension.url\",\
\"weight\": 294,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valueBase64Binary\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"base64Binary\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valueBoolean\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valueCode\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valueDate\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valueDateTime\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valueDecimal\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valueId\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valueInstant\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"instant\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valueInteger\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valueMarkdown\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valueOid\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"oid\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valuePositiveInt\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valueString\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valueTime\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"time\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valueUnsignedInt\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"unsignedInt\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valueUri\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valueAddress\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"Address\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valueAge\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"Age\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valueAnnotation\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valueAttachment\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"Attachment\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valueCodeableConcept\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valueCoding\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valueContactPoint\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"ContactPoint\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valueCount\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"Count\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valueDistance\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"Distance\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valueDuration\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"Duration\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valueHumanName\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"HumanName\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valueIdentifier\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valueMoney\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valuePeriod\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valueQuantity\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valueRange\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"Range\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valueRatio\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"Ratio\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valueReference\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valueSampledData\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"SampledData\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valueSignature\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"Signature\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valueTiming\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"Timing\"\
},\
{\
\"min\": 0,\
\"path\": \"Extension.valueMeta\",\
\"weight\": 295,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"HumanName\",\
\"weight\": 296,\
\"max\": \"*\",\
\"kind\": \"complex-type\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"HumanName.id\",\
\"weight\": 297,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"HumanName.extension\",\
\"weight\": 298,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"HumanName.use\",\
\"weight\": 299,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"HumanName.text\",\
\"weight\": 300,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"HumanName.family\",\
\"weight\": 301,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"HumanName.given\",\
\"weight\": 302,\
\"max\": \"*\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"HumanName.prefix\",\
\"weight\": 303,\
\"max\": \"*\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"HumanName.suffix\",\
\"weight\": 304,\
\"max\": \"*\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"HumanName.period\",\
\"weight\": 305,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Identifier\",\
\"weight\": 306,\
\"max\": \"*\",\
\"kind\": \"complex-type\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"Identifier.id\",\
\"weight\": 307,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Identifier.extension\",\
\"weight\": 308,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Identifier.use\",\
\"weight\": 309,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Identifier.type\",\
\"weight\": 310,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Identifier.system\",\
\"weight\": 311,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Identifier.value\",\
\"weight\": 312,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Identifier.period\",\
\"weight\": 313,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Identifier.assigner\",\
\"weight\": 314,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Meta\",\
\"weight\": 315,\
\"max\": \"*\",\
\"kind\": \"complex-type\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"Meta.id\",\
\"weight\": 316,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Meta.extension\",\
\"weight\": 317,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Meta.versionId\",\
\"weight\": 318,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Meta.lastUpdated\",\
\"weight\": 319,\
\"max\": \"1\",\
\"type\": \"instant\"\
},\
{\
\"min\": 0,\
\"path\": \"Meta.profile\",\
\"weight\": 320,\
\"max\": \"*\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Meta.security\",\
\"weight\": 321,\
\"max\": \"*\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"Meta.tag\",\
\"weight\": 322,\
\"max\": \"*\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"Money\",\
\"weight\": 323,\
\"max\": \"*\",\
\"kind\": \"complex-type\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"Money.id\",\
\"weight\": 324,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Money.extension\",\
\"weight\": 325,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Money.value\",\
\"weight\": 326,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"Money.comparator\",\
\"weight\": 327,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Money.unit\",\
\"weight\": 328,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Money.system\",\
\"weight\": 329,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Money.code\",\
\"weight\": 330,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Narrative\",\
\"weight\": 331,\
\"max\": \"*\",\
\"kind\": \"complex-type\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"Narrative.id\",\
\"weight\": 332,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Narrative.extension\",\
\"weight\": 333,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Narrative.status\",\
\"weight\": 334,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"Narrative.div\",\
\"weight\": 335,\
\"max\": \"1\",\
\"type\": \"xhtml\"\
},\
{\
\"min\": 0,\
\"path\": \"ParameterDefinition\",\
\"weight\": 336,\
\"max\": \"*\",\
\"kind\": \"complex-type\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"ParameterDefinition.id\",\
\"weight\": 337,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ParameterDefinition.extension\",\
\"weight\": 338,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ParameterDefinition.name\",\
\"weight\": 339,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"ParameterDefinition.use\",\
\"weight\": 340,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ParameterDefinition.min\",\
\"weight\": 341,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"ParameterDefinition.max\",\
\"weight\": 342,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ParameterDefinition.documentation\",\
\"weight\": 343,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"ParameterDefinition.type\",\
\"weight\": 344,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ParameterDefinition.profile\",\
\"weight\": 345,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Period\",\
\"weight\": 346,\
\"max\": \"*\",\
\"kind\": \"complex-type\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"Period.id\",\
\"weight\": 347,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Period.extension\",\
\"weight\": 348,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Period.start\",\
\"weight\": 349,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Period.end\",\
\"weight\": 350,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Quantity\",\
\"weight\": 351,\
\"max\": \"*\",\
\"kind\": \"complex-type\",\
\"derivations\": [\
\"Age\",\
\"Count\",\
\"Distance\",\
\"Duration\",\
\"Money\"\
],\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"Quantity.id\",\
\"weight\": 352,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Quantity.extension\",\
\"weight\": 353,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Quantity.value\",\
\"weight\": 354,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"Quantity.comparator\",\
\"weight\": 355,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Quantity.unit\",\
\"weight\": 356,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Quantity.system\",\
\"weight\": 357,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Quantity.code\",\
\"weight\": 358,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Range\",\
\"weight\": 359,\
\"max\": \"*\",\
\"kind\": \"complex-type\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"Range.id\",\
\"weight\": 360,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Range.extension\",\
\"weight\": 361,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Range.low\",\
\"weight\": 362,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"Range.high\",\
\"weight\": 363,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"Ratio\",\
\"weight\": 364,\
\"max\": \"*\",\
\"kind\": \"complex-type\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"Ratio.id\",\
\"weight\": 365,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Ratio.extension\",\
\"weight\": 366,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Ratio.numerator\",\
\"weight\": 367,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"Ratio.denominator\",\
\"weight\": 368,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"Reference\",\
\"weight\": 369,\
\"max\": \"*\",\
\"kind\": \"complex-type\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"Reference.id\",\
\"weight\": 370,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Reference.extension\",\
\"weight\": 371,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Reference.reference\",\
\"weight\": 372,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Reference.identifier\",\
\"weight\": 373,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Reference.display\",\
\"weight\": 374,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"RelatedArtifact\",\
\"weight\": 375,\
\"max\": \"*\",\
\"kind\": \"complex-type\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"RelatedArtifact.id\",\
\"weight\": 376,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"RelatedArtifact.extension\",\
\"weight\": 377,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"RelatedArtifact.type\",\
\"weight\": 378,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"RelatedArtifact.display\",\
\"weight\": 379,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"RelatedArtifact.citation\",\
\"weight\": 380,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"RelatedArtifact.url\",\
\"weight\": 381,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"RelatedArtifact.document\",\
\"weight\": 382,\
\"max\": \"1\",\
\"type\": \"Attachment\"\
},\
{\
\"min\": 0,\
\"path\": \"RelatedArtifact.resource\",\
\"weight\": 383,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"SampledData\",\
\"weight\": 384,\
\"max\": \"*\",\
\"kind\": \"complex-type\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"SampledData.id\",\
\"weight\": 385,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"SampledData.extension\",\
\"weight\": 386,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"SampledData.origin\",\
\"weight\": 387,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 1,\
\"path\": \"SampledData.period\",\
\"weight\": 388,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"SampledData.factor\",\
\"weight\": 389,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"SampledData.lowerLimit\",\
\"weight\": 390,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"SampledData.upperLimit\",\
\"weight\": 391,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 1,\
\"path\": \"SampledData.dimensions\",\
\"weight\": 392,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 1,\
\"path\": \"SampledData.data\",\
\"weight\": 393,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Signature\",\
\"weight\": 394,\
\"max\": \"*\",\
\"kind\": \"complex-type\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"Signature.id\",\
\"weight\": 395,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Signature.extension\",\
\"weight\": 396,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Signature.type\",\
\"weight\": 397,\
\"max\": \"*\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 1,\
\"path\": \"Signature.when\",\
\"weight\": 398,\
\"max\": \"1\",\
\"type\": \"instant\"\
},\
{\
\"min\": 1,\
\"path\": \"Signature.whoUri\",\
\"weight\": 399,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 1,\
\"path\": \"Signature.whoReference\",\
\"weight\": 399,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"Signature.whoReference\",\
\"weight\": 399,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"Signature.whoReference\",\
\"weight\": 399,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"Signature.whoReference\",\
\"weight\": 399,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"Signature.whoReference\",\
\"weight\": 399,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Signature.onBehalfOfUri\",\
\"weight\": 400,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Signature.onBehalfOfReference\",\
\"weight\": 400,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Signature.onBehalfOfReference\",\
\"weight\": 400,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Signature.onBehalfOfReference\",\
\"weight\": 400,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Signature.onBehalfOfReference\",\
\"weight\": 400,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Signature.onBehalfOfReference\",\
\"weight\": 400,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Signature.contentType\",\
\"weight\": 401,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Signature.blob\",\
\"weight\": 402,\
\"max\": \"1\",\
\"type\": \"base64Binary\"\
},\
{\
\"min\": 0,\
\"path\": \"Timing\",\
\"weight\": 403,\
\"max\": \"*\",\
\"kind\": \"complex-type\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"Timing.id\",\
\"weight\": 404,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Timing.extension\",\
\"weight\": 405,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Timing.event\",\
\"weight\": 406,\
\"max\": \"*\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Timing.repeat\",\
\"weight\": 407,\
\"max\": \"1\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"Timing.repeat.id\",\
\"weight\": 408,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Timing.repeat.extension\",\
\"weight\": 409,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Timing.repeat.boundsDuration\",\
\"weight\": 410,\
\"max\": \"1\",\
\"type\": \"Duration\"\
},\
{\
\"min\": 0,\
\"path\": \"Timing.repeat.boundsRange\",\
\"weight\": 410,\
\"max\": \"1\",\
\"type\": \"Range\"\
},\
{\
\"min\": 0,\
\"path\": \"Timing.repeat.boundsPeriod\",\
\"weight\": 410,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Timing.repeat.count\",\
\"weight\": 411,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"Timing.repeat.countMax\",\
\"weight\": 412,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"Timing.repeat.duration\",\
\"weight\": 413,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"Timing.repeat.durationMax\",\
\"weight\": 414,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"Timing.repeat.durationUnit\",\
\"weight\": 415,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Timing.repeat.frequency\",\
\"weight\": 416,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"Timing.repeat.frequencyMax\",\
\"weight\": 417,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"Timing.repeat.period\",\
\"weight\": 418,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"Timing.repeat.periodMax\",\
\"weight\": 419,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"Timing.repeat.periodUnit\",\
\"weight\": 420,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Timing.repeat.dayOfWeek\",\
\"weight\": 421,\
\"max\": \"*\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Timing.repeat.timeOfDay\",\
\"weight\": 422,\
\"max\": \"*\",\
\"type\": \"time\"\
},\
{\
\"min\": 0,\
\"path\": \"Timing.repeat.when\",\
\"weight\": 423,\
\"max\": \"*\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Timing.repeat.offset\",\
\"weight\": 424,\
\"max\": \"1\",\
\"type\": \"unsignedInt\"\
},\
{\
\"min\": 0,\
\"path\": \"Timing.code\",\
\"weight\": 425,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"TriggerDefinition\",\
\"weight\": 426,\
\"max\": \"*\",\
\"kind\": \"complex-type\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"TriggerDefinition.id\",\
\"weight\": 427,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TriggerDefinition.extension\",\
\"weight\": 428,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"TriggerDefinition.type\",\
\"weight\": 429,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"TriggerDefinition.eventName\",\
\"weight\": 430,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TriggerDefinition.eventTimingTiming\",\
\"weight\": 431,\
\"max\": \"1\",\
\"type\": \"Timing\"\
},\
{\
\"min\": 0,\
\"path\": \"TriggerDefinition.eventTimingReference\",\
\"weight\": 431,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"TriggerDefinition.eventTimingDate\",\
\"weight\": 431,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"TriggerDefinition.eventTimingDateTime\",\
\"weight\": 431,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"TriggerDefinition.eventData\",\
\"weight\": 432,\
\"max\": \"1\",\
\"type\": \"DataRequirement\"\
},\
{\
\"min\": 0,\
\"path\": \"UsageContext\",\
\"weight\": 433,\
\"max\": \"*\",\
\"kind\": \"complex-type\",\
\"type\": \"Element\"\
},\
{\
\"min\": 0,\
\"path\": \"UsageContext.id\",\
\"weight\": 434,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"UsageContext.extension\",\
\"weight\": 435,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"UsageContext.code\",\
\"weight\": 436,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 1,\
\"path\": \"UsageContext.valueCodeableConcept\",\
\"weight\": 437,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"UsageContext.valueQuantity\",\
\"weight\": 437,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 1,\
\"path\": \"UsageContext.valueRange\",\
\"weight\": 437,\
\"max\": \"1\",\
\"type\": \"Range\"\
},\
{\
\"min\": 0,\
\"path\": \"Resource\",\
\"weight\": 438,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"derivations\": [\
\"Binary\",\
\"Bundle\",\
\"DomainResource\",\
\"Parameters\"\
]\
},\
{\
\"min\": 0,\
\"path\": \"Resource.id\",\
\"weight\": 439,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Resource.meta\",\
\"weight\": 440,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Resource.implicitRules\",\
\"weight\": 441,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Resource.language\",\
\"weight\": 442,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Account\",\
\"weight\": 443,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Account.id\",\
\"weight\": 444,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Account.meta\",\
\"weight\": 445,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Account.implicitRules\",\
\"weight\": 446,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Account.language\",\
\"weight\": 447,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Account.text\",\
\"weight\": 448,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Account.contained\",\
\"weight\": 449,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Account.extension\",\
\"weight\": 450,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Account.modifierExtension\",\
\"weight\": 451,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Account.identifier\",\
\"weight\": 452,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Account.status\",\
\"weight\": 453,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Account.type\",\
\"weight\": 454,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Account.name\",\
\"weight\": 455,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Account.subject\",\
\"weight\": 456,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Account.period\",\
\"weight\": 457,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Account.active\",\
\"weight\": 458,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Account.balance\",\
\"weight\": 459,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"Account.coverage\",\
\"weight\": 460,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Account.coverage.id\",\
\"weight\": 461,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Account.coverage.extension\",\
\"weight\": 462,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Account.coverage.modifierExtension\",\
\"weight\": 463,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Account.coverage.coverage\",\
\"weight\": 464,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Account.coverage.priority\",\
\"weight\": 465,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"Account.owner\",\
\"weight\": 466,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Account.description\",\
\"weight\": 467,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Account.guarantor\",\
\"weight\": 468,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Account.guarantor.id\",\
\"weight\": 469,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Account.guarantor.extension\",\
\"weight\": 470,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Account.guarantor.modifierExtension\",\
\"weight\": 471,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Account.guarantor.party\",\
\"weight\": 472,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Account.guarantor.onHold\",\
\"weight\": 473,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"Account.guarantor.period\",\
\"weight\": 474,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition\",\
\"weight\": 475,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.id\",\
\"weight\": 476,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.meta\",\
\"weight\": 477,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.implicitRules\",\
\"weight\": 478,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.language\",\
\"weight\": 479,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.text\",\
\"weight\": 480,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.contained\",\
\"weight\": 481,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.extension\",\
\"weight\": 482,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.modifierExtension\",\
\"weight\": 483,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.url\",\
\"weight\": 484,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.identifier\",\
\"weight\": 485,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.version\",\
\"weight\": 486,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.name\",\
\"weight\": 487,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.title\",\
\"weight\": 488,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"ActivityDefinition.status\",\
\"weight\": 489,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.experimental\",\
\"weight\": 490,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.date\",\
\"weight\": 491,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.publisher\",\
\"weight\": 492,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.description\",\
\"weight\": 493,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.purpose\",\
\"weight\": 494,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.usage\",\
\"weight\": 495,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.approvalDate\",\
\"weight\": 496,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.lastReviewDate\",\
\"weight\": 497,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.effectivePeriod\",\
\"weight\": 498,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.useContext\",\
\"weight\": 499,\
\"max\": \"*\",\
\"type\": \"UsageContext\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.jurisdiction\",\
\"weight\": 500,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.topic\",\
\"weight\": 501,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.contributor\",\
\"weight\": 502,\
\"max\": \"*\",\
\"type\": \"Contributor\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.contact\",\
\"weight\": 503,\
\"max\": \"*\",\
\"type\": \"ContactDetail\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.copyright\",\
\"weight\": 504,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.relatedArtifact\",\
\"weight\": 505,\
\"max\": \"*\",\
\"type\": \"RelatedArtifact\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.library\",\
\"weight\": 506,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.kind\",\
\"weight\": 507,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.code\",\
\"weight\": 508,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.timingTiming\",\
\"weight\": 509,\
\"max\": \"1\",\
\"type\": \"Timing\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.timingDateTime\",\
\"weight\": 509,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.timingPeriod\",\
\"weight\": 509,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.timingRange\",\
\"weight\": 509,\
\"max\": \"1\",\
\"type\": \"Range\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.location\",\
\"weight\": 510,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.participant\",\
\"weight\": 511,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.participant.id\",\
\"weight\": 512,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.participant.extension\",\
\"weight\": 513,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.participant.modifierExtension\",\
\"weight\": 514,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ActivityDefinition.participant.type\",\
\"weight\": 515,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.participant.role\",\
\"weight\": 516,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.productReference\",\
\"weight\": 517,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.productReference\",\
\"weight\": 517,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.productCodeableConcept\",\
\"weight\": 517,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.quantity\",\
\"weight\": 518,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.dosage\",\
\"weight\": 519,\
\"max\": \"*\",\
\"type\": \"Dosage\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.bodySite\",\
\"weight\": 520,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.transform\",\
\"weight\": 521,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.dynamicValue\",\
\"weight\": 522,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.dynamicValue.id\",\
\"weight\": 523,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.dynamicValue.extension\",\
\"weight\": 524,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.dynamicValue.modifierExtension\",\
\"weight\": 525,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.dynamicValue.description\",\
\"weight\": 526,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.dynamicValue.path\",\
\"weight\": 527,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.dynamicValue.language\",\
\"weight\": 528,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ActivityDefinition.dynamicValue.expression\",\
\"weight\": 529,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"AdverseEvent\",\
\"weight\": 530,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"AdverseEvent.id\",\
\"weight\": 531,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"AdverseEvent.meta\",\
\"weight\": 532,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"AdverseEvent.implicitRules\",\
\"weight\": 533,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"AdverseEvent.language\",\
\"weight\": 534,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"AdverseEvent.text\",\
\"weight\": 535,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"AdverseEvent.contained\",\
\"weight\": 536,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"AdverseEvent.extension\",\
\"weight\": 537,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"AdverseEvent.modifierExtension\",\
\"weight\": 538,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"AdverseEvent.identifier\",\
\"weight\": 539,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"AdverseEvent.category\",\
\"weight\": 540,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"AdverseEvent.type\",\
\"weight\": 541,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"AdverseEvent.subject\",\
\"weight\": 542,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"AdverseEvent.date\",\
\"weight\": 543,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"AdverseEvent.reaction\",\
\"weight\": 544,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"AdverseEvent.location\",\
\"weight\": 545,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"AdverseEvent.seriousness\",\
\"weight\": 546,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"AdverseEvent.outcome\",\
\"weight\": 547,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"AdverseEvent.recorder\",\
\"weight\": 548,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"AdverseEvent.eventParticipant\",\
\"weight\": 549,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"AdverseEvent.description\",\
\"weight\": 550,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"AdverseEvent.suspectEntity\",\
\"weight\": 551,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"AdverseEvent.suspectEntity.id\",\
\"weight\": 552,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"AdverseEvent.suspectEntity.extension\",\
\"weight\": 553,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"AdverseEvent.suspectEntity.modifierExtension\",\
\"weight\": 554,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"AdverseEvent.suspectEntity.instance\",\
\"weight\": 555,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"AdverseEvent.suspectEntity.causality\",\
\"weight\": 556,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"AdverseEvent.suspectEntity.causalityAssessment\",\
\"weight\": 557,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"AdverseEvent.suspectEntity.causalityProductRelatedness\",\
\"weight\": 558,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"AdverseEvent.suspectEntity.causalityMethod\",\
\"weight\": 559,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"AdverseEvent.suspectEntity.causalityAuthor\",\
\"weight\": 560,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"AdverseEvent.suspectEntity.causalityResult\",\
\"weight\": 561,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"AdverseEvent.subjectMedicalHistory\",\
\"weight\": 562,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"AdverseEvent.referenceDocument\",\
\"weight\": 563,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"AdverseEvent.study\",\
\"weight\": 564,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"AllergyIntolerance\",\
\"weight\": 565,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"AllergyIntolerance.id\",\
\"weight\": 566,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"AllergyIntolerance.meta\",\
\"weight\": 567,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"AllergyIntolerance.implicitRules\",\
\"weight\": 568,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"AllergyIntolerance.language\",\
\"weight\": 569,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"AllergyIntolerance.text\",\
\"weight\": 570,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"AllergyIntolerance.contained\",\
\"weight\": 571,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"AllergyIntolerance.extension\",\
\"weight\": 572,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"AllergyIntolerance.modifierExtension\",\
\"weight\": 573,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"AllergyIntolerance.identifier\",\
\"weight\": 574,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"AllergyIntolerance.clinicalStatus\",\
\"weight\": 575,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"AllergyIntolerance.verificationStatus\",\
\"weight\": 576,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"AllergyIntolerance.type\",\
\"weight\": 577,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"AllergyIntolerance.category\",\
\"weight\": 578,\
\"max\": \"*\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"AllergyIntolerance.criticality\",\
\"weight\": 579,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"AllergyIntolerance.code\",\
\"weight\": 580,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"AllergyIntolerance.patient\",\
\"weight\": 581,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"AllergyIntolerance.onsetDateTime\",\
\"weight\": 582,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"AllergyIntolerance.onsetAge\",\
\"weight\": 582,\
\"max\": \"1\",\
\"type\": \"Age\"\
},\
{\
\"min\": 0,\
\"path\": \"AllergyIntolerance.onsetPeriod\",\
\"weight\": 582,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"AllergyIntolerance.onsetRange\",\
\"weight\": 582,\
\"max\": \"1\",\
\"type\": \"Range\"\
},\
{\
\"min\": 0,\
\"path\": \"AllergyIntolerance.onsetString\",\
\"weight\": 582,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"AllergyIntolerance.assertedDate\",\
\"weight\": 583,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"AllergyIntolerance.recorder\",\
\"weight\": 584,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"AllergyIntolerance.asserter\",\
\"weight\": 585,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"AllergyIntolerance.lastOccurrence\",\
\"weight\": 586,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"AllergyIntolerance.note\",\
\"weight\": 587,\
\"max\": \"*\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 0,\
\"path\": \"AllergyIntolerance.reaction\",\
\"weight\": 588,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"AllergyIntolerance.reaction.id\",\
\"weight\": 589,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"AllergyIntolerance.reaction.extension\",\
\"weight\": 590,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"AllergyIntolerance.reaction.modifierExtension\",\
\"weight\": 591,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"AllergyIntolerance.reaction.substance\",\
\"weight\": 592,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"AllergyIntolerance.reaction.manifestation\",\
\"weight\": 593,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"AllergyIntolerance.reaction.description\",\
\"weight\": 594,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"AllergyIntolerance.reaction.onset\",\
\"weight\": 595,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"AllergyIntolerance.reaction.severity\",\
\"weight\": 596,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"AllergyIntolerance.reaction.exposureRoute\",\
\"weight\": 597,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"AllergyIntolerance.reaction.note\",\
\"weight\": 598,\
\"max\": \"*\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 0,\
\"path\": \"Appointment\",\
\"weight\": 599,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Appointment.id\",\
\"weight\": 600,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Appointment.meta\",\
\"weight\": 601,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Appointment.implicitRules\",\
\"weight\": 602,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Appointment.language\",\
\"weight\": 603,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Appointment.text\",\
\"weight\": 604,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Appointment.contained\",\
\"weight\": 605,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Appointment.extension\",\
\"weight\": 606,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Appointment.modifierExtension\",\
\"weight\": 607,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Appointment.identifier\",\
\"weight\": 608,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 1,\
\"path\": \"Appointment.status\",\
\"weight\": 609,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Appointment.serviceCategory\",\
\"weight\": 610,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Appointment.serviceType\",\
\"weight\": 611,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Appointment.specialty\",\
\"weight\": 612,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Appointment.appointmentType\",\
\"weight\": 613,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Appointment.reason\",\
\"weight\": 614,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Appointment.indication\",\
\"weight\": 615,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Appointment.priority\",\
\"weight\": 616,\
\"max\": \"1\",\
\"type\": \"unsignedInt\"\
},\
{\
\"min\": 0,\
\"path\": \"Appointment.description\",\
\"weight\": 617,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Appointment.supportingInformation\",\
\"weight\": 618,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Appointment.start\",\
\"weight\": 619,\
\"max\": \"1\",\
\"type\": \"instant\"\
},\
{\
\"min\": 0,\
\"path\": \"Appointment.end\",\
\"weight\": 620,\
\"max\": \"1\",\
\"type\": \"instant\"\
},\
{\
\"min\": 0,\
\"path\": \"Appointment.minutesDuration\",\
\"weight\": 621,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"Appointment.slot\",\
\"weight\": 622,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Appointment.created\",\
\"weight\": 623,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Appointment.comment\",\
\"weight\": 624,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Appointment.incomingReferral\",\
\"weight\": 625,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"Appointment.participant\",\
\"weight\": 626,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Appointment.participant.id\",\
\"weight\": 627,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Appointment.participant.extension\",\
\"weight\": 628,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Appointment.participant.modifierExtension\",\
\"weight\": 629,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Appointment.participant.type\",\
\"weight\": 630,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Appointment.participant.actor\",\
\"weight\": 631,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Appointment.participant.required\",\
\"weight\": 632,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"Appointment.participant.status\",\
\"weight\": 633,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Appointment.requestedPeriod\",\
\"weight\": 634,\
\"max\": \"*\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"AppointmentResponse\",\
\"weight\": 635,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"AppointmentResponse.id\",\
\"weight\": 636,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"AppointmentResponse.meta\",\
\"weight\": 637,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"AppointmentResponse.implicitRules\",\
\"weight\": 638,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"AppointmentResponse.language\",\
\"weight\": 639,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"AppointmentResponse.text\",\
\"weight\": 640,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"AppointmentResponse.contained\",\
\"weight\": 641,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"AppointmentResponse.extension\",\
\"weight\": 642,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"AppointmentResponse.modifierExtension\",\
\"weight\": 643,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"AppointmentResponse.identifier\",\
\"weight\": 644,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 1,\
\"path\": \"AppointmentResponse.appointment\",\
\"weight\": 645,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"AppointmentResponse.start\",\
\"weight\": 646,\
\"max\": \"1\",\
\"type\": \"instant\"\
},\
{\
\"min\": 0,\
\"path\": \"AppointmentResponse.end\",\
\"weight\": 647,\
\"max\": \"1\",\
\"type\": \"instant\"\
},\
{\
\"min\": 0,\
\"path\": \"AppointmentResponse.participantType\",\
\"weight\": 648,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"AppointmentResponse.actor\",\
\"weight\": 649,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"AppointmentResponse.participantStatus\",\
\"weight\": 650,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"AppointmentResponse.comment\",\
\"weight\": 651,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent\",\
\"weight\": 652,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.id\",\
\"weight\": 653,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.meta\",\
\"weight\": 654,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.implicitRules\",\
\"weight\": 655,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.language\",\
\"weight\": 656,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.text\",\
\"weight\": 657,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.contained\",\
\"weight\": 658,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.extension\",\
\"weight\": 659,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.modifierExtension\",\
\"weight\": 660,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"AuditEvent.type\",\
\"weight\": 661,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.subtype\",\
\"weight\": 662,\
\"max\": \"*\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.action\",\
\"weight\": 663,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"AuditEvent.recorded\",\
\"weight\": 664,\
\"max\": \"1\",\
\"type\": \"instant\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.outcome\",\
\"weight\": 665,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.outcomeDesc\",\
\"weight\": 666,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.purposeOfEvent\",\
\"weight\": 667,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"AuditEvent.agent\",\
\"weight\": 668,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.agent.id\",\
\"weight\": 669,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.agent.extension\",\
\"weight\": 670,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.agent.modifierExtension\",\
\"weight\": 671,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.agent.role\",\
\"weight\": 672,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.agent.reference\",\
\"weight\": 673,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.agent.userId\",\
\"weight\": 674,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.agent.altId\",\
\"weight\": 675,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.agent.name\",\
\"weight\": 676,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"AuditEvent.agent.requestor\",\
\"weight\": 677,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.agent.location\",\
\"weight\": 678,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.agent.policy\",\
\"weight\": 679,\
\"max\": \"*\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.agent.media\",\
\"weight\": 680,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.agent.network\",\
\"weight\": 681,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.agent.network.id\",\
\"weight\": 682,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.agent.network.extension\",\
\"weight\": 683,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.agent.network.modifierExtension\",\
\"weight\": 684,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.agent.network.address\",\
\"weight\": 685,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.agent.network.type\",\
\"weight\": 686,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.agent.purposeOfUse\",\
\"weight\": 687,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"AuditEvent.source\",\
\"weight\": 688,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.source.id\",\
\"weight\": 689,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.source.extension\",\
\"weight\": 690,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.source.modifierExtension\",\
\"weight\": 691,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.source.site\",\
\"weight\": 692,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"AuditEvent.source.identifier\",\
\"weight\": 693,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.source.type\",\
\"weight\": 694,\
\"max\": \"*\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.entity\",\
\"weight\": 695,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.entity.id\",\
\"weight\": 696,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.entity.extension\",\
\"weight\": 697,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.entity.modifierExtension\",\
\"weight\": 698,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.entity.identifier\",\
\"weight\": 699,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.entity.reference\",\
\"weight\": 700,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.entity.type\",\
\"weight\": 701,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.entity.role\",\
\"weight\": 702,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.entity.lifecycle\",\
\"weight\": 703,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.entity.securityLabel\",\
\"weight\": 704,\
\"max\": \"*\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.entity.name\",\
\"weight\": 705,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.entity.description\",\
\"weight\": 706,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.entity.query\",\
\"weight\": 707,\
\"max\": \"1\",\
\"type\": \"base64Binary\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.entity.detail\",\
\"weight\": 708,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.entity.detail.id\",\
\"weight\": 709,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.entity.detail.extension\",\
\"weight\": 710,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"AuditEvent.entity.detail.modifierExtension\",\
\"weight\": 711,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"AuditEvent.entity.detail.type\",\
\"weight\": 712,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"AuditEvent.entity.detail.value\",\
\"weight\": 713,\
\"max\": \"1\",\
\"type\": \"base64Binary\"\
},\
{\
\"min\": 0,\
\"path\": \"Basic\",\
\"weight\": 714,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Basic.id\",\
\"weight\": 715,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Basic.meta\",\
\"weight\": 716,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Basic.implicitRules\",\
\"weight\": 717,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Basic.language\",\
\"weight\": 718,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Basic.text\",\
\"weight\": 719,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Basic.contained\",\
\"weight\": 720,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Basic.extension\",\
\"weight\": 721,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Basic.modifierExtension\",\
\"weight\": 722,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Basic.identifier\",\
\"weight\": 723,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 1,\
\"path\": \"Basic.code\",\
\"weight\": 724,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Basic.subject\",\
\"weight\": 725,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Basic.created\",\
\"weight\": 726,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"Basic.author\",\
\"weight\": 727,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Binary\",\
\"weight\": 728,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Binary.id\",\
\"weight\": 729,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Binary.meta\",\
\"weight\": 730,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Binary.implicitRules\",\
\"weight\": 731,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Binary.language\",\
\"weight\": 732,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"Binary.contentType\",\
\"weight\": 733,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Binary.securityContext\",\
\"weight\": 734,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"Binary.content\",\
\"weight\": 735,\
\"max\": \"1\",\
\"type\": \"base64Binary\"\
},\
{\
\"min\": 0,\
\"path\": \"BodySite\",\
\"weight\": 736,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"BodySite.id\",\
\"weight\": 737,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"BodySite.meta\",\
\"weight\": 738,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"BodySite.implicitRules\",\
\"weight\": 739,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"BodySite.language\",\
\"weight\": 740,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"BodySite.text\",\
\"weight\": 741,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"BodySite.contained\",\
\"weight\": 742,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"BodySite.extension\",\
\"weight\": 743,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"BodySite.modifierExtension\",\
\"weight\": 744,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"BodySite.identifier\",\
\"weight\": 745,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"BodySite.active\",\
\"weight\": 746,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"BodySite.code\",\
\"weight\": 747,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"BodySite.qualifier\",\
\"weight\": 748,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"BodySite.description\",\
\"weight\": 749,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"BodySite.image\",\
\"weight\": 750,\
\"max\": \"*\",\
\"type\": \"Attachment\"\
},\
{\
\"min\": 1,\
\"path\": \"BodySite.patient\",\
\"weight\": 751,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle\",\
\"weight\": 752,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.id\",\
\"weight\": 753,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.meta\",\
\"weight\": 754,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.implicitRules\",\
\"weight\": 755,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.language\",\
\"weight\": 756,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.identifier\",\
\"weight\": 757,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 1,\
\"path\": \"Bundle.type\",\
\"weight\": 758,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.total\",\
\"weight\": 759,\
\"max\": \"1\",\
\"type\": \"unsignedInt\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.link\",\
\"weight\": 760,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.link.id\",\
\"weight\": 761,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.link.extension\",\
\"weight\": 762,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.link.modifierExtension\",\
\"weight\": 763,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Bundle.link.relation\",\
\"weight\": 764,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"Bundle.link.url\",\
\"weight\": 765,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.entry\",\
\"weight\": 766,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.entry.id\",\
\"weight\": 767,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.entry.extension\",\
\"weight\": 768,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.entry.modifierExtension\",\
\"weight\": 769,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.entry.link\",\
\"weight\": 770,\
\"max\": \"*\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.entry.fullUrl\",\
\"weight\": 771,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.entry.resource\",\
\"weight\": 772,\
\"max\": \"1\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.entry.search\",\
\"weight\": 773,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.entry.search.id\",\
\"weight\": 774,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.entry.search.extension\",\
\"weight\": 775,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.entry.search.modifierExtension\",\
\"weight\": 776,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.entry.search.mode\",\
\"weight\": 777,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.entry.search.score\",\
\"weight\": 778,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.entry.request\",\
\"weight\": 779,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.entry.request.id\",\
\"weight\": 780,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.entry.request.extension\",\
\"weight\": 781,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.entry.request.modifierExtension\",\
\"weight\": 782,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Bundle.entry.request.method\",\
\"weight\": 783,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"Bundle.entry.request.url\",\
\"weight\": 784,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.entry.request.ifNoneMatch\",\
\"weight\": 785,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.entry.request.ifModifiedSince\",\
\"weight\": 786,\
\"max\": \"1\",\
\"type\": \"instant\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.entry.request.ifMatch\",\
\"weight\": 787,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.entry.request.ifNoneExist\",\
\"weight\": 788,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.entry.response\",\
\"weight\": 789,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.entry.response.id\",\
\"weight\": 790,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.entry.response.extension\",\
\"weight\": 791,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.entry.response.modifierExtension\",\
\"weight\": 792,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Bundle.entry.response.status\",\
\"weight\": 793,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.entry.response.location\",\
\"weight\": 794,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.entry.response.etag\",\
\"weight\": 795,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.entry.response.lastModified\",\
\"weight\": 796,\
\"max\": \"1\",\
\"type\": \"instant\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.entry.response.outcome\",\
\"weight\": 797,\
\"max\": \"1\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Bundle.signature\",\
\"weight\": 798,\
\"max\": \"1\",\
\"type\": \"Signature\"\
},\
{\
\"min\": 1,\
\"path\": \"CapabilityStatement\",\
\"weight\": 799,\
\"max\": \"1\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.id\",\
\"weight\": 800,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.meta\",\
\"weight\": 801,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.implicitRules\",\
\"weight\": 802,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.language\",\
\"weight\": 803,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.text\",\
\"weight\": 804,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.contained\",\
\"weight\": 805,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.extension\",\
\"weight\": 806,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.modifierExtension\",\
\"weight\": 807,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.url\",\
\"weight\": 808,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.version\",\
\"weight\": 809,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.name\",\
\"weight\": 810,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.title\",\
\"weight\": 811,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"CapabilityStatement.status\",\
\"weight\": 812,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.experimental\",\
\"weight\": 813,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 1,\
\"path\": \"CapabilityStatement.date\",\
\"weight\": 814,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.publisher\",\
\"weight\": 815,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.contact\",\
\"weight\": 816,\
\"max\": \"*\",\
\"type\": \"ContactDetail\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.description\",\
\"weight\": 817,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.useContext\",\
\"weight\": 818,\
\"max\": \"*\",\
\"type\": \"UsageContext\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.jurisdiction\",\
\"weight\": 819,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.purpose\",\
\"weight\": 820,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.copyright\",\
\"weight\": 821,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 1,\
\"path\": \"CapabilityStatement.kind\",\
\"weight\": 822,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.instantiates\",\
\"weight\": 823,\
\"max\": \"*\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.software\",\
\"weight\": 824,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.software.id\",\
\"weight\": 825,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.software.extension\",\
\"weight\": 826,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.software.modifierExtension\",\
\"weight\": 827,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"CapabilityStatement.software.name\",\
\"weight\": 828,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.software.version\",\
\"weight\": 829,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.software.releaseDate\",\
\"weight\": 830,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.implementation\",\
\"weight\": 831,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.implementation.id\",\
\"weight\": 832,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.implementation.extension\",\
\"weight\": 833,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.implementation.modifierExtension\",\
\"weight\": 834,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"CapabilityStatement.implementation.description\",\
\"weight\": 835,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.implementation.url\",\
\"weight\": 836,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 1,\
\"path\": \"CapabilityStatement.fhirVersion\",\
\"weight\": 837,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 1,\
\"path\": \"CapabilityStatement.acceptUnknown\",\
\"weight\": 838,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"CapabilityStatement.format\",\
\"weight\": 839,\
\"max\": \"*\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.patchFormat\",\
\"weight\": 840,\
\"max\": \"*\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.implementationGuide\",\
\"weight\": 841,\
\"max\": \"*\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.profile\",\
\"weight\": 842,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest\",\
\"weight\": 843,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.id\",\
\"weight\": 844,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.extension\",\
\"weight\": 845,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.modifierExtension\",\
\"weight\": 846,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"CapabilityStatement.rest.mode\",\
\"weight\": 847,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.documentation\",\
\"weight\": 848,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.security\",\
\"weight\": 849,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.security.id\",\
\"weight\": 850,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.security.extension\",\
\"weight\": 851,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.security.modifierExtension\",\
\"weight\": 852,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.security.cors\",\
\"weight\": 853,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.security.service\",\
\"weight\": 854,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.security.description\",\
\"weight\": 855,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.security.certificate\",\
\"weight\": 856,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.security.certificate.id\",\
\"weight\": 857,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.security.certificate.extension\",\
\"weight\": 858,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.security.certificate.modifierExtension\",\
\"weight\": 859,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.security.certificate.type\",\
\"weight\": 860,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.security.certificate.blob\",\
\"weight\": 861,\
\"max\": \"1\",\
\"type\": \"base64Binary\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.resource\",\
\"weight\": 862,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.resource.id\",\
\"weight\": 863,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.resource.extension\",\
\"weight\": 864,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.resource.modifierExtension\",\
\"weight\": 865,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"CapabilityStatement.rest.resource.type\",\
\"weight\": 866,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.resource.profile\",\
\"weight\": 867,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.resource.documentation\",\
\"weight\": 868,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 1,\
\"path\": \"CapabilityStatement.rest.resource.interaction\",\
\"weight\": 869,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.resource.interaction.id\",\
\"weight\": 870,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.resource.interaction.extension\",\
\"weight\": 871,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.resource.interaction.modifierExtension\",\
\"weight\": 872,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"CapabilityStatement.rest.resource.interaction.code\",\
\"weight\": 873,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.resource.interaction.documentation\",\
\"weight\": 874,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.resource.versioning\",\
\"weight\": 875,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.resource.readHistory\",\
\"weight\": 876,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.resource.updateCreate\",\
\"weight\": 877,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.resource.conditionalCreate\",\
\"weight\": 878,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.resource.conditionalRead\",\
\"weight\": 879,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.resource.conditionalUpdate\",\
\"weight\": 880,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.resource.conditionalDelete\",\
\"weight\": 881,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.resource.referencePolicy\",\
\"weight\": 882,\
\"max\": \"*\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.resource.searchInclude\",\
\"weight\": 883,\
\"max\": \"*\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.resource.searchRevInclude\",\
\"weight\": 884,\
\"max\": \"*\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.resource.searchParam\",\
\"weight\": 885,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.resource.searchParam.id\",\
\"weight\": 886,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.resource.searchParam.extension\",\
\"weight\": 887,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.resource.searchParam.modifierExtension\",\
\"weight\": 888,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"CapabilityStatement.rest.resource.searchParam.name\",\
\"weight\": 889,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.resource.searchParam.definition\",\
\"weight\": 890,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 1,\
\"path\": \"CapabilityStatement.rest.resource.searchParam.type\",\
\"weight\": 891,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.resource.searchParam.documentation\",\
\"weight\": 892,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.interaction\",\
\"weight\": 893,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.interaction.id\",\
\"weight\": 894,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.interaction.extension\",\
\"weight\": 895,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.interaction.modifierExtension\",\
\"weight\": 896,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"CapabilityStatement.rest.interaction.code\",\
\"weight\": 897,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.interaction.documentation\",\
\"weight\": 898,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.searchParam\",\
\"weight\": 899,\
\"max\": \"*\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.operation\",\
\"weight\": 900,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.operation.id\",\
\"weight\": 901,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.operation.extension\",\
\"weight\": 902,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.operation.modifierExtension\",\
\"weight\": 903,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"CapabilityStatement.rest.operation.name\",\
\"weight\": 904,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"CapabilityStatement.rest.operation.definition\",\
\"weight\": 905,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.rest.compartment\",\
\"weight\": 906,\
\"max\": \"*\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.messaging\",\
\"weight\": 907,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.messaging.id\",\
\"weight\": 908,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.messaging.extension\",\
\"weight\": 909,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.messaging.modifierExtension\",\
\"weight\": 910,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.messaging.endpoint\",\
\"weight\": 911,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.messaging.endpoint.id\",\
\"weight\": 912,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.messaging.endpoint.extension\",\
\"weight\": 913,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.messaging.endpoint.modifierExtension\",\
\"weight\": 914,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"CapabilityStatement.messaging.endpoint.protocol\",\
\"weight\": 915,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 1,\
\"path\": \"CapabilityStatement.messaging.endpoint.address\",\
\"weight\": 916,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.messaging.reliableCache\",\
\"weight\": 917,\
\"max\": \"1\",\
\"type\": \"unsignedInt\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.messaging.documentation\",\
\"weight\": 918,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.messaging.supportedMessage\",\
\"weight\": 919,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.messaging.supportedMessage.id\",\
\"weight\": 920,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.messaging.supportedMessage.extension\",\
\"weight\": 921,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.messaging.supportedMessage.modifierExtension\",\
\"weight\": 922,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"CapabilityStatement.messaging.supportedMessage.mode\",\
\"weight\": 923,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"CapabilityStatement.messaging.supportedMessage.definition\",\
\"weight\": 924,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.messaging.event\",\
\"weight\": 925,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.messaging.event.id\",\
\"weight\": 926,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.messaging.event.extension\",\
\"weight\": 927,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.messaging.event.modifierExtension\",\
\"weight\": 928,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"CapabilityStatement.messaging.event.code\",\
\"weight\": 929,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.messaging.event.category\",\
\"weight\": 930,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"CapabilityStatement.messaging.event.mode\",\
\"weight\": 931,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"CapabilityStatement.messaging.event.focus\",\
\"weight\": 932,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"CapabilityStatement.messaging.event.request\",\
\"weight\": 933,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"CapabilityStatement.messaging.event.response\",\
\"weight\": 934,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.messaging.event.documentation\",\
\"weight\": 935,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.document\",\
\"weight\": 936,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.document.id\",\
\"weight\": 937,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.document.extension\",\
\"weight\": 938,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.document.modifierExtension\",\
\"weight\": 939,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"CapabilityStatement.document.mode\",\
\"weight\": 940,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"CapabilityStatement.document.documentation\",\
\"weight\": 941,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"CapabilityStatement.document.profile\",\
\"weight\": 942,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan\",\
\"weight\": 943,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.id\",\
\"weight\": 944,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.meta\",\
\"weight\": 945,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.implicitRules\",\
\"weight\": 946,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.language\",\
\"weight\": 947,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.text\",\
\"weight\": 948,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.contained\",\
\"weight\": 949,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.extension\",\
\"weight\": 950,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.modifierExtension\",\
\"weight\": 951,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.identifier\",\
\"weight\": 952,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.definition\",\
\"weight\": 953,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.basedOn\",\
\"weight\": 954,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.replaces\",\
\"weight\": 955,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.partOf\",\
\"weight\": 956,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"CarePlan.status\",\
\"weight\": 957,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"CarePlan.intent\",\
\"weight\": 958,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.category\",\
\"weight\": 959,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.title\",\
\"weight\": 960,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.description\",\
\"weight\": 961,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"CarePlan.subject\",\
\"weight\": 962,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.context\",\
\"weight\": 963,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.period\",\
\"weight\": 964,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.author\",\
\"weight\": 965,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.careTeam\",\
\"weight\": 966,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.addresses\",\
\"weight\": 967,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.supportingInfo\",\
\"weight\": 968,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.goal\",\
\"weight\": 969,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.activity\",\
\"weight\": 970,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.activity.id\",\
\"weight\": 971,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.activity.extension\",\
\"weight\": 972,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.activity.modifierExtension\",\
\"weight\": 973,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.activity.outcomeCodeableConcept\",\
\"weight\": 974,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.activity.outcomeReference\",\
\"weight\": 975,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.activity.progress\",\
\"weight\": 976,\
\"max\": \"*\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.activity.reference\",\
\"weight\": 977,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.activity.detail\",\
\"weight\": 978,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.activity.detail.id\",\
\"weight\": 979,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.activity.detail.extension\",\
\"weight\": 980,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.activity.detail.modifierExtension\",\
\"weight\": 981,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.activity.detail.category\",\
\"weight\": 982,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.activity.detail.definition\",\
\"weight\": 983,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.activity.detail.code\",\
\"weight\": 984,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.activity.detail.reasonCode\",\
\"weight\": 985,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.activity.detail.reasonReference\",\
\"weight\": 986,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.activity.detail.goal\",\
\"weight\": 987,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"CarePlan.activity.detail.status\",\
\"weight\": 988,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.activity.detail.statusReason\",\
\"weight\": 989,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.activity.detail.prohibited\",\
\"weight\": 990,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.activity.detail.scheduledTiming\",\
\"weight\": 991,\
\"max\": \"1\",\
\"type\": \"Timing\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.activity.detail.scheduledPeriod\",\
\"weight\": 991,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.activity.detail.scheduledString\",\
\"weight\": 991,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.activity.detail.location\",\
\"weight\": 992,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.activity.detail.performer\",\
\"weight\": 993,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.activity.detail.productCodeableConcept\",\
\"weight\": 994,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.activity.detail.productReference\",\
\"weight\": 994,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.activity.detail.productReference\",\
\"weight\": 994,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.activity.detail.dailyAmount\",\
\"weight\": 995,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.activity.detail.quantity\",\
\"weight\": 996,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.activity.detail.description\",\
\"weight\": 997,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CarePlan.note\",\
\"weight\": 998,\
\"max\": \"*\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 0,\
\"path\": \"CareTeam\",\
\"weight\": 999,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"CareTeam.id\",\
\"weight\": 1000,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"CareTeam.meta\",\
\"weight\": 1001,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"CareTeam.implicitRules\",\
\"weight\": 1002,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"CareTeam.language\",\
\"weight\": 1003,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"CareTeam.text\",\
\"weight\": 1004,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"CareTeam.contained\",\
\"weight\": 1005,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"CareTeam.extension\",\
\"weight\": 1006,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CareTeam.modifierExtension\",\
\"weight\": 1007,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CareTeam.identifier\",\
\"weight\": 1008,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"CareTeam.status\",\
\"weight\": 1009,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"CareTeam.category\",\
\"weight\": 1010,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"CareTeam.name\",\
\"weight\": 1011,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CareTeam.subject\",\
\"weight\": 1012,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CareTeam.context\",\
\"weight\": 1013,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CareTeam.period\",\
\"weight\": 1014,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"CareTeam.participant\",\
\"weight\": 1015,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"CareTeam.participant.id\",\
\"weight\": 1016,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CareTeam.participant.extension\",\
\"weight\": 1017,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CareTeam.participant.modifierExtension\",\
\"weight\": 1018,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CareTeam.participant.role\",\
\"weight\": 1019,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"CareTeam.participant.member\",\
\"weight\": 1020,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CareTeam.participant.onBehalfOf\",\
\"weight\": 1021,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CareTeam.participant.period\",\
\"weight\": 1022,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"CareTeam.reasonCode\",\
\"weight\": 1023,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"CareTeam.reasonReference\",\
\"weight\": 1024,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CareTeam.managingOrganization\",\
\"weight\": 1025,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CareTeam.note\",\
\"weight\": 1026,\
\"max\": \"*\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 0,\
\"path\": \"ChargeItem\",\
\"weight\": 1027,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"ChargeItem.id\",\
\"weight\": 1028,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"ChargeItem.meta\",\
\"weight\": 1029,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"ChargeItem.implicitRules\",\
\"weight\": 1030,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ChargeItem.language\",\
\"weight\": 1031,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ChargeItem.text\",\
\"weight\": 1032,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"ChargeItem.contained\",\
\"weight\": 1033,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"ChargeItem.extension\",\
\"weight\": 1034,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ChargeItem.modifierExtension\",\
\"weight\": 1035,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ChargeItem.identifier\",\
\"weight\": 1036,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"ChargeItem.definition\",\
\"weight\": 1037,\
\"max\": \"*\",\
\"type\": \"uri\"\
},\
{\
\"min\": 1,\
\"path\": \"ChargeItem.status\",\
\"weight\": 1038,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ChargeItem.partOf\",\
\"weight\": 1039,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"ChargeItem.code\",\
\"weight\": 1040,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"ChargeItem.subject\",\
\"weight\": 1041,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ChargeItem.context\",\
\"weight\": 1042,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ChargeItem.occurrenceDateTime\",\
\"weight\": 1043,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"ChargeItem.occurrencePeriod\",\
\"weight\": 1043,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"ChargeItem.occurrenceTiming\",\
\"weight\": 1043,\
\"max\": \"1\",\
\"type\": \"Timing\"\
},\
{\
\"min\": 0,\
\"path\": \"ChargeItem.participant\",\
\"weight\": 1044,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ChargeItem.participant.id\",\
\"weight\": 1045,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ChargeItem.participant.extension\",\
\"weight\": 1046,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ChargeItem.participant.modifierExtension\",\
\"weight\": 1047,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ChargeItem.participant.role\",\
\"weight\": 1048,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"ChargeItem.participant.actor\",\
\"weight\": 1049,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ChargeItem.performingOrganization\",\
\"weight\": 1050,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ChargeItem.requestingOrganization\",\
\"weight\": 1051,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ChargeItem.quantity\",\
\"weight\": 1052,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"ChargeItem.bodysite\",\
\"weight\": 1053,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ChargeItem.factorOverride\",\
\"weight\": 1054,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"ChargeItem.priceOverride\",\
\"weight\": 1055,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"ChargeItem.overrideReason\",\
\"weight\": 1056,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ChargeItem.enterer\",\
\"weight\": 1057,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ChargeItem.enteredDate\",\
\"weight\": 1058,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"ChargeItem.reason\",\
\"weight\": 1059,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ChargeItem.service\",\
\"weight\": 1060,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ChargeItem.account\",\
\"weight\": 1061,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ChargeItem.note\",\
\"weight\": 1062,\
\"max\": \"*\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 0,\
\"path\": \"ChargeItem.supportingInformation\",\
\"weight\": 1063,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim\",\
\"weight\": 1064,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.id\",\
\"weight\": 1065,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.meta\",\
\"weight\": 1066,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.implicitRules\",\
\"weight\": 1067,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.language\",\
\"weight\": 1068,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.text\",\
\"weight\": 1069,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.contained\",\
\"weight\": 1070,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.extension\",\
\"weight\": 1071,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.modifierExtension\",\
\"weight\": 1072,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.identifier\",\
\"weight\": 1073,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.status\",\
\"weight\": 1074,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.type\",\
\"weight\": 1075,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.subType\",\
\"weight\": 1076,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.use\",\
\"weight\": 1077,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.patient\",\
\"weight\": 1078,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.billablePeriod\",\
\"weight\": 1079,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.created\",\
\"weight\": 1080,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.enterer\",\
\"weight\": 1081,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.insurer\",\
\"weight\": 1082,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.provider\",\
\"weight\": 1083,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.organization\",\
\"weight\": 1084,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.priority\",\
\"weight\": 1085,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.fundsReserve\",\
\"weight\": 1086,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.related\",\
\"weight\": 1087,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.related.id\",\
\"weight\": 1088,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.related.extension\",\
\"weight\": 1089,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.related.modifierExtension\",\
\"weight\": 1090,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.related.claim\",\
\"weight\": 1091,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.related.relationship\",\
\"weight\": 1092,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.related.reference\",\
\"weight\": 1093,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.prescription\",\
\"weight\": 1094,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.originalPrescription\",\
\"weight\": 1095,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.payee\",\
\"weight\": 1096,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.payee.id\",\
\"weight\": 1097,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.payee.extension\",\
\"weight\": 1098,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.payee.modifierExtension\",\
\"weight\": 1099,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Claim.payee.type\",\
\"weight\": 1100,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.payee.resourceType\",\
\"weight\": 1101,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.payee.party\",\
\"weight\": 1102,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.referral\",\
\"weight\": 1103,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.facility\",\
\"weight\": 1104,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.careTeam\",\
\"weight\": 1105,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.careTeam.id\",\
\"weight\": 1106,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.careTeam.extension\",\
\"weight\": 1107,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.careTeam.modifierExtension\",\
\"weight\": 1108,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Claim.careTeam.sequence\",\
\"weight\": 1109,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 1,\
\"path\": \"Claim.careTeam.provider\",\
\"weight\": 1110,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.careTeam.responsible\",\
\"weight\": 1111,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.careTeam.role\",\
\"weight\": 1112,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.careTeam.qualification\",\
\"weight\": 1113,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.information\",\
\"weight\": 1114,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.information.id\",\
\"weight\": 1115,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.information.extension\",\
\"weight\": 1116,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.information.modifierExtension\",\
\"weight\": 1117,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Claim.information.sequence\",\
\"weight\": 1118,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 1,\
\"path\": \"Claim.information.category\",\
\"weight\": 1119,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.information.code\",\
\"weight\": 1120,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.information.timingDate\",\
\"weight\": 1121,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.information.timingPeriod\",\
\"weight\": 1121,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.information.valueString\",\
\"weight\": 1122,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.information.valueQuantity\",\
\"weight\": 1122,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.information.valueAttachment\",\
\"weight\": 1122,\
\"max\": \"1\",\
\"type\": \"Attachment\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.information.valueReference\",\
\"weight\": 1122,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.information.reason\",\
\"weight\": 1123,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.diagnosis\",\
\"weight\": 1124,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.diagnosis.id\",\
\"weight\": 1125,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.diagnosis.extension\",\
\"weight\": 1126,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.diagnosis.modifierExtension\",\
\"weight\": 1127,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Claim.diagnosis.sequence\",\
\"weight\": 1128,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 1,\
\"path\": \"Claim.diagnosis.diagnosisCodeableConcept\",\
\"weight\": 1129,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"Claim.diagnosis.diagnosisReference\",\
\"weight\": 1129,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.diagnosis.type\",\
\"weight\": 1130,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.diagnosis.packageCode\",\
\"weight\": 1131,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.procedure\",\
\"weight\": 1132,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.procedure.id\",\
\"weight\": 1133,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.procedure.extension\",\
\"weight\": 1134,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.procedure.modifierExtension\",\
\"weight\": 1135,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Claim.procedure.sequence\",\
\"weight\": 1136,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.procedure.date\",\
\"weight\": 1137,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 1,\
\"path\": \"Claim.procedure.procedureCodeableConcept\",\
\"weight\": 1138,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"Claim.procedure.procedureReference\",\
\"weight\": 1138,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.insurance\",\
\"weight\": 1139,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.insurance.id\",\
\"weight\": 1140,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.insurance.extension\",\
\"weight\": 1141,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.insurance.modifierExtension\",\
\"weight\": 1142,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Claim.insurance.sequence\",\
\"weight\": 1143,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 1,\
\"path\": \"Claim.insurance.focal\",\
\"weight\": 1144,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 1,\
\"path\": \"Claim.insurance.coverage\",\
\"weight\": 1145,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.insurance.businessArrangement\",\
\"weight\": 1146,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.insurance.preAuthRef\",\
\"weight\": 1147,\
\"max\": \"*\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.insurance.claimResponse\",\
\"weight\": 1148,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.accident\",\
\"weight\": 1149,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.accident.id\",\
\"weight\": 1150,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.accident.extension\",\
\"weight\": 1151,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.accident.modifierExtension\",\
\"weight\": 1152,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Claim.accident.date\",\
\"weight\": 1153,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.accident.type\",\
\"weight\": 1154,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.accident.locationAddress\",\
\"weight\": 1155,\
\"max\": \"1\",\
\"type\": \"Address\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.accident.locationReference\",\
\"weight\": 1155,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.employmentImpacted\",\
\"weight\": 1156,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.hospitalization\",\
\"weight\": 1157,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item\",\
\"weight\": 1158,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.id\",\
\"weight\": 1159,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.extension\",\
\"weight\": 1160,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.modifierExtension\",\
\"weight\": 1161,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Claim.item.sequence\",\
\"weight\": 1162,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.careTeamLinkId\",\
\"weight\": 1163,\
\"max\": \"*\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.diagnosisLinkId\",\
\"weight\": 1164,\
\"max\": \"*\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.procedureLinkId\",\
\"weight\": 1165,\
\"max\": \"*\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.informationLinkId\",\
\"weight\": 1166,\
\"max\": \"*\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.revenue\",\
\"weight\": 1167,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.category\",\
\"weight\": 1168,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.service\",\
\"weight\": 1169,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.modifier\",\
\"weight\": 1170,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.programCode\",\
\"weight\": 1171,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.servicedDate\",\
\"weight\": 1172,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.servicedPeriod\",\
\"weight\": 1172,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.locationCodeableConcept\",\
\"weight\": 1173,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.locationAddress\",\
\"weight\": 1173,\
\"max\": \"1\",\
\"type\": \"Address\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.locationReference\",\
\"weight\": 1173,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.quantity\",\
\"weight\": 1174,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.unitPrice\",\
\"weight\": 1175,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.factor\",\
\"weight\": 1176,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.net\",\
\"weight\": 1177,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.udi\",\
\"weight\": 1178,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.bodySite\",\
\"weight\": 1179,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.subSite\",\
\"weight\": 1180,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.encounter\",\
\"weight\": 1181,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.detail\",\
\"weight\": 1182,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.detail.id\",\
\"weight\": 1183,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.detail.extension\",\
\"weight\": 1184,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.detail.modifierExtension\",\
\"weight\": 1185,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Claim.item.detail.sequence\",\
\"weight\": 1186,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.detail.revenue\",\
\"weight\": 1187,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.detail.category\",\
\"weight\": 1188,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.detail.service\",\
\"weight\": 1189,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.detail.modifier\",\
\"weight\": 1190,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.detail.programCode\",\
\"weight\": 1191,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.detail.quantity\",\
\"weight\": 1192,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.detail.unitPrice\",\
\"weight\": 1193,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.detail.factor\",\
\"weight\": 1194,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.detail.net\",\
\"weight\": 1195,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.detail.udi\",\
\"weight\": 1196,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.detail.subDetail\",\
\"weight\": 1197,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.detail.subDetail.id\",\
\"weight\": 1198,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.detail.subDetail.extension\",\
\"weight\": 1199,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.detail.subDetail.modifierExtension\",\
\"weight\": 1200,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Claim.item.detail.subDetail.sequence\",\
\"weight\": 1201,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.detail.subDetail.revenue\",\
\"weight\": 1202,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.detail.subDetail.category\",\
\"weight\": 1203,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.detail.subDetail.service\",\
\"weight\": 1204,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.detail.subDetail.modifier\",\
\"weight\": 1205,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.detail.subDetail.programCode\",\
\"weight\": 1206,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.detail.subDetail.quantity\",\
\"weight\": 1207,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.detail.subDetail.unitPrice\",\
\"weight\": 1208,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.detail.subDetail.factor\",\
\"weight\": 1209,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.detail.subDetail.net\",\
\"weight\": 1210,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.item.detail.subDetail.udi\",\
\"weight\": 1211,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Claim.total\",\
\"weight\": 1212,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse\",\
\"weight\": 1213,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.id\",\
\"weight\": 1214,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.meta\",\
\"weight\": 1215,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.implicitRules\",\
\"weight\": 1216,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.language\",\
\"weight\": 1217,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.text\",\
\"weight\": 1218,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.contained\",\
\"weight\": 1219,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.extension\",\
\"weight\": 1220,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.modifierExtension\",\
\"weight\": 1221,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.identifier\",\
\"weight\": 1222,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.status\",\
\"weight\": 1223,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.patient\",\
\"weight\": 1224,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.created\",\
\"weight\": 1225,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.insurer\",\
\"weight\": 1226,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.requestProvider\",\
\"weight\": 1227,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.requestOrganization\",\
\"weight\": 1228,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.request\",\
\"weight\": 1229,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.outcome\",\
\"weight\": 1230,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.disposition\",\
\"weight\": 1231,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.payeeType\",\
\"weight\": 1232,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.item\",\
\"weight\": 1233,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.item.id\",\
\"weight\": 1234,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.item.extension\",\
\"weight\": 1235,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.item.modifierExtension\",\
\"weight\": 1236,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ClaimResponse.item.sequenceLinkId\",\
\"weight\": 1237,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.item.noteNumber\",\
\"weight\": 1238,\
\"max\": \"*\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.item.adjudication\",\
\"weight\": 1239,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.item.adjudication.id\",\
\"weight\": 1240,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.item.adjudication.extension\",\
\"weight\": 1241,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.item.adjudication.modifierExtension\",\
\"weight\": 1242,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ClaimResponse.item.adjudication.category\",\
\"weight\": 1243,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.item.adjudication.reason\",\
\"weight\": 1244,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.item.adjudication.amount\",\
\"weight\": 1245,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.item.adjudication.value\",\
\"weight\": 1246,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.item.detail\",\
\"weight\": 1247,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.item.detail.id\",\
\"weight\": 1248,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.item.detail.extension\",\
\"weight\": 1249,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.item.detail.modifierExtension\",\
\"weight\": 1250,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ClaimResponse.item.detail.sequenceLinkId\",\
\"weight\": 1251,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.item.detail.noteNumber\",\
\"weight\": 1252,\
\"max\": \"*\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.item.detail.adjudication\",\
\"weight\": 1253,\
\"max\": \"*\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.item.detail.subDetail\",\
\"weight\": 1254,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.item.detail.subDetail.id\",\
\"weight\": 1255,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.item.detail.subDetail.extension\",\
\"weight\": 1256,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.item.detail.subDetail.modifierExtension\",\
\"weight\": 1257,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ClaimResponse.item.detail.subDetail.sequenceLinkId\",\
\"weight\": 1258,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.item.detail.subDetail.noteNumber\",\
\"weight\": 1259,\
\"max\": \"*\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.item.detail.subDetail.adjudication\",\
\"weight\": 1260,\
\"max\": \"*\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.addItem\",\
\"weight\": 1261,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.addItem.id\",\
\"weight\": 1262,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.addItem.extension\",\
\"weight\": 1263,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.addItem.modifierExtension\",\
\"weight\": 1264,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.addItem.sequenceLinkId\",\
\"weight\": 1265,\
\"max\": \"*\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.addItem.revenue\",\
\"weight\": 1266,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.addItem.category\",\
\"weight\": 1267,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.addItem.service\",\
\"weight\": 1268,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.addItem.modifier\",\
\"weight\": 1269,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.addItem.fee\",\
\"weight\": 1270,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.addItem.noteNumber\",\
\"weight\": 1271,\
\"max\": \"*\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.addItem.adjudication\",\
\"weight\": 1272,\
\"max\": \"*\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.addItem.detail\",\
\"weight\": 1273,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.addItem.detail.id\",\
\"weight\": 1274,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.addItem.detail.extension\",\
\"weight\": 1275,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.addItem.detail.modifierExtension\",\
\"weight\": 1276,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.addItem.detail.revenue\",\
\"weight\": 1277,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.addItem.detail.category\",\
\"weight\": 1278,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.addItem.detail.service\",\
\"weight\": 1279,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.addItem.detail.modifier\",\
\"weight\": 1280,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.addItem.detail.fee\",\
\"weight\": 1281,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.addItem.detail.noteNumber\",\
\"weight\": 1282,\
\"max\": \"*\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.addItem.detail.adjudication\",\
\"weight\": 1283,\
\"max\": \"*\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.error\",\
\"weight\": 1284,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.error.id\",\
\"weight\": 1285,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.error.extension\",\
\"weight\": 1286,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.error.modifierExtension\",\
\"weight\": 1287,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.error.sequenceLinkId\",\
\"weight\": 1288,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.error.detailSequenceLinkId\",\
\"weight\": 1289,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.error.subdetailSequenceLinkId\",\
\"weight\": 1290,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 1,\
\"path\": \"ClaimResponse.error.code\",\
\"weight\": 1291,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.totalCost\",\
\"weight\": 1292,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.unallocDeductable\",\
\"weight\": 1293,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.totalBenefit\",\
\"weight\": 1294,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.payment\",\
\"weight\": 1295,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.payment.id\",\
\"weight\": 1296,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.payment.extension\",\
\"weight\": 1297,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.payment.modifierExtension\",\
\"weight\": 1298,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.payment.type\",\
\"weight\": 1299,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.payment.adjustment\",\
\"weight\": 1300,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.payment.adjustmentReason\",\
\"weight\": 1301,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.payment.date\",\
\"weight\": 1302,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.payment.amount\",\
\"weight\": 1303,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.payment.identifier\",\
\"weight\": 1304,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.reserved\",\
\"weight\": 1305,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.form\",\
\"weight\": 1306,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.processNote\",\
\"weight\": 1307,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.processNote.id\",\
\"weight\": 1308,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.processNote.extension\",\
\"weight\": 1309,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.processNote.modifierExtension\",\
\"weight\": 1310,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.processNote.number\",\
\"weight\": 1311,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.processNote.type\",\
\"weight\": 1312,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.processNote.text\",\
\"weight\": 1313,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.processNote.language\",\
\"weight\": 1314,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.communicationRequest\",\
\"weight\": 1315,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.insurance\",\
\"weight\": 1316,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.insurance.id\",\
\"weight\": 1317,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.insurance.extension\",\
\"weight\": 1318,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.insurance.modifierExtension\",\
\"weight\": 1319,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ClaimResponse.insurance.sequence\",\
\"weight\": 1320,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 1,\
\"path\": \"ClaimResponse.insurance.focal\",\
\"weight\": 1321,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 1,\
\"path\": \"ClaimResponse.insurance.coverage\",\
\"weight\": 1322,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.insurance.businessArrangement\",\
\"weight\": 1323,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.insurance.preAuthRef\",\
\"weight\": 1324,\
\"max\": \"*\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ClaimResponse.insurance.claimResponse\",\
\"weight\": 1325,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ClinicalImpression\",\
\"weight\": 1326,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"ClinicalImpression.id\",\
\"weight\": 1327,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"ClinicalImpression.meta\",\
\"weight\": 1328,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"ClinicalImpression.implicitRules\",\
\"weight\": 1329,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ClinicalImpression.language\",\
\"weight\": 1330,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ClinicalImpression.text\",\
\"weight\": 1331,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"ClinicalImpression.contained\",\
\"weight\": 1332,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"ClinicalImpression.extension\",\
\"weight\": 1333,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ClinicalImpression.modifierExtension\",\
\"weight\": 1334,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ClinicalImpression.identifier\",\
\"weight\": 1335,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 1,\
\"path\": \"ClinicalImpression.status\",\
\"weight\": 1336,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ClinicalImpression.code\",\
\"weight\": 1337,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ClinicalImpression.description\",\
\"weight\": 1338,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"ClinicalImpression.subject\",\
\"weight\": 1339,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ClinicalImpression.context\",\
\"weight\": 1340,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ClinicalImpression.effectiveDateTime\",\
\"weight\": 1341,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"ClinicalImpression.effectivePeriod\",\
\"weight\": 1341,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"ClinicalImpression.date\",\
\"weight\": 1342,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"ClinicalImpression.assessor\",\
\"weight\": 1343,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ClinicalImpression.previous\",\
\"weight\": 1344,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ClinicalImpression.problem\",\
\"weight\": 1345,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ClinicalImpression.investigation\",\
\"weight\": 1346,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ClinicalImpression.investigation.id\",\
\"weight\": 1347,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ClinicalImpression.investigation.extension\",\
\"weight\": 1348,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ClinicalImpression.investigation.modifierExtension\",\
\"weight\": 1349,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ClinicalImpression.investigation.code\",\
\"weight\": 1350,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ClinicalImpression.investigation.item\",\
\"weight\": 1351,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ClinicalImpression.protocol\",\
\"weight\": 1352,\
\"max\": \"*\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ClinicalImpression.summary\",\
\"weight\": 1353,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ClinicalImpression.finding\",\
\"weight\": 1354,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ClinicalImpression.finding.id\",\
\"weight\": 1355,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ClinicalImpression.finding.extension\",\
\"weight\": 1356,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ClinicalImpression.finding.modifierExtension\",\
\"weight\": 1357,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ClinicalImpression.finding.itemCodeableConcept\",\
\"weight\": 1358,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"ClinicalImpression.finding.itemReference\",\
\"weight\": 1358,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"ClinicalImpression.finding.itemReference\",\
\"weight\": 1358,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ClinicalImpression.finding.basis\",\
\"weight\": 1359,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ClinicalImpression.prognosisCodeableConcept\",\
\"weight\": 1360,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ClinicalImpression.prognosisReference\",\
\"weight\": 1361,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ClinicalImpression.action\",\
\"weight\": 1362,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ClinicalImpression.note\",\
\"weight\": 1363,\
\"max\": \"*\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem\",\
\"weight\": 1364,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.id\",\
\"weight\": 1365,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.meta\",\
\"weight\": 1366,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.implicitRules\",\
\"weight\": 1367,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.language\",\
\"weight\": 1368,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.text\",\
\"weight\": 1369,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.contained\",\
\"weight\": 1370,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.extension\",\
\"weight\": 1371,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.modifierExtension\",\
\"weight\": 1372,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.url\",\
\"weight\": 1373,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.identifier\",\
\"weight\": 1374,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.version\",\
\"weight\": 1375,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.name\",\
\"weight\": 1376,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.title\",\
\"weight\": 1377,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"CodeSystem.status\",\
\"weight\": 1378,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.experimental\",\
\"weight\": 1379,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.date\",\
\"weight\": 1380,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.publisher\",\
\"weight\": 1381,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.contact\",\
\"weight\": 1382,\
\"max\": \"*\",\
\"type\": \"ContactDetail\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.description\",\
\"weight\": 1383,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.useContext\",\
\"weight\": 1384,\
\"max\": \"*\",\
\"type\": \"UsageContext\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.jurisdiction\",\
\"weight\": 1385,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.purpose\",\
\"weight\": 1386,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.copyright\",\
\"weight\": 1387,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.caseSensitive\",\
\"weight\": 1388,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.valueSet\",\
\"weight\": 1389,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.hierarchyMeaning\",\
\"weight\": 1390,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.compositional\",\
\"weight\": 1391,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.versionNeeded\",\
\"weight\": 1392,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 1,\
\"path\": \"CodeSystem.content\",\
\"weight\": 1393,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.count\",\
\"weight\": 1394,\
\"max\": \"1\",\
\"type\": \"unsignedInt\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.filter\",\
\"weight\": 1395,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.filter.id\",\
\"weight\": 1396,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.filter.extension\",\
\"weight\": 1397,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.filter.modifierExtension\",\
\"weight\": 1398,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"CodeSystem.filter.code\",\
\"weight\": 1399,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.filter.description\",\
\"weight\": 1400,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"CodeSystem.filter.operator\",\
\"weight\": 1401,\
\"max\": \"*\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"CodeSystem.filter.value\",\
\"weight\": 1402,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.property\",\
\"weight\": 1403,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.property.id\",\
\"weight\": 1404,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.property.extension\",\
\"weight\": 1405,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.property.modifierExtension\",\
\"weight\": 1406,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"CodeSystem.property.code\",\
\"weight\": 1407,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.property.uri\",\
\"weight\": 1408,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.property.description\",\
\"weight\": 1409,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"CodeSystem.property.type\",\
\"weight\": 1410,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.concept\",\
\"weight\": 1411,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.concept.id\",\
\"weight\": 1412,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.concept.extension\",\
\"weight\": 1413,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.concept.modifierExtension\",\
\"weight\": 1414,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"CodeSystem.concept.code\",\
\"weight\": 1415,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.concept.display\",\
\"weight\": 1416,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.concept.definition\",\
\"weight\": 1417,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.concept.designation\",\
\"weight\": 1418,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.concept.designation.id\",\
\"weight\": 1419,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.concept.designation.extension\",\
\"weight\": 1420,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.concept.designation.modifierExtension\",\
\"weight\": 1421,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.concept.designation.language\",\
\"weight\": 1422,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.concept.designation.use\",\
\"weight\": 1423,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 1,\
\"path\": \"CodeSystem.concept.designation.value\",\
\"weight\": 1424,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.concept.property\",\
\"weight\": 1425,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.concept.property.id\",\
\"weight\": 1426,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.concept.property.extension\",\
\"weight\": 1427,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.concept.property.modifierExtension\",\
\"weight\": 1428,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"CodeSystem.concept.property.code\",\
\"weight\": 1429,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"CodeSystem.concept.property.valueCode\",\
\"weight\": 1430,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"CodeSystem.concept.property.valueCoding\",\
\"weight\": 1430,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 1,\
\"path\": \"CodeSystem.concept.property.valueString\",\
\"weight\": 1430,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"CodeSystem.concept.property.valueInteger\",\
\"weight\": 1430,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 1,\
\"path\": \"CodeSystem.concept.property.valueBoolean\",\
\"weight\": 1430,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 1,\
\"path\": \"CodeSystem.concept.property.valueDateTime\",\
\"weight\": 1430,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"CodeSystem.concept.concept\",\
\"weight\": 1431,\
\"max\": \"*\"\
},\
{\
\"min\": 0,\
\"path\": \"Communication\",\
\"weight\": 1432,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Communication.id\",\
\"weight\": 1433,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Communication.meta\",\
\"weight\": 1434,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Communication.implicitRules\",\
\"weight\": 1435,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Communication.language\",\
\"weight\": 1436,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Communication.text\",\
\"weight\": 1437,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Communication.contained\",\
\"weight\": 1438,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Communication.extension\",\
\"weight\": 1439,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Communication.modifierExtension\",\
\"weight\": 1440,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Communication.identifier\",\
\"weight\": 1441,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Communication.definition\",\
\"weight\": 1442,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Communication.basedOn\",\
\"weight\": 1443,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Communication.partOf\",\
\"weight\": 1444,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"Communication.status\",\
\"weight\": 1445,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Communication.notDone\",\
\"weight\": 1446,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"Communication.notDoneReason\",\
\"weight\": 1447,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Communication.category\",\
\"weight\": 1448,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Communication.medium\",\
\"weight\": 1449,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Communication.subject\",\
\"weight\": 1450,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Communication.recipient\",\
\"weight\": 1451,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Communication.topic\",\
\"weight\": 1452,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Communication.context\",\
\"weight\": 1453,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Communication.sent\",\
\"weight\": 1454,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Communication.received\",\
\"weight\": 1455,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Communication.sender\",\
\"weight\": 1456,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Communication.reasonCode\",\
\"weight\": 1457,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Communication.reasonReference\",\
\"weight\": 1458,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Communication.payload\",\
\"weight\": 1459,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Communication.payload.id\",\
\"weight\": 1460,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Communication.payload.extension\",\
\"weight\": 1461,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Communication.payload.modifierExtension\",\
\"weight\": 1462,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Communication.payload.contentString\",\
\"weight\": 1463,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"Communication.payload.contentAttachment\",\
\"weight\": 1463,\
\"max\": \"1\",\
\"type\": \"Attachment\"\
},\
{\
\"min\": 1,\
\"path\": \"Communication.payload.contentReference\",\
\"weight\": 1463,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Communication.note\",\
\"weight\": 1464,\
\"max\": \"*\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 0,\
\"path\": \"CommunicationRequest\",\
\"weight\": 1465,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"CommunicationRequest.id\",\
\"weight\": 1466,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"CommunicationRequest.meta\",\
\"weight\": 1467,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"CommunicationRequest.implicitRules\",\
\"weight\": 1468,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"CommunicationRequest.language\",\
\"weight\": 1469,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"CommunicationRequest.text\",\
\"weight\": 1470,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"CommunicationRequest.contained\",\
\"weight\": 1471,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"CommunicationRequest.extension\",\
\"weight\": 1472,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CommunicationRequest.modifierExtension\",\
\"weight\": 1473,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CommunicationRequest.identifier\",\
\"weight\": 1474,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"CommunicationRequest.basedOn\",\
\"weight\": 1475,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CommunicationRequest.replaces\",\
\"weight\": 1476,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CommunicationRequest.groupIdentifier\",\
\"weight\": 1477,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 1,\
\"path\": \"CommunicationRequest.status\",\
\"weight\": 1478,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"CommunicationRequest.category\",\
\"weight\": 1479,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"CommunicationRequest.priority\",\
\"weight\": 1480,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"CommunicationRequest.medium\",\
\"weight\": 1481,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"CommunicationRequest.subject\",\
\"weight\": 1482,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CommunicationRequest.recipient\",\
\"weight\": 1483,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CommunicationRequest.topic\",\
\"weight\": 1484,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CommunicationRequest.context\",\
\"weight\": 1485,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CommunicationRequest.payload\",\
\"weight\": 1486,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"CommunicationRequest.payload.id\",\
\"weight\": 1487,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CommunicationRequest.payload.extension\",\
\"weight\": 1488,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CommunicationRequest.payload.modifierExtension\",\
\"weight\": 1489,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"CommunicationRequest.payload.contentString\",\
\"weight\": 1490,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"CommunicationRequest.payload.contentAttachment\",\
\"weight\": 1490,\
\"max\": \"1\",\
\"type\": \"Attachment\"\
},\
{\
\"min\": 1,\
\"path\": \"CommunicationRequest.payload.contentReference\",\
\"weight\": 1490,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CommunicationRequest.occurrenceDateTime\",\
\"weight\": 1491,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"CommunicationRequest.occurrencePeriod\",\
\"weight\": 1491,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"CommunicationRequest.authoredOn\",\
\"weight\": 1492,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"CommunicationRequest.sender\",\
\"weight\": 1493,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CommunicationRequest.requester\",\
\"weight\": 1494,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"CommunicationRequest.requester.id\",\
\"weight\": 1495,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CommunicationRequest.requester.extension\",\
\"weight\": 1496,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CommunicationRequest.requester.modifierExtension\",\
\"weight\": 1497,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"CommunicationRequest.requester.agent\",\
\"weight\": 1498,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CommunicationRequest.requester.onBehalfOf\",\
\"weight\": 1499,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CommunicationRequest.reasonCode\",\
\"weight\": 1500,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"CommunicationRequest.reasonReference\",\
\"weight\": 1501,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"CommunicationRequest.note\",\
\"weight\": 1502,\
\"max\": \"*\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 1,\
\"path\": \"CompartmentDefinition\",\
\"weight\": 1503,\
\"max\": \"1\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"CompartmentDefinition.id\",\
\"weight\": 1504,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"CompartmentDefinition.meta\",\
\"weight\": 1505,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"CompartmentDefinition.implicitRules\",\
\"weight\": 1506,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"CompartmentDefinition.language\",\
\"weight\": 1507,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"CompartmentDefinition.text\",\
\"weight\": 1508,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"CompartmentDefinition.contained\",\
\"weight\": 1509,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"CompartmentDefinition.extension\",\
\"weight\": 1510,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CompartmentDefinition.modifierExtension\",\
\"weight\": 1511,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"CompartmentDefinition.url\",\
\"weight\": 1512,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 1,\
\"path\": \"CompartmentDefinition.name\",\
\"weight\": 1513,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CompartmentDefinition.title\",\
\"weight\": 1514,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"CompartmentDefinition.status\",\
\"weight\": 1515,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"CompartmentDefinition.experimental\",\
\"weight\": 1516,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"CompartmentDefinition.date\",\
\"weight\": 1517,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"CompartmentDefinition.publisher\",\
\"weight\": 1518,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CompartmentDefinition.contact\",\
\"weight\": 1519,\
\"max\": \"*\",\
\"type\": \"ContactDetail\"\
},\
{\
\"min\": 0,\
\"path\": \"CompartmentDefinition.description\",\
\"weight\": 1520,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"CompartmentDefinition.purpose\",\
\"weight\": 1521,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"CompartmentDefinition.useContext\",\
\"weight\": 1522,\
\"max\": \"*\",\
\"type\": \"UsageContext\"\
},\
{\
\"min\": 0,\
\"path\": \"CompartmentDefinition.jurisdiction\",\
\"weight\": 1523,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"CompartmentDefinition.code\",\
\"weight\": 1524,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"CompartmentDefinition.search\",\
\"weight\": 1525,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"CompartmentDefinition.resource\",\
\"weight\": 1526,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"CompartmentDefinition.resource.id\",\
\"weight\": 1527,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CompartmentDefinition.resource.extension\",\
\"weight\": 1528,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"CompartmentDefinition.resource.modifierExtension\",\
\"weight\": 1529,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"CompartmentDefinition.resource.code\",\
\"weight\": 1530,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"CompartmentDefinition.resource.param\",\
\"weight\": 1531,\
\"max\": \"*\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"CompartmentDefinition.resource.documentation\",\
\"weight\": 1532,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition\",\
\"weight\": 1533,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.id\",\
\"weight\": 1534,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.meta\",\
\"weight\": 1535,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.implicitRules\",\
\"weight\": 1536,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.language\",\
\"weight\": 1537,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.text\",\
\"weight\": 1538,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.contained\",\
\"weight\": 1539,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.extension\",\
\"weight\": 1540,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.modifierExtension\",\
\"weight\": 1541,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.identifier\",\
\"weight\": 1542,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 1,\
\"path\": \"Composition.status\",\
\"weight\": 1543,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"Composition.type\",\
\"weight\": 1544,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.class\",\
\"weight\": 1545,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"Composition.subject\",\
\"weight\": 1546,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.encounter\",\
\"weight\": 1547,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"Composition.date\",\
\"weight\": 1548,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 1,\
\"path\": \"Composition.author\",\
\"weight\": 1549,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"Composition.title\",\
\"weight\": 1550,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.confidentiality\",\
\"weight\": 1551,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.attester\",\
\"weight\": 1552,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.attester.id\",\
\"weight\": 1553,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.attester.extension\",\
\"weight\": 1554,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.attester.modifierExtension\",\
\"weight\": 1555,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Composition.attester.mode\",\
\"weight\": 1556,\
\"max\": \"*\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.attester.time\",\
\"weight\": 1557,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.attester.party\",\
\"weight\": 1558,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.custodian\",\
\"weight\": 1559,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.relatesTo\",\
\"weight\": 1560,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.relatesTo.id\",\
\"weight\": 1561,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.relatesTo.extension\",\
\"weight\": 1562,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.relatesTo.modifierExtension\",\
\"weight\": 1563,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Composition.relatesTo.code\",\
\"weight\": 1564,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"Composition.relatesTo.targetIdentifier\",\
\"weight\": 1565,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 1,\
\"path\": \"Composition.relatesTo.targetReference\",\
\"weight\": 1565,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.event\",\
\"weight\": 1566,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.event.id\",\
\"weight\": 1567,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.event.extension\",\
\"weight\": 1568,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.event.modifierExtension\",\
\"weight\": 1569,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.event.code\",\
\"weight\": 1570,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.event.period\",\
\"weight\": 1571,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.event.detail\",\
\"weight\": 1572,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.section\",\
\"weight\": 1573,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.section.id\",\
\"weight\": 1574,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.section.extension\",\
\"weight\": 1575,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.section.modifierExtension\",\
\"weight\": 1576,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.section.title\",\
\"weight\": 1577,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.section.code\",\
\"weight\": 1578,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.section.text\",\
\"weight\": 1579,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.section.mode\",\
\"weight\": 1580,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.section.orderedBy\",\
\"weight\": 1581,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.section.entry\",\
\"weight\": 1582,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.section.emptyReason\",\
\"weight\": 1583,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Composition.section.section\",\
\"weight\": 1584,\
\"max\": \"*\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap\",\
\"weight\": 1585,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.id\",\
\"weight\": 1586,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.meta\",\
\"weight\": 1587,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.implicitRules\",\
\"weight\": 1588,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.language\",\
\"weight\": 1589,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.text\",\
\"weight\": 1590,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.contained\",\
\"weight\": 1591,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.extension\",\
\"weight\": 1592,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.modifierExtension\",\
\"weight\": 1593,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.url\",\
\"weight\": 1594,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.identifier\",\
\"weight\": 1595,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.version\",\
\"weight\": 1596,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.name\",\
\"weight\": 1597,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.title\",\
\"weight\": 1598,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"ConceptMap.status\",\
\"weight\": 1599,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.experimental\",\
\"weight\": 1600,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.date\",\
\"weight\": 1601,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.publisher\",\
\"weight\": 1602,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.contact\",\
\"weight\": 1603,\
\"max\": \"*\",\
\"type\": \"ContactDetail\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.description\",\
\"weight\": 1604,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.useContext\",\
\"weight\": 1605,\
\"max\": \"*\",\
\"type\": \"UsageContext\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.jurisdiction\",\
\"weight\": 1606,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.purpose\",\
\"weight\": 1607,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.copyright\",\
\"weight\": 1608,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.sourceUri\",\
\"weight\": 1609,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.sourceReference\",\
\"weight\": 1609,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.targetUri\",\
\"weight\": 1610,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.targetReference\",\
\"weight\": 1610,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.group\",\
\"weight\": 1611,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.group.id\",\
\"weight\": 1612,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.group.extension\",\
\"weight\": 1613,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.group.modifierExtension\",\
\"weight\": 1614,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.group.source\",\
\"weight\": 1615,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.group.sourceVersion\",\
\"weight\": 1616,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.group.target\",\
\"weight\": 1617,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.group.targetVersion\",\
\"weight\": 1618,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"ConceptMap.group.element\",\
\"weight\": 1619,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.group.element.id\",\
\"weight\": 1620,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.group.element.extension\",\
\"weight\": 1621,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.group.element.modifierExtension\",\
\"weight\": 1622,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.group.element.code\",\
\"weight\": 1623,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.group.element.display\",\
\"weight\": 1624,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.group.element.target\",\
\"weight\": 1625,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.group.element.target.id\",\
\"weight\": 1626,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.group.element.target.extension\",\
\"weight\": 1627,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.group.element.target.modifierExtension\",\
\"weight\": 1628,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.group.element.target.code\",\
\"weight\": 1629,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.group.element.target.display\",\
\"weight\": 1630,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.group.element.target.equivalence\",\
\"weight\": 1631,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.group.element.target.comment\",\
\"weight\": 1632,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.group.element.target.dependsOn\",\
\"weight\": 1633,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.group.element.target.dependsOn.id\",\
\"weight\": 1634,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.group.element.target.dependsOn.extension\",\
\"weight\": 1635,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.group.element.target.dependsOn.modifierExtension\",\
\"weight\": 1636,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ConceptMap.group.element.target.dependsOn.property\",\
\"weight\": 1637,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.group.element.target.dependsOn.system\",\
\"weight\": 1638,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 1,\
\"path\": \"ConceptMap.group.element.target.dependsOn.code\",\
\"weight\": 1639,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.group.element.target.dependsOn.display\",\
\"weight\": 1640,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.group.element.target.product\",\
\"weight\": 1641,\
\"max\": \"*\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.group.unmapped\",\
\"weight\": 1642,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.group.unmapped.id\",\
\"weight\": 1643,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.group.unmapped.extension\",\
\"weight\": 1644,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.group.unmapped.modifierExtension\",\
\"weight\": 1645,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ConceptMap.group.unmapped.mode\",\
\"weight\": 1646,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.group.unmapped.code\",\
\"weight\": 1647,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.group.unmapped.display\",\
\"weight\": 1648,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ConceptMap.group.unmapped.url\",\
\"weight\": 1649,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition\",\
\"weight\": 1650,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.id\",\
\"weight\": 1651,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.meta\",\
\"weight\": 1652,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.implicitRules\",\
\"weight\": 1653,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.language\",\
\"weight\": 1654,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.text\",\
\"weight\": 1655,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.contained\",\
\"weight\": 1656,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.extension\",\
\"weight\": 1657,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.modifierExtension\",\
\"weight\": 1658,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.identifier\",\
\"weight\": 1659,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.clinicalStatus\",\
\"weight\": 1660,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.verificationStatus\",\
\"weight\": 1661,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.category\",\
\"weight\": 1662,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.severity\",\
\"weight\": 1663,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.code\",\
\"weight\": 1664,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.bodySite\",\
\"weight\": 1665,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"Condition.subject\",\
\"weight\": 1666,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.context\",\
\"weight\": 1667,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.onsetDateTime\",\
\"weight\": 1668,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.onsetAge\",\
\"weight\": 1668,\
\"max\": \"1\",\
\"type\": \"Age\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.onsetPeriod\",\
\"weight\": 1668,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.onsetRange\",\
\"weight\": 1668,\
\"max\": \"1\",\
\"type\": \"Range\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.onsetString\",\
\"weight\": 1668,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.abatementDateTime\",\
\"weight\": 1669,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.abatementAge\",\
\"weight\": 1669,\
\"max\": \"1\",\
\"type\": \"Age\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.abatementBoolean\",\
\"weight\": 1669,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.abatementPeriod\",\
\"weight\": 1669,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.abatementRange\",\
\"weight\": 1669,\
\"max\": \"1\",\
\"type\": \"Range\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.abatementString\",\
\"weight\": 1669,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.assertedDate\",\
\"weight\": 1670,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.asserter\",\
\"weight\": 1671,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.stage\",\
\"weight\": 1672,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.stage.id\",\
\"weight\": 1673,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.stage.extension\",\
\"weight\": 1674,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.stage.modifierExtension\",\
\"weight\": 1675,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.stage.summary\",\
\"weight\": 1676,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.stage.assessment\",\
\"weight\": 1677,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.evidence\",\
\"weight\": 1678,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.evidence.id\",\
\"weight\": 1679,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.evidence.extension\",\
\"weight\": 1680,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.evidence.modifierExtension\",\
\"weight\": 1681,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.evidence.code\",\
\"weight\": 1682,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.evidence.detail\",\
\"weight\": 1683,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Condition.note\",\
\"weight\": 1684,\
\"max\": \"*\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent\",\
\"weight\": 1685,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.id\",\
\"weight\": 1686,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.meta\",\
\"weight\": 1687,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.implicitRules\",\
\"weight\": 1688,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.language\",\
\"weight\": 1689,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.text\",\
\"weight\": 1690,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.contained\",\
\"weight\": 1691,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.extension\",\
\"weight\": 1692,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.modifierExtension\",\
\"weight\": 1693,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.identifier\",\
\"weight\": 1694,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 1,\
\"path\": \"Consent.status\",\
\"weight\": 1695,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.category\",\
\"weight\": 1696,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"Consent.patient\",\
\"weight\": 1697,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.period\",\
\"weight\": 1698,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.dateTime\",\
\"weight\": 1699,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.consentingParty\",\
\"weight\": 1700,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.actor\",\
\"weight\": 1701,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.actor.id\",\
\"weight\": 1702,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.actor.extension\",\
\"weight\": 1703,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.actor.modifierExtension\",\
\"weight\": 1704,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Consent.actor.role\",\
\"weight\": 1705,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"Consent.actor.reference\",\
\"weight\": 1706,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.action\",\
\"weight\": 1707,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.organization\",\
\"weight\": 1708,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.sourceAttachment\",\
\"weight\": 1709,\
\"max\": \"1\",\
\"type\": \"Attachment\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.sourceIdentifier\",\
\"weight\": 1709,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.sourceReference\",\
\"weight\": 1709,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.sourceReference\",\
\"weight\": 1709,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.sourceReference\",\
\"weight\": 1709,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.sourceReference\",\
\"weight\": 1709,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.policy\",\
\"weight\": 1710,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.policy.id\",\
\"weight\": 1711,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.policy.extension\",\
\"weight\": 1712,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.policy.modifierExtension\",\
\"weight\": 1713,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.policy.authority\",\
\"weight\": 1714,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.policy.uri\",\
\"weight\": 1715,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.policyRule\",\
\"weight\": 1716,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.securityLabel\",\
\"weight\": 1717,\
\"max\": \"*\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.purpose\",\
\"weight\": 1718,\
\"max\": \"*\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.dataPeriod\",\
\"weight\": 1719,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.data\",\
\"weight\": 1720,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.data.id\",\
\"weight\": 1721,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.data.extension\",\
\"weight\": 1722,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.data.modifierExtension\",\
\"weight\": 1723,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Consent.data.meaning\",\
\"weight\": 1724,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"Consent.data.reference\",\
\"weight\": 1725,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.except\",\
\"weight\": 1726,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.except.id\",\
\"weight\": 1727,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.except.extension\",\
\"weight\": 1728,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.except.modifierExtension\",\
\"weight\": 1729,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Consent.except.type\",\
\"weight\": 1730,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.except.period\",\
\"weight\": 1731,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.except.actor\",\
\"weight\": 1732,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.except.actor.id\",\
\"weight\": 1733,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.except.actor.extension\",\
\"weight\": 1734,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.except.actor.modifierExtension\",\
\"weight\": 1735,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Consent.except.actor.role\",\
\"weight\": 1736,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"Consent.except.actor.reference\",\
\"weight\": 1737,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.except.action\",\
\"weight\": 1738,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.except.securityLabel\",\
\"weight\": 1739,\
\"max\": \"*\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.except.purpose\",\
\"weight\": 1740,\
\"max\": \"*\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.except.class\",\
\"weight\": 1741,\
\"max\": \"*\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.except.code\",\
\"weight\": 1742,\
\"max\": \"*\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.except.dataPeriod\",\
\"weight\": 1743,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.except.data\",\
\"weight\": 1744,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.except.data.id\",\
\"weight\": 1745,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.except.data.extension\",\
\"weight\": 1746,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Consent.except.data.modifierExtension\",\
\"weight\": 1747,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Consent.except.data.meaning\",\
\"weight\": 1748,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"Consent.except.data.reference\",\
\"weight\": 1749,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract\",\
\"weight\": 1750,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.id\",\
\"weight\": 1751,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.meta\",\
\"weight\": 1752,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.implicitRules\",\
\"weight\": 1753,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.language\",\
\"weight\": 1754,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.text\",\
\"weight\": 1755,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.contained\",\
\"weight\": 1756,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.extension\",\
\"weight\": 1757,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.modifierExtension\",\
\"weight\": 1758,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.identifier\",\
\"weight\": 1759,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.status\",\
\"weight\": 1760,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.issued\",\
\"weight\": 1761,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.applies\",\
\"weight\": 1762,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.subject\",\
\"weight\": 1763,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.topic\",\
\"weight\": 1764,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.authority\",\
\"weight\": 1765,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.domain\",\
\"weight\": 1766,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.type\",\
\"weight\": 1767,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.subType\",\
\"weight\": 1768,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.action\",\
\"weight\": 1769,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.actionReason\",\
\"weight\": 1770,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.decisionType\",\
\"weight\": 1771,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.contentDerivative\",\
\"weight\": 1772,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.securityLabel\",\
\"weight\": 1773,\
\"max\": \"*\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.agent\",\
\"weight\": 1774,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.agent.id\",\
\"weight\": 1775,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.agent.extension\",\
\"weight\": 1776,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.agent.modifierExtension\",\
\"weight\": 1777,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Contract.agent.actor\",\
\"weight\": 1778,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.agent.role\",\
\"weight\": 1779,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.signer\",\
\"weight\": 1780,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.signer.id\",\
\"weight\": 1781,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.signer.extension\",\
\"weight\": 1782,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.signer.modifierExtension\",\
\"weight\": 1783,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Contract.signer.type\",\
\"weight\": 1784,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 1,\
\"path\": \"Contract.signer.party\",\
\"weight\": 1785,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"Contract.signer.signature\",\
\"weight\": 1786,\
\"max\": \"*\",\
\"type\": \"Signature\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.valuedItem\",\
\"weight\": 1787,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.valuedItem.id\",\
\"weight\": 1788,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.valuedItem.extension\",\
\"weight\": 1789,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.valuedItem.modifierExtension\",\
\"weight\": 1790,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.valuedItem.entityCodeableConcept\",\
\"weight\": 1791,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.valuedItem.entityReference\",\
\"weight\": 1791,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.valuedItem.identifier\",\
\"weight\": 1792,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.valuedItem.effectiveTime\",\
\"weight\": 1793,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.valuedItem.quantity\",\
\"weight\": 1794,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.valuedItem.unitPrice\",\
\"weight\": 1795,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.valuedItem.factor\",\
\"weight\": 1796,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.valuedItem.points\",\
\"weight\": 1797,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.valuedItem.net\",\
\"weight\": 1798,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.term\",\
\"weight\": 1799,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.term.id\",\
\"weight\": 1800,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.term.extension\",\
\"weight\": 1801,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.term.modifierExtension\",\
\"weight\": 1802,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.term.identifier\",\
\"weight\": 1803,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.term.issued\",\
\"weight\": 1804,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.term.applies\",\
\"weight\": 1805,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.term.type\",\
\"weight\": 1806,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.term.subType\",\
\"weight\": 1807,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.term.topic\",\
\"weight\": 1808,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.term.action\",\
\"weight\": 1809,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.term.actionReason\",\
\"weight\": 1810,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.term.securityLabel\",\
\"weight\": 1811,\
\"max\": \"*\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.term.agent\",\
\"weight\": 1812,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.term.agent.id\",\
\"weight\": 1813,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.term.agent.extension\",\
\"weight\": 1814,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.term.agent.modifierExtension\",\
\"weight\": 1815,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Contract.term.agent.actor\",\
\"weight\": 1816,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.term.agent.role\",\
\"weight\": 1817,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.term.text\",\
\"weight\": 1818,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.term.valuedItem\",\
\"weight\": 1819,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.term.valuedItem.id\",\
\"weight\": 1820,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.term.valuedItem.extension\",\
\"weight\": 1821,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.term.valuedItem.modifierExtension\",\
\"weight\": 1822,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.term.valuedItem.entityCodeableConcept\",\
\"weight\": 1823,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.term.valuedItem.entityReference\",\
\"weight\": 1823,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.term.valuedItem.identifier\",\
\"weight\": 1824,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.term.valuedItem.effectiveTime\",\
\"weight\": 1825,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.term.valuedItem.quantity\",\
\"weight\": 1826,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.term.valuedItem.unitPrice\",\
\"weight\": 1827,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.term.valuedItem.factor\",\
\"weight\": 1828,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.term.valuedItem.points\",\
\"weight\": 1829,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.term.valuedItem.net\",\
\"weight\": 1830,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.term.group\",\
\"weight\": 1831,\
\"max\": \"*\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.bindingAttachment\",\
\"weight\": 1832,\
\"max\": \"1\",\
\"type\": \"Attachment\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.bindingReference\",\
\"weight\": 1832,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.bindingReference\",\
\"weight\": 1832,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.bindingReference\",\
\"weight\": 1832,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.friendly\",\
\"weight\": 1833,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.friendly.id\",\
\"weight\": 1834,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.friendly.extension\",\
\"weight\": 1835,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.friendly.modifierExtension\",\
\"weight\": 1836,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Contract.friendly.contentAttachment\",\
\"weight\": 1837,\
\"max\": \"1\",\
\"type\": \"Attachment\"\
},\
{\
\"min\": 1,\
\"path\": \"Contract.friendly.contentReference\",\
\"weight\": 1837,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"Contract.friendly.contentReference\",\
\"weight\": 1837,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"Contract.friendly.contentReference\",\
\"weight\": 1837,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.legal\",\
\"weight\": 1838,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.legal.id\",\
\"weight\": 1839,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.legal.extension\",\
\"weight\": 1840,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.legal.modifierExtension\",\
\"weight\": 1841,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Contract.legal.contentAttachment\",\
\"weight\": 1842,\
\"max\": \"1\",\
\"type\": \"Attachment\"\
},\
{\
\"min\": 1,\
\"path\": \"Contract.legal.contentReference\",\
\"weight\": 1842,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"Contract.legal.contentReference\",\
\"weight\": 1842,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"Contract.legal.contentReference\",\
\"weight\": 1842,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.rule\",\
\"weight\": 1843,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.rule.id\",\
\"weight\": 1844,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.rule.extension\",\
\"weight\": 1845,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Contract.rule.modifierExtension\",\
\"weight\": 1846,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Contract.rule.contentAttachment\",\
\"weight\": 1847,\
\"max\": \"1\",\
\"type\": \"Attachment\"\
},\
{\
\"min\": 1,\
\"path\": \"Contract.rule.contentReference\",\
\"weight\": 1847,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage\",\
\"weight\": 1848,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.id\",\
\"weight\": 1849,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.meta\",\
\"weight\": 1850,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.implicitRules\",\
\"weight\": 1851,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.language\",\
\"weight\": 1852,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.text\",\
\"weight\": 1853,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.contained\",\
\"weight\": 1854,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.extension\",\
\"weight\": 1855,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.modifierExtension\",\
\"weight\": 1856,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.identifier\",\
\"weight\": 1857,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.status\",\
\"weight\": 1858,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.type\",\
\"weight\": 1859,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.policyHolder\",\
\"weight\": 1860,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.subscriber\",\
\"weight\": 1861,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.subscriberId\",\
\"weight\": 1862,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.beneficiary\",\
\"weight\": 1863,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.relationship\",\
\"weight\": 1864,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.period\",\
\"weight\": 1865,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.payor\",\
\"weight\": 1866,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.grouping\",\
\"weight\": 1867,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.grouping.id\",\
\"weight\": 1868,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.grouping.extension\",\
\"weight\": 1869,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.grouping.modifierExtension\",\
\"weight\": 1870,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.grouping.group\",\
\"weight\": 1871,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.grouping.groupDisplay\",\
\"weight\": 1872,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.grouping.subGroup\",\
\"weight\": 1873,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.grouping.subGroupDisplay\",\
\"weight\": 1874,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.grouping.plan\",\
\"weight\": 1875,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.grouping.planDisplay\",\
\"weight\": 1876,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.grouping.subPlan\",\
\"weight\": 1877,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.grouping.subPlanDisplay\",\
\"weight\": 1878,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.grouping.class\",\
\"weight\": 1879,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.grouping.classDisplay\",\
\"weight\": 1880,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.grouping.subClass\",\
\"weight\": 1881,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.grouping.subClassDisplay\",\
\"weight\": 1882,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.dependent\",\
\"weight\": 1883,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.sequence\",\
\"weight\": 1884,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.order\",\
\"weight\": 1885,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.network\",\
\"weight\": 1886,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Coverage.contract\",\
\"weight\": 1887,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DataElement\",\
\"weight\": 1888,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"DataElement.id\",\
\"weight\": 1889,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"DataElement.meta\",\
\"weight\": 1890,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"DataElement.implicitRules\",\
\"weight\": 1891,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"DataElement.language\",\
\"weight\": 1892,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"DataElement.text\",\
\"weight\": 1893,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"DataElement.contained\",\
\"weight\": 1894,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"DataElement.extension\",\
\"weight\": 1895,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"DataElement.modifierExtension\",\
\"weight\": 1896,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"DataElement.url\",\
\"weight\": 1897,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"DataElement.identifier\",\
\"weight\": 1898,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"DataElement.version\",\
\"weight\": 1899,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"DataElement.status\",\
\"weight\": 1900,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"DataElement.experimental\",\
\"weight\": 1901,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"DataElement.date\",\
\"weight\": 1902,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"DataElement.publisher\",\
\"weight\": 1903,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"DataElement.name\",\
\"weight\": 1904,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"DataElement.title\",\
\"weight\": 1905,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"DataElement.contact\",\
\"weight\": 1906,\
\"max\": \"*\",\
\"type\": \"ContactDetail\"\
},\
{\
\"min\": 0,\
\"path\": \"DataElement.useContext\",\
\"weight\": 1907,\
\"max\": \"*\",\
\"type\": \"UsageContext\"\
},\
{\
\"min\": 0,\
\"path\": \"DataElement.jurisdiction\",\
\"weight\": 1908,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"DataElement.copyright\",\
\"weight\": 1909,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"DataElement.stringency\",\
\"weight\": 1910,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"DataElement.mapping\",\
\"weight\": 1911,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"DataElement.mapping.id\",\
\"weight\": 1912,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"DataElement.mapping.extension\",\
\"weight\": 1913,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"DataElement.mapping.modifierExtension\",\
\"weight\": 1914,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"DataElement.mapping.identity\",\
\"weight\": 1915,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"DataElement.mapping.uri\",\
\"weight\": 1916,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"DataElement.mapping.name\",\
\"weight\": 1917,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"DataElement.mapping.comment\",\
\"weight\": 1918,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"DataElement.element\",\
\"weight\": 1919,\
\"max\": \"*\",\
\"type\": \"ElementDefinition\"\
},\
{\
\"min\": 0,\
\"path\": \"DetectedIssue\",\
\"weight\": 1920,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"DetectedIssue.id\",\
\"weight\": 1921,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"DetectedIssue.meta\",\
\"weight\": 1922,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"DetectedIssue.implicitRules\",\
\"weight\": 1923,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"DetectedIssue.language\",\
\"weight\": 1924,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"DetectedIssue.text\",\
\"weight\": 1925,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"DetectedIssue.contained\",\
\"weight\": 1926,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"DetectedIssue.extension\",\
\"weight\": 1927,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"DetectedIssue.modifierExtension\",\
\"weight\": 1928,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"DetectedIssue.identifier\",\
\"weight\": 1929,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 1,\
\"path\": \"DetectedIssue.status\",\
\"weight\": 1930,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"DetectedIssue.category\",\
\"weight\": 1931,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"DetectedIssue.severity\",\
\"weight\": 1932,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"DetectedIssue.patient\",\
\"weight\": 1933,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DetectedIssue.date\",\
\"weight\": 1934,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"DetectedIssue.author\",\
\"weight\": 1935,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DetectedIssue.implicated\",\
\"weight\": 1936,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DetectedIssue.detail\",\
\"weight\": 1937,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"DetectedIssue.reference\",\
\"weight\": 1938,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"DetectedIssue.mitigation\",\
\"weight\": 1939,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"DetectedIssue.mitigation.id\",\
\"weight\": 1940,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"DetectedIssue.mitigation.extension\",\
\"weight\": 1941,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"DetectedIssue.mitigation.modifierExtension\",\
\"weight\": 1942,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"DetectedIssue.mitigation.action\",\
\"weight\": 1943,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"DetectedIssue.mitigation.date\",\
\"weight\": 1944,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"DetectedIssue.mitigation.author\",\
\"weight\": 1945,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Device\",\
\"weight\": 1946,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Device.id\",\
\"weight\": 1947,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Device.meta\",\
\"weight\": 1948,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Device.implicitRules\",\
\"weight\": 1949,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Device.language\",\
\"weight\": 1950,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Device.text\",\
\"weight\": 1951,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Device.contained\",\
\"weight\": 1952,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Device.extension\",\
\"weight\": 1953,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Device.modifierExtension\",\
\"weight\": 1954,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Device.identifier\",\
\"weight\": 1955,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Device.udi\",\
\"weight\": 1956,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Device.udi.id\",\
\"weight\": 1957,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Device.udi.extension\",\
\"weight\": 1958,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Device.udi.modifierExtension\",\
\"weight\": 1959,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Device.udi.deviceIdentifier\",\
\"weight\": 1960,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Device.udi.name\",\
\"weight\": 1961,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Device.udi.jurisdiction\",\
\"weight\": 1962,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Device.udi.carrierHRF\",\
\"weight\": 1963,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Device.udi.carrierAIDC\",\
\"weight\": 1964,\
\"max\": \"1\",\
\"type\": \"base64Binary\"\
},\
{\
\"min\": 0,\
\"path\": \"Device.udi.issuer\",\
\"weight\": 1965,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Device.udi.entryType\",\
\"weight\": 1966,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Device.status\",\
\"weight\": 1967,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Device.type\",\
\"weight\": 1968,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Device.lotNumber\",\
\"weight\": 1969,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Device.manufacturer\",\
\"weight\": 1970,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Device.manufactureDate\",\
\"weight\": 1971,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Device.expirationDate\",\
\"weight\": 1972,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Device.model\",\
\"weight\": 1973,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Device.version\",\
\"weight\": 1974,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Device.patient\",\
\"weight\": 1975,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Device.owner\",\
\"weight\": 1976,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Device.contact\",\
\"weight\": 1977,\
\"max\": \"*\",\
\"type\": \"ContactPoint\"\
},\
{\
\"min\": 0,\
\"path\": \"Device.location\",\
\"weight\": 1978,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Device.url\",\
\"weight\": 1979,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Device.note\",\
\"weight\": 1980,\
\"max\": \"*\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 0,\
\"path\": \"Device.safety\",\
\"weight\": 1981,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceComponent\",\
\"weight\": 1982,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceComponent.id\",\
\"weight\": 1983,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceComponent.meta\",\
\"weight\": 1984,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceComponent.implicitRules\",\
\"weight\": 1985,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceComponent.language\",\
\"weight\": 1986,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceComponent.text\",\
\"weight\": 1987,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceComponent.contained\",\
\"weight\": 1988,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceComponent.extension\",\
\"weight\": 1989,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceComponent.modifierExtension\",\
\"weight\": 1990,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"DeviceComponent.identifier\",\
\"weight\": 1991,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 1,\
\"path\": \"DeviceComponent.type\",\
\"weight\": 1992,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceComponent.lastSystemChange\",\
\"weight\": 1993,\
\"max\": \"1\",\
\"type\": \"instant\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceComponent.source\",\
\"weight\": 1994,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceComponent.parent\",\
\"weight\": 1995,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceComponent.operationalStatus\",\
\"weight\": 1996,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceComponent.parameterGroup\",\
\"weight\": 1997,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceComponent.measurementPrinciple\",\
\"weight\": 1998,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceComponent.productionSpecification\",\
\"weight\": 1999,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceComponent.productionSpecification.id\",\
\"weight\": 2000,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceComponent.productionSpecification.extension\",\
\"weight\": 2001,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceComponent.productionSpecification.modifierExtension\",\
\"weight\": 2002,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceComponent.productionSpecification.specType\",\
\"weight\": 2003,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceComponent.productionSpecification.componentId\",\
\"weight\": 2004,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceComponent.productionSpecification.productionSpec\",\
\"weight\": 2005,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceComponent.languageCode\",\
\"weight\": 2006,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceMetric\",\
\"weight\": 2007,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceMetric.id\",\
\"weight\": 2008,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceMetric.meta\",\
\"weight\": 2009,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceMetric.implicitRules\",\
\"weight\": 2010,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceMetric.language\",\
\"weight\": 2011,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceMetric.text\",\
\"weight\": 2012,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceMetric.contained\",\
\"weight\": 2013,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceMetric.extension\",\
\"weight\": 2014,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceMetric.modifierExtension\",\
\"weight\": 2015,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"DeviceMetric.identifier\",\
\"weight\": 2016,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 1,\
\"path\": \"DeviceMetric.type\",\
\"weight\": 2017,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceMetric.unit\",\
\"weight\": 2018,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceMetric.source\",\
\"weight\": 2019,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceMetric.parent\",\
\"weight\": 2020,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceMetric.operationalStatus\",\
\"weight\": 2021,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceMetric.color\",\
\"weight\": 2022,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"DeviceMetric.category\",\
\"weight\": 2023,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceMetric.measurementPeriod\",\
\"weight\": 2024,\
\"max\": \"1\",\
\"type\": \"Timing\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceMetric.calibration\",\
\"weight\": 2025,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceMetric.calibration.id\",\
\"weight\": 2026,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceMetric.calibration.extension\",\
\"weight\": 2027,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceMetric.calibration.modifierExtension\",\
\"weight\": 2028,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceMetric.calibration.type\",\
\"weight\": 2029,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceMetric.calibration.state\",\
\"weight\": 2030,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceMetric.calibration.time\",\
\"weight\": 2031,\
\"max\": \"1\",\
\"type\": \"instant\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceRequest\",\
\"weight\": 2032,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceRequest.id\",\
\"weight\": 2033,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceRequest.meta\",\
\"weight\": 2034,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceRequest.implicitRules\",\
\"weight\": 2035,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceRequest.language\",\
\"weight\": 2036,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceRequest.text\",\
\"weight\": 2037,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceRequest.contained\",\
\"weight\": 2038,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceRequest.extension\",\
\"weight\": 2039,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceRequest.modifierExtension\",\
\"weight\": 2040,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceRequest.identifier\",\
\"weight\": 2041,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceRequest.definition\",\
\"weight\": 2042,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceRequest.basedOn\",\
\"weight\": 2043,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceRequest.priorRequest\",\
\"weight\": 2044,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceRequest.groupIdentifier\",\
\"weight\": 2045,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceRequest.status\",\
\"weight\": 2046,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"DeviceRequest.intent\",\
\"weight\": 2047,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceRequest.priority\",\
\"weight\": 2048,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"DeviceRequest.codeReference\",\
\"weight\": 2049,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"DeviceRequest.codeCodeableConcept\",\
\"weight\": 2049,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"DeviceRequest.subject\",\
\"weight\": 2050,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceRequest.context\",\
\"weight\": 2051,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceRequest.occurrenceDateTime\",\
\"weight\": 2052,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceRequest.occurrencePeriod\",\
\"weight\": 2052,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceRequest.occurrenceTiming\",\
\"weight\": 2052,\
\"max\": \"1\",\
\"type\": \"Timing\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceRequest.authoredOn\",\
\"weight\": 2053,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceRequest.requester\",\
\"weight\": 2054,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceRequest.requester.id\",\
\"weight\": 2055,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceRequest.requester.extension\",\
\"weight\": 2056,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceRequest.requester.modifierExtension\",\
\"weight\": 2057,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"DeviceRequest.requester.agent\",\
\"weight\": 2058,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceRequest.requester.onBehalfOf\",\
\"weight\": 2059,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceRequest.performerType\",\
\"weight\": 2060,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceRequest.performer\",\
\"weight\": 2061,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceRequest.reasonCode\",\
\"weight\": 2062,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceRequest.reasonReference\",\
\"weight\": 2063,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceRequest.supportingInfo\",\
\"weight\": 2064,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceRequest.note\",\
\"weight\": 2065,\
\"max\": \"*\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceRequest.relevantHistory\",\
\"weight\": 2066,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceUseStatement\",\
\"weight\": 2067,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceUseStatement.id\",\
\"weight\": 2068,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceUseStatement.meta\",\
\"weight\": 2069,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceUseStatement.implicitRules\",\
\"weight\": 2070,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceUseStatement.language\",\
\"weight\": 2071,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceUseStatement.text\",\
\"weight\": 2072,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceUseStatement.contained\",\
\"weight\": 2073,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceUseStatement.extension\",\
\"weight\": 2074,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceUseStatement.modifierExtension\",\
\"weight\": 2075,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceUseStatement.identifier\",\
\"weight\": 2076,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 1,\
\"path\": \"DeviceUseStatement.status\",\
\"weight\": 2077,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"DeviceUseStatement.subject\",\
\"weight\": 2078,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceUseStatement.whenUsed\",\
\"weight\": 2079,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceUseStatement.timingTiming\",\
\"weight\": 2080,\
\"max\": \"1\",\
\"type\": \"Timing\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceUseStatement.timingPeriod\",\
\"weight\": 2080,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceUseStatement.timingDateTime\",\
\"weight\": 2080,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceUseStatement.recordedOn\",\
\"weight\": 2081,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceUseStatement.source\",\
\"weight\": 2082,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"DeviceUseStatement.device\",\
\"weight\": 2083,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceUseStatement.indication\",\
\"weight\": 2084,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceUseStatement.bodySite\",\
\"weight\": 2085,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"DeviceUseStatement.note\",\
\"weight\": 2086,\
\"max\": \"*\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 0,\
\"path\": \"DiagnosticReport\",\
\"weight\": 2087,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"DiagnosticReport.id\",\
\"weight\": 2088,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"DiagnosticReport.meta\",\
\"weight\": 2089,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"DiagnosticReport.implicitRules\",\
\"weight\": 2090,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"DiagnosticReport.language\",\
\"weight\": 2091,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"DiagnosticReport.text\",\
\"weight\": 2092,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"DiagnosticReport.contained\",\
\"weight\": 2093,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"DiagnosticReport.extension\",\
\"weight\": 2094,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"DiagnosticReport.modifierExtension\",\
\"weight\": 2095,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"DiagnosticReport.identifier\",\
\"weight\": 2096,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"DiagnosticReport.basedOn\",\
\"weight\": 2097,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"DiagnosticReport.status\",\
\"weight\": 2098,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"DiagnosticReport.category\",\
\"weight\": 2099,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"DiagnosticReport.code\",\
\"weight\": 2100,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"DiagnosticReport.subject\",\
\"weight\": 2101,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DiagnosticReport.context\",\
\"weight\": 2102,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DiagnosticReport.effectiveDateTime\",\
\"weight\": 2103,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"DiagnosticReport.effectivePeriod\",\
\"weight\": 2103,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"DiagnosticReport.issued\",\
\"weight\": 2104,\
\"max\": \"1\",\
\"type\": \"instant\"\
},\
{\
\"min\": 0,\
\"path\": \"DiagnosticReport.performer\",\
\"weight\": 2105,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"DiagnosticReport.performer.id\",\
\"weight\": 2106,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"DiagnosticReport.performer.extension\",\
\"weight\": 2107,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"DiagnosticReport.performer.modifierExtension\",\
\"weight\": 2108,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"DiagnosticReport.performer.role\",\
\"weight\": 2109,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"DiagnosticReport.performer.actor\",\
\"weight\": 2110,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DiagnosticReport.specimen\",\
\"weight\": 2111,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DiagnosticReport.result\",\
\"weight\": 2112,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DiagnosticReport.imagingStudy\",\
\"weight\": 2113,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DiagnosticReport.image\",\
\"weight\": 2114,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"DiagnosticReport.image.id\",\
\"weight\": 2115,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"DiagnosticReport.image.extension\",\
\"weight\": 2116,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"DiagnosticReport.image.modifierExtension\",\
\"weight\": 2117,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"DiagnosticReport.image.comment\",\
\"weight\": 2118,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"DiagnosticReport.image.link\",\
\"weight\": 2119,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DiagnosticReport.conclusion\",\
\"weight\": 2120,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"DiagnosticReport.codedDiagnosis\",\
\"weight\": 2121,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"DiagnosticReport.presentedForm\",\
\"weight\": 2122,\
\"max\": \"*\",\
\"type\": \"Attachment\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentManifest\",\
\"weight\": 2123,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentManifest.id\",\
\"weight\": 2124,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentManifest.meta\",\
\"weight\": 2125,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentManifest.implicitRules\",\
\"weight\": 2126,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentManifest.language\",\
\"weight\": 2127,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentManifest.text\",\
\"weight\": 2128,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentManifest.contained\",\
\"weight\": 2129,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentManifest.extension\",\
\"weight\": 2130,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentManifest.modifierExtension\",\
\"weight\": 2131,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentManifest.masterIdentifier\",\
\"weight\": 2132,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentManifest.identifier\",\
\"weight\": 2133,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 1,\
\"path\": \"DocumentManifest.status\",\
\"weight\": 2134,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentManifest.type\",\
\"weight\": 2135,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentManifest.subject\",\
\"weight\": 2136,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentManifest.created\",\
\"weight\": 2137,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentManifest.author\",\
\"weight\": 2138,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentManifest.recipient\",\
\"weight\": 2139,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentManifest.source\",\
\"weight\": 2140,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentManifest.description\",\
\"weight\": 2141,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"DocumentManifest.content\",\
\"weight\": 2142,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentManifest.content.id\",\
\"weight\": 2143,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentManifest.content.extension\",\
\"weight\": 2144,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentManifest.content.modifierExtension\",\
\"weight\": 2145,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"DocumentManifest.content.pAttachment\",\
\"weight\": 2146,\
\"max\": \"1\",\
\"type\": \"Attachment\"\
},\
{\
\"min\": 1,\
\"path\": \"DocumentManifest.content.pReference\",\
\"weight\": 2146,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentManifest.related\",\
\"weight\": 2147,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentManifest.related.id\",\
\"weight\": 2148,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentManifest.related.extension\",\
\"weight\": 2149,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentManifest.related.modifierExtension\",\
\"weight\": 2150,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentManifest.related.identifier\",\
\"weight\": 2151,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentManifest.related.ref\",\
\"weight\": 2152,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference\",\
\"weight\": 2153,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.id\",\
\"weight\": 2154,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.meta\",\
\"weight\": 2155,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.implicitRules\",\
\"weight\": 2156,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.language\",\
\"weight\": 2157,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.text\",\
\"weight\": 2158,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.contained\",\
\"weight\": 2159,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.extension\",\
\"weight\": 2160,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.modifierExtension\",\
\"weight\": 2161,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.masterIdentifier\",\
\"weight\": 2162,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.identifier\",\
\"weight\": 2163,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 1,\
\"path\": \"DocumentReference.status\",\
\"weight\": 2164,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.docStatus\",\
\"weight\": 2165,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"DocumentReference.type\",\
\"weight\": 2166,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.class\",\
\"weight\": 2167,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.subject\",\
\"weight\": 2168,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.created\",\
\"weight\": 2169,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 1,\
\"path\": \"DocumentReference.indexed\",\
\"weight\": 2170,\
\"max\": \"1\",\
\"type\": \"instant\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.author\",\
\"weight\": 2171,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.authenticator\",\
\"weight\": 2172,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.custodian\",\
\"weight\": 2173,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.relatesTo\",\
\"weight\": 2174,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.relatesTo.id\",\
\"weight\": 2175,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.relatesTo.extension\",\
\"weight\": 2176,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.relatesTo.modifierExtension\",\
\"weight\": 2177,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"DocumentReference.relatesTo.code\",\
\"weight\": 2178,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"DocumentReference.relatesTo.target\",\
\"weight\": 2179,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.description\",\
\"weight\": 2180,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.securityLabel\",\
\"weight\": 2181,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"DocumentReference.content\",\
\"weight\": 2182,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.content.id\",\
\"weight\": 2183,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.content.extension\",\
\"weight\": 2184,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.content.modifierExtension\",\
\"weight\": 2185,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"DocumentReference.content.attachment\",\
\"weight\": 2186,\
\"max\": \"1\",\
\"type\": \"Attachment\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.content.format\",\
\"weight\": 2187,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.context\",\
\"weight\": 2188,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.context.id\",\
\"weight\": 2189,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.context.extension\",\
\"weight\": 2190,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.context.modifierExtension\",\
\"weight\": 2191,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.context.encounter\",\
\"weight\": 2192,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.context.event\",\
\"weight\": 2193,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.context.period\",\
\"weight\": 2194,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.context.facilityType\",\
\"weight\": 2195,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.context.practiceSetting\",\
\"weight\": 2196,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.context.sourcePatientInfo\",\
\"weight\": 2197,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.context.related\",\
\"weight\": 2198,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.context.related.id\",\
\"weight\": 2199,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.context.related.extension\",\
\"weight\": 2200,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.context.related.modifierExtension\",\
\"weight\": 2201,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.context.related.identifier\",\
\"weight\": 2202,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"DocumentReference.context.related.ref\",\
\"weight\": 2203,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"DomainResource\",\
\"weight\": 2204,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"derivations\": [\
\"Account\",\
\"ActivityDefinition\",\
\"AdverseEvent\",\
\"AllergyIntolerance\",\
\"Appointment\",\
\"AppointmentResponse\",\
\"AuditEvent\",\
\"Basic\",\
\"BodySite\",\
\"CapabilityStatement\",\
\"CarePlan\",\
\"CareTeam\",\
\"ChargeItem\",\
\"Claim\",\
\"ClaimResponse\",\
\"ClinicalImpression\",\
\"CodeSystem\",\
\"Communication\",\
\"CommunicationRequest\",\
\"CompartmentDefinition\",\
\"Composition\",\
\"ConceptMap\",\
\"Condition\",\
\"Consent\",\
\"Contract\",\
\"Coverage\",\
\"DataElement\",\
\"DetectedIssue\",\
\"Device\",\
\"DeviceComponent\",\
\"DeviceMetric\",\
\"DeviceRequest\",\
\"DeviceUseStatement\",\
\"DiagnosticReport\",\
\"DocumentManifest\",\
\"DocumentReference\",\
\"EligibilityRequest\",\
\"EligibilityResponse\",\
\"Encounter\",\
\"Endpoint\",\
\"EnrollmentRequest\",\
\"EnrollmentResponse\",\
\"EpisodeOfCare\",\
\"ExpansionProfile\",\
\"ExplanationOfBenefit\",\
\"FamilyMemberHistory\",\
\"Flag\",\
\"Goal\",\
\"GraphDefinition\",\
\"Group\",\
\"GuidanceResponse\",\
\"HealthcareService\",\
\"ImagingManifest\",\
\"ImagingStudy\",\
\"Immunization\",\
\"ImmunizationRecommendation\",\
\"ImplementationGuide\",\
\"Library\",\
\"Linkage\",\
\"List\",\
\"Location\",\
\"Measure\",\
\"MeasureReport\",\
\"Media\",\
\"Medication\",\
\"MedicationAdministration\",\
\"MedicationDispense\",\
\"MedicationRequest\",\
\"MedicationStatement\",\
\"MessageDefinition\",\
\"MessageHeader\",\
\"MetadataResource\",\
\"NamingSystem\",\
\"NutritionOrder\",\
\"Observation\",\
\"OperationDefinition\",\
\"OperationOutcome\",\
\"Organization\",\
\"Patient\",\
\"PaymentNotice\",\
\"PaymentReconciliation\",\
\"Person\",\
\"PlanDefinition\",\
\"Practitioner\",\
\"PractitionerRole\",\
\"Procedure\",\
\"ProcedureRequest\",\
\"ProcessRequest\",\
\"ProcessResponse\",\
\"Provenance\",\
\"Questionnaire\",\
\"QuestionnaireResponse\",\
\"ReferralRequest\",\
\"RelatedPerson\",\
\"RequestGroup\",\
\"ResearchStudy\",\
\"ResearchSubject\",\
\"RiskAssessment\",\
\"Schedule\",\
\"SearchParameter\",\
\"Sequence\",\
\"ServiceDefinition\",\
\"Slot\",\
\"Specimen\",\
\"StructureDefinition\",\
\"StructureMap\",\
\"Subscription\",\
\"Substance\",\
\"SupplyDelivery\",\
\"SupplyRequest\",\
\"Task\",\
\"TestReport\",\
\"TestScript\",\
\"ValueSet\",\
\"VisionPrescription\"\
],\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"DomainResource.id\",\
\"weight\": 2205,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"DomainResource.meta\",\
\"weight\": 2206,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"DomainResource.implicitRules\",\
\"weight\": 2207,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"DomainResource.language\",\
\"weight\": 2208,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"DomainResource.text\",\
\"weight\": 2209,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"DomainResource.contained\",\
\"weight\": 2210,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"DomainResource.extension\",\
\"weight\": 2211,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"DomainResource.modifierExtension\",\
\"weight\": 2212,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityRequest\",\
\"weight\": 2213,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityRequest.id\",\
\"weight\": 2214,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityRequest.meta\",\
\"weight\": 2215,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityRequest.implicitRules\",\
\"weight\": 2216,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityRequest.language\",\
\"weight\": 2217,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityRequest.text\",\
\"weight\": 2218,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityRequest.contained\",\
\"weight\": 2219,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityRequest.extension\",\
\"weight\": 2220,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityRequest.modifierExtension\",\
\"weight\": 2221,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityRequest.identifier\",\
\"weight\": 2222,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityRequest.status\",\
\"weight\": 2223,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityRequest.priority\",\
\"weight\": 2224,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityRequest.patient\",\
\"weight\": 2225,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityRequest.servicedDate\",\
\"weight\": 2226,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityRequest.servicedPeriod\",\
\"weight\": 2226,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityRequest.created\",\
\"weight\": 2227,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityRequest.enterer\",\
\"weight\": 2228,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityRequest.provider\",\
\"weight\": 2229,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityRequest.organization\",\
\"weight\": 2230,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityRequest.insurer\",\
\"weight\": 2231,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityRequest.facility\",\
\"weight\": 2232,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityRequest.coverage\",\
\"weight\": 2233,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityRequest.businessArrangement\",\
\"weight\": 2234,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityRequest.benefitCategory\",\
\"weight\": 2235,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityRequest.benefitSubCategory\",\
\"weight\": 2236,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse\",\
\"weight\": 2237,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.id\",\
\"weight\": 2238,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.meta\",\
\"weight\": 2239,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.implicitRules\",\
\"weight\": 2240,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.language\",\
\"weight\": 2241,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.text\",\
\"weight\": 2242,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.contained\",\
\"weight\": 2243,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.extension\",\
\"weight\": 2244,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.modifierExtension\",\
\"weight\": 2245,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.identifier\",\
\"weight\": 2246,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.status\",\
\"weight\": 2247,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.created\",\
\"weight\": 2248,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.requestProvider\",\
\"weight\": 2249,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.requestOrganization\",\
\"weight\": 2250,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.request\",\
\"weight\": 2251,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.outcome\",\
\"weight\": 2252,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.disposition\",\
\"weight\": 2253,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.insurer\",\
\"weight\": 2254,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.inforce\",\
\"weight\": 2255,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.insurance\",\
\"weight\": 2256,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.insurance.id\",\
\"weight\": 2257,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.insurance.extension\",\
\"weight\": 2258,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.insurance.modifierExtension\",\
\"weight\": 2259,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.insurance.coverage\",\
\"weight\": 2260,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.insurance.contract\",\
\"weight\": 2261,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.insurance.benefitBalance\",\
\"weight\": 2262,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.insurance.benefitBalance.id\",\
\"weight\": 2263,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.insurance.benefitBalance.extension\",\
\"weight\": 2264,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.insurance.benefitBalance.modifierExtension\",\
\"weight\": 2265,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"EligibilityResponse.insurance.benefitBalance.category\",\
\"weight\": 2266,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.insurance.benefitBalance.subCategory\",\
\"weight\": 2267,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.insurance.benefitBalance.excluded\",\
\"weight\": 2268,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.insurance.benefitBalance.name\",\
\"weight\": 2269,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.insurance.benefitBalance.description\",\
\"weight\": 2270,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.insurance.benefitBalance.network\",\
\"weight\": 2271,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.insurance.benefitBalance.unit\",\
\"weight\": 2272,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.insurance.benefitBalance.term\",\
\"weight\": 2273,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.insurance.benefitBalance.financial\",\
\"weight\": 2274,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.insurance.benefitBalance.financial.id\",\
\"weight\": 2275,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.insurance.benefitBalance.financial.extension\",\
\"weight\": 2276,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.insurance.benefitBalance.financial.modifierExtension\",\
\"weight\": 2277,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"EligibilityResponse.insurance.benefitBalance.financial.type\",\
\"weight\": 2278,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.insurance.benefitBalance.financial.allowedUnsignedInt\",\
\"weight\": 2279,\
\"max\": \"1\",\
\"type\": \"unsignedInt\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.insurance.benefitBalance.financial.allowedString\",\
\"weight\": 2279,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.insurance.benefitBalance.financial.allowedMoney\",\
\"weight\": 2279,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.insurance.benefitBalance.financial.usedUnsignedInt\",\
\"weight\": 2280,\
\"max\": \"1\",\
\"type\": \"unsignedInt\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.insurance.benefitBalance.financial.usedMoney\",\
\"weight\": 2280,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.form\",\
\"weight\": 2281,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.error\",\
\"weight\": 2282,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.error.id\",\
\"weight\": 2283,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.error.extension\",\
\"weight\": 2284,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"EligibilityResponse.error.modifierExtension\",\
\"weight\": 2285,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"EligibilityResponse.error.code\",\
\"weight\": 2286,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter\",\
\"weight\": 2287,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.id\",\
\"weight\": 2288,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.meta\",\
\"weight\": 2289,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.implicitRules\",\
\"weight\": 2290,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.language\",\
\"weight\": 2291,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.text\",\
\"weight\": 2292,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.contained\",\
\"weight\": 2293,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.extension\",\
\"weight\": 2294,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.modifierExtension\",\
\"weight\": 2295,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.identifier\",\
\"weight\": 2296,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 1,\
\"path\": \"Encounter.status\",\
\"weight\": 2297,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.statusHistory\",\
\"weight\": 2298,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.statusHistory.id\",\
\"weight\": 2299,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.statusHistory.extension\",\
\"weight\": 2300,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.statusHistory.modifierExtension\",\
\"weight\": 2301,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Encounter.statusHistory.status\",\
\"weight\": 2302,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"Encounter.statusHistory.period\",\
\"weight\": 2303,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.class\",\
\"weight\": 2304,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.classHistory\",\
\"weight\": 2305,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.classHistory.id\",\
\"weight\": 2306,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.classHistory.extension\",\
\"weight\": 2307,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.classHistory.modifierExtension\",\
\"weight\": 2308,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Encounter.classHistory.class\",\
\"weight\": 2309,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 1,\
\"path\": \"Encounter.classHistory.period\",\
\"weight\": 2310,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.type\",\
\"weight\": 2311,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.priority\",\
\"weight\": 2312,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.subject\",\
\"weight\": 2313,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.episodeOfCare\",\
\"weight\": 2314,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.incomingReferral\",\
\"weight\": 2315,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.participant\",\
\"weight\": 2316,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.participant.id\",\
\"weight\": 2317,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.participant.extension\",\
\"weight\": 2318,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.participant.modifierExtension\",\
\"weight\": 2319,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.participant.type\",\
\"weight\": 2320,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.participant.period\",\
\"weight\": 2321,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.participant.individual\",\
\"weight\": 2322,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.appointment\",\
\"weight\": 2323,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.period\",\
\"weight\": 2324,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.length\",\
\"weight\": 2325,\
\"max\": \"1\",\
\"type\": \"Duration\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.reason\",\
\"weight\": 2326,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.diagnosis\",\
\"weight\": 2327,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.diagnosis.id\",\
\"weight\": 2328,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.diagnosis.extension\",\
\"weight\": 2329,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.diagnosis.modifierExtension\",\
\"weight\": 2330,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Encounter.diagnosis.condition\",\
\"weight\": 2331,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.diagnosis.role\",\
\"weight\": 2332,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.diagnosis.rank\",\
\"weight\": 2333,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.account\",\
\"weight\": 2334,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.hospitalization\",\
\"weight\": 2335,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.hospitalization.id\",\
\"weight\": 2336,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.hospitalization.extension\",\
\"weight\": 2337,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.hospitalization.modifierExtension\",\
\"weight\": 2338,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.hospitalization.preAdmissionIdentifier\",\
\"weight\": 2339,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.hospitalization.origin\",\
\"weight\": 2340,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.hospitalization.admitSource\",\
\"weight\": 2341,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.hospitalization.reAdmission\",\
\"weight\": 2342,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.hospitalization.dietPreference\",\
\"weight\": 2343,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.hospitalization.specialCourtesy\",\
\"weight\": 2344,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.hospitalization.specialArrangement\",\
\"weight\": 2345,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.hospitalization.destination\",\
\"weight\": 2346,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.hospitalization.dischargeDisposition\",\
\"weight\": 2347,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.location\",\
\"weight\": 2348,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.location.id\",\
\"weight\": 2349,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.location.extension\",\
\"weight\": 2350,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.location.modifierExtension\",\
\"weight\": 2351,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Encounter.location.location\",\
\"weight\": 2352,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.location.status\",\
\"weight\": 2353,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.location.period\",\
\"weight\": 2354,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.serviceProvider\",\
\"weight\": 2355,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Encounter.partOf\",\
\"weight\": 2356,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Endpoint\",\
\"weight\": 2357,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Endpoint.id\",\
\"weight\": 2358,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Endpoint.meta\",\
\"weight\": 2359,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Endpoint.implicitRules\",\
\"weight\": 2360,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Endpoint.language\",\
\"weight\": 2361,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Endpoint.text\",\
\"weight\": 2362,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Endpoint.contained\",\
\"weight\": 2363,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Endpoint.extension\",\
\"weight\": 2364,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Endpoint.modifierExtension\",\
\"weight\": 2365,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Endpoint.identifier\",\
\"weight\": 2366,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 1,\
\"path\": \"Endpoint.status\",\
\"weight\": 2367,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"Endpoint.connectionType\",\
\"weight\": 2368,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"Endpoint.name\",\
\"weight\": 2369,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Endpoint.managingOrganization\",\
\"weight\": 2370,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Endpoint.contact\",\
\"weight\": 2371,\
\"max\": \"*\",\
\"type\": \"ContactPoint\"\
},\
{\
\"min\": 0,\
\"path\": \"Endpoint.period\",\
\"weight\": 2372,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 1,\
\"path\": \"Endpoint.payloadType\",\
\"weight\": 2373,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Endpoint.payloadMimeType\",\
\"weight\": 2374,\
\"max\": \"*\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"Endpoint.address\",\
\"weight\": 2375,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Endpoint.header\",\
\"weight\": 2376,\
\"max\": \"*\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"EnrollmentRequest\",\
\"weight\": 2377,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"EnrollmentRequest.id\",\
\"weight\": 2378,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"EnrollmentRequest.meta\",\
\"weight\": 2379,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"EnrollmentRequest.implicitRules\",\
\"weight\": 2380,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"EnrollmentRequest.language\",\
\"weight\": 2381,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"EnrollmentRequest.text\",\
\"weight\": 2382,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"EnrollmentRequest.contained\",\
\"weight\": 2383,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"EnrollmentRequest.extension\",\
\"weight\": 2384,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"EnrollmentRequest.modifierExtension\",\
\"weight\": 2385,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"EnrollmentRequest.identifier\",\
\"weight\": 2386,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"EnrollmentRequest.status\",\
\"weight\": 2387,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"EnrollmentRequest.created\",\
\"weight\": 2388,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"EnrollmentRequest.insurer\",\
\"weight\": 2389,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"EnrollmentRequest.provider\",\
\"weight\": 2390,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"EnrollmentRequest.organization\",\
\"weight\": 2391,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"EnrollmentRequest.subject\",\
\"weight\": 2392,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"EnrollmentRequest.coverage\",\
\"weight\": 2393,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"EnrollmentResponse\",\
\"weight\": 2394,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"EnrollmentResponse.id\",\
\"weight\": 2395,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"EnrollmentResponse.meta\",\
\"weight\": 2396,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"EnrollmentResponse.implicitRules\",\
\"weight\": 2397,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"EnrollmentResponse.language\",\
\"weight\": 2398,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"EnrollmentResponse.text\",\
\"weight\": 2399,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"EnrollmentResponse.contained\",\
\"weight\": 2400,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"EnrollmentResponse.extension\",\
\"weight\": 2401,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"EnrollmentResponse.modifierExtension\",\
\"weight\": 2402,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"EnrollmentResponse.identifier\",\
\"weight\": 2403,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"EnrollmentResponse.status\",\
\"weight\": 2404,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"EnrollmentResponse.request\",\
\"weight\": 2405,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"EnrollmentResponse.outcome\",\
\"weight\": 2406,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"EnrollmentResponse.disposition\",\
\"weight\": 2407,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"EnrollmentResponse.created\",\
\"weight\": 2408,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"EnrollmentResponse.organization\",\
\"weight\": 2409,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"EnrollmentResponse.requestProvider\",\
\"weight\": 2410,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"EnrollmentResponse.requestOrganization\",\
\"weight\": 2411,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"EpisodeOfCare\",\
\"weight\": 2412,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"EpisodeOfCare.id\",\
\"weight\": 2413,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"EpisodeOfCare.meta\",\
\"weight\": 2414,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"EpisodeOfCare.implicitRules\",\
\"weight\": 2415,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"EpisodeOfCare.language\",\
\"weight\": 2416,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"EpisodeOfCare.text\",\
\"weight\": 2417,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"EpisodeOfCare.contained\",\
\"weight\": 2418,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"EpisodeOfCare.extension\",\
\"weight\": 2419,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"EpisodeOfCare.modifierExtension\",\
\"weight\": 2420,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"EpisodeOfCare.identifier\",\
\"weight\": 2421,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 1,\
\"path\": \"EpisodeOfCare.status\",\
\"weight\": 2422,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"EpisodeOfCare.statusHistory\",\
\"weight\": 2423,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"EpisodeOfCare.statusHistory.id\",\
\"weight\": 2424,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"EpisodeOfCare.statusHistory.extension\",\
\"weight\": 2425,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"EpisodeOfCare.statusHistory.modifierExtension\",\
\"weight\": 2426,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"EpisodeOfCare.statusHistory.status\",\
\"weight\": 2427,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"EpisodeOfCare.statusHistory.period\",\
\"weight\": 2428,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"EpisodeOfCare.type\",\
\"weight\": 2429,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"EpisodeOfCare.diagnosis\",\
\"weight\": 2430,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"EpisodeOfCare.diagnosis.id\",\
\"weight\": 2431,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"EpisodeOfCare.diagnosis.extension\",\
\"weight\": 2432,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"EpisodeOfCare.diagnosis.modifierExtension\",\
\"weight\": 2433,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"EpisodeOfCare.diagnosis.condition\",\
\"weight\": 2434,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"EpisodeOfCare.diagnosis.role\",\
\"weight\": 2435,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"EpisodeOfCare.diagnosis.rank\",\
\"weight\": 2436,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 1,\
\"path\": \"EpisodeOfCare.patient\",\
\"weight\": 2437,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"EpisodeOfCare.managingOrganization\",\
\"weight\": 2438,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"EpisodeOfCare.period\",\
\"weight\": 2439,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"EpisodeOfCare.referralRequest\",\
\"weight\": 2440,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"EpisodeOfCare.careManager\",\
\"weight\": 2441,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"EpisodeOfCare.team\",\
\"weight\": 2442,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"EpisodeOfCare.account\",\
\"weight\": 2443,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile\",\
\"weight\": 2444,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.id\",\
\"weight\": 2445,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.meta\",\
\"weight\": 2446,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.implicitRules\",\
\"weight\": 2447,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.language\",\
\"weight\": 2448,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.text\",\
\"weight\": 2449,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.contained\",\
\"weight\": 2450,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.extension\",\
\"weight\": 2451,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.modifierExtension\",\
\"weight\": 2452,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.url\",\
\"weight\": 2453,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.identifier\",\
\"weight\": 2454,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.version\",\
\"weight\": 2455,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.name\",\
\"weight\": 2456,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"ExpansionProfile.status\",\
\"weight\": 2457,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.experimental\",\
\"weight\": 2458,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.date\",\
\"weight\": 2459,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.publisher\",\
\"weight\": 2460,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.contact\",\
\"weight\": 2461,\
\"max\": \"*\",\
\"type\": \"ContactDetail\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.description\",\
\"weight\": 2462,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.useContext\",\
\"weight\": 2463,\
\"max\": \"*\",\
\"type\": \"UsageContext\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.jurisdiction\",\
\"weight\": 2464,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.fixedVersion\",\
\"weight\": 2465,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.fixedVersion.id\",\
\"weight\": 2466,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.fixedVersion.extension\",\
\"weight\": 2467,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.fixedVersion.modifierExtension\",\
\"weight\": 2468,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ExpansionProfile.fixedVersion.system\",\
\"weight\": 2469,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 1,\
\"path\": \"ExpansionProfile.fixedVersion.version\",\
\"weight\": 2470,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"ExpansionProfile.fixedVersion.mode\",\
\"weight\": 2471,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.excludedSystem\",\
\"weight\": 2472,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.excludedSystem.id\",\
\"weight\": 2473,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.excludedSystem.extension\",\
\"weight\": 2474,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.excludedSystem.modifierExtension\",\
\"weight\": 2475,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ExpansionProfile.excludedSystem.system\",\
\"weight\": 2476,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.excludedSystem.version\",\
\"weight\": 2477,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.includeDesignations\",\
\"weight\": 2478,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.designation\",\
\"weight\": 2479,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.designation.id\",\
\"weight\": 2480,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.designation.extension\",\
\"weight\": 2481,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.designation.modifierExtension\",\
\"weight\": 2482,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.designation.include\",\
\"weight\": 2483,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.designation.include.id\",\
\"weight\": 2484,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.designation.include.extension\",\
\"weight\": 2485,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.designation.include.modifierExtension\",\
\"weight\": 2486,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.designation.include.designation\",\
\"weight\": 2487,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.designation.include.designation.id\",\
\"weight\": 2488,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.designation.include.designation.extension\",\
\"weight\": 2489,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.designation.include.designation.modifierExtension\",\
\"weight\": 2490,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.designation.include.designation.language\",\
\"weight\": 2491,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.designation.include.designation.use\",\
\"weight\": 2492,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.designation.exclude\",\
\"weight\": 2493,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.designation.exclude.id\",\
\"weight\": 2494,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.designation.exclude.extension\",\
\"weight\": 2495,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.designation.exclude.modifierExtension\",\
\"weight\": 2496,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.designation.exclude.designation\",\
\"weight\": 2497,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.designation.exclude.designation.id\",\
\"weight\": 2498,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.designation.exclude.designation.extension\",\
\"weight\": 2499,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.designation.exclude.designation.modifierExtension\",\
\"weight\": 2500,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.designation.exclude.designation.language\",\
\"weight\": 2501,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.designation.exclude.designation.use\",\
\"weight\": 2502,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.includeDefinition\",\
\"weight\": 2503,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.activeOnly\",\
\"weight\": 2504,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.excludeNested\",\
\"weight\": 2505,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.excludeNotForUI\",\
\"weight\": 2506,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.excludePostCoordinated\",\
\"weight\": 2507,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.displayLanguage\",\
\"weight\": 2508,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ExpansionProfile.limitedExpansion\",\
\"weight\": 2509,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit\",\
\"weight\": 2510,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.id\",\
\"weight\": 2511,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.meta\",\
\"weight\": 2512,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.implicitRules\",\
\"weight\": 2513,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.language\",\
\"weight\": 2514,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.text\",\
\"weight\": 2515,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.contained\",\
\"weight\": 2516,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.extension\",\
\"weight\": 2517,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.modifierExtension\",\
\"weight\": 2518,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.identifier\",\
\"weight\": 2519,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.status\",\
\"weight\": 2520,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.type\",\
\"weight\": 2521,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.subType\",\
\"weight\": 2522,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.patient\",\
\"weight\": 2523,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.billablePeriod\",\
\"weight\": 2524,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.created\",\
\"weight\": 2525,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.enterer\",\
\"weight\": 2526,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.insurer\",\
\"weight\": 2527,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.provider\",\
\"weight\": 2528,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.organization\",\
\"weight\": 2529,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.referral\",\
\"weight\": 2530,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.facility\",\
\"weight\": 2531,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.claim\",\
\"weight\": 2532,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.claimResponse\",\
\"weight\": 2533,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.outcome\",\
\"weight\": 2534,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.disposition\",\
\"weight\": 2535,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.related\",\
\"weight\": 2536,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.related.id\",\
\"weight\": 2537,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.related.extension\",\
\"weight\": 2538,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.related.modifierExtension\",\
\"weight\": 2539,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.related.claim\",\
\"weight\": 2540,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.related.relationship\",\
\"weight\": 2541,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.related.reference\",\
\"weight\": 2542,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.prescription\",\
\"weight\": 2543,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.originalPrescription\",\
\"weight\": 2544,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.payee\",\
\"weight\": 2545,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.payee.id\",\
\"weight\": 2546,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.payee.extension\",\
\"weight\": 2547,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.payee.modifierExtension\",\
\"weight\": 2548,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.payee.type\",\
\"weight\": 2549,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.payee.resourceType\",\
\"weight\": 2550,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.payee.party\",\
\"weight\": 2551,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.information\",\
\"weight\": 2552,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.information.id\",\
\"weight\": 2553,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.information.extension\",\
\"weight\": 2554,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.information.modifierExtension\",\
\"weight\": 2555,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ExplanationOfBenefit.information.sequence\",\
\"weight\": 2556,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 1,\
\"path\": \"ExplanationOfBenefit.information.category\",\
\"weight\": 2557,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.information.code\",\
\"weight\": 2558,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.information.timingDate\",\
\"weight\": 2559,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.information.timingPeriod\",\
\"weight\": 2559,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.information.valueString\",\
\"weight\": 2560,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.information.valueQuantity\",\
\"weight\": 2560,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.information.valueAttachment\",\
\"weight\": 2560,\
\"max\": \"1\",\
\"type\": \"Attachment\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.information.valueReference\",\
\"weight\": 2560,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.information.reason\",\
\"weight\": 2561,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.careTeam\",\
\"weight\": 2562,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.careTeam.id\",\
\"weight\": 2563,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.careTeam.extension\",\
\"weight\": 2564,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.careTeam.modifierExtension\",\
\"weight\": 2565,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ExplanationOfBenefit.careTeam.sequence\",\
\"weight\": 2566,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 1,\
\"path\": \"ExplanationOfBenefit.careTeam.provider\",\
\"weight\": 2567,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.careTeam.responsible\",\
\"weight\": 2568,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.careTeam.role\",\
\"weight\": 2569,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.careTeam.qualification\",\
\"weight\": 2570,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.diagnosis\",\
\"weight\": 2571,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.diagnosis.id\",\
\"weight\": 2572,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.diagnosis.extension\",\
\"weight\": 2573,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.diagnosis.modifierExtension\",\
\"weight\": 2574,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ExplanationOfBenefit.diagnosis.sequence\",\
\"weight\": 2575,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 1,\
\"path\": \"ExplanationOfBenefit.diagnosis.diagnosisCodeableConcept\",\
\"weight\": 2576,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"ExplanationOfBenefit.diagnosis.diagnosisReference\",\
\"weight\": 2576,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.diagnosis.type\",\
\"weight\": 2577,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.diagnosis.packageCode\",\
\"weight\": 2578,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.procedure\",\
\"weight\": 2579,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.procedure.id\",\
\"weight\": 2580,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.procedure.extension\",\
\"weight\": 2581,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.procedure.modifierExtension\",\
\"weight\": 2582,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ExplanationOfBenefit.procedure.sequence\",\
\"weight\": 2583,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.procedure.date\",\
\"weight\": 2584,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 1,\
\"path\": \"ExplanationOfBenefit.procedure.procedureCodeableConcept\",\
\"weight\": 2585,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"ExplanationOfBenefit.procedure.procedureReference\",\
\"weight\": 2585,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.precedence\",\
\"weight\": 2586,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.insurance\",\
\"weight\": 2587,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.insurance.id\",\
\"weight\": 2588,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.insurance.extension\",\
\"weight\": 2589,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.insurance.modifierExtension\",\
\"weight\": 2590,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.insurance.coverage\",\
\"weight\": 2591,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.insurance.preAuthRef\",\
\"weight\": 2592,\
\"max\": \"*\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.accident\",\
\"weight\": 2593,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.accident.id\",\
\"weight\": 2594,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.accident.extension\",\
\"weight\": 2595,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.accident.modifierExtension\",\
\"weight\": 2596,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.accident.date\",\
\"weight\": 2597,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.accident.type\",\
\"weight\": 2598,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.accident.locationAddress\",\
\"weight\": 2599,\
\"max\": \"1\",\
\"type\": \"Address\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.accident.locationReference\",\
\"weight\": 2599,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.employmentImpacted\",\
\"weight\": 2600,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.hospitalization\",\
\"weight\": 2601,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item\",\
\"weight\": 2602,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.id\",\
\"weight\": 2603,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.extension\",\
\"weight\": 2604,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.modifierExtension\",\
\"weight\": 2605,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ExplanationOfBenefit.item.sequence\",\
\"weight\": 2606,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.careTeamLinkId\",\
\"weight\": 2607,\
\"max\": \"*\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.diagnosisLinkId\",\
\"weight\": 2608,\
\"max\": \"*\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.procedureLinkId\",\
\"weight\": 2609,\
\"max\": \"*\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.informationLinkId\",\
\"weight\": 2610,\
\"max\": \"*\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.revenue\",\
\"weight\": 2611,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.category\",\
\"weight\": 2612,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.service\",\
\"weight\": 2613,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.modifier\",\
\"weight\": 2614,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.programCode\",\
\"weight\": 2615,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.servicedDate\",\
\"weight\": 2616,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.servicedPeriod\",\
\"weight\": 2616,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.locationCodeableConcept\",\
\"weight\": 2617,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.locationAddress\",\
\"weight\": 2617,\
\"max\": \"1\",\
\"type\": \"Address\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.locationReference\",\
\"weight\": 2617,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.quantity\",\
\"weight\": 2618,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.unitPrice\",\
\"weight\": 2619,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.factor\",\
\"weight\": 2620,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.net\",\
\"weight\": 2621,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.udi\",\
\"weight\": 2622,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.bodySite\",\
\"weight\": 2623,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.subSite\",\
\"weight\": 2624,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.encounter\",\
\"weight\": 2625,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.noteNumber\",\
\"weight\": 2626,\
\"max\": \"*\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.adjudication\",\
\"weight\": 2627,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.adjudication.id\",\
\"weight\": 2628,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.adjudication.extension\",\
\"weight\": 2629,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.adjudication.modifierExtension\",\
\"weight\": 2630,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ExplanationOfBenefit.item.adjudication.category\",\
\"weight\": 2631,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.adjudication.reason\",\
\"weight\": 2632,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.adjudication.amount\",\
\"weight\": 2633,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.adjudication.value\",\
\"weight\": 2634,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.detail\",\
\"weight\": 2635,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.detail.id\",\
\"weight\": 2636,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.detail.extension\",\
\"weight\": 2637,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.detail.modifierExtension\",\
\"weight\": 2638,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ExplanationOfBenefit.item.detail.sequence\",\
\"weight\": 2639,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 1,\
\"path\": \"ExplanationOfBenefit.item.detail.type\",\
\"weight\": 2640,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.detail.revenue\",\
\"weight\": 2641,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.detail.category\",\
\"weight\": 2642,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.detail.service\",\
\"weight\": 2643,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.detail.modifier\",\
\"weight\": 2644,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.detail.programCode\",\
\"weight\": 2645,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.detail.quantity\",\
\"weight\": 2646,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.detail.unitPrice\",\
\"weight\": 2647,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.detail.factor\",\
\"weight\": 2648,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.detail.net\",\
\"weight\": 2649,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.detail.udi\",\
\"weight\": 2650,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.detail.noteNumber\",\
\"weight\": 2651,\
\"max\": \"*\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.detail.adjudication\",\
\"weight\": 2652,\
\"max\": \"*\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.detail.subDetail\",\
\"weight\": 2653,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.detail.subDetail.id\",\
\"weight\": 2654,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.detail.subDetail.extension\",\
\"weight\": 2655,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.detail.subDetail.modifierExtension\",\
\"weight\": 2656,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ExplanationOfBenefit.item.detail.subDetail.sequence\",\
\"weight\": 2657,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 1,\
\"path\": \"ExplanationOfBenefit.item.detail.subDetail.type\",\
\"weight\": 2658,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.detail.subDetail.revenue\",\
\"weight\": 2659,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.detail.subDetail.category\",\
\"weight\": 2660,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.detail.subDetail.service\",\
\"weight\": 2661,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.detail.subDetail.modifier\",\
\"weight\": 2662,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.detail.subDetail.programCode\",\
\"weight\": 2663,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.detail.subDetail.quantity\",\
\"weight\": 2664,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.detail.subDetail.unitPrice\",\
\"weight\": 2665,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.detail.subDetail.factor\",\
\"weight\": 2666,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.detail.subDetail.net\",\
\"weight\": 2667,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.detail.subDetail.udi\",\
\"weight\": 2668,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.detail.subDetail.noteNumber\",\
\"weight\": 2669,\
\"max\": \"*\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.item.detail.subDetail.adjudication\",\
\"weight\": 2670,\
\"max\": \"*\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.addItem\",\
\"weight\": 2671,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.addItem.id\",\
\"weight\": 2672,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.addItem.extension\",\
\"weight\": 2673,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.addItem.modifierExtension\",\
\"weight\": 2674,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.addItem.sequenceLinkId\",\
\"weight\": 2675,\
\"max\": \"*\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.addItem.revenue\",\
\"weight\": 2676,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.addItem.category\",\
\"weight\": 2677,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.addItem.service\",\
\"weight\": 2678,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.addItem.modifier\",\
\"weight\": 2679,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.addItem.fee\",\
\"weight\": 2680,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.addItem.noteNumber\",\
\"weight\": 2681,\
\"max\": \"*\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.addItem.adjudication\",\
\"weight\": 2682,\
\"max\": \"*\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.addItem.detail\",\
\"weight\": 2683,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.addItem.detail.id\",\
\"weight\": 2684,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.addItem.detail.extension\",\
\"weight\": 2685,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.addItem.detail.modifierExtension\",\
\"weight\": 2686,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.addItem.detail.revenue\",\
\"weight\": 2687,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.addItem.detail.category\",\
\"weight\": 2688,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.addItem.detail.service\",\
\"weight\": 2689,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.addItem.detail.modifier\",\
\"weight\": 2690,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.addItem.detail.fee\",\
\"weight\": 2691,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.addItem.detail.noteNumber\",\
\"weight\": 2692,\
\"max\": \"*\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.addItem.detail.adjudication\",\
\"weight\": 2693,\
\"max\": \"*\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.totalCost\",\
\"weight\": 2694,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.unallocDeductable\",\
\"weight\": 2695,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.totalBenefit\",\
\"weight\": 2696,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.payment\",\
\"weight\": 2697,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.payment.id\",\
\"weight\": 2698,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.payment.extension\",\
\"weight\": 2699,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.payment.modifierExtension\",\
\"weight\": 2700,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.payment.type\",\
\"weight\": 2701,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.payment.adjustment\",\
\"weight\": 2702,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.payment.adjustmentReason\",\
\"weight\": 2703,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.payment.date\",\
\"weight\": 2704,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.payment.amount\",\
\"weight\": 2705,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.payment.identifier\",\
\"weight\": 2706,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.form\",\
\"weight\": 2707,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.processNote\",\
\"weight\": 2708,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.processNote.id\",\
\"weight\": 2709,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.processNote.extension\",\
\"weight\": 2710,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.processNote.modifierExtension\",\
\"weight\": 2711,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.processNote.number\",\
\"weight\": 2712,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.processNote.type\",\
\"weight\": 2713,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.processNote.text\",\
\"weight\": 2714,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.processNote.language\",\
\"weight\": 2715,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.benefitBalance\",\
\"weight\": 2716,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.benefitBalance.id\",\
\"weight\": 2717,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.benefitBalance.extension\",\
\"weight\": 2718,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.benefitBalance.modifierExtension\",\
\"weight\": 2719,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ExplanationOfBenefit.benefitBalance.category\",\
\"weight\": 2720,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.benefitBalance.subCategory\",\
\"weight\": 2721,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.benefitBalance.excluded\",\
\"weight\": 2722,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.benefitBalance.name\",\
\"weight\": 2723,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.benefitBalance.description\",\
\"weight\": 2724,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.benefitBalance.network\",\
\"weight\": 2725,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.benefitBalance.unit\",\
\"weight\": 2726,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.benefitBalance.term\",\
\"weight\": 2727,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.benefitBalance.financial\",\
\"weight\": 2728,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.benefitBalance.financial.id\",\
\"weight\": 2729,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.benefitBalance.financial.extension\",\
\"weight\": 2730,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.benefitBalance.financial.modifierExtension\",\
\"weight\": 2731,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ExplanationOfBenefit.benefitBalance.financial.type\",\
\"weight\": 2732,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.benefitBalance.financial.allowedUnsignedInt\",\
\"weight\": 2733,\
\"max\": \"1\",\
\"type\": \"unsignedInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.benefitBalance.financial.allowedString\",\
\"weight\": 2733,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.benefitBalance.financial.allowedMoney\",\
\"weight\": 2733,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.benefitBalance.financial.usedUnsignedInt\",\
\"weight\": 2734,\
\"max\": \"1\",\
\"type\": \"unsignedInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ExplanationOfBenefit.benefitBalance.financial.usedMoney\",\
\"weight\": 2734,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory\",\
\"weight\": 2735,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.id\",\
\"weight\": 2736,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.meta\",\
\"weight\": 2737,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.implicitRules\",\
\"weight\": 2738,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.language\",\
\"weight\": 2739,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.text\",\
\"weight\": 2740,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.contained\",\
\"weight\": 2741,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.extension\",\
\"weight\": 2742,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.modifierExtension\",\
\"weight\": 2743,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.identifier\",\
\"weight\": 2744,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.definition\",\
\"weight\": 2745,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"FamilyMemberHistory.status\",\
\"weight\": 2746,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.notDone\",\
\"weight\": 2747,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.notDoneReason\",\
\"weight\": 2748,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"FamilyMemberHistory.patient\",\
\"weight\": 2749,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.date\",\
\"weight\": 2750,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.name\",\
\"weight\": 2751,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"FamilyMemberHistory.relationship\",\
\"weight\": 2752,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.gender\",\
\"weight\": 2753,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.bornPeriod\",\
\"weight\": 2754,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.bornDate\",\
\"weight\": 2754,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.bornString\",\
\"weight\": 2754,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.ageAge\",\
\"weight\": 2755,\
\"max\": \"1\",\
\"type\": \"Age\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.ageRange\",\
\"weight\": 2755,\
\"max\": \"1\",\
\"type\": \"Range\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.ageString\",\
\"weight\": 2755,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.estimatedAge\",\
\"weight\": 2756,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.deceasedBoolean\",\
\"weight\": 2757,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.deceasedAge\",\
\"weight\": 2757,\
\"max\": \"1\",\
\"type\": \"Age\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.deceasedRange\",\
\"weight\": 2757,\
\"max\": \"1\",\
\"type\": \"Range\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.deceasedDate\",\
\"weight\": 2757,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.deceasedString\",\
\"weight\": 2757,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.reasonCode\",\
\"weight\": 2758,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.reasonReference\",\
\"weight\": 2759,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.note\",\
\"weight\": 2760,\
\"max\": \"*\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.condition\",\
\"weight\": 2761,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.condition.id\",\
\"weight\": 2762,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.condition.extension\",\
\"weight\": 2763,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.condition.modifierExtension\",\
\"weight\": 2764,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"FamilyMemberHistory.condition.code\",\
\"weight\": 2765,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.condition.outcome\",\
\"weight\": 2766,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.condition.onsetAge\",\
\"weight\": 2767,\
\"max\": \"1\",\
\"type\": \"Age\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.condition.onsetRange\",\
\"weight\": 2767,\
\"max\": \"1\",\
\"type\": \"Range\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.condition.onsetPeriod\",\
\"weight\": 2767,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.condition.onsetString\",\
\"weight\": 2767,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"FamilyMemberHistory.condition.note\",\
\"weight\": 2768,\
\"max\": \"*\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 0,\
\"path\": \"Flag\",\
\"weight\": 2769,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Flag.id\",\
\"weight\": 2770,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Flag.meta\",\
\"weight\": 2771,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Flag.implicitRules\",\
\"weight\": 2772,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Flag.language\",\
\"weight\": 2773,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Flag.text\",\
\"weight\": 2774,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Flag.contained\",\
\"weight\": 2775,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Flag.extension\",\
\"weight\": 2776,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Flag.modifierExtension\",\
\"weight\": 2777,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Flag.identifier\",\
\"weight\": 2778,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 1,\
\"path\": \"Flag.status\",\
\"weight\": 2779,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Flag.category\",\
\"weight\": 2780,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"Flag.code\",\
\"weight\": 2781,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"Flag.subject\",\
\"weight\": 2782,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Flag.period\",\
\"weight\": 2783,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Flag.encounter\",\
\"weight\": 2784,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Flag.author\",\
\"weight\": 2785,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Goal\",\
\"weight\": 2786,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Goal.id\",\
\"weight\": 2787,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Goal.meta\",\
\"weight\": 2788,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Goal.implicitRules\",\
\"weight\": 2789,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Goal.language\",\
\"weight\": 2790,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Goal.text\",\
\"weight\": 2791,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Goal.contained\",\
\"weight\": 2792,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Goal.extension\",\
\"weight\": 2793,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Goal.modifierExtension\",\
\"weight\": 2794,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Goal.identifier\",\
\"weight\": 2795,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 1,\
\"path\": \"Goal.status\",\
\"weight\": 2796,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Goal.category\",\
\"weight\": 2797,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Goal.priority\",\
\"weight\": 2798,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"Goal.description\",\
\"weight\": 2799,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Goal.subject\",\
\"weight\": 2800,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Goal.startDate\",\
\"weight\": 2801,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"Goal.startCodeableConcept\",\
\"weight\": 2801,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Goal.target\",\
\"weight\": 2802,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Goal.target.id\",\
\"weight\": 2803,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Goal.target.extension\",\
\"weight\": 2804,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Goal.target.modifierExtension\",\
\"weight\": 2805,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Goal.target.measure\",\
\"weight\": 2806,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Goal.target.detailQuantity\",\
\"weight\": 2807,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"Goal.target.detailRange\",\
\"weight\": 2807,\
\"max\": \"1\",\
\"type\": \"Range\"\
},\
{\
\"min\": 0,\
\"path\": \"Goal.target.detailCodeableConcept\",\
\"weight\": 2807,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Goal.target.dueDate\",\
\"weight\": 2808,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"Goal.target.dueDuration\",\
\"weight\": 2808,\
\"max\": \"1\",\
\"type\": \"Duration\"\
},\
{\
\"min\": 0,\
\"path\": \"Goal.statusDate\",\
\"weight\": 2809,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"Goal.statusReason\",\
\"weight\": 2810,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Goal.expressedBy\",\
\"weight\": 2811,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Goal.addresses\",\
\"weight\": 2812,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Goal.note\",\
\"weight\": 2813,\
\"max\": \"*\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 0,\
\"path\": \"Goal.outcomeCode\",\
\"weight\": 2814,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Goal.outcomeReference\",\
\"weight\": 2815,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition\",\
\"weight\": 2816,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.id\",\
\"weight\": 2817,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.meta\",\
\"weight\": 2818,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.implicitRules\",\
\"weight\": 2819,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.language\",\
\"weight\": 2820,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.text\",\
\"weight\": 2821,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.contained\",\
\"weight\": 2822,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.extension\",\
\"weight\": 2823,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.modifierExtension\",\
\"weight\": 2824,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.url\",\
\"weight\": 2825,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.version\",\
\"weight\": 2826,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"GraphDefinition.name\",\
\"weight\": 2827,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"GraphDefinition.status\",\
\"weight\": 2828,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.experimental\",\
\"weight\": 2829,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.date\",\
\"weight\": 2830,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.publisher\",\
\"weight\": 2831,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.contact\",\
\"weight\": 2832,\
\"max\": \"*\",\
\"type\": \"ContactDetail\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.description\",\
\"weight\": 2833,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.useContext\",\
\"weight\": 2834,\
\"max\": \"*\",\
\"type\": \"UsageContext\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.jurisdiction\",\
\"weight\": 2835,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.purpose\",\
\"weight\": 2836,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 1,\
\"path\": \"GraphDefinition.start\",\
\"weight\": 2837,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.profile\",\
\"weight\": 2838,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.link\",\
\"weight\": 2839,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.link.id\",\
\"weight\": 2840,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.link.extension\",\
\"weight\": 2841,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.link.modifierExtension\",\
\"weight\": 2842,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"GraphDefinition.link.path\",\
\"weight\": 2843,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.link.sliceName\",\
\"weight\": 2844,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.link.min\",\
\"weight\": 2845,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.link.max\",\
\"weight\": 2846,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.link.description\",\
\"weight\": 2847,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"GraphDefinition.link.target\",\
\"weight\": 2848,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.link.target.id\",\
\"weight\": 2849,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.link.target.extension\",\
\"weight\": 2850,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.link.target.modifierExtension\",\
\"weight\": 2851,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"GraphDefinition.link.target.type\",\
\"weight\": 2852,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.link.target.profile\",\
\"weight\": 2853,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.link.target.compartment\",\
\"weight\": 2854,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.link.target.compartment.id\",\
\"weight\": 2855,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.link.target.compartment.extension\",\
\"weight\": 2856,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.link.target.compartment.modifierExtension\",\
\"weight\": 2857,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"GraphDefinition.link.target.compartment.code\",\
\"weight\": 2858,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"GraphDefinition.link.target.compartment.rule\",\
\"weight\": 2859,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.link.target.compartment.expression\",\
\"weight\": 2860,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.link.target.compartment.description\",\
\"weight\": 2861,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"GraphDefinition.link.target.link\",\
\"weight\": 2862,\
\"max\": \"*\"\
},\
{\
\"min\": 0,\
\"path\": \"Group\",\
\"weight\": 2863,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Group.id\",\
\"weight\": 2864,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Group.meta\",\
\"weight\": 2865,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Group.implicitRules\",\
\"weight\": 2866,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Group.language\",\
\"weight\": 2867,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Group.text\",\
\"weight\": 2868,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Group.contained\",\
\"weight\": 2869,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Group.extension\",\
\"weight\": 2870,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Group.modifierExtension\",\
\"weight\": 2871,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Group.identifier\",\
\"weight\": 2872,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Group.active\",\
\"weight\": 2873,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 1,\
\"path\": \"Group.type\",\
\"weight\": 2874,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"Group.actual\",\
\"weight\": 2875,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"Group.code\",\
\"weight\": 2876,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Group.name\",\
\"weight\": 2877,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Group.quantity\",\
\"weight\": 2878,\
\"max\": \"1\",\
\"type\": \"unsignedInt\"\
},\
{\
\"min\": 0,\
\"path\": \"Group.characteristic\",\
\"weight\": 2879,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Group.characteristic.id\",\
\"weight\": 2880,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Group.characteristic.extension\",\
\"weight\": 2881,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Group.characteristic.modifierExtension\",\
\"weight\": 2882,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Group.characteristic.code\",\
\"weight\": 2883,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"Group.characteristic.valueCodeableConcept\",\
\"weight\": 2884,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"Group.characteristic.valueBoolean\",\
\"weight\": 2884,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 1,\
\"path\": \"Group.characteristic.valueQuantity\",\
\"weight\": 2884,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 1,\
\"path\": \"Group.characteristic.valueRange\",\
\"weight\": 2884,\
\"max\": \"1\",\
\"type\": \"Range\"\
},\
{\
\"min\": 1,\
\"path\": \"Group.characteristic.exclude\",\
\"weight\": 2885,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"Group.characteristic.period\",\
\"weight\": 2886,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Group.member\",\
\"weight\": 2887,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Group.member.id\",\
\"weight\": 2888,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Group.member.extension\",\
\"weight\": 2889,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Group.member.modifierExtension\",\
\"weight\": 2890,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Group.member.entity\",\
\"weight\": 2891,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Group.member.period\",\
\"weight\": 2892,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Group.member.inactive\",\
\"weight\": 2893,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"GuidanceResponse\",\
\"weight\": 2894,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"GuidanceResponse.id\",\
\"weight\": 2895,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"GuidanceResponse.meta\",\
\"weight\": 2896,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"GuidanceResponse.implicitRules\",\
\"weight\": 2897,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"GuidanceResponse.language\",\
\"weight\": 2898,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"GuidanceResponse.text\",\
\"weight\": 2899,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"GuidanceResponse.contained\",\
\"weight\": 2900,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"GuidanceResponse.extension\",\
\"weight\": 2901,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"GuidanceResponse.modifierExtension\",\
\"weight\": 2902,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"GuidanceResponse.requestId\",\
\"weight\": 2903,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"GuidanceResponse.identifier\",\
\"weight\": 2904,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 1,\
\"path\": \"GuidanceResponse.module\",\
\"weight\": 2905,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"GuidanceResponse.status\",\
\"weight\": 2906,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"GuidanceResponse.subject\",\
\"weight\": 2907,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"GuidanceResponse.context\",\
\"weight\": 2908,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"GuidanceResponse.occurrenceDateTime\",\
\"weight\": 2909,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"GuidanceResponse.performer\",\
\"weight\": 2910,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"GuidanceResponse.reasonCodeableConcept\",\
\"weight\": 2911,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"GuidanceResponse.reasonReference\",\
\"weight\": 2911,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"GuidanceResponse.note\",\
\"weight\": 2912,\
\"max\": \"*\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 0,\
\"path\": \"GuidanceResponse.evaluationMessage\",\
\"weight\": 2913,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"GuidanceResponse.outputParameters\",\
\"weight\": 2914,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"GuidanceResponse.result\",\
\"weight\": 2915,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"GuidanceResponse.dataRequirement\",\
\"weight\": 2916,\
\"max\": \"*\",\
\"type\": \"DataRequirement\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService\",\
\"weight\": 2917,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.id\",\
\"weight\": 2918,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.meta\",\
\"weight\": 2919,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.implicitRules\",\
\"weight\": 2920,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.language\",\
\"weight\": 2921,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.text\",\
\"weight\": 2922,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.contained\",\
\"weight\": 2923,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.extension\",\
\"weight\": 2924,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.modifierExtension\",\
\"weight\": 2925,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.identifier\",\
\"weight\": 2926,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.active\",\
\"weight\": 2927,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.providedBy\",\
\"weight\": 2928,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.category\",\
\"weight\": 2929,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.type\",\
\"weight\": 2930,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.specialty\",\
\"weight\": 2931,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.location\",\
\"weight\": 2932,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.name\",\
\"weight\": 2933,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.comment\",\
\"weight\": 2934,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.extraDetails\",\
\"weight\": 2935,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.photo\",\
\"weight\": 2936,\
\"max\": \"1\",\
\"type\": \"Attachment\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.telecom\",\
\"weight\": 2937,\
\"max\": \"*\",\
\"type\": \"ContactPoint\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.coverageArea\",\
\"weight\": 2938,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.serviceProvisionCode\",\
\"weight\": 2939,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.eligibility\",\
\"weight\": 2940,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.eligibilityNote\",\
\"weight\": 2941,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.programName\",\
\"weight\": 2942,\
\"max\": \"*\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.characteristic\",\
\"weight\": 2943,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.referralMethod\",\
\"weight\": 2944,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.appointmentRequired\",\
\"weight\": 2945,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.availableTime\",\
\"weight\": 2946,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.availableTime.id\",\
\"weight\": 2947,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.availableTime.extension\",\
\"weight\": 2948,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.availableTime.modifierExtension\",\
\"weight\": 2949,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.availableTime.daysOfWeek\",\
\"weight\": 2950,\
\"max\": \"*\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.availableTime.allDay\",\
\"weight\": 2951,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.availableTime.availableStartTime\",\
\"weight\": 2952,\
\"max\": \"1\",\
\"type\": \"time\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.availableTime.availableEndTime\",\
\"weight\": 2953,\
\"max\": \"1\",\
\"type\": \"time\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.notAvailable\",\
\"weight\": 2954,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.notAvailable.id\",\
\"weight\": 2955,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.notAvailable.extension\",\
\"weight\": 2956,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.notAvailable.modifierExtension\",\
\"weight\": 2957,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"HealthcareService.notAvailable.description\",\
\"weight\": 2958,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.notAvailable.during\",\
\"weight\": 2959,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.availabilityExceptions\",\
\"weight\": 2960,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"HealthcareService.endpoint\",\
\"weight\": 2961,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingManifest\",\
\"weight\": 2962,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingManifest.id\",\
\"weight\": 2963,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingManifest.meta\",\
\"weight\": 2964,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingManifest.implicitRules\",\
\"weight\": 2965,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingManifest.language\",\
\"weight\": 2966,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingManifest.text\",\
\"weight\": 2967,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingManifest.contained\",\
\"weight\": 2968,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingManifest.extension\",\
\"weight\": 2969,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingManifest.modifierExtension\",\
\"weight\": 2970,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingManifest.identifier\",\
\"weight\": 2971,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 1,\
\"path\": \"ImagingManifest.patient\",\
\"weight\": 2972,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingManifest.authoringTime\",\
\"weight\": 2973,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingManifest.author\",\
\"weight\": 2974,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingManifest.description\",\
\"weight\": 2975,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"ImagingManifest.study\",\
\"weight\": 2976,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingManifest.study.id\",\
\"weight\": 2977,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingManifest.study.extension\",\
\"weight\": 2978,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingManifest.study.modifierExtension\",\
\"weight\": 2979,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ImagingManifest.study.uid\",\
\"weight\": 2980,\
\"max\": \"1\",\
\"type\": \"oid\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingManifest.study.imagingStudy\",\
\"weight\": 2981,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingManifest.study.endpoint\",\
\"weight\": 2982,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"ImagingManifest.study.series\",\
\"weight\": 2983,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingManifest.study.series.id\",\
\"weight\": 2984,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingManifest.study.series.extension\",\
\"weight\": 2985,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingManifest.study.series.modifierExtension\",\
\"weight\": 2986,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ImagingManifest.study.series.uid\",\
\"weight\": 2987,\
\"max\": \"1\",\
\"type\": \"oid\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingManifest.study.series.endpoint\",\
\"weight\": 2988,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"ImagingManifest.study.series.instance\",\
\"weight\": 2989,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingManifest.study.series.instance.id\",\
\"weight\": 2990,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingManifest.study.series.instance.extension\",\
\"weight\": 2991,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingManifest.study.series.instance.modifierExtension\",\
\"weight\": 2992,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ImagingManifest.study.series.instance.sopClass\",\
\"weight\": 2993,\
\"max\": \"1\",\
\"type\": \"oid\"\
},\
{\
\"min\": 1,\
\"path\": \"ImagingManifest.study.series.instance.uid\",\
\"weight\": 2994,\
\"max\": \"1\",\
\"type\": \"oid\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy\",\
\"weight\": 2995,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.id\",\
\"weight\": 2996,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.meta\",\
\"weight\": 2997,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.implicitRules\",\
\"weight\": 2998,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.language\",\
\"weight\": 2999,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.text\",\
\"weight\": 3000,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.contained\",\
\"weight\": 3001,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.extension\",\
\"weight\": 3002,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.modifierExtension\",\
\"weight\": 3003,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ImagingStudy.uid\",\
\"weight\": 3004,\
\"max\": \"1\",\
\"type\": \"oid\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.accession\",\
\"weight\": 3005,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.identifier\",\
\"weight\": 3006,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.availability\",\
\"weight\": 3007,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.modalityList\",\
\"weight\": 3008,\
\"max\": \"*\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 1,\
\"path\": \"ImagingStudy.patient\",\
\"weight\": 3009,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.context\",\
\"weight\": 3010,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.started\",\
\"weight\": 3011,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.basedOn\",\
\"weight\": 3012,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.referrer\",\
\"weight\": 3013,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.interpreter\",\
\"weight\": 3014,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.endpoint\",\
\"weight\": 3015,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.numberOfSeries\",\
\"weight\": 3016,\
\"max\": \"1\",\
\"type\": \"unsignedInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.numberOfInstances\",\
\"weight\": 3017,\
\"max\": \"1\",\
\"type\": \"unsignedInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.procedureReference\",\
\"weight\": 3018,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.procedureCode\",\
\"weight\": 3019,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.reason\",\
\"weight\": 3020,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.description\",\
\"weight\": 3021,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.series\",\
\"weight\": 3022,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.series.id\",\
\"weight\": 3023,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.series.extension\",\
\"weight\": 3024,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.series.modifierExtension\",\
\"weight\": 3025,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ImagingStudy.series.uid\",\
\"weight\": 3026,\
\"max\": \"1\",\
\"type\": \"oid\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.series.number\",\
\"weight\": 3027,\
\"max\": \"1\",\
\"type\": \"unsignedInt\"\
},\
{\
\"min\": 1,\
\"path\": \"ImagingStudy.series.modality\",\
\"weight\": 3028,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.series.description\",\
\"weight\": 3029,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.series.numberOfInstances\",\
\"weight\": 3030,\
\"max\": \"1\",\
\"type\": \"unsignedInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.series.availability\",\
\"weight\": 3031,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.series.endpoint\",\
\"weight\": 3032,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.series.bodySite\",\
\"weight\": 3033,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.series.laterality\",\
\"weight\": 3034,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.series.started\",\
\"weight\": 3035,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.series.performer\",\
\"weight\": 3036,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.series.instance\",\
\"weight\": 3037,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.series.instance.id\",\
\"weight\": 3038,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.series.instance.extension\",\
\"weight\": 3039,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.series.instance.modifierExtension\",\
\"weight\": 3040,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ImagingStudy.series.instance.uid\",\
\"weight\": 3041,\
\"max\": \"1\",\
\"type\": \"oid\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.series.instance.number\",\
\"weight\": 3042,\
\"max\": \"1\",\
\"type\": \"unsignedInt\"\
},\
{\
\"min\": 1,\
\"path\": \"ImagingStudy.series.instance.sopClass\",\
\"weight\": 3043,\
\"max\": \"1\",\
\"type\": \"oid\"\
},\
{\
\"min\": 0,\
\"path\": \"ImagingStudy.series.instance.title\",\
\"weight\": 3044,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization\",\
\"weight\": 3045,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.id\",\
\"weight\": 3046,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.meta\",\
\"weight\": 3047,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.implicitRules\",\
\"weight\": 3048,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.language\",\
\"weight\": 3049,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.text\",\
\"weight\": 3050,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.contained\",\
\"weight\": 3051,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.extension\",\
\"weight\": 3052,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.modifierExtension\",\
\"weight\": 3053,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.identifier\",\
\"weight\": 3054,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 1,\
\"path\": \"Immunization.status\",\
\"weight\": 3055,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"Immunization.notGiven\",\
\"weight\": 3056,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 1,\
\"path\": \"Immunization.vaccineCode\",\
\"weight\": 3057,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"Immunization.patient\",\
\"weight\": 3058,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.encounter\",\
\"weight\": 3059,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.date\",\
\"weight\": 3060,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 1,\
\"path\": \"Immunization.primarySource\",\
\"weight\": 3061,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.reportOrigin\",\
\"weight\": 3062,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.location\",\
\"weight\": 3063,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.manufacturer\",\
\"weight\": 3064,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.lotNumber\",\
\"weight\": 3065,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.expirationDate\",\
\"weight\": 3066,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.site\",\
\"weight\": 3067,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.route\",\
\"weight\": 3068,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.doseQuantity\",\
\"weight\": 3069,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.practitioner\",\
\"weight\": 3070,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.practitioner.id\",\
\"weight\": 3071,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.practitioner.extension\",\
\"weight\": 3072,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.practitioner.modifierExtension\",\
\"weight\": 3073,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.practitioner.role\",\
\"weight\": 3074,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"Immunization.practitioner.actor\",\
\"weight\": 3075,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.note\",\
\"weight\": 3076,\
\"max\": \"*\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.explanation\",\
\"weight\": 3077,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.explanation.id\",\
\"weight\": 3078,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.explanation.extension\",\
\"weight\": 3079,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.explanation.modifierExtension\",\
\"weight\": 3080,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.explanation.reason\",\
\"weight\": 3081,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.explanation.reasonNotGiven\",\
\"weight\": 3082,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.reaction\",\
\"weight\": 3083,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.reaction.id\",\
\"weight\": 3084,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.reaction.extension\",\
\"weight\": 3085,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.reaction.modifierExtension\",\
\"weight\": 3086,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.reaction.date\",\
\"weight\": 3087,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.reaction.detail\",\
\"weight\": 3088,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.reaction.reported\",\
\"weight\": 3089,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.vaccinationProtocol\",\
\"weight\": 3090,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.vaccinationProtocol.id\",\
\"weight\": 3091,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.vaccinationProtocol.extension\",\
\"weight\": 3092,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.vaccinationProtocol.modifierExtension\",\
\"weight\": 3093,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.vaccinationProtocol.doseSequence\",\
\"weight\": 3094,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.vaccinationProtocol.description\",\
\"weight\": 3095,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.vaccinationProtocol.authority\",\
\"weight\": 3096,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.vaccinationProtocol.series\",\
\"weight\": 3097,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.vaccinationProtocol.seriesDoses\",\
\"weight\": 3098,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 1,\
\"path\": \"Immunization.vaccinationProtocol.targetDisease\",\
\"weight\": 3099,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"Immunization.vaccinationProtocol.doseStatus\",\
\"weight\": 3100,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Immunization.vaccinationProtocol.doseStatusReason\",\
\"weight\": 3101,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ImmunizationRecommendation\",\
\"weight\": 3102,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"ImmunizationRecommendation.id\",\
\"weight\": 3103,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"ImmunizationRecommendation.meta\",\
\"weight\": 3104,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"ImmunizationRecommendation.implicitRules\",\
\"weight\": 3105,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ImmunizationRecommendation.language\",\
\"weight\": 3106,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ImmunizationRecommendation.text\",\
\"weight\": 3107,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"ImmunizationRecommendation.contained\",\
\"weight\": 3108,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"ImmunizationRecommendation.extension\",\
\"weight\": 3109,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ImmunizationRecommendation.modifierExtension\",\
\"weight\": 3110,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ImmunizationRecommendation.identifier\",\
\"weight\": 3111,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 1,\
\"path\": \"ImmunizationRecommendation.patient\",\
\"weight\": 3112,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"ImmunizationRecommendation.recommendation\",\
\"weight\": 3113,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ImmunizationRecommendation.recommendation.id\",\
\"weight\": 3114,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ImmunizationRecommendation.recommendation.extension\",\
\"weight\": 3115,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ImmunizationRecommendation.recommendation.modifierExtension\",\
\"weight\": 3116,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ImmunizationRecommendation.recommendation.date\",\
\"weight\": 3117,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"ImmunizationRecommendation.recommendation.vaccineCode\",\
\"weight\": 3118,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ImmunizationRecommendation.recommendation.targetDisease\",\
\"weight\": 3119,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ImmunizationRecommendation.recommendation.doseNumber\",\
\"weight\": 3120,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 1,\
\"path\": \"ImmunizationRecommendation.recommendation.forecastStatus\",\
\"weight\": 3121,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ImmunizationRecommendation.recommendation.dateCriterion\",\
\"weight\": 3122,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ImmunizationRecommendation.recommendation.dateCriterion.id\",\
\"weight\": 3123,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ImmunizationRecommendation.recommendation.dateCriterion.extension\",\
\"weight\": 3124,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ImmunizationRecommendation.recommendation.dateCriterion.modifierExtension\",\
\"weight\": 3125,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ImmunizationRecommendation.recommendation.dateCriterion.code\",\
\"weight\": 3126,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"ImmunizationRecommendation.recommendation.dateCriterion.value\",\
\"weight\": 3127,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"ImmunizationRecommendation.recommendation.protocol\",\
\"weight\": 3128,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ImmunizationRecommendation.recommendation.protocol.id\",\
\"weight\": 3129,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ImmunizationRecommendation.recommendation.protocol.extension\",\
\"weight\": 3130,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ImmunizationRecommendation.recommendation.protocol.modifierExtension\",\
\"weight\": 3131,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ImmunizationRecommendation.recommendation.protocol.doseSequence\",\
\"weight\": 3132,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"ImmunizationRecommendation.recommendation.protocol.description\",\
\"weight\": 3133,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ImmunizationRecommendation.recommendation.protocol.authority\",\
\"weight\": 3134,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ImmunizationRecommendation.recommendation.protocol.series\",\
\"weight\": 3135,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ImmunizationRecommendation.recommendation.supportingImmunization\",\
\"weight\": 3136,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ImmunizationRecommendation.recommendation.supportingPatientInformation\",\
\"weight\": 3137,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"ImplementationGuide\",\
\"weight\": 3138,\
\"max\": \"1\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.id\",\
\"weight\": 3139,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.meta\",\
\"weight\": 3140,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.implicitRules\",\
\"weight\": 3141,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.language\",\
\"weight\": 3142,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.text\",\
\"weight\": 3143,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.contained\",\
\"weight\": 3144,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.extension\",\
\"weight\": 3145,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.modifierExtension\",\
\"weight\": 3146,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ImplementationGuide.url\",\
\"weight\": 3147,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.version\",\
\"weight\": 3148,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"ImplementationGuide.name\",\
\"weight\": 3149,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"ImplementationGuide.status\",\
\"weight\": 3150,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.experimental\",\
\"weight\": 3151,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.date\",\
\"weight\": 3152,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.publisher\",\
\"weight\": 3153,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.contact\",\
\"weight\": 3154,\
\"max\": \"*\",\
\"type\": \"ContactDetail\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.description\",\
\"weight\": 3155,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.useContext\",\
\"weight\": 3156,\
\"max\": \"*\",\
\"type\": \"UsageContext\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.jurisdiction\",\
\"weight\": 3157,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.copyright\",\
\"weight\": 3158,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.fhirVersion\",\
\"weight\": 3159,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.dependency\",\
\"weight\": 3160,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.dependency.id\",\
\"weight\": 3161,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.dependency.extension\",\
\"weight\": 3162,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.dependency.modifierExtension\",\
\"weight\": 3163,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ImplementationGuide.dependency.type\",\
\"weight\": 3164,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"ImplementationGuide.dependency.uri\",\
\"weight\": 3165,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.package\",\
\"weight\": 3166,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.package.id\",\
\"weight\": 3167,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.package.extension\",\
\"weight\": 3168,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.package.modifierExtension\",\
\"weight\": 3169,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ImplementationGuide.package.name\",\
\"weight\": 3170,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.package.description\",\
\"weight\": 3171,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"ImplementationGuide.package.resource\",\
\"weight\": 3172,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.package.resource.id\",\
\"weight\": 3173,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.package.resource.extension\",\
\"weight\": 3174,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.package.resource.modifierExtension\",\
\"weight\": 3175,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ImplementationGuide.package.resource.example\",\
\"weight\": 3176,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.package.resource.name\",\
\"weight\": 3177,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.package.resource.description\",\
\"weight\": 3178,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.package.resource.acronym\",\
\"weight\": 3179,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"ImplementationGuide.package.resource.sourceUri\",\
\"weight\": 3180,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 1,\
\"path\": \"ImplementationGuide.package.resource.sourceReference\",\
\"weight\": 3180,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.package.resource.exampleFor\",\
\"weight\": 3181,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.global\",\
\"weight\": 3182,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.global.id\",\
\"weight\": 3183,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.global.extension\",\
\"weight\": 3184,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.global.modifierExtension\",\
\"weight\": 3185,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ImplementationGuide.global.type\",\
\"weight\": 3186,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"ImplementationGuide.global.profile\",\
\"weight\": 3187,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.binary\",\
\"weight\": 3188,\
\"max\": \"*\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.page\",\
\"weight\": 3189,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.page.id\",\
\"weight\": 3190,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.page.extension\",\
\"weight\": 3191,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.page.modifierExtension\",\
\"weight\": 3192,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ImplementationGuide.page.source\",\
\"weight\": 3193,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 1,\
\"path\": \"ImplementationGuide.page.title\",\
\"weight\": 3194,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"ImplementationGuide.page.kind\",\
\"weight\": 3195,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.page.type\",\
\"weight\": 3196,\
\"max\": \"*\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.page.package\",\
\"weight\": 3197,\
\"max\": \"*\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.page.format\",\
\"weight\": 3198,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ImplementationGuide.page.page\",\
\"weight\": 3199,\
\"max\": \"*\"\
},\
{\
\"min\": 0,\
\"path\": \"Library\",\
\"weight\": 3200,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Library.id\",\
\"weight\": 3201,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Library.meta\",\
\"weight\": 3202,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Library.implicitRules\",\
\"weight\": 3203,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Library.language\",\
\"weight\": 3204,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Library.text\",\
\"weight\": 3205,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Library.contained\",\
\"weight\": 3206,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Library.extension\",\
\"weight\": 3207,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Library.modifierExtension\",\
\"weight\": 3208,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Library.url\",\
\"weight\": 3209,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Library.identifier\",\
\"weight\": 3210,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Library.version\",\
\"weight\": 3211,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Library.name\",\
\"weight\": 3212,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Library.title\",\
\"weight\": 3213,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"Library.status\",\
\"weight\": 3214,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Library.experimental\",\
\"weight\": 3215,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 1,\
\"path\": \"Library.type\",\
\"weight\": 3216,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Library.date\",\
\"weight\": 3217,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Library.publisher\",\
\"weight\": 3218,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Library.description\",\
\"weight\": 3219,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"Library.purpose\",\
\"weight\": 3220,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"Library.usage\",\
\"weight\": 3221,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Library.approvalDate\",\
\"weight\": 3222,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"Library.lastReviewDate\",\
\"weight\": 3223,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"Library.effectivePeriod\",\
\"weight\": 3224,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Library.useContext\",\
\"weight\": 3225,\
\"max\": \"*\",\
\"type\": \"UsageContext\"\
},\
{\
\"min\": 0,\
\"path\": \"Library.jurisdiction\",\
\"weight\": 3226,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Library.topic\",\
\"weight\": 3227,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Library.contributor\",\
\"weight\": 3228,\
\"max\": \"*\",\
\"type\": \"Contributor\"\
},\
{\
\"min\": 0,\
\"path\": \"Library.contact\",\
\"weight\": 3229,\
\"max\": \"*\",\
\"type\": \"ContactDetail\"\
},\
{\
\"min\": 0,\
\"path\": \"Library.copyright\",\
\"weight\": 3230,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"Library.relatedArtifact\",\
\"weight\": 3231,\
\"max\": \"*\",\
\"type\": \"RelatedArtifact\"\
},\
{\
\"min\": 0,\
\"path\": \"Library.parameter\",\
\"weight\": 3232,\
\"max\": \"*\",\
\"type\": \"ParameterDefinition\"\
},\
{\
\"min\": 0,\
\"path\": \"Library.dataRequirement\",\
\"weight\": 3233,\
\"max\": \"*\",\
\"type\": \"DataRequirement\"\
},\
{\
\"min\": 0,\
\"path\": \"Library.content\",\
\"weight\": 3234,\
\"max\": \"*\",\
\"type\": \"Attachment\"\
},\
{\
\"min\": 0,\
\"path\": \"Linkage\",\
\"weight\": 3235,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Linkage.id\",\
\"weight\": 3236,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Linkage.meta\",\
\"weight\": 3237,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Linkage.implicitRules\",\
\"weight\": 3238,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Linkage.language\",\
\"weight\": 3239,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Linkage.text\",\
\"weight\": 3240,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Linkage.contained\",\
\"weight\": 3241,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Linkage.extension\",\
\"weight\": 3242,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Linkage.modifierExtension\",\
\"weight\": 3243,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Linkage.active\",\
\"weight\": 3244,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"Linkage.author\",\
\"weight\": 3245,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"Linkage.item\",\
\"weight\": 3246,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Linkage.item.id\",\
\"weight\": 3247,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Linkage.item.extension\",\
\"weight\": 3248,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Linkage.item.modifierExtension\",\
\"weight\": 3249,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Linkage.item.type\",\
\"weight\": 3250,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"Linkage.item.resource\",\
\"weight\": 3251,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"List\",\
\"weight\": 3252,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"List.id\",\
\"weight\": 3253,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"List.meta\",\
\"weight\": 3254,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"List.implicitRules\",\
\"weight\": 3255,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"List.language\",\
\"weight\": 3256,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"List.text\",\
\"weight\": 3257,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"List.contained\",\
\"weight\": 3258,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"List.extension\",\
\"weight\": 3259,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"List.modifierExtension\",\
\"weight\": 3260,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"List.identifier\",\
\"weight\": 3261,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 1,\
\"path\": \"List.status\",\
\"weight\": 3262,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"List.mode\",\
\"weight\": 3263,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"List.title\",\
\"weight\": 3264,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"List.code\",\
\"weight\": 3265,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"List.subject\",\
\"weight\": 3266,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"List.encounter\",\
\"weight\": 3267,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"List.date\",\
\"weight\": 3268,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"List.source\",\
\"weight\": 3269,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"List.orderedBy\",\
\"weight\": 3270,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"List.note\",\
\"weight\": 3271,\
\"max\": \"*\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 0,\
\"path\": \"List.entry\",\
\"weight\": 3272,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"List.entry.id\",\
\"weight\": 3273,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"List.entry.extension\",\
\"weight\": 3274,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"List.entry.modifierExtension\",\
\"weight\": 3275,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"List.entry.flag\",\
\"weight\": 3276,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"List.entry.deleted\",\
\"weight\": 3277,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"List.entry.date\",\
\"weight\": 3278,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 1,\
\"path\": \"List.entry.item\",\
\"weight\": 3279,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"List.emptyReason\",\
\"weight\": 3280,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Location\",\
\"weight\": 3281,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Location.id\",\
\"weight\": 3282,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Location.meta\",\
\"weight\": 3283,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Location.implicitRules\",\
\"weight\": 3284,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Location.language\",\
\"weight\": 3285,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Location.text\",\
\"weight\": 3286,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Location.contained\",\
\"weight\": 3287,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Location.extension\",\
\"weight\": 3288,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Location.modifierExtension\",\
\"weight\": 3289,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Location.identifier\",\
\"weight\": 3290,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Location.status\",\
\"weight\": 3291,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Location.operationalStatus\",\
\"weight\": 3292,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"Location.name\",\
\"weight\": 3293,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Location.alias\",\
\"weight\": 3294,\
\"max\": \"*\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Location.description\",\
\"weight\": 3295,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Location.mode\",\
\"weight\": 3296,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Location.type\",\
\"weight\": 3297,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Location.telecom\",\
\"weight\": 3298,\
\"max\": \"*\",\
\"type\": \"ContactPoint\"\
},\
{\
\"min\": 0,\
\"path\": \"Location.address\",\
\"weight\": 3299,\
\"max\": \"1\",\
\"type\": \"Address\"\
},\
{\
\"min\": 0,\
\"path\": \"Location.physicalType\",\
\"weight\": 3300,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Location.position\",\
\"weight\": 3301,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Location.position.id\",\
\"weight\": 3302,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Location.position.extension\",\
\"weight\": 3303,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Location.position.modifierExtension\",\
\"weight\": 3304,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Location.position.longitude\",\
\"weight\": 3305,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 1,\
\"path\": \"Location.position.latitude\",\
\"weight\": 3306,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"Location.position.altitude\",\
\"weight\": 3307,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"Location.managingOrganization\",\
\"weight\": 3308,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Location.partOf\",\
\"weight\": 3309,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Location.endpoint\",\
\"weight\": 3310,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure\",\
\"weight\": 3311,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.id\",\
\"weight\": 3312,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.meta\",\
\"weight\": 3313,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.implicitRules\",\
\"weight\": 3314,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.language\",\
\"weight\": 3315,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.text\",\
\"weight\": 3316,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.contained\",\
\"weight\": 3317,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.extension\",\
\"weight\": 3318,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.modifierExtension\",\
\"weight\": 3319,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.url\",\
\"weight\": 3320,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.identifier\",\
\"weight\": 3321,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.version\",\
\"weight\": 3322,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.name\",\
\"weight\": 3323,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.title\",\
\"weight\": 3324,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"Measure.status\",\
\"weight\": 3325,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.experimental\",\
\"weight\": 3326,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.date\",\
\"weight\": 3327,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.publisher\",\
\"weight\": 3328,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.description\",\
\"weight\": 3329,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.purpose\",\
\"weight\": 3330,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.usage\",\
\"weight\": 3331,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.approvalDate\",\
\"weight\": 3332,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.lastReviewDate\",\
\"weight\": 3333,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.effectivePeriod\",\
\"weight\": 3334,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.useContext\",\
\"weight\": 3335,\
\"max\": \"*\",\
\"type\": \"UsageContext\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.jurisdiction\",\
\"weight\": 3336,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.topic\",\
\"weight\": 3337,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.contributor\",\
\"weight\": 3338,\
\"max\": \"*\",\
\"type\": \"Contributor\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.contact\",\
\"weight\": 3339,\
\"max\": \"*\",\
\"type\": \"ContactDetail\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.copyright\",\
\"weight\": 3340,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.relatedArtifact\",\
\"weight\": 3341,\
\"max\": \"*\",\
\"type\": \"RelatedArtifact\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.library\",\
\"weight\": 3342,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.disclaimer\",\
\"weight\": 3343,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.scoring\",\
\"weight\": 3344,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.compositeScoring\",\
\"weight\": 3345,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.type\",\
\"weight\": 3346,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.riskAdjustment\",\
\"weight\": 3347,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.rateAggregation\",\
\"weight\": 3348,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.rationale\",\
\"weight\": 3349,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.clinicalRecommendationStatement\",\
\"weight\": 3350,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.improvementNotation\",\
\"weight\": 3351,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.definition\",\
\"weight\": 3352,\
\"max\": \"*\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.guidance\",\
\"weight\": 3353,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.set\",\
\"weight\": 3354,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.group\",\
\"weight\": 3355,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.group.id\",\
\"weight\": 3356,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.group.extension\",\
\"weight\": 3357,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.group.modifierExtension\",\
\"weight\": 3358,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Measure.group.identifier\",\
\"weight\": 3359,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.group.name\",\
\"weight\": 3360,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.group.description\",\
\"weight\": 3361,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.group.population\",\
\"weight\": 3362,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.group.population.id\",\
\"weight\": 3363,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.group.population.extension\",\
\"weight\": 3364,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.group.population.modifierExtension\",\
\"weight\": 3365,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.group.population.identifier\",\
\"weight\": 3366,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.group.population.code\",\
\"weight\": 3367,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.group.population.name\",\
\"weight\": 3368,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.group.population.description\",\
\"weight\": 3369,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"Measure.group.population.criteria\",\
\"weight\": 3370,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.group.stratifier\",\
\"weight\": 3371,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.group.stratifier.id\",\
\"weight\": 3372,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.group.stratifier.extension\",\
\"weight\": 3373,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.group.stratifier.modifierExtension\",\
\"weight\": 3374,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.group.stratifier.identifier\",\
\"weight\": 3375,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.group.stratifier.criteria\",\
\"weight\": 3376,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.group.stratifier.path\",\
\"weight\": 3377,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.supplementalData\",\
\"weight\": 3378,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.supplementalData.id\",\
\"weight\": 3379,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.supplementalData.extension\",\
\"weight\": 3380,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.supplementalData.modifierExtension\",\
\"weight\": 3381,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.supplementalData.identifier\",\
\"weight\": 3382,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.supplementalData.usage\",\
\"weight\": 3383,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.supplementalData.criteria\",\
\"weight\": 3384,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Measure.supplementalData.path\",\
\"weight\": 3385,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport\",\
\"weight\": 3386,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.id\",\
\"weight\": 3387,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.meta\",\
\"weight\": 3388,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.implicitRules\",\
\"weight\": 3389,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.language\",\
\"weight\": 3390,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.text\",\
\"weight\": 3391,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.contained\",\
\"weight\": 3392,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.extension\",\
\"weight\": 3393,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.modifierExtension\",\
\"weight\": 3394,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.identifier\",\
\"weight\": 3395,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 1,\
\"path\": \"MeasureReport.status\",\
\"weight\": 3396,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"MeasureReport.type\",\
\"weight\": 3397,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"MeasureReport.measure\",\
\"weight\": 3398,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.patient\",\
\"weight\": 3399,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.date\",\
\"weight\": 3400,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.reportingOrganization\",\
\"weight\": 3401,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"MeasureReport.period\",\
\"weight\": 3402,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.group\",\
\"weight\": 3403,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.group.id\",\
\"weight\": 3404,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.group.extension\",\
\"weight\": 3405,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.group.modifierExtension\",\
\"weight\": 3406,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"MeasureReport.group.identifier\",\
\"weight\": 3407,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.group.population\",\
\"weight\": 3408,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.group.population.id\",\
\"weight\": 3409,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.group.population.extension\",\
\"weight\": 3410,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.group.population.modifierExtension\",\
\"weight\": 3411,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.group.population.identifier\",\
\"weight\": 3412,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.group.population.code\",\
\"weight\": 3413,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.group.population.count\",\
\"weight\": 3414,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.group.population.patients\",\
\"weight\": 3415,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.group.measureScore\",\
\"weight\": 3416,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.group.stratifier\",\
\"weight\": 3417,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.group.stratifier.id\",\
\"weight\": 3418,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.group.stratifier.extension\",\
\"weight\": 3419,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.group.stratifier.modifierExtension\",\
\"weight\": 3420,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.group.stratifier.identifier\",\
\"weight\": 3421,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.group.stratifier.stratum\",\
\"weight\": 3422,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.group.stratifier.stratum.id\",\
\"weight\": 3423,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.group.stratifier.stratum.extension\",\
\"weight\": 3424,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.group.stratifier.stratum.modifierExtension\",\
\"weight\": 3425,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"MeasureReport.group.stratifier.stratum.value\",\
\"weight\": 3426,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.group.stratifier.stratum.population\",\
\"weight\": 3427,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.group.stratifier.stratum.population.id\",\
\"weight\": 3428,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.group.stratifier.stratum.population.extension\",\
\"weight\": 3429,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.group.stratifier.stratum.population.modifierExtension\",\
\"weight\": 3430,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.group.stratifier.stratum.population.identifier\",\
\"weight\": 3431,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.group.stratifier.stratum.population.code\",\
\"weight\": 3432,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.group.stratifier.stratum.population.count\",\
\"weight\": 3433,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.group.stratifier.stratum.population.patients\",\
\"weight\": 3434,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.group.stratifier.stratum.measureScore\",\
\"weight\": 3435,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"MeasureReport.evaluatedResources\",\
\"weight\": 3436,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Media\",\
\"weight\": 3437,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Media.id\",\
\"weight\": 3438,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Media.meta\",\
\"weight\": 3439,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Media.implicitRules\",\
\"weight\": 3440,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Media.language\",\
\"weight\": 3441,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Media.text\",\
\"weight\": 3442,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Media.contained\",\
\"weight\": 3443,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Media.extension\",\
\"weight\": 3444,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Media.modifierExtension\",\
\"weight\": 3445,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Media.identifier\",\
\"weight\": 3446,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Media.basedOn\",\
\"weight\": 3447,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"Media.type\",\
\"weight\": 3448,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Media.subtype\",\
\"weight\": 3449,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Media.view\",\
\"weight\": 3450,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Media.subject\",\
\"weight\": 3451,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Media.context\",\
\"weight\": 3452,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Media.occurrenceDateTime\",\
\"weight\": 3453,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Media.occurrencePeriod\",\
\"weight\": 3453,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Media.operator\",\
\"weight\": 3454,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Media.reasonCode\",\
\"weight\": 3455,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Media.bodySite\",\
\"weight\": 3456,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Media.device\",\
\"weight\": 3457,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Media.height\",\
\"weight\": 3458,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"Media.width\",\
\"weight\": 3459,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"Media.frames\",\
\"weight\": 3460,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"Media.duration\",\
\"weight\": 3461,\
\"max\": \"1\",\
\"type\": \"unsignedInt\"\
},\
{\
\"min\": 1,\
\"path\": \"Media.content\",\
\"weight\": 3462,\
\"max\": \"1\",\
\"type\": \"Attachment\"\
},\
{\
\"min\": 0,\
\"path\": \"Media.note\",\
\"weight\": 3463,\
\"max\": \"*\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication\",\
\"weight\": 3464,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication.id\",\
\"weight\": 3465,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication.meta\",\
\"weight\": 3466,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication.implicitRules\",\
\"weight\": 3467,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication.language\",\
\"weight\": 3468,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication.text\",\
\"weight\": 3469,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication.contained\",\
\"weight\": 3470,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication.extension\",\
\"weight\": 3471,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication.modifierExtension\",\
\"weight\": 3472,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication.code\",\
\"weight\": 3473,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication.status\",\
\"weight\": 3474,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication.isBrand\",\
\"weight\": 3475,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication.isOverTheCounter\",\
\"weight\": 3476,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication.manufacturer\",\
\"weight\": 3477,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication.form\",\
\"weight\": 3478,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication.ingredient\",\
\"weight\": 3479,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication.ingredient.id\",\
\"weight\": 3480,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication.ingredient.extension\",\
\"weight\": 3481,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication.ingredient.modifierExtension\",\
\"weight\": 3482,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Medication.ingredient.itemCodeableConcept\",\
\"weight\": 3483,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"Medication.ingredient.itemReference\",\
\"weight\": 3483,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"Medication.ingredient.itemReference\",\
\"weight\": 3483,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication.ingredient.isActive\",\
\"weight\": 3484,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication.ingredient.amount\",\
\"weight\": 3485,\
\"max\": \"1\",\
\"type\": \"Ratio\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication.package\",\
\"weight\": 3486,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication.package.id\",\
\"weight\": 3487,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication.package.extension\",\
\"weight\": 3488,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication.package.modifierExtension\",\
\"weight\": 3489,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication.package.container\",\
\"weight\": 3490,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication.package.content\",\
\"weight\": 3491,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication.package.content.id\",\
\"weight\": 3492,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication.package.content.extension\",\
\"weight\": 3493,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication.package.content.modifierExtension\",\
\"weight\": 3494,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Medication.package.content.itemCodeableConcept\",\
\"weight\": 3495,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"Medication.package.content.itemReference\",\
\"weight\": 3495,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication.package.content.amount\",\
\"weight\": 3496,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication.package.batch\",\
\"weight\": 3497,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication.package.batch.id\",\
\"weight\": 3498,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication.package.batch.extension\",\
\"weight\": 3499,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication.package.batch.modifierExtension\",\
\"weight\": 3500,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication.package.batch.lotNumber\",\
\"weight\": 3501,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication.package.batch.expirationDate\",\
\"weight\": 3502,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Medication.image\",\
\"weight\": 3503,\
\"max\": \"*\",\
\"type\": \"Attachment\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration\",\
\"weight\": 3504,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.id\",\
\"weight\": 3505,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.meta\",\
\"weight\": 3506,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.implicitRules\",\
\"weight\": 3507,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.language\",\
\"weight\": 3508,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.text\",\
\"weight\": 3509,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.contained\",\
\"weight\": 3510,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.extension\",\
\"weight\": 3511,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.modifierExtension\",\
\"weight\": 3512,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.identifier\",\
\"weight\": 3513,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.definition\",\
\"weight\": 3514,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.partOf\",\
\"weight\": 3515,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"MedicationAdministration.status\",\
\"weight\": 3516,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.category\",\
\"weight\": 3517,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"MedicationAdministration.medicationCodeableConcept\",\
\"weight\": 3518,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"MedicationAdministration.medicationReference\",\
\"weight\": 3518,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"MedicationAdministration.subject\",\
\"weight\": 3519,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.context\",\
\"weight\": 3520,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.supportingInformation\",\
\"weight\": 3521,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"MedicationAdministration.effectiveDateTime\",\
\"weight\": 3522,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 1,\
\"path\": \"MedicationAdministration.effectivePeriod\",\
\"weight\": 3522,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.performer\",\
\"weight\": 3523,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.performer.id\",\
\"weight\": 3524,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.performer.extension\",\
\"weight\": 3525,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.performer.modifierExtension\",\
\"weight\": 3526,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"MedicationAdministration.performer.actor\",\
\"weight\": 3527,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.performer.onBehalfOf\",\
\"weight\": 3528,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.notGiven\",\
\"weight\": 3529,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.reasonNotGiven\",\
\"weight\": 3530,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.reasonCode\",\
\"weight\": 3531,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.reasonReference\",\
\"weight\": 3532,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.prescription\",\
\"weight\": 3533,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.device\",\
\"weight\": 3534,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.note\",\
\"weight\": 3535,\
\"max\": \"*\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.dosage\",\
\"weight\": 3536,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.dosage.id\",\
\"weight\": 3537,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.dosage.extension\",\
\"weight\": 3538,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.dosage.modifierExtension\",\
\"weight\": 3539,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.dosage.text\",\
\"weight\": 3540,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.dosage.site\",\
\"weight\": 3541,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.dosage.route\",\
\"weight\": 3542,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.dosage.method\",\
\"weight\": 3543,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.dosage.dose\",\
\"weight\": 3544,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.dosage.rateRatio\",\
\"weight\": 3545,\
\"max\": \"1\",\
\"type\": \"Ratio\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.dosage.rateQuantity\",\
\"weight\": 3545,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationAdministration.eventHistory\",\
\"weight\": 3546,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense\",\
\"weight\": 3547,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.id\",\
\"weight\": 3548,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.meta\",\
\"weight\": 3549,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.implicitRules\",\
\"weight\": 3550,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.language\",\
\"weight\": 3551,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.text\",\
\"weight\": 3552,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.contained\",\
\"weight\": 3553,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.extension\",\
\"weight\": 3554,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.modifierExtension\",\
\"weight\": 3555,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.identifier\",\
\"weight\": 3556,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.partOf\",\
\"weight\": 3557,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.status\",\
\"weight\": 3558,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.category\",\
\"weight\": 3559,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"MedicationDispense.medicationCodeableConcept\",\
\"weight\": 3560,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"MedicationDispense.medicationReference\",\
\"weight\": 3560,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.subject\",\
\"weight\": 3561,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.context\",\
\"weight\": 3562,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.supportingInformation\",\
\"weight\": 3563,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.performer\",\
\"weight\": 3564,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.performer.id\",\
\"weight\": 3565,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.performer.extension\",\
\"weight\": 3566,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.performer.modifierExtension\",\
\"weight\": 3567,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"MedicationDispense.performer.actor\",\
\"weight\": 3568,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.performer.onBehalfOf\",\
\"weight\": 3569,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.authorizingPrescription\",\
\"weight\": 3570,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.type\",\
\"weight\": 3571,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.quantity\",\
\"weight\": 3572,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.daysSupply\",\
\"weight\": 3573,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.whenPrepared\",\
\"weight\": 3574,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.whenHandedOver\",\
\"weight\": 3575,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.destination\",\
\"weight\": 3576,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.receiver\",\
\"weight\": 3577,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.note\",\
\"weight\": 3578,\
\"max\": \"*\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.dosageInstruction\",\
\"weight\": 3579,\
\"max\": \"*\",\
\"type\": \"Dosage\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.substitution\",\
\"weight\": 3580,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.substitution.id\",\
\"weight\": 3581,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.substitution.extension\",\
\"weight\": 3582,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.substitution.modifierExtension\",\
\"weight\": 3583,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"MedicationDispense.substitution.wasSubstituted\",\
\"weight\": 3584,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.substitution.type\",\
\"weight\": 3585,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.substitution.reason\",\
\"weight\": 3586,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.substitution.responsibleParty\",\
\"weight\": 3587,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.detectedIssue\",\
\"weight\": 3588,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.notDone\",\
\"weight\": 3589,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.notDoneReasonCodeableConcept\",\
\"weight\": 3590,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.notDoneReasonReference\",\
\"weight\": 3590,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationDispense.eventHistory\",\
\"weight\": 3591,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest\",\
\"weight\": 3592,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.id\",\
\"weight\": 3593,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.meta\",\
\"weight\": 3594,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.implicitRules\",\
\"weight\": 3595,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.language\",\
\"weight\": 3596,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.text\",\
\"weight\": 3597,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.contained\",\
\"weight\": 3598,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.extension\",\
\"weight\": 3599,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.modifierExtension\",\
\"weight\": 3600,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.identifier\",\
\"weight\": 3601,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.definition\",\
\"weight\": 3602,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.basedOn\",\
\"weight\": 3603,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.groupIdentifier\",\
\"weight\": 3604,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.status\",\
\"weight\": 3605,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"MedicationRequest.intent\",\
\"weight\": 3606,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.category\",\
\"weight\": 3607,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.priority\",\
\"weight\": 3608,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"MedicationRequest.medicationCodeableConcept\",\
\"weight\": 3609,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"MedicationRequest.medicationReference\",\
\"weight\": 3609,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"MedicationRequest.subject\",\
\"weight\": 3610,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.context\",\
\"weight\": 3611,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.supportingInformation\",\
\"weight\": 3612,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.authoredOn\",\
\"weight\": 3613,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.requester\",\
\"weight\": 3614,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.requester.id\",\
\"weight\": 3615,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.requester.extension\",\
\"weight\": 3616,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.requester.modifierExtension\",\
\"weight\": 3617,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"MedicationRequest.requester.agent\",\
\"weight\": 3618,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.requester.onBehalfOf\",\
\"weight\": 3619,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.recorder\",\
\"weight\": 3620,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.reasonCode\",\
\"weight\": 3621,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.reasonReference\",\
\"weight\": 3622,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.note\",\
\"weight\": 3623,\
\"max\": \"*\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.dosageInstruction\",\
\"weight\": 3624,\
\"max\": \"*\",\
\"type\": \"Dosage\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.dispenseRequest\",\
\"weight\": 3625,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.dispenseRequest.id\",\
\"weight\": 3626,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.dispenseRequest.extension\",\
\"weight\": 3627,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.dispenseRequest.modifierExtension\",\
\"weight\": 3628,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.dispenseRequest.validityPeriod\",\
\"weight\": 3629,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.dispenseRequest.numberOfRepeatsAllowed\",\
\"weight\": 3630,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.dispenseRequest.quantity\",\
\"weight\": 3631,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.dispenseRequest.expectedSupplyDuration\",\
\"weight\": 3632,\
\"max\": \"1\",\
\"type\": \"Duration\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.dispenseRequest.performer\",\
\"weight\": 3633,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.substitution\",\
\"weight\": 3634,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.substitution.id\",\
\"weight\": 3635,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.substitution.extension\",\
\"weight\": 3636,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.substitution.modifierExtension\",\
\"weight\": 3637,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"MedicationRequest.substitution.allowed\",\
\"weight\": 3638,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.substitution.reason\",\
\"weight\": 3639,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.priorPrescription\",\
\"weight\": 3640,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.detectedIssue\",\
\"weight\": 3641,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationRequest.eventHistory\",\
\"weight\": 3642,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationStatement\",\
\"weight\": 3643,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationStatement.id\",\
\"weight\": 3644,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationStatement.meta\",\
\"weight\": 3645,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationStatement.implicitRules\",\
\"weight\": 3646,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationStatement.language\",\
\"weight\": 3647,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationStatement.text\",\
\"weight\": 3648,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationStatement.contained\",\
\"weight\": 3649,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationStatement.extension\",\
\"weight\": 3650,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationStatement.modifierExtension\",\
\"weight\": 3651,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationStatement.identifier\",\
\"weight\": 3652,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationStatement.basedOn\",\
\"weight\": 3653,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationStatement.partOf\",\
\"weight\": 3654,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationStatement.context\",\
\"weight\": 3655,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"MedicationStatement.status\",\
\"weight\": 3656,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationStatement.category\",\
\"weight\": 3657,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"MedicationStatement.medicationCodeableConcept\",\
\"weight\": 3658,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"MedicationStatement.medicationReference\",\
\"weight\": 3658,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationStatement.effectiveDateTime\",\
\"weight\": 3659,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationStatement.effectivePeriod\",\
\"weight\": 3659,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationStatement.dateAsserted\",\
\"weight\": 3660,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationStatement.informationSource\",\
\"weight\": 3661,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"MedicationStatement.subject\",\
\"weight\": 3662,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationStatement.derivedFrom\",\
\"weight\": 3663,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"MedicationStatement.taken\",\
\"weight\": 3664,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationStatement.reasonNotTaken\",\
\"weight\": 3665,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationStatement.reasonCode\",\
\"weight\": 3666,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationStatement.reasonReference\",\
\"weight\": 3667,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationStatement.note\",\
\"weight\": 3668,\
\"max\": \"*\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 0,\
\"path\": \"MedicationStatement.dosage\",\
\"weight\": 3669,\
\"max\": \"*\",\
\"type\": \"Dosage\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition\",\
\"weight\": 3670,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.id\",\
\"weight\": 3671,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.meta\",\
\"weight\": 3672,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.implicitRules\",\
\"weight\": 3673,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.language\",\
\"weight\": 3674,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.text\",\
\"weight\": 3675,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.contained\",\
\"weight\": 3676,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.extension\",\
\"weight\": 3677,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.modifierExtension\",\
\"weight\": 3678,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.url\",\
\"weight\": 3679,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.identifier\",\
\"weight\": 3680,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.version\",\
\"weight\": 3681,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.name\",\
\"weight\": 3682,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.title\",\
\"weight\": 3683,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"MessageDefinition.status\",\
\"weight\": 3684,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.experimental\",\
\"weight\": 3685,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 1,\
\"path\": \"MessageDefinition.date\",\
\"weight\": 3686,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.publisher\",\
\"weight\": 3687,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.contact\",\
\"weight\": 3688,\
\"max\": \"*\",\
\"type\": \"ContactDetail\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.description\",\
\"weight\": 3689,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.useContext\",\
\"weight\": 3690,\
\"max\": \"*\",\
\"type\": \"UsageContext\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.jurisdiction\",\
\"weight\": 3691,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.purpose\",\
\"weight\": 3692,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.copyright\",\
\"weight\": 3693,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.base\",\
\"weight\": 3694,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.parent\",\
\"weight\": 3695,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.replaces\",\
\"weight\": 3696,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"MessageDefinition.event\",\
\"weight\": 3697,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.category\",\
\"weight\": 3698,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.focus\",\
\"weight\": 3699,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.focus.id\",\
\"weight\": 3700,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.focus.extension\",\
\"weight\": 3701,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.focus.modifierExtension\",\
\"weight\": 3702,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"MessageDefinition.focus.code\",\
\"weight\": 3703,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.focus.profile\",\
\"weight\": 3704,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.focus.min\",\
\"weight\": 3705,\
\"max\": \"1\",\
\"type\": \"unsignedInt\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.focus.max\",\
\"weight\": 3706,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.responseRequired\",\
\"weight\": 3707,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.allowedResponse\",\
\"weight\": 3708,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.allowedResponse.id\",\
\"weight\": 3709,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.allowedResponse.extension\",\
\"weight\": 3710,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.allowedResponse.modifierExtension\",\
\"weight\": 3711,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"MessageDefinition.allowedResponse.message\",\
\"weight\": 3712,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageDefinition.allowedResponse.situation\",\
\"weight\": 3713,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageHeader\",\
\"weight\": 3714,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageHeader.id\",\
\"weight\": 3715,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageHeader.meta\",\
\"weight\": 3716,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageHeader.implicitRules\",\
\"weight\": 3717,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageHeader.language\",\
\"weight\": 3718,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageHeader.text\",\
\"weight\": 3719,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageHeader.contained\",\
\"weight\": 3720,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageHeader.extension\",\
\"weight\": 3721,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageHeader.modifierExtension\",\
\"weight\": 3722,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"MessageHeader.event\",\
\"weight\": 3723,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageHeader.destination\",\
\"weight\": 3724,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageHeader.destination.id\",\
\"weight\": 3725,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageHeader.destination.extension\",\
\"weight\": 3726,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageHeader.destination.modifierExtension\",\
\"weight\": 3727,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageHeader.destination.name\",\
\"weight\": 3728,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageHeader.destination.target\",\
\"weight\": 3729,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"MessageHeader.destination.endpoint\",\
\"weight\": 3730,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageHeader.receiver\",\
\"weight\": 3731,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageHeader.sender\",\
\"weight\": 3732,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"MessageHeader.timestamp\",\
\"weight\": 3733,\
\"max\": \"1\",\
\"type\": \"instant\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageHeader.enterer\",\
\"weight\": 3734,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageHeader.author\",\
\"weight\": 3735,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"MessageHeader.source\",\
\"weight\": 3736,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageHeader.source.id\",\
\"weight\": 3737,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageHeader.source.extension\",\
\"weight\": 3738,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageHeader.source.modifierExtension\",\
\"weight\": 3739,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageHeader.source.name\",\
\"weight\": 3740,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageHeader.source.software\",\
\"weight\": 3741,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageHeader.source.version\",\
\"weight\": 3742,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageHeader.source.contact\",\
\"weight\": 3743,\
\"max\": \"1\",\
\"type\": \"ContactPoint\"\
},\
{\
\"min\": 1,\
\"path\": \"MessageHeader.source.endpoint\",\
\"weight\": 3744,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageHeader.responsible\",\
\"weight\": 3745,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageHeader.reason\",\
\"weight\": 3746,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageHeader.response\",\
\"weight\": 3747,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageHeader.response.id\",\
\"weight\": 3748,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageHeader.response.extension\",\
\"weight\": 3749,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageHeader.response.modifierExtension\",\
\"weight\": 3750,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"MessageHeader.response.identifier\",\
\"weight\": 3751,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 1,\
\"path\": \"MessageHeader.response.code\",\
\"weight\": 3752,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageHeader.response.details\",\
\"weight\": 3753,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"MessageHeader.focus\",\
\"weight\": 3754,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"NamingSystem\",\
\"weight\": 3755,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"NamingSystem.id\",\
\"weight\": 3756,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"NamingSystem.meta\",\
\"weight\": 3757,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"NamingSystem.implicitRules\",\
\"weight\": 3758,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"NamingSystem.language\",\
\"weight\": 3759,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"NamingSystem.text\",\
\"weight\": 3760,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"NamingSystem.contained\",\
\"weight\": 3761,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"NamingSystem.extension\",\
\"weight\": 3762,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"NamingSystem.modifierExtension\",\
\"weight\": 3763,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"NamingSystem.name\",\
\"weight\": 3764,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"NamingSystem.status\",\
\"weight\": 3765,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"NamingSystem.kind\",\
\"weight\": 3766,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"NamingSystem.date\",\
\"weight\": 3767,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"NamingSystem.publisher\",\
\"weight\": 3768,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"NamingSystem.contact\",\
\"weight\": 3769,\
\"max\": \"*\",\
\"type\": \"ContactDetail\"\
},\
{\
\"min\": 0,\
\"path\": \"NamingSystem.responsible\",\
\"weight\": 3770,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"NamingSystem.type\",\
\"weight\": 3771,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"NamingSystem.description\",\
\"weight\": 3772,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"NamingSystem.useContext\",\
\"weight\": 3773,\
\"max\": \"*\",\
\"type\": \"UsageContext\"\
},\
{\
\"min\": 0,\
\"path\": \"NamingSystem.jurisdiction\",\
\"weight\": 3774,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"NamingSystem.usage\",\
\"weight\": 3775,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"NamingSystem.uniqueId\",\
\"weight\": 3776,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"NamingSystem.uniqueId.id\",\
\"weight\": 3777,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"NamingSystem.uniqueId.extension\",\
\"weight\": 3778,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"NamingSystem.uniqueId.modifierExtension\",\
\"weight\": 3779,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"NamingSystem.uniqueId.type\",\
\"weight\": 3780,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"NamingSystem.uniqueId.value\",\
\"weight\": 3781,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"NamingSystem.uniqueId.preferred\",\
\"weight\": 3782,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"NamingSystem.uniqueId.comment\",\
\"weight\": 3783,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"NamingSystem.uniqueId.period\",\
\"weight\": 3784,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"NamingSystem.replacedBy\",\
\"weight\": 3785,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder\",\
\"weight\": 3786,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.id\",\
\"weight\": 3787,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.meta\",\
\"weight\": 3788,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.implicitRules\",\
\"weight\": 3789,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.language\",\
\"weight\": 3790,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.text\",\
\"weight\": 3791,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.contained\",\
\"weight\": 3792,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.extension\",\
\"weight\": 3793,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.modifierExtension\",\
\"weight\": 3794,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.identifier\",\
\"weight\": 3795,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.status\",\
\"weight\": 3796,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"NutritionOrder.patient\",\
\"weight\": 3797,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.encounter\",\
\"weight\": 3798,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"NutritionOrder.dateTime\",\
\"weight\": 3799,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.orderer\",\
\"weight\": 3800,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.allergyIntolerance\",\
\"weight\": 3801,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.foodPreferenceModifier\",\
\"weight\": 3802,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.excludeFoodModifier\",\
\"weight\": 3803,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.oralDiet\",\
\"weight\": 3804,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.oralDiet.id\",\
\"weight\": 3805,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.oralDiet.extension\",\
\"weight\": 3806,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.oralDiet.modifierExtension\",\
\"weight\": 3807,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.oralDiet.type\",\
\"weight\": 3808,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.oralDiet.schedule\",\
\"weight\": 3809,\
\"max\": \"*\",\
\"type\": \"Timing\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.oralDiet.nutrient\",\
\"weight\": 3810,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.oralDiet.nutrient.id\",\
\"weight\": 3811,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.oralDiet.nutrient.extension\",\
\"weight\": 3812,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.oralDiet.nutrient.modifierExtension\",\
\"weight\": 3813,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.oralDiet.nutrient.modifier\",\
\"weight\": 3814,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.oralDiet.nutrient.amount\",\
\"weight\": 3815,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.oralDiet.texture\",\
\"weight\": 3816,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.oralDiet.texture.id\",\
\"weight\": 3817,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.oralDiet.texture.extension\",\
\"weight\": 3818,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.oralDiet.texture.modifierExtension\",\
\"weight\": 3819,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.oralDiet.texture.modifier\",\
\"weight\": 3820,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.oralDiet.texture.foodType\",\
\"weight\": 3821,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.oralDiet.fluidConsistencyType\",\
\"weight\": 3822,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.oralDiet.instruction\",\
\"weight\": 3823,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.supplement\",\
\"weight\": 3824,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.supplement.id\",\
\"weight\": 3825,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.supplement.extension\",\
\"weight\": 3826,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.supplement.modifierExtension\",\
\"weight\": 3827,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.supplement.type\",\
\"weight\": 3828,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.supplement.productName\",\
\"weight\": 3829,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.supplement.schedule\",\
\"weight\": 3830,\
\"max\": \"*\",\
\"type\": \"Timing\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.supplement.quantity\",\
\"weight\": 3831,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.supplement.instruction\",\
\"weight\": 3832,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.enteralFormula\",\
\"weight\": 3833,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.enteralFormula.id\",\
\"weight\": 3834,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.enteralFormula.extension\",\
\"weight\": 3835,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.enteralFormula.modifierExtension\",\
\"weight\": 3836,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.enteralFormula.baseFormulaType\",\
\"weight\": 3837,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.enteralFormula.baseFormulaProductName\",\
\"weight\": 3838,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.enteralFormula.additiveType\",\
\"weight\": 3839,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.enteralFormula.additiveProductName\",\
\"weight\": 3840,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.enteralFormula.caloricDensity\",\
\"weight\": 3841,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.enteralFormula.routeofAdministration\",\
\"weight\": 3842,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.enteralFormula.administration\",\
\"weight\": 3843,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.enteralFormula.administration.id\",\
\"weight\": 3844,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.enteralFormula.administration.extension\",\
\"weight\": 3845,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.enteralFormula.administration.modifierExtension\",\
\"weight\": 3846,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.enteralFormula.administration.schedule\",\
\"weight\": 3847,\
\"max\": \"1\",\
\"type\": \"Timing\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.enteralFormula.administration.quantity\",\
\"weight\": 3848,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.enteralFormula.administration.rateQuantity\",\
\"weight\": 3849,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.enteralFormula.administration.rateRatio\",\
\"weight\": 3849,\
\"max\": \"1\",\
\"type\": \"Ratio\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.enteralFormula.maxVolumeToDeliver\",\
\"weight\": 3850,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"NutritionOrder.enteralFormula.administrationInstruction\",\
\"weight\": 3851,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation\",\
\"weight\": 3852,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.id\",\
\"weight\": 3853,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.meta\",\
\"weight\": 3854,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.implicitRules\",\
\"weight\": 3855,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.language\",\
\"weight\": 3856,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.text\",\
\"weight\": 3857,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.contained\",\
\"weight\": 3858,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.extension\",\
\"weight\": 3859,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.modifierExtension\",\
\"weight\": 3860,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.identifier\",\
\"weight\": 3861,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.basedOn\",\
\"weight\": 3862,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"Observation.status\",\
\"weight\": 3863,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.category\",\
\"weight\": 3864,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"Observation.code\",\
\"weight\": 3865,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.subject\",\
\"weight\": 3866,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.context\",\
\"weight\": 3867,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.effectiveDateTime\",\
\"weight\": 3868,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.effectivePeriod\",\
\"weight\": 3868,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.issued\",\
\"weight\": 3869,\
\"max\": \"1\",\
\"type\": \"instant\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.performer\",\
\"weight\": 3870,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.valueQuantity\",\
\"weight\": 3871,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.valueCodeableConcept\",\
\"weight\": 3871,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.valueString\",\
\"weight\": 3871,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.valueBoolean\",\
\"weight\": 3871,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.valueRange\",\
\"weight\": 3871,\
\"max\": \"1\",\
\"type\": \"Range\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.valueRatio\",\
\"weight\": 3871,\
\"max\": \"1\",\
\"type\": \"Ratio\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.valueSampledData\",\
\"weight\": 3871,\
\"max\": \"1\",\
\"type\": \"SampledData\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.valueAttachment\",\
\"weight\": 3871,\
\"max\": \"1\",\
\"type\": \"Attachment\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.valueTime\",\
\"weight\": 3871,\
\"max\": \"1\",\
\"type\": \"time\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.valueDateTime\",\
\"weight\": 3871,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.valuePeriod\",\
\"weight\": 3871,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.dataAbsentReason\",\
\"weight\": 3872,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.interpretation\",\
\"weight\": 3873,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.comment\",\
\"weight\": 3874,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.bodySite\",\
\"weight\": 3875,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.method\",\
\"weight\": 3876,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.specimen\",\
\"weight\": 3877,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.device\",\
\"weight\": 3878,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.referenceRange\",\
\"weight\": 3879,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.referenceRange.id\",\
\"weight\": 3880,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.referenceRange.extension\",\
\"weight\": 3881,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.referenceRange.modifierExtension\",\
\"weight\": 3882,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.referenceRange.low\",\
\"weight\": 3883,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.referenceRange.high\",\
\"weight\": 3884,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.referenceRange.type\",\
\"weight\": 3885,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.referenceRange.appliesTo\",\
\"weight\": 3886,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.referenceRange.age\",\
\"weight\": 3887,\
\"max\": \"1\",\
\"type\": \"Range\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.referenceRange.text\",\
\"weight\": 3888,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.related\",\
\"weight\": 3889,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.related.id\",\
\"weight\": 3890,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.related.extension\",\
\"weight\": 3891,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.related.modifierExtension\",\
\"weight\": 3892,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.related.type\",\
\"weight\": 3893,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"Observation.related.target\",\
\"weight\": 3894,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.component\",\
\"weight\": 3895,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.component.id\",\
\"weight\": 3896,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.component.extension\",\
\"weight\": 3897,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.component.modifierExtension\",\
\"weight\": 3898,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Observation.component.code\",\
\"weight\": 3899,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.component.valueQuantity\",\
\"weight\": 3900,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.component.valueCodeableConcept\",\
\"weight\": 3900,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.component.valueString\",\
\"weight\": 3900,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.component.valueRange\",\
\"weight\": 3900,\
\"max\": \"1\",\
\"type\": \"Range\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.component.valueRatio\",\
\"weight\": 3900,\
\"max\": \"1\",\
\"type\": \"Ratio\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.component.valueSampledData\",\
\"weight\": 3900,\
\"max\": \"1\",\
\"type\": \"SampledData\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.component.valueAttachment\",\
\"weight\": 3900,\
\"max\": \"1\",\
\"type\": \"Attachment\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.component.valueTime\",\
\"weight\": 3900,\
\"max\": \"1\",\
\"type\": \"time\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.component.valueDateTime\",\
\"weight\": 3900,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.component.valuePeriod\",\
\"weight\": 3900,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.component.dataAbsentReason\",\
\"weight\": 3901,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.component.interpretation\",\
\"weight\": 3902,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Observation.component.referenceRange\",\
\"weight\": 3903,\
\"max\": \"*\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition\",\
\"weight\": 3904,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.id\",\
\"weight\": 3905,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.meta\",\
\"weight\": 3906,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.implicitRules\",\
\"weight\": 3907,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.language\",\
\"weight\": 3908,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.text\",\
\"weight\": 3909,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.contained\",\
\"weight\": 3910,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.extension\",\
\"weight\": 3911,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.modifierExtension\",\
\"weight\": 3912,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.url\",\
\"weight\": 3913,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.version\",\
\"weight\": 3914,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"OperationDefinition.name\",\
\"weight\": 3915,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"OperationDefinition.status\",\
\"weight\": 3916,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"OperationDefinition.kind\",\
\"weight\": 3917,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.experimental\",\
\"weight\": 3918,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.date\",\
\"weight\": 3919,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.publisher\",\
\"weight\": 3920,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.contact\",\
\"weight\": 3921,\
\"max\": \"*\",\
\"type\": \"ContactDetail\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.description\",\
\"weight\": 3922,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.useContext\",\
\"weight\": 3923,\
\"max\": \"*\",\
\"type\": \"UsageContext\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.jurisdiction\",\
\"weight\": 3924,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.purpose\",\
\"weight\": 3925,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.idempotent\",\
\"weight\": 3926,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 1,\
\"path\": \"OperationDefinition.code\",\
\"weight\": 3927,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.comment\",\
\"weight\": 3928,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.base\",\
\"weight\": 3929,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.resource\",\
\"weight\": 3930,\
\"max\": \"*\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"OperationDefinition.system\",\
\"weight\": 3931,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 1,\
\"path\": \"OperationDefinition.type\",\
\"weight\": 3932,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 1,\
\"path\": \"OperationDefinition.instance\",\
\"weight\": 3933,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.parameter\",\
\"weight\": 3934,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.parameter.id\",\
\"weight\": 3935,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.parameter.extension\",\
\"weight\": 3936,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.parameter.modifierExtension\",\
\"weight\": 3937,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"OperationDefinition.parameter.name\",\
\"weight\": 3938,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"OperationDefinition.parameter.use\",\
\"weight\": 3939,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"OperationDefinition.parameter.min\",\
\"weight\": 3940,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 1,\
\"path\": \"OperationDefinition.parameter.max\",\
\"weight\": 3941,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.parameter.documentation\",\
\"weight\": 3942,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.parameter.type\",\
\"weight\": 3943,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.parameter.searchType\",\
\"weight\": 3944,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.parameter.profile\",\
\"weight\": 3945,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.parameter.binding\",\
\"weight\": 3946,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.parameter.binding.id\",\
\"weight\": 3947,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.parameter.binding.extension\",\
\"weight\": 3948,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.parameter.binding.modifierExtension\",\
\"weight\": 3949,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"OperationDefinition.parameter.binding.strength\",\
\"weight\": 3950,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"OperationDefinition.parameter.binding.valueSetUri\",\
\"weight\": 3951,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 1,\
\"path\": \"OperationDefinition.parameter.binding.valueSetReference\",\
\"weight\": 3951,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.parameter.part\",\
\"weight\": 3952,\
\"max\": \"*\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.overload\",\
\"weight\": 3953,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.overload.id\",\
\"weight\": 3954,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.overload.extension\",\
\"weight\": 3955,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.overload.modifierExtension\",\
\"weight\": 3956,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.overload.parameterName\",\
\"weight\": 3957,\
\"max\": \"*\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationDefinition.overload.comment\",\
\"weight\": 3958,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationOutcome\",\
\"weight\": 3959,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationOutcome.id\",\
\"weight\": 3960,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationOutcome.meta\",\
\"weight\": 3961,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationOutcome.implicitRules\",\
\"weight\": 3962,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationOutcome.language\",\
\"weight\": 3963,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationOutcome.text\",\
\"weight\": 3964,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationOutcome.contained\",\
\"weight\": 3965,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationOutcome.extension\",\
\"weight\": 3966,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationOutcome.modifierExtension\",\
\"weight\": 3967,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"OperationOutcome.issue\",\
\"weight\": 3968,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationOutcome.issue.id\",\
\"weight\": 3969,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationOutcome.issue.extension\",\
\"weight\": 3970,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationOutcome.issue.modifierExtension\",\
\"weight\": 3971,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"OperationOutcome.issue.severity\",\
\"weight\": 3972,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"OperationOutcome.issue.code\",\
\"weight\": 3973,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationOutcome.issue.details\",\
\"weight\": 3974,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationOutcome.issue.diagnostics\",\
\"weight\": 3975,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationOutcome.issue.location\",\
\"weight\": 3976,\
\"max\": \"*\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"OperationOutcome.issue.expression\",\
\"weight\": 3977,\
\"max\": \"*\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Organization\",\
\"weight\": 3978,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Organization.id\",\
\"weight\": 3979,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Organization.meta\",\
\"weight\": 3980,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Organization.implicitRules\",\
\"weight\": 3981,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Organization.language\",\
\"weight\": 3982,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Organization.text\",\
\"weight\": 3983,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Organization.contained\",\
\"weight\": 3984,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Organization.extension\",\
\"weight\": 3985,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Organization.modifierExtension\",\
\"weight\": 3986,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Organization.identifier\",\
\"weight\": 3987,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Organization.active\",\
\"weight\": 3988,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"Organization.type\",\
\"weight\": 3989,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Organization.name\",\
\"weight\": 3990,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Organization.alias\",\
\"weight\": 3991,\
\"max\": \"*\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Organization.telecom\",\
\"weight\": 3992,\
\"max\": \"*\",\
\"type\": \"ContactPoint\"\
},\
{\
\"min\": 0,\
\"path\": \"Organization.address\",\
\"weight\": 3993,\
\"max\": \"*\",\
\"type\": \"Address\"\
},\
{\
\"min\": 0,\
\"path\": \"Organization.partOf\",\
\"weight\": 3994,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Organization.contact\",\
\"weight\": 3995,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Organization.contact.id\",\
\"weight\": 3996,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Organization.contact.extension\",\
\"weight\": 3997,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Organization.contact.modifierExtension\",\
\"weight\": 3998,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Organization.contact.purpose\",\
\"weight\": 3999,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Organization.contact.name\",\
\"weight\": 4000,\
\"max\": \"1\",\
\"type\": \"HumanName\"\
},\
{\
\"min\": 0,\
\"path\": \"Organization.contact.telecom\",\
\"weight\": 4001,\
\"max\": \"*\",\
\"type\": \"ContactPoint\"\
},\
{\
\"min\": 0,\
\"path\": \"Organization.contact.address\",\
\"weight\": 4002,\
\"max\": \"1\",\
\"type\": \"Address\"\
},\
{\
\"min\": 0,\
\"path\": \"Organization.endpoint\",\
\"weight\": 4003,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters\",\
\"weight\": 4004,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.id\",\
\"weight\": 4005,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.meta\",\
\"weight\": 4006,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.implicitRules\",\
\"weight\": 4007,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.language\",\
\"weight\": 4008,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter\",\
\"weight\": 4009,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.id\",\
\"weight\": 4010,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.extension\",\
\"weight\": 4011,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.modifierExtension\",\
\"weight\": 4012,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Parameters.parameter.name\",\
\"weight\": 4013,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valueBase64Binary\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"base64Binary\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valueBoolean\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valueCode\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valueDate\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valueDateTime\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valueDecimal\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valueId\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valueInstant\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"instant\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valueInteger\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valueMarkdown\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valueOid\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"oid\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valuePositiveInt\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valueString\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valueTime\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"time\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valueUnsignedInt\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"unsignedInt\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valueUri\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valueAddress\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"Address\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valueAge\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"Age\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valueAnnotation\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valueAttachment\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"Attachment\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valueCodeableConcept\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valueCoding\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valueContactPoint\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"ContactPoint\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valueCount\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"Count\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valueDistance\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"Distance\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valueDuration\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"Duration\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valueHumanName\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"HumanName\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valueIdentifier\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valueMoney\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valuePeriod\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valueQuantity\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valueRange\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"Range\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valueRatio\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"Ratio\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valueReference\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valueSampledData\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"SampledData\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valueSignature\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"Signature\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valueTiming\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"Timing\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.valueMeta\",\
\"weight\": 4014,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.resource\",\
\"weight\": 4015,\
\"max\": \"1\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Parameters.parameter.part\",\
\"weight\": 4016,\
\"max\": \"*\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient\",\
\"weight\": 4017,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.id\",\
\"weight\": 4018,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.meta\",\
\"weight\": 4019,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.implicitRules\",\
\"weight\": 4020,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.language\",\
\"weight\": 4021,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.text\",\
\"weight\": 4022,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.contained\",\
\"weight\": 4023,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.extension\",\
\"weight\": 4024,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.modifierExtension\",\
\"weight\": 4025,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.identifier\",\
\"weight\": 4026,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.active\",\
\"weight\": 4027,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.name\",\
\"weight\": 4028,\
\"max\": \"*\",\
\"type\": \"HumanName\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.telecom\",\
\"weight\": 4029,\
\"max\": \"*\",\
\"type\": \"ContactPoint\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.gender\",\
\"weight\": 4030,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.birthDate\",\
\"weight\": 4031,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.deceasedBoolean\",\
\"weight\": 4032,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.deceasedDateTime\",\
\"weight\": 4032,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.address\",\
\"weight\": 4033,\
\"max\": \"*\",\
\"type\": \"Address\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.maritalStatus\",\
\"weight\": 4034,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.multipleBirthBoolean\",\
\"weight\": 4035,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.multipleBirthInteger\",\
\"weight\": 4035,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.photo\",\
\"weight\": 4036,\
\"max\": \"*\",\
\"type\": \"Attachment\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.contact\",\
\"weight\": 4037,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.contact.id\",\
\"weight\": 4038,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.contact.extension\",\
\"weight\": 4039,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.contact.modifierExtension\",\
\"weight\": 4040,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.contact.relationship\",\
\"weight\": 4041,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.contact.name\",\
\"weight\": 4042,\
\"max\": \"1\",\
\"type\": \"HumanName\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.contact.telecom\",\
\"weight\": 4043,\
\"max\": \"*\",\
\"type\": \"ContactPoint\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.contact.address\",\
\"weight\": 4044,\
\"max\": \"1\",\
\"type\": \"Address\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.contact.gender\",\
\"weight\": 4045,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.contact.organization\",\
\"weight\": 4046,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.contact.period\",\
\"weight\": 4047,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.animal\",\
\"weight\": 4048,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.animal.id\",\
\"weight\": 4049,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.animal.extension\",\
\"weight\": 4050,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.animal.modifierExtension\",\
\"weight\": 4051,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Patient.animal.species\",\
\"weight\": 4052,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.animal.breed\",\
\"weight\": 4053,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.animal.genderStatus\",\
\"weight\": 4054,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.communication\",\
\"weight\": 4055,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.communication.id\",\
\"weight\": 4056,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.communication.extension\",\
\"weight\": 4057,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.communication.modifierExtension\",\
\"weight\": 4058,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Patient.communication.language\",\
\"weight\": 4059,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.communication.preferred\",\
\"weight\": 4060,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.generalPractitioner\",\
\"weight\": 4061,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.managingOrganization\",\
\"weight\": 4062,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.link\",\
\"weight\": 4063,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.link.id\",\
\"weight\": 4064,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.link.extension\",\
\"weight\": 4065,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Patient.link.modifierExtension\",\
\"weight\": 4066,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Patient.link.other\",\
\"weight\": 4067,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"Patient.link.type\",\
\"weight\": 4068,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentNotice\",\
\"weight\": 4069,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentNotice.id\",\
\"weight\": 4070,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentNotice.meta\",\
\"weight\": 4071,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentNotice.implicitRules\",\
\"weight\": 4072,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentNotice.language\",\
\"weight\": 4073,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentNotice.text\",\
\"weight\": 4074,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentNotice.contained\",\
\"weight\": 4075,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentNotice.extension\",\
\"weight\": 4076,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentNotice.modifierExtension\",\
\"weight\": 4077,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentNotice.identifier\",\
\"weight\": 4078,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentNotice.status\",\
\"weight\": 4079,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentNotice.request\",\
\"weight\": 4080,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentNotice.response\",\
\"weight\": 4081,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentNotice.statusDate\",\
\"weight\": 4082,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentNotice.created\",\
\"weight\": 4083,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentNotice.target\",\
\"weight\": 4084,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentNotice.provider\",\
\"weight\": 4085,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentNotice.organization\",\
\"weight\": 4086,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentNotice.paymentStatus\",\
\"weight\": 4087,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentReconciliation\",\
\"weight\": 4088,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentReconciliation.id\",\
\"weight\": 4089,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentReconciliation.meta\",\
\"weight\": 4090,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentReconciliation.implicitRules\",\
\"weight\": 4091,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentReconciliation.language\",\
\"weight\": 4092,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentReconciliation.text\",\
\"weight\": 4093,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentReconciliation.contained\",\
\"weight\": 4094,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentReconciliation.extension\",\
\"weight\": 4095,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentReconciliation.modifierExtension\",\
\"weight\": 4096,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentReconciliation.identifier\",\
\"weight\": 4097,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentReconciliation.status\",\
\"weight\": 4098,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentReconciliation.period\",\
\"weight\": 4099,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentReconciliation.created\",\
\"weight\": 4100,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentReconciliation.organization\",\
\"weight\": 4101,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentReconciliation.request\",\
\"weight\": 4102,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentReconciliation.outcome\",\
\"weight\": 4103,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentReconciliation.disposition\",\
\"weight\": 4104,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentReconciliation.requestProvider\",\
\"weight\": 4105,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentReconciliation.requestOrganization\",\
\"weight\": 4106,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentReconciliation.detail\",\
\"weight\": 4107,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentReconciliation.detail.id\",\
\"weight\": 4108,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentReconciliation.detail.extension\",\
\"weight\": 4109,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentReconciliation.detail.modifierExtension\",\
\"weight\": 4110,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"PaymentReconciliation.detail.type\",\
\"weight\": 4111,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentReconciliation.detail.request\",\
\"weight\": 4112,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentReconciliation.detail.response\",\
\"weight\": 4113,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentReconciliation.detail.submitter\",\
\"weight\": 4114,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentReconciliation.detail.payee\",\
\"weight\": 4115,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentReconciliation.detail.date\",\
\"weight\": 4116,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentReconciliation.detail.amount\",\
\"weight\": 4117,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentReconciliation.form\",\
\"weight\": 4118,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentReconciliation.total\",\
\"weight\": 4119,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentReconciliation.processNote\",\
\"weight\": 4120,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentReconciliation.processNote.id\",\
\"weight\": 4121,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentReconciliation.processNote.extension\",\
\"weight\": 4122,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentReconciliation.processNote.modifierExtension\",\
\"weight\": 4123,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentReconciliation.processNote.type\",\
\"weight\": 4124,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"PaymentReconciliation.processNote.text\",\
\"weight\": 4125,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Person\",\
\"weight\": 4126,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Person.id\",\
\"weight\": 4127,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Person.meta\",\
\"weight\": 4128,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Person.implicitRules\",\
\"weight\": 4129,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Person.language\",\
\"weight\": 4130,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Person.text\",\
\"weight\": 4131,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Person.contained\",\
\"weight\": 4132,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Person.extension\",\
\"weight\": 4133,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Person.modifierExtension\",\
\"weight\": 4134,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Person.identifier\",\
\"weight\": 4135,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Person.name\",\
\"weight\": 4136,\
\"max\": \"*\",\
\"type\": \"HumanName\"\
},\
{\
\"min\": 0,\
\"path\": \"Person.telecom\",\
\"weight\": 4137,\
\"max\": \"*\",\
\"type\": \"ContactPoint\"\
},\
{\
\"min\": 0,\
\"path\": \"Person.gender\",\
\"weight\": 4138,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Person.birthDate\",\
\"weight\": 4139,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"Person.address\",\
\"weight\": 4140,\
\"max\": \"*\",\
\"type\": \"Address\"\
},\
{\
\"min\": 0,\
\"path\": \"Person.photo\",\
\"weight\": 4141,\
\"max\": \"1\",\
\"type\": \"Attachment\"\
},\
{\
\"min\": 0,\
\"path\": \"Person.managingOrganization\",\
\"weight\": 4142,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Person.active\",\
\"weight\": 4143,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"Person.link\",\
\"weight\": 4144,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Person.link.id\",\
\"weight\": 4145,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Person.link.extension\",\
\"weight\": 4146,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Person.link.modifierExtension\",\
\"weight\": 4147,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Person.link.target\",\
\"weight\": 4148,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Person.link.assurance\",\
\"weight\": 4149,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition\",\
\"weight\": 4150,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.id\",\
\"weight\": 4151,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.meta\",\
\"weight\": 4152,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.implicitRules\",\
\"weight\": 4153,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.language\",\
\"weight\": 4154,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.text\",\
\"weight\": 4155,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.contained\",\
\"weight\": 4156,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.extension\",\
\"weight\": 4157,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.modifierExtension\",\
\"weight\": 4158,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.url\",\
\"weight\": 4159,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.identifier\",\
\"weight\": 4160,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.version\",\
\"weight\": 4161,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.name\",\
\"weight\": 4162,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.title\",\
\"weight\": 4163,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.type\",\
\"weight\": 4164,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"PlanDefinition.status\",\
\"weight\": 4165,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.experimental\",\
\"weight\": 4166,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.date\",\
\"weight\": 4167,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.publisher\",\
\"weight\": 4168,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.description\",\
\"weight\": 4169,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.purpose\",\
\"weight\": 4170,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.usage\",\
\"weight\": 4171,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.approvalDate\",\
\"weight\": 4172,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.lastReviewDate\",\
\"weight\": 4173,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.effectivePeriod\",\
\"weight\": 4174,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.useContext\",\
\"weight\": 4175,\
\"max\": \"*\",\
\"type\": \"UsageContext\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.jurisdiction\",\
\"weight\": 4176,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.topic\",\
\"weight\": 4177,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.contributor\",\
\"weight\": 4178,\
\"max\": \"*\",\
\"type\": \"Contributor\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.contact\",\
\"weight\": 4179,\
\"max\": \"*\",\
\"type\": \"ContactDetail\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.copyright\",\
\"weight\": 4180,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.relatedArtifact\",\
\"weight\": 4181,\
\"max\": \"*\",\
\"type\": \"RelatedArtifact\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.library\",\
\"weight\": 4182,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.goal\",\
\"weight\": 4183,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.goal.id\",\
\"weight\": 4184,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.goal.extension\",\
\"weight\": 4185,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.goal.modifierExtension\",\
\"weight\": 4186,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.goal.category\",\
\"weight\": 4187,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"PlanDefinition.goal.description\",\
\"weight\": 4188,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.goal.priority\",\
\"weight\": 4189,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.goal.start\",\
\"weight\": 4190,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.goal.addresses\",\
\"weight\": 4191,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.goal.documentation\",\
\"weight\": 4192,\
\"max\": \"*\",\
\"type\": \"RelatedArtifact\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.goal.target\",\
\"weight\": 4193,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.goal.target.id\",\
\"weight\": 4194,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.goal.target.extension\",\
\"weight\": 4195,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.goal.target.modifierExtension\",\
\"weight\": 4196,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.goal.target.measure\",\
\"weight\": 4197,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.goal.target.detailQuantity\",\
\"weight\": 4198,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.goal.target.detailRange\",\
\"weight\": 4198,\
\"max\": \"1\",\
\"type\": \"Range\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.goal.target.detailCodeableConcept\",\
\"weight\": 4198,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.goal.target.due\",\
\"weight\": 4199,\
\"max\": \"1\",\
\"type\": \"Duration\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action\",\
\"weight\": 4200,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.id\",\
\"weight\": 4201,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.extension\",\
\"weight\": 4202,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.modifierExtension\",\
\"weight\": 4203,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.label\",\
\"weight\": 4204,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.title\",\
\"weight\": 4205,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.description\",\
\"weight\": 4206,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.textEquivalent\",\
\"weight\": 4207,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.code\",\
\"weight\": 4208,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.reason\",\
\"weight\": 4209,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.documentation\",\
\"weight\": 4210,\
\"max\": \"*\",\
\"type\": \"RelatedArtifact\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.goalId\",\
\"weight\": 4211,\
\"max\": \"*\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.triggerDefinition\",\
\"weight\": 4212,\
\"max\": \"*\",\
\"type\": \"TriggerDefinition\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.condition\",\
\"weight\": 4213,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.condition.id\",\
\"weight\": 4214,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.condition.extension\",\
\"weight\": 4215,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.condition.modifierExtension\",\
\"weight\": 4216,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"PlanDefinition.action.condition.kind\",\
\"weight\": 4217,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.condition.description\",\
\"weight\": 4218,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.condition.language\",\
\"weight\": 4219,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.condition.expression\",\
\"weight\": 4220,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.input\",\
\"weight\": 4221,\
\"max\": \"*\",\
\"type\": \"DataRequirement\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.output\",\
\"weight\": 4222,\
\"max\": \"*\",\
\"type\": \"DataRequirement\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.relatedAction\",\
\"weight\": 4223,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.relatedAction.id\",\
\"weight\": 4224,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.relatedAction.extension\",\
\"weight\": 4225,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.relatedAction.modifierExtension\",\
\"weight\": 4226,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"PlanDefinition.action.relatedAction.actionId\",\
\"weight\": 4227,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 1,\
\"path\": \"PlanDefinition.action.relatedAction.relationship\",\
\"weight\": 4228,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.relatedAction.offsetDuration\",\
\"weight\": 4229,\
\"max\": \"1\",\
\"type\": \"Duration\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.relatedAction.offsetRange\",\
\"weight\": 4229,\
\"max\": \"1\",\
\"type\": \"Range\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.timingDateTime\",\
\"weight\": 4230,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.timingPeriod\",\
\"weight\": 4230,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.timingDuration\",\
\"weight\": 4230,\
\"max\": \"1\",\
\"type\": \"Duration\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.timingRange\",\
\"weight\": 4230,\
\"max\": \"1\",\
\"type\": \"Range\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.timingTiming\",\
\"weight\": 4230,\
\"max\": \"1\",\
\"type\": \"Timing\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.participant\",\
\"weight\": 4231,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.participant.id\",\
\"weight\": 4232,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.participant.extension\",\
\"weight\": 4233,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.participant.modifierExtension\",\
\"weight\": 4234,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"PlanDefinition.action.participant.type\",\
\"weight\": 4235,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.participant.role\",\
\"weight\": 4236,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.type\",\
\"weight\": 4237,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.groupingBehavior\",\
\"weight\": 4238,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.selectionBehavior\",\
\"weight\": 4239,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.requiredBehavior\",\
\"weight\": 4240,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.precheckBehavior\",\
\"weight\": 4241,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.cardinalityBehavior\",\
\"weight\": 4242,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.definition\",\
\"weight\": 4243,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.transform\",\
\"weight\": 4244,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.dynamicValue\",\
\"weight\": 4245,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.dynamicValue.id\",\
\"weight\": 4246,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.dynamicValue.extension\",\
\"weight\": 4247,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.dynamicValue.modifierExtension\",\
\"weight\": 4248,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.dynamicValue.description\",\
\"weight\": 4249,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.dynamicValue.path\",\
\"weight\": 4250,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.dynamicValue.language\",\
\"weight\": 4251,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.dynamicValue.expression\",\
\"weight\": 4252,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"PlanDefinition.action.action\",\
\"weight\": 4253,\
\"max\": \"*\"\
},\
{\
\"min\": 0,\
\"path\": \"Practitioner\",\
\"weight\": 4254,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Practitioner.id\",\
\"weight\": 4255,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Practitioner.meta\",\
\"weight\": 4256,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Practitioner.implicitRules\",\
\"weight\": 4257,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Practitioner.language\",\
\"weight\": 4258,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Practitioner.text\",\
\"weight\": 4259,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Practitioner.contained\",\
\"weight\": 4260,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Practitioner.extension\",\
\"weight\": 4261,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Practitioner.modifierExtension\",\
\"weight\": 4262,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Practitioner.identifier\",\
\"weight\": 4263,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Practitioner.active\",\
\"weight\": 4264,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"Practitioner.name\",\
\"weight\": 4265,\
\"max\": \"*\",\
\"type\": \"HumanName\"\
},\
{\
\"min\": 0,\
\"path\": \"Practitioner.telecom\",\
\"weight\": 4266,\
\"max\": \"*\",\
\"type\": \"ContactPoint\"\
},\
{\
\"min\": 0,\
\"path\": \"Practitioner.address\",\
\"weight\": 4267,\
\"max\": \"*\",\
\"type\": \"Address\"\
},\
{\
\"min\": 0,\
\"path\": \"Practitioner.gender\",\
\"weight\": 4268,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Practitioner.birthDate\",\
\"weight\": 4269,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"Practitioner.photo\",\
\"weight\": 4270,\
\"max\": \"*\",\
\"type\": \"Attachment\"\
},\
{\
\"min\": 0,\
\"path\": \"Practitioner.qualification\",\
\"weight\": 4271,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Practitioner.qualification.id\",\
\"weight\": 4272,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Practitioner.qualification.extension\",\
\"weight\": 4273,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Practitioner.qualification.modifierExtension\",\
\"weight\": 4274,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Practitioner.qualification.identifier\",\
\"weight\": 4275,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 1,\
\"path\": \"Practitioner.qualification.code\",\
\"weight\": 4276,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Practitioner.qualification.period\",\
\"weight\": 4277,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Practitioner.qualification.issuer\",\
\"weight\": 4278,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Practitioner.communication\",\
\"weight\": 4279,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"PractitionerRole\",\
\"weight\": 4280,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"PractitionerRole.id\",\
\"weight\": 4281,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"PractitionerRole.meta\",\
\"weight\": 4282,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"PractitionerRole.implicitRules\",\
\"weight\": 4283,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"PractitionerRole.language\",\
\"weight\": 4284,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"PractitionerRole.text\",\
\"weight\": 4285,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"PractitionerRole.contained\",\
\"weight\": 4286,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"PractitionerRole.extension\",\
\"weight\": 4287,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"PractitionerRole.modifierExtension\",\
\"weight\": 4288,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"PractitionerRole.identifier\",\
\"weight\": 4289,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"PractitionerRole.active\",\
\"weight\": 4290,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"PractitionerRole.period\",\
\"weight\": 4291,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"PractitionerRole.practitioner\",\
\"weight\": 4292,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"PractitionerRole.organization\",\
\"weight\": 4293,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"PractitionerRole.code\",\
\"weight\": 4294,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"PractitionerRole.specialty\",\
\"weight\": 4295,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"PractitionerRole.location\",\
\"weight\": 4296,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"PractitionerRole.healthcareService\",\
\"weight\": 4297,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"PractitionerRole.telecom\",\
\"weight\": 4298,\
\"max\": \"*\",\
\"type\": \"ContactPoint\"\
},\
{\
\"min\": 0,\
\"path\": \"PractitionerRole.availableTime\",\
\"weight\": 4299,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"PractitionerRole.availableTime.id\",\
\"weight\": 4300,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"PractitionerRole.availableTime.extension\",\
\"weight\": 4301,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"PractitionerRole.availableTime.modifierExtension\",\
\"weight\": 4302,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"PractitionerRole.availableTime.daysOfWeek\",\
\"weight\": 4303,\
\"max\": \"*\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"PractitionerRole.availableTime.allDay\",\
\"weight\": 4304,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"PractitionerRole.availableTime.availableStartTime\",\
\"weight\": 4305,\
\"max\": \"1\",\
\"type\": \"time\"\
},\
{\
\"min\": 0,\
\"path\": \"PractitionerRole.availableTime.availableEndTime\",\
\"weight\": 4306,\
\"max\": \"1\",\
\"type\": \"time\"\
},\
{\
\"min\": 0,\
\"path\": \"PractitionerRole.notAvailable\",\
\"weight\": 4307,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"PractitionerRole.notAvailable.id\",\
\"weight\": 4308,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"PractitionerRole.notAvailable.extension\",\
\"weight\": 4309,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"PractitionerRole.notAvailable.modifierExtension\",\
\"weight\": 4310,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"PractitionerRole.notAvailable.description\",\
\"weight\": 4311,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"PractitionerRole.notAvailable.during\",\
\"weight\": 4312,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"PractitionerRole.availabilityExceptions\",\
\"weight\": 4313,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"PractitionerRole.endpoint\",\
\"weight\": 4314,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure\",\
\"weight\": 4315,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.id\",\
\"weight\": 4316,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.meta\",\
\"weight\": 4317,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.implicitRules\",\
\"weight\": 4318,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.language\",\
\"weight\": 4319,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.text\",\
\"weight\": 4320,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.contained\",\
\"weight\": 4321,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.extension\",\
\"weight\": 4322,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.modifierExtension\",\
\"weight\": 4323,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.identifier\",\
\"weight\": 4324,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.definition\",\
\"weight\": 4325,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.basedOn\",\
\"weight\": 4326,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.partOf\",\
\"weight\": 4327,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"Procedure.status\",\
\"weight\": 4328,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.notDone\",\
\"weight\": 4329,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.notDoneReason\",\
\"weight\": 4330,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.category\",\
\"weight\": 4331,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.code\",\
\"weight\": 4332,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"Procedure.subject\",\
\"weight\": 4333,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.context\",\
\"weight\": 4334,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.performedDateTime\",\
\"weight\": 4335,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.performedPeriod\",\
\"weight\": 4335,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.performer\",\
\"weight\": 4336,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.performer.id\",\
\"weight\": 4337,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.performer.extension\",\
\"weight\": 4338,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.performer.modifierExtension\",\
\"weight\": 4339,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.performer.role\",\
\"weight\": 4340,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"Procedure.performer.actor\",\
\"weight\": 4341,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.performer.onBehalfOf\",\
\"weight\": 4342,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.location\",\
\"weight\": 4343,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.reasonCode\",\
\"weight\": 4344,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.reasonReference\",\
\"weight\": 4345,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.bodySite\",\
\"weight\": 4346,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.outcome\",\
\"weight\": 4347,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.report\",\
\"weight\": 4348,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.complication\",\
\"weight\": 4349,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.complicationDetail\",\
\"weight\": 4350,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.followUp\",\
\"weight\": 4351,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.note\",\
\"weight\": 4352,\
\"max\": \"*\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.focalDevice\",\
\"weight\": 4353,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.focalDevice.id\",\
\"weight\": 4354,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.focalDevice.extension\",\
\"weight\": 4355,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.focalDevice.modifierExtension\",\
\"weight\": 4356,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.focalDevice.action\",\
\"weight\": 4357,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"Procedure.focalDevice.manipulated\",\
\"weight\": 4358,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.usedReference\",\
\"weight\": 4359,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Procedure.usedCode\",\
\"weight\": 4360,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest\",\
\"weight\": 4361,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest.id\",\
\"weight\": 4362,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest.meta\",\
\"weight\": 4363,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest.implicitRules\",\
\"weight\": 4364,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest.language\",\
\"weight\": 4365,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest.text\",\
\"weight\": 4366,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest.contained\",\
\"weight\": 4367,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest.extension\",\
\"weight\": 4368,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest.modifierExtension\",\
\"weight\": 4369,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest.identifier\",\
\"weight\": 4370,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest.definition\",\
\"weight\": 4371,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest.basedOn\",\
\"weight\": 4372,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest.replaces\",\
\"weight\": 4373,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest.requisition\",\
\"weight\": 4374,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 1,\
\"path\": \"ProcedureRequest.status\",\
\"weight\": 4375,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"ProcedureRequest.intent\",\
\"weight\": 4376,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest.priority\",\
\"weight\": 4377,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest.doNotPerform\",\
\"weight\": 4378,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest.category\",\
\"weight\": 4379,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"ProcedureRequest.code\",\
\"weight\": 4380,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"ProcedureRequest.subject\",\
\"weight\": 4381,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest.context\",\
\"weight\": 4382,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest.occurrenceDateTime\",\
\"weight\": 4383,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest.occurrencePeriod\",\
\"weight\": 4383,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest.occurrenceTiming\",\
\"weight\": 4383,\
\"max\": \"1\",\
\"type\": \"Timing\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest.asNeededBoolean\",\
\"weight\": 4384,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest.asNeededCodeableConcept\",\
\"weight\": 4384,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest.authoredOn\",\
\"weight\": 4385,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest.requester\",\
\"weight\": 4386,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest.requester.id\",\
\"weight\": 4387,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest.requester.extension\",\
\"weight\": 4388,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest.requester.modifierExtension\",\
\"weight\": 4389,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ProcedureRequest.requester.agent\",\
\"weight\": 4390,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest.requester.onBehalfOf\",\
\"weight\": 4391,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest.performerType\",\
\"weight\": 4392,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest.performer\",\
\"weight\": 4393,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest.reasonCode\",\
\"weight\": 4394,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest.reasonReference\",\
\"weight\": 4395,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest.supportingInfo\",\
\"weight\": 4396,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest.specimen\",\
\"weight\": 4397,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest.bodySite\",\
\"weight\": 4398,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest.note\",\
\"weight\": 4399,\
\"max\": \"*\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcedureRequest.relevantHistory\",\
\"weight\": 4400,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessRequest\",\
\"weight\": 4401,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessRequest.id\",\
\"weight\": 4402,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessRequest.meta\",\
\"weight\": 4403,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessRequest.implicitRules\",\
\"weight\": 4404,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessRequest.language\",\
\"weight\": 4405,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessRequest.text\",\
\"weight\": 4406,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessRequest.contained\",\
\"weight\": 4407,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessRequest.extension\",\
\"weight\": 4408,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessRequest.modifierExtension\",\
\"weight\": 4409,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessRequest.identifier\",\
\"weight\": 4410,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessRequest.status\",\
\"weight\": 4411,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessRequest.action\",\
\"weight\": 4412,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessRequest.target\",\
\"weight\": 4413,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessRequest.created\",\
\"weight\": 4414,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessRequest.provider\",\
\"weight\": 4415,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessRequest.organization\",\
\"weight\": 4416,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessRequest.request\",\
\"weight\": 4417,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessRequest.response\",\
\"weight\": 4418,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessRequest.nullify\",\
\"weight\": 4419,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessRequest.reference\",\
\"weight\": 4420,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessRequest.item\",\
\"weight\": 4421,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessRequest.item.id\",\
\"weight\": 4422,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessRequest.item.extension\",\
\"weight\": 4423,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessRequest.item.modifierExtension\",\
\"weight\": 4424,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ProcessRequest.item.sequenceLinkId\",\
\"weight\": 4425,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessRequest.include\",\
\"weight\": 4426,\
\"max\": \"*\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessRequest.exclude\",\
\"weight\": 4427,\
\"max\": \"*\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessRequest.period\",\
\"weight\": 4428,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessResponse\",\
\"weight\": 4429,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessResponse.id\",\
\"weight\": 4430,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessResponse.meta\",\
\"weight\": 4431,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessResponse.implicitRules\",\
\"weight\": 4432,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessResponse.language\",\
\"weight\": 4433,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessResponse.text\",\
\"weight\": 4434,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessResponse.contained\",\
\"weight\": 4435,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessResponse.extension\",\
\"weight\": 4436,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessResponse.modifierExtension\",\
\"weight\": 4437,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessResponse.identifier\",\
\"weight\": 4438,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessResponse.status\",\
\"weight\": 4439,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessResponse.created\",\
\"weight\": 4440,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessResponse.organization\",\
\"weight\": 4441,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessResponse.request\",\
\"weight\": 4442,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessResponse.outcome\",\
\"weight\": 4443,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessResponse.disposition\",\
\"weight\": 4444,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessResponse.requestProvider\",\
\"weight\": 4445,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessResponse.requestOrganization\",\
\"weight\": 4446,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessResponse.form\",\
\"weight\": 4447,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessResponse.processNote\",\
\"weight\": 4448,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessResponse.processNote.id\",\
\"weight\": 4449,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessResponse.processNote.extension\",\
\"weight\": 4450,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessResponse.processNote.modifierExtension\",\
\"weight\": 4451,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessResponse.processNote.type\",\
\"weight\": 4452,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessResponse.processNote.text\",\
\"weight\": 4453,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessResponse.error\",\
\"weight\": 4454,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ProcessResponse.communicationRequest\",\
\"weight\": 4455,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Provenance\",\
\"weight\": 4456,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Provenance.id\",\
\"weight\": 4457,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Provenance.meta\",\
\"weight\": 4458,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Provenance.implicitRules\",\
\"weight\": 4459,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Provenance.language\",\
\"weight\": 4460,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Provenance.text\",\
\"weight\": 4461,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Provenance.contained\",\
\"weight\": 4462,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Provenance.extension\",\
\"weight\": 4463,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Provenance.modifierExtension\",\
\"weight\": 4464,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Provenance.target\",\
\"weight\": 4465,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Provenance.period\",\
\"weight\": 4466,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 1,\
\"path\": \"Provenance.recorded\",\
\"weight\": 4467,\
\"max\": \"1\",\
\"type\": \"instant\"\
},\
{\
\"min\": 0,\
\"path\": \"Provenance.policy\",\
\"weight\": 4468,\
\"max\": \"*\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Provenance.location\",\
\"weight\": 4469,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Provenance.reason\",\
\"weight\": 4470,\
\"max\": \"*\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"Provenance.activity\",\
\"weight\": 4471,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 1,\
\"path\": \"Provenance.agent\",\
\"weight\": 4472,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Provenance.agent.id\",\
\"weight\": 4473,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Provenance.agent.extension\",\
\"weight\": 4474,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Provenance.agent.modifierExtension\",\
\"weight\": 4475,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Provenance.agent.role\",\
\"weight\": 4476,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"Provenance.agent.whoUri\",\
\"weight\": 4477,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 1,\
\"path\": \"Provenance.agent.whoReference\",\
\"weight\": 4477,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"Provenance.agent.whoReference\",\
\"weight\": 4477,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"Provenance.agent.whoReference\",\
\"weight\": 4477,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"Provenance.agent.whoReference\",\
\"weight\": 4477,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"Provenance.agent.whoReference\",\
\"weight\": 4477,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Provenance.agent.onBehalfOfUri\",\
\"weight\": 4478,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Provenance.agent.onBehalfOfReference\",\
\"weight\": 4478,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Provenance.agent.onBehalfOfReference\",\
\"weight\": 4478,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Provenance.agent.onBehalfOfReference\",\
\"weight\": 4478,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Provenance.agent.onBehalfOfReference\",\
\"weight\": 4478,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Provenance.agent.onBehalfOfReference\",\
\"weight\": 4478,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Provenance.agent.relatedAgentType\",\
\"weight\": 4479,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Provenance.entity\",\
\"weight\": 4480,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Provenance.entity.id\",\
\"weight\": 4481,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Provenance.entity.extension\",\
\"weight\": 4482,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Provenance.entity.modifierExtension\",\
\"weight\": 4483,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Provenance.entity.role\",\
\"weight\": 4484,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"Provenance.entity.whatUri\",\
\"weight\": 4485,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 1,\
\"path\": \"Provenance.entity.whatReference\",\
\"weight\": 4485,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"Provenance.entity.whatIdentifier\",\
\"weight\": 4485,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Provenance.entity.agent\",\
\"weight\": 4486,\
\"max\": \"*\"\
},\
{\
\"min\": 0,\
\"path\": \"Provenance.signature\",\
\"weight\": 4487,\
\"max\": \"*\",\
\"type\": \"Signature\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire\",\
\"weight\": 4488,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.id\",\
\"weight\": 4489,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.meta\",\
\"weight\": 4490,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.implicitRules\",\
\"weight\": 4491,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.language\",\
\"weight\": 4492,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.text\",\
\"weight\": 4493,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.contained\",\
\"weight\": 4494,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.extension\",\
\"weight\": 4495,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.modifierExtension\",\
\"weight\": 4496,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.url\",\
\"weight\": 4497,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.identifier\",\
\"weight\": 4498,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.version\",\
\"weight\": 4499,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.name\",\
\"weight\": 4500,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.title\",\
\"weight\": 4501,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"Questionnaire.status\",\
\"weight\": 4502,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.experimental\",\
\"weight\": 4503,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.date\",\
\"weight\": 4504,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.publisher\",\
\"weight\": 4505,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.description\",\
\"weight\": 4506,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.purpose\",\
\"weight\": 4507,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.approvalDate\",\
\"weight\": 4508,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.lastReviewDate\",\
\"weight\": 4509,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.effectivePeriod\",\
\"weight\": 4510,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.useContext\",\
\"weight\": 4511,\
\"max\": \"*\",\
\"type\": \"UsageContext\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.jurisdiction\",\
\"weight\": 4512,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.contact\",\
\"weight\": 4513,\
\"max\": \"*\",\
\"type\": \"ContactDetail\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.copyright\",\
\"weight\": 4514,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.code\",\
\"weight\": 4515,\
\"max\": \"*\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.subjectType\",\
\"weight\": 4516,\
\"max\": \"*\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item\",\
\"weight\": 4517,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.id\",\
\"weight\": 4518,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.extension\",\
\"weight\": 4519,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.modifierExtension\",\
\"weight\": 4520,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Questionnaire.item.linkId\",\
\"weight\": 4521,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.definition\",\
\"weight\": 4522,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.code\",\
\"weight\": 4523,\
\"max\": \"*\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.prefix\",\
\"weight\": 4524,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.text\",\
\"weight\": 4525,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"Questionnaire.item.type\",\
\"weight\": 4526,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.enableWhen\",\
\"weight\": 4527,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.enableWhen.id\",\
\"weight\": 4528,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.enableWhen.extension\",\
\"weight\": 4529,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.enableWhen.modifierExtension\",\
\"weight\": 4530,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Questionnaire.item.enableWhen.question\",\
\"weight\": 4531,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.enableWhen.hasAnswer\",\
\"weight\": 4532,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.enableWhen.answerBoolean\",\
\"weight\": 4533,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.enableWhen.answerDecimal\",\
\"weight\": 4533,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.enableWhen.answerInteger\",\
\"weight\": 4533,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.enableWhen.answerDate\",\
\"weight\": 4533,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.enableWhen.answerDateTime\",\
\"weight\": 4533,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.enableWhen.answerTime\",\
\"weight\": 4533,\
\"max\": \"1\",\
\"type\": \"time\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.enableWhen.answerString\",\
\"weight\": 4533,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.enableWhen.answerUri\",\
\"weight\": 4533,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.enableWhen.answerAttachment\",\
\"weight\": 4533,\
\"max\": \"1\",\
\"type\": \"Attachment\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.enableWhen.answerCoding\",\
\"weight\": 4533,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.enableWhen.answerQuantity\",\
\"weight\": 4533,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.enableWhen.answerReference\",\
\"weight\": 4533,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.required\",\
\"weight\": 4534,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.repeats\",\
\"weight\": 4535,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.readOnly\",\
\"weight\": 4536,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.maxLength\",\
\"weight\": 4537,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.options\",\
\"weight\": 4538,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.option\",\
\"weight\": 4539,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.option.id\",\
\"weight\": 4540,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.option.extension\",\
\"weight\": 4541,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.option.modifierExtension\",\
\"weight\": 4542,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Questionnaire.item.option.valueInteger\",\
\"weight\": 4543,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 1,\
\"path\": \"Questionnaire.item.option.valueDate\",\
\"weight\": 4543,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 1,\
\"path\": \"Questionnaire.item.option.valueTime\",\
\"weight\": 4543,\
\"max\": \"1\",\
\"type\": \"time\"\
},\
{\
\"min\": 1,\
\"path\": \"Questionnaire.item.option.valueString\",\
\"weight\": 4543,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"Questionnaire.item.option.valueCoding\",\
\"weight\": 4543,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.initialBoolean\",\
\"weight\": 4544,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.initialDecimal\",\
\"weight\": 4544,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.initialInteger\",\
\"weight\": 4544,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.initialDate\",\
\"weight\": 4544,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.initialDateTime\",\
\"weight\": 4544,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.initialTime\",\
\"weight\": 4544,\
\"max\": \"1\",\
\"type\": \"time\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.initialString\",\
\"weight\": 4544,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.initialUri\",\
\"weight\": 4544,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.initialAttachment\",\
\"weight\": 4544,\
\"max\": \"1\",\
\"type\": \"Attachment\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.initialCoding\",\
\"weight\": 4544,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.initialQuantity\",\
\"weight\": 4544,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.initialReference\",\
\"weight\": 4544,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Questionnaire.item.item\",\
\"weight\": 4545,\
\"max\": \"*\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse\",\
\"weight\": 4546,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.id\",\
\"weight\": 4547,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.meta\",\
\"weight\": 4548,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.implicitRules\",\
\"weight\": 4549,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.language\",\
\"weight\": 4550,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.text\",\
\"weight\": 4551,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.contained\",\
\"weight\": 4552,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.extension\",\
\"weight\": 4553,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.modifierExtension\",\
\"weight\": 4554,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.identifier\",\
\"weight\": 4555,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.basedOn\",\
\"weight\": 4556,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.parent\",\
\"weight\": 4557,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.questionnaire\",\
\"weight\": 4558,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"QuestionnaireResponse.status\",\
\"weight\": 4559,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.subject\",\
\"weight\": 4560,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.context\",\
\"weight\": 4561,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.authored\",\
\"weight\": 4562,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.author\",\
\"weight\": 4563,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.source\",\
\"weight\": 4564,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.item\",\
\"weight\": 4565,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.item.id\",\
\"weight\": 4566,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.item.extension\",\
\"weight\": 4567,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.item.modifierExtension\",\
\"weight\": 4568,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"QuestionnaireResponse.item.linkId\",\
\"weight\": 4569,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.item.definition\",\
\"weight\": 4570,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.item.text\",\
\"weight\": 4571,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.item.subject\",\
\"weight\": 4572,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.item.answer\",\
\"weight\": 4573,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.item.answer.id\",\
\"weight\": 4574,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.item.answer.extension\",\
\"weight\": 4575,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.item.answer.modifierExtension\",\
\"weight\": 4576,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.item.answer.valueBoolean\",\
\"weight\": 4577,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.item.answer.valueDecimal\",\
\"weight\": 4577,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.item.answer.valueInteger\",\
\"weight\": 4577,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.item.answer.valueDate\",\
\"weight\": 4577,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.item.answer.valueDateTime\",\
\"weight\": 4577,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.item.answer.valueTime\",\
\"weight\": 4577,\
\"max\": \"1\",\
\"type\": \"time\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.item.answer.valueString\",\
\"weight\": 4577,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.item.answer.valueUri\",\
\"weight\": 4577,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.item.answer.valueAttachment\",\
\"weight\": 4577,\
\"max\": \"1\",\
\"type\": \"Attachment\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.item.answer.valueCoding\",\
\"weight\": 4577,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.item.answer.valueQuantity\",\
\"weight\": 4577,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.item.answer.valueReference\",\
\"weight\": 4577,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.item.answer.item\",\
\"weight\": 4578,\
\"max\": \"*\"\
},\
{\
\"min\": 0,\
\"path\": \"QuestionnaireResponse.item.item\",\
\"weight\": 4579,\
\"max\": \"*\"\
},\
{\
\"min\": 0,\
\"path\": \"ReferralRequest\",\
\"weight\": 4580,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"ReferralRequest.id\",\
\"weight\": 4581,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"ReferralRequest.meta\",\
\"weight\": 4582,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"ReferralRequest.implicitRules\",\
\"weight\": 4583,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ReferralRequest.language\",\
\"weight\": 4584,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ReferralRequest.text\",\
\"weight\": 4585,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"ReferralRequest.contained\",\
\"weight\": 4586,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"ReferralRequest.extension\",\
\"weight\": 4587,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ReferralRequest.modifierExtension\",\
\"weight\": 4588,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ReferralRequest.identifier\",\
\"weight\": 4589,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"ReferralRequest.definition\",\
\"weight\": 4590,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ReferralRequest.basedOn\",\
\"weight\": 4591,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ReferralRequest.replaces\",\
\"weight\": 4592,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ReferralRequest.groupIdentifier\",\
\"weight\": 4593,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 1,\
\"path\": \"ReferralRequest.status\",\
\"weight\": 4594,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"ReferralRequest.intent\",\
\"weight\": 4595,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ReferralRequest.type\",\
\"weight\": 4596,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ReferralRequest.priority\",\
\"weight\": 4597,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ReferralRequest.serviceRequested\",\
\"weight\": 4598,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"ReferralRequest.subject\",\
\"weight\": 4599,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ReferralRequest.context\",\
\"weight\": 4600,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ReferralRequest.occurrenceDateTime\",\
\"weight\": 4601,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"ReferralRequest.occurrencePeriod\",\
\"weight\": 4601,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"ReferralRequest.authoredOn\",\
\"weight\": 4602,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"ReferralRequest.requester\",\
\"weight\": 4603,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ReferralRequest.requester.id\",\
\"weight\": 4604,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ReferralRequest.requester.extension\",\
\"weight\": 4605,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ReferralRequest.requester.modifierExtension\",\
\"weight\": 4606,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ReferralRequest.requester.agent\",\
\"weight\": 4607,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ReferralRequest.requester.onBehalfOf\",\
\"weight\": 4608,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ReferralRequest.specialty\",\
\"weight\": 4609,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ReferralRequest.recipient\",\
\"weight\": 4610,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ReferralRequest.reasonCode\",\
\"weight\": 4611,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ReferralRequest.reasonReference\",\
\"weight\": 4612,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ReferralRequest.description\",\
\"weight\": 4613,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ReferralRequest.supportingInfo\",\
\"weight\": 4614,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ReferralRequest.note\",\
\"weight\": 4615,\
\"max\": \"*\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 0,\
\"path\": \"ReferralRequest.relevantHistory\",\
\"weight\": 4616,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"RelatedPerson\",\
\"weight\": 4617,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"RelatedPerson.id\",\
\"weight\": 4618,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"RelatedPerson.meta\",\
\"weight\": 4619,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"RelatedPerson.implicitRules\",\
\"weight\": 4620,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"RelatedPerson.language\",\
\"weight\": 4621,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"RelatedPerson.text\",\
\"weight\": 4622,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"RelatedPerson.contained\",\
\"weight\": 4623,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"RelatedPerson.extension\",\
\"weight\": 4624,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"RelatedPerson.modifierExtension\",\
\"weight\": 4625,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"RelatedPerson.identifier\",\
\"weight\": 4626,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"RelatedPerson.active\",\
\"weight\": 4627,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 1,\
\"path\": \"RelatedPerson.patient\",\
\"weight\": 4628,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"RelatedPerson.relationship\",\
\"weight\": 4629,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"RelatedPerson.name\",\
\"weight\": 4630,\
\"max\": \"*\",\
\"type\": \"HumanName\"\
},\
{\
\"min\": 0,\
\"path\": \"RelatedPerson.telecom\",\
\"weight\": 4631,\
\"max\": \"*\",\
\"type\": \"ContactPoint\"\
},\
{\
\"min\": 0,\
\"path\": \"RelatedPerson.gender\",\
\"weight\": 4632,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"RelatedPerson.birthDate\",\
\"weight\": 4633,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"RelatedPerson.address\",\
\"weight\": 4634,\
\"max\": \"*\",\
\"type\": \"Address\"\
},\
{\
\"min\": 0,\
\"path\": \"RelatedPerson.photo\",\
\"weight\": 4635,\
\"max\": \"*\",\
\"type\": \"Attachment\"\
},\
{\
\"min\": 0,\
\"path\": \"RelatedPerson.period\",\
\"weight\": 4636,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup\",\
\"weight\": 4637,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.id\",\
\"weight\": 4638,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.meta\",\
\"weight\": 4639,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.implicitRules\",\
\"weight\": 4640,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.language\",\
\"weight\": 4641,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.text\",\
\"weight\": 4642,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.contained\",\
\"weight\": 4643,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.extension\",\
\"weight\": 4644,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.modifierExtension\",\
\"weight\": 4645,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.identifier\",\
\"weight\": 4646,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.definition\",\
\"weight\": 4647,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.basedOn\",\
\"weight\": 4648,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.replaces\",\
\"weight\": 4649,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.groupIdentifier\",\
\"weight\": 4650,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 1,\
\"path\": \"RequestGroup.status\",\
\"weight\": 4651,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"RequestGroup.intent\",\
\"weight\": 4652,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.priority\",\
\"weight\": 4653,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.subject\",\
\"weight\": 4654,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.context\",\
\"weight\": 4655,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.authoredOn\",\
\"weight\": 4656,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.author\",\
\"weight\": 4657,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.reasonCodeableConcept\",\
\"weight\": 4658,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.reasonReference\",\
\"weight\": 4658,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.note\",\
\"weight\": 4659,\
\"max\": \"*\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.action\",\
\"weight\": 4660,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.action.id\",\
\"weight\": 4661,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.action.extension\",\
\"weight\": 4662,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.action.modifierExtension\",\
\"weight\": 4663,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.action.label\",\
\"weight\": 4664,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.action.title\",\
\"weight\": 4665,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.action.description\",\
\"weight\": 4666,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.action.textEquivalent\",\
\"weight\": 4667,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.action.code\",\
\"weight\": 4668,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.action.documentation\",\
\"weight\": 4669,\
\"max\": \"*\",\
\"type\": \"RelatedArtifact\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.action.condition\",\
\"weight\": 4670,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.action.condition.id\",\
\"weight\": 4671,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.action.condition.extension\",\
\"weight\": 4672,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.action.condition.modifierExtension\",\
\"weight\": 4673,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"RequestGroup.action.condition.kind\",\
\"weight\": 4674,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.action.condition.description\",\
\"weight\": 4675,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.action.condition.language\",\
\"weight\": 4676,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.action.condition.expression\",\
\"weight\": 4677,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.action.relatedAction\",\
\"weight\": 4678,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.action.relatedAction.id\",\
\"weight\": 4679,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.action.relatedAction.extension\",\
\"weight\": 4680,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.action.relatedAction.modifierExtension\",\
\"weight\": 4681,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"RequestGroup.action.relatedAction.actionId\",\
\"weight\": 4682,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 1,\
\"path\": \"RequestGroup.action.relatedAction.relationship\",\
\"weight\": 4683,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.action.relatedAction.offsetDuration\",\
\"weight\": 4684,\
\"max\": \"1\",\
\"type\": \"Duration\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.action.relatedAction.offsetRange\",\
\"weight\": 4684,\
\"max\": \"1\",\
\"type\": \"Range\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.action.timingDateTime\",\
\"weight\": 4685,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.action.timingPeriod\",\
\"weight\": 4685,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.action.timingDuration\",\
\"weight\": 4685,\
\"max\": \"1\",\
\"type\": \"Duration\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.action.timingRange\",\
\"weight\": 4685,\
\"max\": \"1\",\
\"type\": \"Range\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.action.timingTiming\",\
\"weight\": 4685,\
\"max\": \"1\",\
\"type\": \"Timing\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.action.participant\",\
\"weight\": 4686,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.action.type\",\
\"weight\": 4687,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.action.groupingBehavior\",\
\"weight\": 4688,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.action.selectionBehavior\",\
\"weight\": 4689,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.action.requiredBehavior\",\
\"weight\": 4690,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.action.precheckBehavior\",\
\"weight\": 4691,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.action.cardinalityBehavior\",\
\"weight\": 4692,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.action.resource\",\
\"weight\": 4693,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"RequestGroup.action.action\",\
\"weight\": 4694,\
\"max\": \"*\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchStudy\",\
\"weight\": 4695,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchStudy.id\",\
\"weight\": 4696,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchStudy.meta\",\
\"weight\": 4697,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchStudy.implicitRules\",\
\"weight\": 4698,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchStudy.language\",\
\"weight\": 4699,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchStudy.text\",\
\"weight\": 4700,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchStudy.contained\",\
\"weight\": 4701,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchStudy.extension\",\
\"weight\": 4702,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchStudy.modifierExtension\",\
\"weight\": 4703,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchStudy.identifier\",\
\"weight\": 4704,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchStudy.title\",\
\"weight\": 4705,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchStudy.protocol\",\
\"weight\": 4706,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchStudy.partOf\",\
\"weight\": 4707,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"ResearchStudy.status\",\
\"weight\": 4708,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchStudy.category\",\
\"weight\": 4709,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchStudy.focus\",\
\"weight\": 4710,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchStudy.contact\",\
\"weight\": 4711,\
\"max\": \"*\",\
\"type\": \"ContactDetail\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchStudy.relatedArtifact\",\
\"weight\": 4712,\
\"max\": \"*\",\
\"type\": \"RelatedArtifact\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchStudy.keyword\",\
\"weight\": 4713,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchStudy.jurisdiction\",\
\"weight\": 4714,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchStudy.description\",\
\"weight\": 4715,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchStudy.enrollment\",\
\"weight\": 4716,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchStudy.period\",\
\"weight\": 4717,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchStudy.sponsor\",\
\"weight\": 4718,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchStudy.principalInvestigator\",\
\"weight\": 4719,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchStudy.site\",\
\"weight\": 4720,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchStudy.reasonStopped\",\
\"weight\": 4721,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchStudy.note\",\
\"weight\": 4722,\
\"max\": \"*\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchStudy.arm\",\
\"weight\": 4723,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchStudy.arm.id\",\
\"weight\": 4724,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchStudy.arm.extension\",\
\"weight\": 4725,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchStudy.arm.modifierExtension\",\
\"weight\": 4726,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ResearchStudy.arm.name\",\
\"weight\": 4727,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchStudy.arm.code\",\
\"weight\": 4728,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchStudy.arm.description\",\
\"weight\": 4729,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchSubject\",\
\"weight\": 4730,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchSubject.id\",\
\"weight\": 4731,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchSubject.meta\",\
\"weight\": 4732,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchSubject.implicitRules\",\
\"weight\": 4733,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchSubject.language\",\
\"weight\": 4734,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchSubject.text\",\
\"weight\": 4735,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchSubject.contained\",\
\"weight\": 4736,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchSubject.extension\",\
\"weight\": 4737,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchSubject.modifierExtension\",\
\"weight\": 4738,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchSubject.identifier\",\
\"weight\": 4739,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 1,\
\"path\": \"ResearchSubject.status\",\
\"weight\": 4740,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchSubject.period\",\
\"weight\": 4741,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 1,\
\"path\": \"ResearchSubject.study\",\
\"weight\": 4742,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"ResearchSubject.individual\",\
\"weight\": 4743,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchSubject.assignedArm\",\
\"weight\": 4744,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchSubject.actualArm\",\
\"weight\": 4745,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ResearchSubject.consent\",\
\"weight\": 4746,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"RiskAssessment\",\
\"weight\": 4747,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"RiskAssessment.id\",\
\"weight\": 4748,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"RiskAssessment.meta\",\
\"weight\": 4749,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"RiskAssessment.implicitRules\",\
\"weight\": 4750,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"RiskAssessment.language\",\
\"weight\": 4751,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"RiskAssessment.text\",\
\"weight\": 4752,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"RiskAssessment.contained\",\
\"weight\": 4753,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"RiskAssessment.extension\",\
\"weight\": 4754,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"RiskAssessment.modifierExtension\",\
\"weight\": 4755,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"RiskAssessment.identifier\",\
\"weight\": 4756,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"RiskAssessment.basedOn\",\
\"weight\": 4757,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"RiskAssessment.parent\",\
\"weight\": 4758,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"RiskAssessment.status\",\
\"weight\": 4759,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"RiskAssessment.method\",\
\"weight\": 4760,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"RiskAssessment.code\",\
\"weight\": 4761,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"RiskAssessment.subject\",\
\"weight\": 4762,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"RiskAssessment.context\",\
\"weight\": 4763,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"RiskAssessment.occurrenceDateTime\",\
\"weight\": 4764,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"RiskAssessment.occurrencePeriod\",\
\"weight\": 4764,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"RiskAssessment.condition\",\
\"weight\": 4765,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"RiskAssessment.performer\",\
\"weight\": 4766,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"RiskAssessment.reasonCodeableConcept\",\
\"weight\": 4767,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"RiskAssessment.reasonReference\",\
\"weight\": 4767,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"RiskAssessment.basis\",\
\"weight\": 4768,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"RiskAssessment.prediction\",\
\"weight\": 4769,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"RiskAssessment.prediction.id\",\
\"weight\": 4770,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"RiskAssessment.prediction.extension\",\
\"weight\": 4771,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"RiskAssessment.prediction.modifierExtension\",\
\"weight\": 4772,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"RiskAssessment.prediction.outcome\",\
\"weight\": 4773,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"RiskAssessment.prediction.probabilityDecimal\",\
\"weight\": 4774,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"RiskAssessment.prediction.probabilityRange\",\
\"weight\": 4774,\
\"max\": \"1\",\
\"type\": \"Range\"\
},\
{\
\"min\": 0,\
\"path\": \"RiskAssessment.prediction.qualitativeRisk\",\
\"weight\": 4775,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"RiskAssessment.prediction.relativeRisk\",\
\"weight\": 4776,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"RiskAssessment.prediction.whenPeriod\",\
\"weight\": 4777,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"RiskAssessment.prediction.whenRange\",\
\"weight\": 4777,\
\"max\": \"1\",\
\"type\": \"Range\"\
},\
{\
\"min\": 0,\
\"path\": \"RiskAssessment.prediction.rationale\",\
\"weight\": 4778,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"RiskAssessment.mitigation\",\
\"weight\": 4779,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"RiskAssessment.comment\",\
\"weight\": 4780,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Schedule\",\
\"weight\": 4781,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Schedule.id\",\
\"weight\": 4782,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Schedule.meta\",\
\"weight\": 4783,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Schedule.implicitRules\",\
\"weight\": 4784,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Schedule.language\",\
\"weight\": 4785,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Schedule.text\",\
\"weight\": 4786,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Schedule.contained\",\
\"weight\": 4787,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Schedule.extension\",\
\"weight\": 4788,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Schedule.modifierExtension\",\
\"weight\": 4789,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Schedule.identifier\",\
\"weight\": 4790,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Schedule.active\",\
\"weight\": 4791,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"Schedule.serviceCategory\",\
\"weight\": 4792,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Schedule.serviceType\",\
\"weight\": 4793,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Schedule.specialty\",\
\"weight\": 4794,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"Schedule.actor\",\
\"weight\": 4795,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Schedule.planningHorizon\",\
\"weight\": 4796,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Schedule.comment\",\
\"weight\": 4797,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"SearchParameter\",\
\"weight\": 4798,\
\"max\": \"1\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"SearchParameter.id\",\
\"weight\": 4799,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"SearchParameter.meta\",\
\"weight\": 4800,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"SearchParameter.implicitRules\",\
\"weight\": 4801,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"SearchParameter.language\",\
\"weight\": 4802,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"SearchParameter.text\",\
\"weight\": 4803,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"SearchParameter.contained\",\
\"weight\": 4804,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"SearchParameter.extension\",\
\"weight\": 4805,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"SearchParameter.modifierExtension\",\
\"weight\": 4806,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"SearchParameter.url\",\
\"weight\": 4807,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"SearchParameter.version\",\
\"weight\": 4808,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"SearchParameter.name\",\
\"weight\": 4809,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"SearchParameter.status\",\
\"weight\": 4810,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"SearchParameter.experimental\",\
\"weight\": 4811,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"SearchParameter.date\",\
\"weight\": 4812,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"SearchParameter.publisher\",\
\"weight\": 4813,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"SearchParameter.contact\",\
\"weight\": 4814,\
\"max\": \"*\",\
\"type\": \"ContactDetail\"\
},\
{\
\"min\": 0,\
\"path\": \"SearchParameter.useContext\",\
\"weight\": 4815,\
\"max\": \"*\",\
\"type\": \"UsageContext\"\
},\
{\
\"min\": 0,\
\"path\": \"SearchParameter.jurisdiction\",\
\"weight\": 4816,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"SearchParameter.purpose\",\
\"weight\": 4817,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 1,\
\"path\": \"SearchParameter.code\",\
\"weight\": 4818,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"SearchParameter.base\",\
\"weight\": 4819,\
\"max\": \"*\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"SearchParameter.type\",\
\"weight\": 4820,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"SearchParameter.derivedFrom\",\
\"weight\": 4821,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 1,\
\"path\": \"SearchParameter.description\",\
\"weight\": 4822,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"SearchParameter.expression\",\
\"weight\": 4823,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"SearchParameter.xpath\",\
\"weight\": 4824,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"SearchParameter.xpathUsage\",\
\"weight\": 4825,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"SearchParameter.target\",\
\"weight\": 4826,\
\"max\": \"*\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"SearchParameter.comparator\",\
\"weight\": 4827,\
\"max\": \"*\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"SearchParameter.modifier\",\
\"weight\": 4828,\
\"max\": \"*\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"SearchParameter.chain\",\
\"weight\": 4829,\
\"max\": \"*\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"SearchParameter.component\",\
\"weight\": 4830,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"SearchParameter.component.id\",\
\"weight\": 4831,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"SearchParameter.component.extension\",\
\"weight\": 4832,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"SearchParameter.component.modifierExtension\",\
\"weight\": 4833,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"SearchParameter.component.definition\",\
\"weight\": 4834,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"SearchParameter.component.expression\",\
\"weight\": 4835,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence\",\
\"weight\": 4836,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.id\",\
\"weight\": 4837,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.meta\",\
\"weight\": 4838,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.implicitRules\",\
\"weight\": 4839,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.language\",\
\"weight\": 4840,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.text\",\
\"weight\": 4841,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.contained\",\
\"weight\": 4842,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.extension\",\
\"weight\": 4843,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.modifierExtension\",\
\"weight\": 4844,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.identifier\",\
\"weight\": 4845,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.type\",\
\"weight\": 4846,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"Sequence.coordinateSystem\",\
\"weight\": 4847,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.patient\",\
\"weight\": 4848,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.specimen\",\
\"weight\": 4849,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.device\",\
\"weight\": 4850,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.performer\",\
\"weight\": 4851,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.quantity\",\
\"weight\": 4852,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.referenceSeq\",\
\"weight\": 4853,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.referenceSeq.id\",\
\"weight\": 4854,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.referenceSeq.extension\",\
\"weight\": 4855,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.referenceSeq.modifierExtension\",\
\"weight\": 4856,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.referenceSeq.chromosome\",\
\"weight\": 4857,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.referenceSeq.genomeBuild\",\
\"weight\": 4858,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.referenceSeq.referenceSeqId\",\
\"weight\": 4859,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.referenceSeq.referenceSeqPointer\",\
\"weight\": 4860,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.referenceSeq.referenceSeqString\",\
\"weight\": 4861,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.referenceSeq.strand\",\
\"weight\": 4862,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 1,\
\"path\": \"Sequence.referenceSeq.windowStart\",\
\"weight\": 4863,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 1,\
\"path\": \"Sequence.referenceSeq.windowEnd\",\
\"weight\": 4864,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.variant\",\
\"weight\": 4865,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.variant.id\",\
\"weight\": 4866,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.variant.extension\",\
\"weight\": 4867,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.variant.modifierExtension\",\
\"weight\": 4868,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.variant.start\",\
\"weight\": 4869,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.variant.end\",\
\"weight\": 4870,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.variant.observedAllele\",\
\"weight\": 4871,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.variant.referenceAllele\",\
\"weight\": 4872,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.variant.cigar\",\
\"weight\": 4873,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.variant.variantPointer\",\
\"weight\": 4874,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.observedSeq\",\
\"weight\": 4875,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.quality\",\
\"weight\": 4876,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.quality.id\",\
\"weight\": 4877,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.quality.extension\",\
\"weight\": 4878,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.quality.modifierExtension\",\
\"weight\": 4879,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Sequence.quality.type\",\
\"weight\": 4880,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.quality.standardSequence\",\
\"weight\": 4881,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.quality.start\",\
\"weight\": 4882,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.quality.end\",\
\"weight\": 4883,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.quality.score\",\
\"weight\": 4884,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.quality.method\",\
\"weight\": 4885,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.quality.truthTP\",\
\"weight\": 4886,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.quality.queryTP\",\
\"weight\": 4887,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.quality.truthFN\",\
\"weight\": 4888,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.quality.queryFP\",\
\"weight\": 4889,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.quality.gtFP\",\
\"weight\": 4890,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.quality.precision\",\
\"weight\": 4891,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.quality.recall\",\
\"weight\": 4892,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.quality.fScore\",\
\"weight\": 4893,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.readCoverage\",\
\"weight\": 4894,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.repository\",\
\"weight\": 4895,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.repository.id\",\
\"weight\": 4896,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.repository.extension\",\
\"weight\": 4897,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.repository.modifierExtension\",\
\"weight\": 4898,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Sequence.repository.type\",\
\"weight\": 4899,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.repository.url\",\
\"weight\": 4900,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.repository.name\",\
\"weight\": 4901,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.repository.datasetId\",\
\"weight\": 4902,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.repository.variantsetId\",\
\"weight\": 4903,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.repository.readsetId\",\
\"weight\": 4904,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Sequence.pointer\",\
\"weight\": 4905,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"ServiceDefinition\",\
\"weight\": 4906,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"ServiceDefinition.id\",\
\"weight\": 4907,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"ServiceDefinition.meta\",\
\"weight\": 4908,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"ServiceDefinition.implicitRules\",\
\"weight\": 4909,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ServiceDefinition.language\",\
\"weight\": 4910,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ServiceDefinition.text\",\
\"weight\": 4911,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"ServiceDefinition.contained\",\
\"weight\": 4912,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"ServiceDefinition.extension\",\
\"weight\": 4913,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ServiceDefinition.modifierExtension\",\
\"weight\": 4914,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ServiceDefinition.url\",\
\"weight\": 4915,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ServiceDefinition.identifier\",\
\"weight\": 4916,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"ServiceDefinition.version\",\
\"weight\": 4917,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ServiceDefinition.name\",\
\"weight\": 4918,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ServiceDefinition.title\",\
\"weight\": 4919,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"ServiceDefinition.status\",\
\"weight\": 4920,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ServiceDefinition.experimental\",\
\"weight\": 4921,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"ServiceDefinition.date\",\
\"weight\": 4922,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"ServiceDefinition.publisher\",\
\"weight\": 4923,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ServiceDefinition.description\",\
\"weight\": 4924,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"ServiceDefinition.purpose\",\
\"weight\": 4925,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"ServiceDefinition.usage\",\
\"weight\": 4926,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ServiceDefinition.approvalDate\",\
\"weight\": 4927,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"ServiceDefinition.lastReviewDate\",\
\"weight\": 4928,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"ServiceDefinition.effectivePeriod\",\
\"weight\": 4929,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"ServiceDefinition.useContext\",\
\"weight\": 4930,\
\"max\": \"*\",\
\"type\": \"UsageContext\"\
},\
{\
\"min\": 0,\
\"path\": \"ServiceDefinition.jurisdiction\",\
\"weight\": 4931,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ServiceDefinition.topic\",\
\"weight\": 4932,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ServiceDefinition.contributor\",\
\"weight\": 4933,\
\"max\": \"*\",\
\"type\": \"Contributor\"\
},\
{\
\"min\": 0,\
\"path\": \"ServiceDefinition.contact\",\
\"weight\": 4934,\
\"max\": \"*\",\
\"type\": \"ContactDetail\"\
},\
{\
\"min\": 0,\
\"path\": \"ServiceDefinition.copyright\",\
\"weight\": 4935,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"ServiceDefinition.relatedArtifact\",\
\"weight\": 4936,\
\"max\": \"*\",\
\"type\": \"RelatedArtifact\"\
},\
{\
\"min\": 0,\
\"path\": \"ServiceDefinition.trigger\",\
\"weight\": 4937,\
\"max\": \"*\",\
\"type\": \"TriggerDefinition\"\
},\
{\
\"min\": 0,\
\"path\": \"ServiceDefinition.dataRequirement\",\
\"weight\": 4938,\
\"max\": \"*\",\
\"type\": \"DataRequirement\"\
},\
{\
\"min\": 0,\
\"path\": \"ServiceDefinition.operationDefinition\",\
\"weight\": 4939,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Slot\",\
\"weight\": 4940,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Slot.id\",\
\"weight\": 4941,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Slot.meta\",\
\"weight\": 4942,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Slot.implicitRules\",\
\"weight\": 4943,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Slot.language\",\
\"weight\": 4944,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Slot.text\",\
\"weight\": 4945,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Slot.contained\",\
\"weight\": 4946,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Slot.extension\",\
\"weight\": 4947,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Slot.modifierExtension\",\
\"weight\": 4948,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Slot.identifier\",\
\"weight\": 4949,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Slot.serviceCategory\",\
\"weight\": 4950,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Slot.serviceType\",\
\"weight\": 4951,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Slot.specialty\",\
\"weight\": 4952,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Slot.appointmentType\",\
\"weight\": 4953,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"Slot.schedule\",\
\"weight\": 4954,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"Slot.status\",\
\"weight\": 4955,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"Slot.start\",\
\"weight\": 4956,\
\"max\": \"1\",\
\"type\": \"instant\"\
},\
{\
\"min\": 1,\
\"path\": \"Slot.end\",\
\"weight\": 4957,\
\"max\": \"1\",\
\"type\": \"instant\"\
},\
{\
\"min\": 0,\
\"path\": \"Slot.overbooked\",\
\"weight\": 4958,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"Slot.comment\",\
\"weight\": 4959,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen\",\
\"weight\": 4960,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.id\",\
\"weight\": 4961,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.meta\",\
\"weight\": 4962,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.implicitRules\",\
\"weight\": 4963,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.language\",\
\"weight\": 4964,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.text\",\
\"weight\": 4965,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.contained\",\
\"weight\": 4966,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.extension\",\
\"weight\": 4967,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.modifierExtension\",\
\"weight\": 4968,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.identifier\",\
\"weight\": 4969,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.accessionIdentifier\",\
\"weight\": 4970,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.status\",\
\"weight\": 4971,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.type\",\
\"weight\": 4972,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"Specimen.subject\",\
\"weight\": 4973,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.receivedTime\",\
\"weight\": 4974,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.parent\",\
\"weight\": 4975,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.request\",\
\"weight\": 4976,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.collection\",\
\"weight\": 4977,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.collection.id\",\
\"weight\": 4978,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.collection.extension\",\
\"weight\": 4979,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.collection.modifierExtension\",\
\"weight\": 4980,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.collection.collector\",\
\"weight\": 4981,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.collection.collectedDateTime\",\
\"weight\": 4982,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.collection.collectedPeriod\",\
\"weight\": 4982,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.collection.quantity\",\
\"weight\": 4983,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.collection.method\",\
\"weight\": 4984,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.collection.bodySite\",\
\"weight\": 4985,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.processing\",\
\"weight\": 4986,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.processing.id\",\
\"weight\": 4987,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.processing.extension\",\
\"weight\": 4988,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.processing.modifierExtension\",\
\"weight\": 4989,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.processing.description\",\
\"weight\": 4990,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.processing.procedure\",\
\"weight\": 4991,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.processing.additive\",\
\"weight\": 4992,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.processing.timeDateTime\",\
\"weight\": 4993,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.processing.timePeriod\",\
\"weight\": 4993,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.container\",\
\"weight\": 4994,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.container.id\",\
\"weight\": 4995,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.container.extension\",\
\"weight\": 4996,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.container.modifierExtension\",\
\"weight\": 4997,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.container.identifier\",\
\"weight\": 4998,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.container.description\",\
\"weight\": 4999,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.container.type\",\
\"weight\": 5000,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.container.capacity\",\
\"weight\": 5001,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.container.specimenQuantity\",\
\"weight\": 5002,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.container.additiveCodeableConcept\",\
\"weight\": 5003,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.container.additiveReference\",\
\"weight\": 5003,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Specimen.note\",\
\"weight\": 5004,\
\"max\": \"*\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition\",\
\"weight\": 5005,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.id\",\
\"weight\": 5006,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.meta\",\
\"weight\": 5007,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.implicitRules\",\
\"weight\": 5008,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.language\",\
\"weight\": 5009,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.text\",\
\"weight\": 5010,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.contained\",\
\"weight\": 5011,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.extension\",\
\"weight\": 5012,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.modifierExtension\",\
\"weight\": 5013,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"StructureDefinition.url\",\
\"weight\": 5014,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.identifier\",\
\"weight\": 5015,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.version\",\
\"weight\": 5016,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"StructureDefinition.name\",\
\"weight\": 5017,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.title\",\
\"weight\": 5018,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"StructureDefinition.status\",\
\"weight\": 5019,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.experimental\",\
\"weight\": 5020,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.date\",\
\"weight\": 5021,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.publisher\",\
\"weight\": 5022,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.contact\",\
\"weight\": 5023,\
\"max\": \"*\",\
\"type\": \"ContactDetail\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.description\",\
\"weight\": 5024,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.useContext\",\
\"weight\": 5025,\
\"max\": \"*\",\
\"type\": \"UsageContext\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.jurisdiction\",\
\"weight\": 5026,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.purpose\",\
\"weight\": 5027,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.copyright\",\
\"weight\": 5028,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.keyword\",\
\"weight\": 5029,\
\"max\": \"*\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.fhirVersion\",\
\"weight\": 5030,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.mapping\",\
\"weight\": 5031,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.mapping.id\",\
\"weight\": 5032,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.mapping.extension\",\
\"weight\": 5033,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.mapping.modifierExtension\",\
\"weight\": 5034,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"StructureDefinition.mapping.identity\",\
\"weight\": 5035,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.mapping.uri\",\
\"weight\": 5036,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.mapping.name\",\
\"weight\": 5037,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.mapping.comment\",\
\"weight\": 5038,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"StructureDefinition.kind\",\
\"weight\": 5039,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"StructureDefinition.abstract\",\
\"weight\": 5040,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.contextType\",\
\"weight\": 5041,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.context\",\
\"weight\": 5042,\
\"max\": \"*\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.contextInvariant\",\
\"weight\": 5043,\
\"max\": \"*\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"StructureDefinition.type\",\
\"weight\": 5044,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.baseDefinition\",\
\"weight\": 5045,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.derivation\",\
\"weight\": 5046,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.snapshot\",\
\"weight\": 5047,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.snapshot.id\",\
\"weight\": 5048,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.snapshot.extension\",\
\"weight\": 5049,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.snapshot.modifierExtension\",\
\"weight\": 5050,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"StructureDefinition.snapshot.element\",\
\"weight\": 5051,\
\"max\": \"*\",\
\"type\": \"ElementDefinition\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.differential\",\
\"weight\": 5052,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.differential.id\",\
\"weight\": 5053,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.differential.extension\",\
\"weight\": 5054,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureDefinition.differential.modifierExtension\",\
\"weight\": 5055,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"StructureDefinition.differential.element\",\
\"weight\": 5056,\
\"max\": \"*\",\
\"type\": \"ElementDefinition\"\
},\
{\
\"min\": 1,\
\"path\": \"StructureMap\",\
\"weight\": 5057,\
\"max\": \"1\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.id\",\
\"weight\": 5058,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.meta\",\
\"weight\": 5059,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.implicitRules\",\
\"weight\": 5060,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.language\",\
\"weight\": 5061,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.text\",\
\"weight\": 5062,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.contained\",\
\"weight\": 5063,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.extension\",\
\"weight\": 5064,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.modifierExtension\",\
\"weight\": 5065,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"StructureMap.url\",\
\"weight\": 5066,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.identifier\",\
\"weight\": 5067,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.version\",\
\"weight\": 5068,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"StructureMap.name\",\
\"weight\": 5069,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.title\",\
\"weight\": 5070,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"StructureMap.status\",\
\"weight\": 5071,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.experimental\",\
\"weight\": 5072,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.date\",\
\"weight\": 5073,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.publisher\",\
\"weight\": 5074,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.contact\",\
\"weight\": 5075,\
\"max\": \"*\",\
\"type\": \"ContactDetail\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.description\",\
\"weight\": 5076,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.useContext\",\
\"weight\": 5077,\
\"max\": \"*\",\
\"type\": \"UsageContext\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.jurisdiction\",\
\"weight\": 5078,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.purpose\",\
\"weight\": 5079,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.copyright\",\
\"weight\": 5080,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.structure\",\
\"weight\": 5081,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.structure.id\",\
\"weight\": 5082,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.structure.extension\",\
\"weight\": 5083,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.structure.modifierExtension\",\
\"weight\": 5084,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"StructureMap.structure.url\",\
\"weight\": 5085,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 1,\
\"path\": \"StructureMap.structure.mode\",\
\"weight\": 5086,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.structure.alias\",\
\"weight\": 5087,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.structure.documentation\",\
\"weight\": 5088,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.import\",\
\"weight\": 5089,\
\"max\": \"*\",\
\"type\": \"uri\"\
},\
{\
\"min\": 1,\
\"path\": \"StructureMap.group\",\
\"weight\": 5090,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.id\",\
\"weight\": 5091,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.extension\",\
\"weight\": 5092,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.modifierExtension\",\
\"weight\": 5093,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"StructureMap.group.name\",\
\"weight\": 5094,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.extends\",\
\"weight\": 5095,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 1,\
\"path\": \"StructureMap.group.typeMode\",\
\"weight\": 5096,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.documentation\",\
\"weight\": 5097,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"StructureMap.group.input\",\
\"weight\": 5098,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.input.id\",\
\"weight\": 5099,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.input.extension\",\
\"weight\": 5100,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.input.modifierExtension\",\
\"weight\": 5101,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"StructureMap.group.input.name\",\
\"weight\": 5102,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.input.type\",\
\"weight\": 5103,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"StructureMap.group.input.mode\",\
\"weight\": 5104,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.input.documentation\",\
\"weight\": 5105,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"StructureMap.group.rule\",\
\"weight\": 5106,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.id\",\
\"weight\": 5107,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.extension\",\
\"weight\": 5108,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.modifierExtension\",\
\"weight\": 5109,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"StructureMap.group.rule.name\",\
\"weight\": 5110,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 1,\
\"path\": \"StructureMap.group.rule.source\",\
\"weight\": 5111,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.id\",\
\"weight\": 5112,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.extension\",\
\"weight\": 5113,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.modifierExtension\",\
\"weight\": 5114,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"StructureMap.group.rule.source.context\",\
\"weight\": 5115,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.min\",\
\"weight\": 5116,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.max\",\
\"weight\": 5117,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.type\",\
\"weight\": 5118,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValueBase64Binary\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"base64Binary\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValueBoolean\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValueCode\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValueDate\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValueDateTime\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValueDecimal\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValueId\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValueInstant\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"instant\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValueInteger\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValueMarkdown\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValueOid\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"oid\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValuePositiveInt\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValueString\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValueTime\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"time\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValueUnsignedInt\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"unsignedInt\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValueUri\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValueAddress\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"Address\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValueAge\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"Age\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValueAnnotation\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValueAttachment\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"Attachment\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValueCodeableConcept\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValueCoding\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValueContactPoint\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"ContactPoint\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValueCount\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"Count\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValueDistance\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"Distance\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValueDuration\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"Duration\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValueHumanName\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"HumanName\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValueIdentifier\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValueMoney\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValuePeriod\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValueQuantity\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValueRange\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"Range\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValueRatio\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"Ratio\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValueReference\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValueSampledData\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"SampledData\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValueSignature\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"Signature\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValueTiming\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"Timing\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.defaultValueMeta\",\
\"weight\": 5119,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.element\",\
\"weight\": 5120,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.listMode\",\
\"weight\": 5121,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.variable\",\
\"weight\": 5122,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.condition\",\
\"weight\": 5123,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.source.check\",\
\"weight\": 5124,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.target\",\
\"weight\": 5125,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.target.id\",\
\"weight\": 5126,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.target.extension\",\
\"weight\": 5127,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.target.modifierExtension\",\
\"weight\": 5128,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.target.context\",\
\"weight\": 5129,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.target.contextType\",\
\"weight\": 5130,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.target.element\",\
\"weight\": 5131,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.target.variable\",\
\"weight\": 5132,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.target.listMode\",\
\"weight\": 5133,\
\"max\": \"*\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.target.listRuleId\",\
\"weight\": 5134,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.target.transform\",\
\"weight\": 5135,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.target.parameter\",\
\"weight\": 5136,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.target.parameter.id\",\
\"weight\": 5137,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.target.parameter.extension\",\
\"weight\": 5138,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.target.parameter.modifierExtension\",\
\"weight\": 5139,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"StructureMap.group.rule.target.parameter.valueId\",\
\"weight\": 5140,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 1,\
\"path\": \"StructureMap.group.rule.target.parameter.valueString\",\
\"weight\": 5140,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"StructureMap.group.rule.target.parameter.valueBoolean\",\
\"weight\": 5140,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 1,\
\"path\": \"StructureMap.group.rule.target.parameter.valueInteger\",\
\"weight\": 5140,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 1,\
\"path\": \"StructureMap.group.rule.target.parameter.valueDecimal\",\
\"weight\": 5140,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.rule\",\
\"weight\": 5141,\
\"max\": \"*\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.dependent\",\
\"weight\": 5142,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.dependent.id\",\
\"weight\": 5143,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.dependent.extension\",\
\"weight\": 5144,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.dependent.modifierExtension\",\
\"weight\": 5145,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"StructureMap.group.rule.dependent.name\",\
\"weight\": 5146,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 1,\
\"path\": \"StructureMap.group.rule.dependent.variable\",\
\"weight\": 5147,\
\"max\": \"*\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"StructureMap.group.rule.documentation\",\
\"weight\": 5148,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Subscription\",\
\"weight\": 5149,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Subscription.id\",\
\"weight\": 5150,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Subscription.meta\",\
\"weight\": 5151,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Subscription.implicitRules\",\
\"weight\": 5152,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Subscription.language\",\
\"weight\": 5153,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Subscription.text\",\
\"weight\": 5154,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Subscription.contained\",\
\"weight\": 5155,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Subscription.extension\",\
\"weight\": 5156,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Subscription.modifierExtension\",\
\"weight\": 5157,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Subscription.status\",\
\"weight\": 5158,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Subscription.contact\",\
\"weight\": 5159,\
\"max\": \"*\",\
\"type\": \"ContactPoint\"\
},\
{\
\"min\": 0,\
\"path\": \"Subscription.end\",\
\"weight\": 5160,\
\"max\": \"1\",\
\"type\": \"instant\"\
},\
{\
\"min\": 1,\
\"path\": \"Subscription.reason\",\
\"weight\": 5161,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"Subscription.criteria\",\
\"weight\": 5162,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Subscription.error\",\
\"weight\": 5163,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"Subscription.channel\",\
\"weight\": 5164,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Subscription.channel.id\",\
\"weight\": 5165,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Subscription.channel.extension\",\
\"weight\": 5166,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Subscription.channel.modifierExtension\",\
\"weight\": 5167,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Subscription.channel.type\",\
\"weight\": 5168,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Subscription.channel.endpoint\",\
\"weight\": 5169,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Subscription.channel.payload\",\
\"weight\": 5170,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Subscription.channel.header\",\
\"weight\": 5171,\
\"max\": \"*\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Subscription.tag\",\
\"weight\": 5172,\
\"max\": \"*\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"Substance\",\
\"weight\": 5173,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Substance.id\",\
\"weight\": 5174,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Substance.meta\",\
\"weight\": 5175,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Substance.implicitRules\",\
\"weight\": 5176,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Substance.language\",\
\"weight\": 5177,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Substance.text\",\
\"weight\": 5178,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Substance.contained\",\
\"weight\": 5179,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Substance.extension\",\
\"weight\": 5180,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Substance.modifierExtension\",\
\"weight\": 5181,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Substance.identifier\",\
\"weight\": 5182,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Substance.status\",\
\"weight\": 5183,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Substance.category\",\
\"weight\": 5184,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"Substance.code\",\
\"weight\": 5185,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Substance.description\",\
\"weight\": 5186,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Substance.instance\",\
\"weight\": 5187,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Substance.instance.id\",\
\"weight\": 5188,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Substance.instance.extension\",\
\"weight\": 5189,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Substance.instance.modifierExtension\",\
\"weight\": 5190,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Substance.instance.identifier\",\
\"weight\": 5191,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Substance.instance.expiry\",\
\"weight\": 5192,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Substance.instance.quantity\",\
\"weight\": 5193,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"Substance.ingredient\",\
\"weight\": 5194,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Substance.ingredient.id\",\
\"weight\": 5195,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Substance.ingredient.extension\",\
\"weight\": 5196,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Substance.ingredient.modifierExtension\",\
\"weight\": 5197,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Substance.ingredient.quantity\",\
\"weight\": 5198,\
\"max\": \"1\",\
\"type\": \"Ratio\"\
},\
{\
\"min\": 1,\
\"path\": \"Substance.ingredient.substanceCodeableConcept\",\
\"weight\": 5199,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"Substance.ingredient.substanceReference\",\
\"weight\": 5199,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyDelivery\",\
\"weight\": 5200,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyDelivery.id\",\
\"weight\": 5201,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyDelivery.meta\",\
\"weight\": 5202,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyDelivery.implicitRules\",\
\"weight\": 5203,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyDelivery.language\",\
\"weight\": 5204,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyDelivery.text\",\
\"weight\": 5205,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyDelivery.contained\",\
\"weight\": 5206,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyDelivery.extension\",\
\"weight\": 5207,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyDelivery.modifierExtension\",\
\"weight\": 5208,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyDelivery.identifier\",\
\"weight\": 5209,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyDelivery.basedOn\",\
\"weight\": 5210,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyDelivery.partOf\",\
\"weight\": 5211,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyDelivery.status\",\
\"weight\": 5212,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyDelivery.patient\",\
\"weight\": 5213,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyDelivery.type\",\
\"weight\": 5214,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyDelivery.suppliedItem\",\
\"weight\": 5215,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyDelivery.suppliedItem.id\",\
\"weight\": 5216,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyDelivery.suppliedItem.extension\",\
\"weight\": 5217,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyDelivery.suppliedItem.modifierExtension\",\
\"weight\": 5218,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyDelivery.suppliedItem.quantity\",\
\"weight\": 5219,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyDelivery.suppliedItem.itemCodeableConcept\",\
\"weight\": 5220,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyDelivery.suppliedItem.itemReference\",\
\"weight\": 5220,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyDelivery.suppliedItem.itemReference\",\
\"weight\": 5220,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyDelivery.suppliedItem.itemReference\",\
\"weight\": 5220,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyDelivery.occurrenceDateTime\",\
\"weight\": 5221,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyDelivery.occurrencePeriod\",\
\"weight\": 5221,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyDelivery.occurrenceTiming\",\
\"weight\": 5221,\
\"max\": \"1\",\
\"type\": \"Timing\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyDelivery.supplier\",\
\"weight\": 5222,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyDelivery.destination\",\
\"weight\": 5223,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyDelivery.receiver\",\
\"weight\": 5224,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyRequest\",\
\"weight\": 5225,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyRequest.id\",\
\"weight\": 5226,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyRequest.meta\",\
\"weight\": 5227,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyRequest.implicitRules\",\
\"weight\": 5228,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyRequest.language\",\
\"weight\": 5229,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyRequest.text\",\
\"weight\": 5230,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyRequest.contained\",\
\"weight\": 5231,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyRequest.extension\",\
\"weight\": 5232,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyRequest.modifierExtension\",\
\"weight\": 5233,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyRequest.identifier\",\
\"weight\": 5234,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyRequest.status\",\
\"weight\": 5235,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyRequest.category\",\
\"weight\": 5236,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyRequest.priority\",\
\"weight\": 5237,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyRequest.orderedItem\",\
\"weight\": 5238,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyRequest.orderedItem.id\",\
\"weight\": 5239,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyRequest.orderedItem.extension\",\
\"weight\": 5240,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyRequest.orderedItem.modifierExtension\",\
\"weight\": 5241,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"SupplyRequest.orderedItem.quantity\",\
\"weight\": 5242,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyRequest.orderedItem.itemCodeableConcept\",\
\"weight\": 5243,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyRequest.orderedItem.itemReference\",\
\"weight\": 5243,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyRequest.orderedItem.itemReference\",\
\"weight\": 5243,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyRequest.orderedItem.itemReference\",\
\"weight\": 5243,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyRequest.occurrenceDateTime\",\
\"weight\": 5244,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyRequest.occurrencePeriod\",\
\"weight\": 5244,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyRequest.occurrenceTiming\",\
\"weight\": 5244,\
\"max\": \"1\",\
\"type\": \"Timing\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyRequest.authoredOn\",\
\"weight\": 5245,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyRequest.requester\",\
\"weight\": 5246,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyRequest.requester.id\",\
\"weight\": 5247,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyRequest.requester.extension\",\
\"weight\": 5248,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyRequest.requester.modifierExtension\",\
\"weight\": 5249,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"SupplyRequest.requester.agent\",\
\"weight\": 5250,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyRequest.requester.onBehalfOf\",\
\"weight\": 5251,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyRequest.supplier\",\
\"weight\": 5252,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyRequest.reasonCodeableConcept\",\
\"weight\": 5253,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyRequest.reasonReference\",\
\"weight\": 5253,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyRequest.deliverFrom\",\
\"weight\": 5254,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"SupplyRequest.deliverTo\",\
\"weight\": 5255,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Task\",\
\"weight\": 5256,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.id\",\
\"weight\": 5257,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.meta\",\
\"weight\": 5258,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.implicitRules\",\
\"weight\": 5259,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.language\",\
\"weight\": 5260,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.text\",\
\"weight\": 5261,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.contained\",\
\"weight\": 5262,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.extension\",\
\"weight\": 5263,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.modifierExtension\",\
\"weight\": 5264,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.identifier\",\
\"weight\": 5265,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.definitionUri\",\
\"weight\": 5266,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.definitionReference\",\
\"weight\": 5266,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.basedOn\",\
\"weight\": 5267,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.groupIdentifier\",\
\"weight\": 5268,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.partOf\",\
\"weight\": 5269,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.status\",\
\"weight\": 5270,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.statusReason\",\
\"weight\": 5271,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.businessStatus\",\
\"weight\": 5272,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.intent\",\
\"weight\": 5273,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.priority\",\
\"weight\": 5274,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.code\",\
\"weight\": 5275,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.description\",\
\"weight\": 5276,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.focus\",\
\"weight\": 5277,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.for\",\
\"weight\": 5278,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.context\",\
\"weight\": 5279,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.executionPeriod\",\
\"weight\": 5280,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.authoredOn\",\
\"weight\": 5281,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.lastModified\",\
\"weight\": 5282,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.requester\",\
\"weight\": 5283,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.requester.id\",\
\"weight\": 5284,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.requester.extension\",\
\"weight\": 5285,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.requester.modifierExtension\",\
\"weight\": 5286,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.requester.agent\",\
\"weight\": 5287,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.requester.onBehalfOf\",\
\"weight\": 5288,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.performerType\",\
\"weight\": 5289,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.owner\",\
\"weight\": 5290,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.reason\",\
\"weight\": 5291,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.note\",\
\"weight\": 5292,\
\"max\": \"*\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.relevantHistory\",\
\"weight\": 5293,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.restriction\",\
\"weight\": 5294,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.restriction.id\",\
\"weight\": 5295,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.restriction.extension\",\
\"weight\": 5296,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.restriction.modifierExtension\",\
\"weight\": 5297,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.restriction.repetitions\",\
\"weight\": 5298,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.restriction.period\",\
\"weight\": 5299,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.restriction.recipient\",\
\"weight\": 5300,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.input\",\
\"weight\": 5301,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.input.id\",\
\"weight\": 5302,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.input.extension\",\
\"weight\": 5303,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.input.modifierExtension\",\
\"weight\": 5304,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.type\",\
\"weight\": 5305,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valueBase64Binary\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"base64Binary\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valueBoolean\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valueCode\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valueDate\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valueDateTime\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valueDecimal\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valueId\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valueInstant\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"instant\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valueInteger\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valueMarkdown\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valueOid\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"oid\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valuePositiveInt\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valueString\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valueTime\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"time\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valueUnsignedInt\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"unsignedInt\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valueUri\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valueAddress\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"Address\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valueAge\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"Age\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valueAnnotation\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valueAttachment\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"Attachment\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valueCodeableConcept\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valueCoding\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valueContactPoint\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"ContactPoint\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valueCount\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"Count\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valueDistance\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"Distance\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valueDuration\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"Duration\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valueHumanName\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"HumanName\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valueIdentifier\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valueMoney\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valuePeriod\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valueQuantity\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valueRange\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"Range\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valueRatio\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"Ratio\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valueReference\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valueSampledData\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"SampledData\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valueSignature\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"Signature\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valueTiming\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"Timing\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.input.valueMeta\",\
\"weight\": 5306,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.output\",\
\"weight\": 5307,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.output.id\",\
\"weight\": 5308,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.output.extension\",\
\"weight\": 5309,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"Task.output.modifierExtension\",\
\"weight\": 5310,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.type\",\
\"weight\": 5311,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valueBase64Binary\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"base64Binary\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valueBoolean\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valueCode\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valueDate\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valueDateTime\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valueDecimal\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valueId\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valueInstant\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"instant\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valueInteger\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valueMarkdown\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valueOid\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"oid\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valuePositiveInt\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"positiveInt\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valueString\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valueTime\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"time\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valueUnsignedInt\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"unsignedInt\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valueUri\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valueAddress\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"Address\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valueAge\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"Age\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valueAnnotation\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valueAttachment\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"Attachment\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valueCodeableConcept\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valueCoding\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valueContactPoint\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"ContactPoint\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valueCount\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"Count\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valueDistance\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"Distance\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valueDuration\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"Duration\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valueHumanName\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"HumanName\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valueIdentifier\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valueMoney\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"Money\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valuePeriod\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"Period\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valueQuantity\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valueRange\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"Range\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valueRatio\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"Ratio\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valueReference\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valueSampledData\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"SampledData\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valueSignature\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"Signature\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valueTiming\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"Timing\"\
},\
{\
\"min\": 1,\
\"path\": \"Task.output.valueMeta\",\
\"weight\": 5312,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport\",\
\"weight\": 5313,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.id\",\
\"weight\": 5314,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.meta\",\
\"weight\": 5315,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.implicitRules\",\
\"weight\": 5316,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.language\",\
\"weight\": 5317,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.text\",\
\"weight\": 5318,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.contained\",\
\"weight\": 5319,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.extension\",\
\"weight\": 5320,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.modifierExtension\",\
\"weight\": 5321,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.identifier\",\
\"weight\": 5322,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.name\",\
\"weight\": 5323,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"TestReport.status\",\
\"weight\": 5324,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"TestReport.testScript\",\
\"weight\": 5325,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"TestReport.result\",\
\"weight\": 5326,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.score\",\
\"weight\": 5327,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.tester\",\
\"weight\": 5328,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.issued\",\
\"weight\": 5329,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.participant\",\
\"weight\": 5330,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.participant.id\",\
\"weight\": 5331,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.participant.extension\",\
\"weight\": 5332,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.participant.modifierExtension\",\
\"weight\": 5333,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"TestReport.participant.type\",\
\"weight\": 5334,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"TestReport.participant.uri\",\
\"weight\": 5335,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.participant.display\",\
\"weight\": 5336,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.setup\",\
\"weight\": 5337,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.setup.id\",\
\"weight\": 5338,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.setup.extension\",\
\"weight\": 5339,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.setup.modifierExtension\",\
\"weight\": 5340,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"TestReport.setup.action\",\
\"weight\": 5341,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.setup.action.id\",\
\"weight\": 5342,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.setup.action.extension\",\
\"weight\": 5343,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.setup.action.modifierExtension\",\
\"weight\": 5344,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.setup.action.operation\",\
\"weight\": 5345,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.setup.action.operation.id\",\
\"weight\": 5346,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.setup.action.operation.extension\",\
\"weight\": 5347,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.setup.action.operation.modifierExtension\",\
\"weight\": 5348,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"TestReport.setup.action.operation.result\",\
\"weight\": 5349,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.setup.action.operation.message\",\
\"weight\": 5350,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.setup.action.operation.detail\",\
\"weight\": 5351,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.setup.action.assert\",\
\"weight\": 5352,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.setup.action.assert.id\",\
\"weight\": 5353,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.setup.action.assert.extension\",\
\"weight\": 5354,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.setup.action.assert.modifierExtension\",\
\"weight\": 5355,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"TestReport.setup.action.assert.result\",\
\"weight\": 5356,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.setup.action.assert.message\",\
\"weight\": 5357,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.setup.action.assert.detail\",\
\"weight\": 5358,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.test\",\
\"weight\": 5359,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.test.id\",\
\"weight\": 5360,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.test.extension\",\
\"weight\": 5361,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.test.modifierExtension\",\
\"weight\": 5362,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.test.name\",\
\"weight\": 5363,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.test.description\",\
\"weight\": 5364,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"TestReport.test.action\",\
\"weight\": 5365,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.test.action.id\",\
\"weight\": 5366,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.test.action.extension\",\
\"weight\": 5367,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.test.action.modifierExtension\",\
\"weight\": 5368,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.test.action.operation\",\
\"weight\": 5369,\
\"max\": \"1\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.test.action.assert\",\
\"weight\": 5370,\
\"max\": \"1\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.teardown\",\
\"weight\": 5371,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.teardown.id\",\
\"weight\": 5372,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.teardown.extension\",\
\"weight\": 5373,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.teardown.modifierExtension\",\
\"weight\": 5374,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"TestReport.teardown.action\",\
\"weight\": 5375,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.teardown.action.id\",\
\"weight\": 5376,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.teardown.action.extension\",\
\"weight\": 5377,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestReport.teardown.action.modifierExtension\",\
\"weight\": 5378,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"TestReport.teardown.action.operation\",\
\"weight\": 5379,\
\"max\": \"1\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript\",\
\"weight\": 5380,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.id\",\
\"weight\": 5381,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.meta\",\
\"weight\": 5382,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.implicitRules\",\
\"weight\": 5383,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.language\",\
\"weight\": 5384,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.text\",\
\"weight\": 5385,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.contained\",\
\"weight\": 5386,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.extension\",\
\"weight\": 5387,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.modifierExtension\",\
\"weight\": 5388,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"TestScript.url\",\
\"weight\": 5389,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.identifier\",\
\"weight\": 5390,\
\"max\": \"1\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.version\",\
\"weight\": 5391,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"TestScript.name\",\
\"weight\": 5392,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.title\",\
\"weight\": 5393,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"TestScript.status\",\
\"weight\": 5394,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.experimental\",\
\"weight\": 5395,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.date\",\
\"weight\": 5396,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.publisher\",\
\"weight\": 5397,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.contact\",\
\"weight\": 5398,\
\"max\": \"*\",\
\"type\": \"ContactDetail\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.description\",\
\"weight\": 5399,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.useContext\",\
\"weight\": 5400,\
\"max\": \"*\",\
\"type\": \"UsageContext\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.jurisdiction\",\
\"weight\": 5401,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.purpose\",\
\"weight\": 5402,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.copyright\",\
\"weight\": 5403,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.origin\",\
\"weight\": 5404,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.origin.id\",\
\"weight\": 5405,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.origin.extension\",\
\"weight\": 5406,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.origin.modifierExtension\",\
\"weight\": 5407,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"TestScript.origin.index\",\
\"weight\": 5408,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 1,\
\"path\": \"TestScript.origin.profile\",\
\"weight\": 5409,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.destination\",\
\"weight\": 5410,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.destination.id\",\
\"weight\": 5411,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.destination.extension\",\
\"weight\": 5412,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.destination.modifierExtension\",\
\"weight\": 5413,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"TestScript.destination.index\",\
\"weight\": 5414,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 1,\
\"path\": \"TestScript.destination.profile\",\
\"weight\": 5415,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.metadata\",\
\"weight\": 5416,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.metadata.id\",\
\"weight\": 5417,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.metadata.extension\",\
\"weight\": 5418,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.metadata.modifierExtension\",\
\"weight\": 5419,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.metadata.link\",\
\"weight\": 5420,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.metadata.link.id\",\
\"weight\": 5421,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.metadata.link.extension\",\
\"weight\": 5422,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.metadata.link.modifierExtension\",\
\"weight\": 5423,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"TestScript.metadata.link.url\",\
\"weight\": 5424,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.metadata.link.description\",\
\"weight\": 5425,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"TestScript.metadata.capability\",\
\"weight\": 5426,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.metadata.capability.id\",\
\"weight\": 5427,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.metadata.capability.extension\",\
\"weight\": 5428,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.metadata.capability.modifierExtension\",\
\"weight\": 5429,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.metadata.capability.required\",\
\"weight\": 5430,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.metadata.capability.validated\",\
\"weight\": 5431,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.metadata.capability.description\",\
\"weight\": 5432,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.metadata.capability.origin\",\
\"weight\": 5433,\
\"max\": \"*\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.metadata.capability.destination\",\
\"weight\": 5434,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.metadata.capability.link\",\
\"weight\": 5435,\
\"max\": \"*\",\
\"type\": \"uri\"\
},\
{\
\"min\": 1,\
\"path\": \"TestScript.metadata.capability.capabilities\",\
\"weight\": 5436,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.fixture\",\
\"weight\": 5437,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.fixture.id\",\
\"weight\": 5438,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.fixture.extension\",\
\"weight\": 5439,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.fixture.modifierExtension\",\
\"weight\": 5440,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.fixture.autocreate\",\
\"weight\": 5441,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.fixture.autodelete\",\
\"weight\": 5442,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.fixture.resource\",\
\"weight\": 5443,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.profile\",\
\"weight\": 5444,\
\"max\": \"*\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.variable\",\
\"weight\": 5445,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.variable.id\",\
\"weight\": 5446,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.variable.extension\",\
\"weight\": 5447,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.variable.modifierExtension\",\
\"weight\": 5448,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"TestScript.variable.name\",\
\"weight\": 5449,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.variable.defaultValue\",\
\"weight\": 5450,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.variable.description\",\
\"weight\": 5451,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.variable.expression\",\
\"weight\": 5452,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.variable.headerField\",\
\"weight\": 5453,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.variable.hint\",\
\"weight\": 5454,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.variable.path\",\
\"weight\": 5455,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.variable.sourceId\",\
\"weight\": 5456,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.rule\",\
\"weight\": 5457,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.rule.id\",\
\"weight\": 5458,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.rule.extension\",\
\"weight\": 5459,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.rule.modifierExtension\",\
\"weight\": 5460,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"TestScript.rule.resource\",\
\"weight\": 5461,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.rule.param\",\
\"weight\": 5462,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.rule.param.id\",\
\"weight\": 5463,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.rule.param.extension\",\
\"weight\": 5464,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.rule.param.modifierExtension\",\
\"weight\": 5465,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"TestScript.rule.param.name\",\
\"weight\": 5466,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.rule.param.value\",\
\"weight\": 5467,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.ruleset\",\
\"weight\": 5468,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.ruleset.id\",\
\"weight\": 5469,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.ruleset.extension\",\
\"weight\": 5470,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.ruleset.modifierExtension\",\
\"weight\": 5471,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"TestScript.ruleset.resource\",\
\"weight\": 5472,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 1,\
\"path\": \"TestScript.ruleset.rule\",\
\"weight\": 5473,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.ruleset.rule.id\",\
\"weight\": 5474,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.ruleset.rule.extension\",\
\"weight\": 5475,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.ruleset.rule.modifierExtension\",\
\"weight\": 5476,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"TestScript.ruleset.rule.ruleId\",\
\"weight\": 5477,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.ruleset.rule.param\",\
\"weight\": 5478,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.ruleset.rule.param.id\",\
\"weight\": 5479,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.ruleset.rule.param.extension\",\
\"weight\": 5480,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.ruleset.rule.param.modifierExtension\",\
\"weight\": 5481,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"TestScript.ruleset.rule.param.name\",\
\"weight\": 5482,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.ruleset.rule.param.value\",\
\"weight\": 5483,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup\",\
\"weight\": 5484,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.id\",\
\"weight\": 5485,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.extension\",\
\"weight\": 5486,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.modifierExtension\",\
\"weight\": 5487,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"TestScript.setup.action\",\
\"weight\": 5488,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.id\",\
\"weight\": 5489,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.extension\",\
\"weight\": 5490,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.modifierExtension\",\
\"weight\": 5491,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.operation\",\
\"weight\": 5492,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.operation.id\",\
\"weight\": 5493,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.operation.extension\",\
\"weight\": 5494,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.operation.modifierExtension\",\
\"weight\": 5495,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.operation.type\",\
\"weight\": 5496,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.operation.resource\",\
\"weight\": 5497,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.operation.label\",\
\"weight\": 5498,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.operation.description\",\
\"weight\": 5499,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.operation.accept\",\
\"weight\": 5500,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.operation.contentType\",\
\"weight\": 5501,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.operation.destination\",\
\"weight\": 5502,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.operation.encodeRequestUrl\",\
\"weight\": 5503,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.operation.origin\",\
\"weight\": 5504,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.operation.params\",\
\"weight\": 5505,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.operation.requestHeader\",\
\"weight\": 5506,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.operation.requestHeader.id\",\
\"weight\": 5507,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.operation.requestHeader.extension\",\
\"weight\": 5508,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.operation.requestHeader.modifierExtension\",\
\"weight\": 5509,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"TestScript.setup.action.operation.requestHeader.field\",\
\"weight\": 5510,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"TestScript.setup.action.operation.requestHeader.value\",\
\"weight\": 5511,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.operation.requestId\",\
\"weight\": 5512,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.operation.responseId\",\
\"weight\": 5513,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.operation.sourceId\",\
\"weight\": 5514,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.operation.targetId\",\
\"weight\": 5515,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.operation.url\",\
\"weight\": 5516,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert\",\
\"weight\": 5517,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.id\",\
\"weight\": 5518,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.extension\",\
\"weight\": 5519,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.modifierExtension\",\
\"weight\": 5520,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.label\",\
\"weight\": 5521,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.description\",\
\"weight\": 5522,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.direction\",\
\"weight\": 5523,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.compareToSourceId\",\
\"weight\": 5524,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.compareToSourceExpression\",\
\"weight\": 5525,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.compareToSourcePath\",\
\"weight\": 5526,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.contentType\",\
\"weight\": 5527,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.expression\",\
\"weight\": 5528,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.headerField\",\
\"weight\": 5529,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.minimumId\",\
\"weight\": 5530,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.navigationLinks\",\
\"weight\": 5531,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.operator\",\
\"weight\": 5532,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.path\",\
\"weight\": 5533,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.requestMethod\",\
\"weight\": 5534,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.requestURL\",\
\"weight\": 5535,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.resource\",\
\"weight\": 5536,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.response\",\
\"weight\": 5537,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.responseCode\",\
\"weight\": 5538,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.rule\",\
\"weight\": 5539,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.rule.id\",\
\"weight\": 5540,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.rule.extension\",\
\"weight\": 5541,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.rule.modifierExtension\",\
\"weight\": 5542,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"TestScript.setup.action.assert.rule.ruleId\",\
\"weight\": 5543,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.rule.param\",\
\"weight\": 5544,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.rule.param.id\",\
\"weight\": 5545,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.rule.param.extension\",\
\"weight\": 5546,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.rule.param.modifierExtension\",\
\"weight\": 5547,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"TestScript.setup.action.assert.rule.param.name\",\
\"weight\": 5548,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"TestScript.setup.action.assert.rule.param.value\",\
\"weight\": 5549,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.ruleset\",\
\"weight\": 5550,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.ruleset.id\",\
\"weight\": 5551,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.ruleset.extension\",\
\"weight\": 5552,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.ruleset.modifierExtension\",\
\"weight\": 5553,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"TestScript.setup.action.assert.ruleset.rulesetId\",\
\"weight\": 5554,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.ruleset.rule\",\
\"weight\": 5555,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.ruleset.rule.id\",\
\"weight\": 5556,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.ruleset.rule.extension\",\
\"weight\": 5557,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.ruleset.rule.modifierExtension\",\
\"weight\": 5558,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"TestScript.setup.action.assert.ruleset.rule.ruleId\",\
\"weight\": 5559,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.ruleset.rule.param\",\
\"weight\": 5560,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.ruleset.rule.param.id\",\
\"weight\": 5561,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.ruleset.rule.param.extension\",\
\"weight\": 5562,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.ruleset.rule.param.modifierExtension\",\
\"weight\": 5563,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"TestScript.setup.action.assert.ruleset.rule.param.name\",\
\"weight\": 5564,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"TestScript.setup.action.assert.ruleset.rule.param.value\",\
\"weight\": 5565,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.sourceId\",\
\"weight\": 5566,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.validateProfileId\",\
\"weight\": 5567,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.value\",\
\"weight\": 5568,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.setup.action.assert.warningOnly\",\
\"weight\": 5569,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.test\",\
\"weight\": 5570,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.test.id\",\
\"weight\": 5571,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.test.extension\",\
\"weight\": 5572,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.test.modifierExtension\",\
\"weight\": 5573,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.test.name\",\
\"weight\": 5574,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.test.description\",\
\"weight\": 5575,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"TestScript.test.action\",\
\"weight\": 5576,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.test.action.id\",\
\"weight\": 5577,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.test.action.extension\",\
\"weight\": 5578,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.test.action.modifierExtension\",\
\"weight\": 5579,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.test.action.operation\",\
\"weight\": 5580,\
\"max\": \"1\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.test.action.assert\",\
\"weight\": 5581,\
\"max\": \"1\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.teardown\",\
\"weight\": 5582,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.teardown.id\",\
\"weight\": 5583,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.teardown.extension\",\
\"weight\": 5584,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.teardown.modifierExtension\",\
\"weight\": 5585,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"TestScript.teardown.action\",\
\"weight\": 5586,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.teardown.action.id\",\
\"weight\": 5587,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.teardown.action.extension\",\
\"weight\": 5588,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"TestScript.teardown.action.modifierExtension\",\
\"weight\": 5589,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"TestScript.teardown.action.operation\",\
\"weight\": 5590,\
\"max\": \"1\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet\",\
\"weight\": 5591,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.id\",\
\"weight\": 5592,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.meta\",\
\"weight\": 5593,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.implicitRules\",\
\"weight\": 5594,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.language\",\
\"weight\": 5595,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.text\",\
\"weight\": 5596,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.contained\",\
\"weight\": 5597,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.extension\",\
\"weight\": 5598,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.modifierExtension\",\
\"weight\": 5599,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.url\",\
\"weight\": 5600,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.identifier\",\
\"weight\": 5601,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.version\",\
\"weight\": 5602,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.name\",\
\"weight\": 5603,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.title\",\
\"weight\": 5604,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"ValueSet.status\",\
\"weight\": 5605,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.experimental\",\
\"weight\": 5606,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.date\",\
\"weight\": 5607,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.publisher\",\
\"weight\": 5608,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.contact\",\
\"weight\": 5609,\
\"max\": \"*\",\
\"type\": \"ContactDetail\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.description\",\
\"weight\": 5610,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.useContext\",\
\"weight\": 5611,\
\"max\": \"*\",\
\"type\": \"UsageContext\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.jurisdiction\",\
\"weight\": 5612,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.immutable\",\
\"weight\": 5613,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.purpose\",\
\"weight\": 5614,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.copyright\",\
\"weight\": 5615,\
\"max\": \"1\",\
\"type\": \"markdown\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.extensible\",\
\"weight\": 5616,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.compose\",\
\"weight\": 5617,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.compose.id\",\
\"weight\": 5618,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.compose.extension\",\
\"weight\": 5619,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.compose.modifierExtension\",\
\"weight\": 5620,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.compose.lockedDate\",\
\"weight\": 5621,\
\"max\": \"1\",\
\"type\": \"date\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.compose.inactive\",\
\"weight\": 5622,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 1,\
\"path\": \"ValueSet.compose.include\",\
\"weight\": 5623,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.compose.include.id\",\
\"weight\": 5624,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.compose.include.extension\",\
\"weight\": 5625,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.compose.include.modifierExtension\",\
\"weight\": 5626,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.compose.include.system\",\
\"weight\": 5627,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.compose.include.version\",\
\"weight\": 5628,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.compose.include.concept\",\
\"weight\": 5629,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.compose.include.concept.id\",\
\"weight\": 5630,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.compose.include.concept.extension\",\
\"weight\": 5631,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.compose.include.concept.modifierExtension\",\
\"weight\": 5632,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ValueSet.compose.include.concept.code\",\
\"weight\": 5633,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.compose.include.concept.display\",\
\"weight\": 5634,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.compose.include.concept.designation\",\
\"weight\": 5635,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.compose.include.concept.designation.id\",\
\"weight\": 5636,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.compose.include.concept.designation.extension\",\
\"weight\": 5637,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.compose.include.concept.designation.modifierExtension\",\
\"weight\": 5638,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.compose.include.concept.designation.language\",\
\"weight\": 5639,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.compose.include.concept.designation.use\",\
\"weight\": 5640,\
\"max\": \"1\",\
\"type\": \"Coding\"\
},\
{\
\"min\": 1,\
\"path\": \"ValueSet.compose.include.concept.designation.value\",\
\"weight\": 5641,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.compose.include.filter\",\
\"weight\": 5642,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.compose.include.filter.id\",\
\"weight\": 5643,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.compose.include.filter.extension\",\
\"weight\": 5644,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.compose.include.filter.modifierExtension\",\
\"weight\": 5645,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ValueSet.compose.include.filter.property\",\
\"weight\": 5646,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"ValueSet.compose.include.filter.op\",\
\"weight\": 5647,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 1,\
\"path\": \"ValueSet.compose.include.filter.value\",\
\"weight\": 5648,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.compose.include.valueSet\",\
\"weight\": 5649,\
\"max\": \"*\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.compose.exclude\",\
\"weight\": 5650,\
\"max\": \"*\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.expansion\",\
\"weight\": 5651,\
\"max\": \"1\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.expansion.id\",\
\"weight\": 5652,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.expansion.extension\",\
\"weight\": 5653,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.expansion.modifierExtension\",\
\"weight\": 5654,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ValueSet.expansion.identifier\",\
\"weight\": 5655,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 1,\
\"path\": \"ValueSet.expansion.timestamp\",\
\"weight\": 5656,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.expansion.total\",\
\"weight\": 5657,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.expansion.offset\",\
\"weight\": 5658,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.expansion.parameter\",\
\"weight\": 5659,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.expansion.parameter.id\",\
\"weight\": 5660,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.expansion.parameter.extension\",\
\"weight\": 5661,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.expansion.parameter.modifierExtension\",\
\"weight\": 5662,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 1,\
\"path\": \"ValueSet.expansion.parameter.name\",\
\"weight\": 5663,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.expansion.parameter.valueString\",\
\"weight\": 5664,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.expansion.parameter.valueBoolean\",\
\"weight\": 5664,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.expansion.parameter.valueInteger\",\
\"weight\": 5664,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.expansion.parameter.valueDecimal\",\
\"weight\": 5664,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.expansion.parameter.valueUri\",\
\"weight\": 5664,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.expansion.parameter.valueCode\",\
\"weight\": 5664,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.expansion.contains\",\
\"weight\": 5665,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.expansion.contains.id\",\
\"weight\": 5666,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.expansion.contains.extension\",\
\"weight\": 5667,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.expansion.contains.modifierExtension\",\
\"weight\": 5668,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.expansion.contains.system\",\
\"weight\": 5669,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.expansion.contains.abstract\",\
\"weight\": 5670,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.expansion.contains.inactive\",\
\"weight\": 5671,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.expansion.contains.version\",\
\"weight\": 5672,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.expansion.contains.code\",\
\"weight\": 5673,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.expansion.contains.display\",\
\"weight\": 5674,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.expansion.contains.designation\",\
\"weight\": 5675,\
\"max\": \"*\"\
},\
{\
\"min\": 0,\
\"path\": \"ValueSet.expansion.contains.contains\",\
\"weight\": 5676,\
\"max\": \"*\"\
},\
{\
\"min\": 0,\
\"path\": \"VisionPrescription\",\
\"weight\": 5677,\
\"max\": \"*\",\
\"kind\": \"resource\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"VisionPrescription.id\",\
\"weight\": 5678,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"VisionPrescription.meta\",\
\"weight\": 5679,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"VisionPrescription.implicitRules\",\
\"weight\": 5680,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"VisionPrescription.language\",\
\"weight\": 5681,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"VisionPrescription.text\",\
\"weight\": 5682,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"VisionPrescription.contained\",\
\"weight\": 5683,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"VisionPrescription.extension\",\
\"weight\": 5684,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"VisionPrescription.modifierExtension\",\
\"weight\": 5685,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"VisionPrescription.identifier\",\
\"weight\": 5686,\
\"max\": \"*\",\
\"type\": \"Identifier\"\
},\
{\
\"min\": 0,\
\"path\": \"VisionPrescription.status\",\
\"weight\": 5687,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"VisionPrescription.patient\",\
\"weight\": 5688,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"VisionPrescription.encounter\",\
\"weight\": 5689,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"VisionPrescription.dateWritten\",\
\"weight\": 5690,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"VisionPrescription.prescriber\",\
\"weight\": 5691,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"VisionPrescription.reasonCodeableConcept\",\
\"weight\": 5692,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"VisionPrescription.reasonReference\",\
\"weight\": 5692,\
\"max\": \"1\",\
\"type\": \"Reference\"\
},\
{\
\"min\": 0,\
\"path\": \"VisionPrescription.dispense\",\
\"weight\": 5693,\
\"max\": \"*\",\
\"type\": \"BackboneElement\"\
},\
{\
\"min\": 0,\
\"path\": \"VisionPrescription.dispense.id\",\
\"weight\": 5694,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"VisionPrescription.dispense.extension\",\
\"weight\": 5695,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"VisionPrescription.dispense.modifierExtension\",\
\"weight\": 5696,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"VisionPrescription.dispense.product\",\
\"weight\": 5697,\
\"max\": \"1\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"VisionPrescription.dispense.eye\",\
\"weight\": 5698,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"VisionPrescription.dispense.sphere\",\
\"weight\": 5699,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"VisionPrescription.dispense.cylinder\",\
\"weight\": 5700,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"VisionPrescription.dispense.axis\",\
\"weight\": 5701,\
\"max\": \"1\",\
\"type\": \"integer\"\
},\
{\
\"min\": 0,\
\"path\": \"VisionPrescription.dispense.prism\",\
\"weight\": 5702,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"VisionPrescription.dispense.base\",\
\"weight\": 5703,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"VisionPrescription.dispense.add\",\
\"weight\": 5704,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"VisionPrescription.dispense.power\",\
\"weight\": 5705,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"VisionPrescription.dispense.backCurve\",\
\"weight\": 5706,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"VisionPrescription.dispense.diameter\",\
\"weight\": 5707,\
\"max\": \"1\",\
\"type\": \"decimal\"\
},\
{\
\"min\": 0,\
\"path\": \"VisionPrescription.dispense.duration\",\
\"weight\": 5708,\
\"max\": \"1\",\
\"type\": \"Quantity\"\
},\
{\
\"min\": 0,\
\"path\": \"VisionPrescription.dispense.color\",\
\"weight\": 5709,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"VisionPrescription.dispense.brand\",\
\"weight\": 5710,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"VisionPrescription.dispense.note\",\
\"weight\": 5711,\
\"max\": \"*\",\
\"type\": \"Annotation\"\
},\
{\
\"min\": 1,\
\"path\": \"MetadataResource\",\
\"weight\": 5712,\
\"max\": \"1\",\
\"kind\": \"logical\",\
\"type\": \"DomainResource\"\
},\
{\
\"min\": 0,\
\"path\": \"MetadataResource.id\",\
\"weight\": 5713,\
\"max\": \"1\",\
\"type\": \"id\"\
},\
{\
\"min\": 0,\
\"path\": \"MetadataResource.meta\",\
\"weight\": 5714,\
\"max\": \"1\",\
\"type\": \"Meta\"\
},\
{\
\"min\": 0,\
\"path\": \"MetadataResource.implicitRules\",\
\"weight\": 5715,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"MetadataResource.language\",\
\"weight\": 5716,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"MetadataResource.text\",\
\"weight\": 5717,\
\"max\": \"1\",\
\"type\": \"Narrative\"\
},\
{\
\"min\": 0,\
\"path\": \"MetadataResource.contained\",\
\"weight\": 5718,\
\"max\": \"*\",\
\"type\": \"Resource\"\
},\
{\
\"min\": 0,\
\"path\": \"MetadataResource.extension\",\
\"weight\": 5719,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MetadataResource.modifierExtension\",\
\"weight\": 5720,\
\"max\": \"*\",\
\"type\": \"Extension\"\
},\
{\
\"min\": 0,\
\"path\": \"MetadataResource.url\",\
\"weight\": 5721,\
\"max\": \"1\",\
\"type\": \"uri\"\
},\
{\
\"min\": 0,\
\"path\": \"MetadataResource.version\",\
\"weight\": 5722,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"MetadataResource.name\",\
\"weight\": 5723,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"MetadataResource.title\",\
\"weight\": 5724,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 1,\
\"path\": \"MetadataResource.status\",\
\"weight\": 5725,\
\"max\": \"1\",\
\"type\": \"code\"\
},\
{\
\"min\": 0,\
\"path\": \"MetadataResource.experimental\",\
\"weight\": 5726,\
\"max\": \"1\",\
\"type\": \"boolean\"\
},\
{\
\"min\": 0,\
\"path\": \"MetadataResource.date\",\
\"weight\": 5727,\
\"max\": \"1\",\
\"type\": \"dateTime\"\
},\
{\
\"min\": 0,\
\"path\": \"MetadataResource.publisher\",\
\"weight\": 5728,\
\"max\": \"1\",\
\"type\": \"string\"\
},\
{\
\"min\": 0,\
\"path\": \"MetadataResource.contact\",\
\"weight\": 5729,\
\"max\": \"*\",\
\"type\": \"ContactDetail\"\
},\
{\
\"min\": 0,\
\"path\": \"MetadataResource.useContext\",\
\"weight\": 5730,\
\"max\": \"*\",\
\"type\": \"UsageContext\"\
},\
{\
\"min\": 0,\
\"path\": \"MetadataResource.jurisdiction\",\
\"weight\": 5731,\
\"max\": \"*\",\
\"type\": \"CodeableConcept\"\
},\
{\
\"min\": 0,\
\"path\": \"MetadataResource.description\",\
\"weight\": 5732,\
\"max\": \"1\",\
\"type\": \"markdown\"\
}\
]"function require_resource(t)return e[t]or error("resource '"..tostring(t).."' not found");end end
local e,x,t,h
if js and js.global then
h={}
h.dump=require("pure-xml-dump")
h.load=require("pure-xml-load")
t=require("lunajson")
package.loaded["cjson.safe"]={encode=function()end}
else
h=require("xml")
e=require("cjson")
x=require("datafile")
end
local U=require("resty.prettycjson")
local f,z,n,s,R,L,d,u,D,a
=ipairs,pairs,type,print,tonumber,string.gmatch,table.remove,string.format,table.sort,table.concat
local r,w,H,m,c
local S,N,b,O
local T,A,g,q,k
local v,j,_
local E,y,I
local o
local i
local l,p
if e then
i=e.null
l,p=e.decode,e.encode
elseif t then
i=function()end
l=function(e)
return t.decode(e,nil,i)
end
p=function(e)
return t.encode(e,i)
end
else
error("neither cjson nor luajson libraries found for JSON parsing")
end
A=function(e)
local e=io.open(e,"r")
if e~=nil then io.close(e)return true else return false end
end
local C=(...and(...):match("(.+)%.[^%.]+$")or(...))or"(path of the script unknown)"
w=function(e)
local n={(e or""),"fhir-data/fhir-elements.json","src/fhir-data/fhir-elements.json","../src/fhir-data/fhir-elements.json","fhir-data/fhir-elements.json"}
local e
for a,t in f(n)do
if A(t)then
io.input(t)
e=l(io.read("*a"))
break
end
end
local t,o,i
if not e and x then
i=true
t,o=x.open("src/fhir-data/fhir-elements.json","r")
if t then e=l(t:read("*a"))end
end
if not e and require_resource then
e=l(require_resource("fhir-data/fhir-elements.json"))
end
assert(e,string.format("read_fhir_data: FHIR Schema could not be found in these locations starting from %s: %s\n\n%s%s",C,a(n,"\n "),i and("Datafile could not find LuaRocks installation as well; error is: \n"..o)or'',require_resource and"Embedded JSON data could not be found as well."or''))
return e
end
H=function(e,a)
if not e then return nil end
for t=1,#e do
if e[t]==a then return t end
end
end
I=function(e,t)
if not e then return nil end
local a={}
if n(t)=="function"then
for o=1,#e do
local e=e[o]
a[e]=t(e)
end
else
for o=1,#e do
a[e[o]]=t
end
end
return a
end
slice=function(o,a,t)
local e={}
for t=(a and a or 1),(t and t or#o)do
e[t]=o[t]
end
return e
end
m=function(a)
o={}
local s,i
i=function(t)
local e=o
for t in L(t.path,"([^%.]+)")do
e[t]=e[t]or{}
e=e[t]
end
e._min=t.min
e._max=t.max
e._type=t.type
e._type_json=t.type_json
e._weight=t.weight
e._kind=t.kind
e._derivations=I(t.derivations,function(e)return o[e]end)
s(e)
if n(o[t.type])=="table"then
e[1]=o[t.type]
end
end
s=function(e,t)
if not(e and e._derivations)then return end
local t=t and t._derivations or e._derivations
for a,t in z(t)do
if t._derivations then
for a,t in z(t._derivations)do
if e~=t then
e._derivations[a]=t
end
end
end
end
end
for e=1,#a do
local e=a[e]
i(e)
end
for e=1,#a do
local e=a[e]
i(e)
end
for e=1,#a do
local e=a[e]
i(e)
end
return o
end
g=function(e,t)
return t(e)
end
q=function(e,t)
io.input(e)
local e=io.read("*a")
io.input():close()
return t(e)
end
c=function(o,e)
local i=e.value
local t=r(o,e.xml)
if not t then
s(string.format("Warning: %s is not a known FHIR element; couldn't check its FHIR type to decide the JSON type.",a(o,".")))
return i
end
local t=t._type or t._type_json
if t=="boolean"then
if e.value=="true"then return true
elseif e.value=="false"then return false
else
s(string.format("Warning: %s.%s is of type %s in FHIR JSON - its XML value of %s is invalid.",a(o),e.xml,t,e.value))
end
elseif t=="integer"or
t=="unsignedInt"or
t=="positiveInt"or
t=="decimal"then
return R(e.value)
else return i end
end
r=function(t,a)
local e
for i=1,#t+1 do
local t=(t[i]or a)
if not e then
e=o[t]
elseif e[t]then
e=e[t]
elseif e[1]then
e=e[1][t]or(e[1]._derivations and e[1]._derivations[t]or nil)
else
e=nil
break
end
end
return e
end
get_fhir_definition_public=function(...)
local e={...}
local t=e[#e]
e[#e]=nil
local e=r(e,t)
if not e then
return nil,string.format("No element %s found",a({...},'.'))
else
return e
end
end
k=function(i,n)
local e,t
local o=r(i,n)
if not o then
s(string.format("Warning: %s.%s is not a known FHIR element; couldn't check max cardinality for it to decide on a JSON object or array.",a(i,"."),n))
end
if o and o._max=="*"then
e={{}}
t=e[1]
else
e={}
t=e
end
return e,t
end
S=function(o,t)
local e=r(o,t)
if e==nil then
s(string.format("Warning: %s.%s is not a known FHIR element; couldn't check max cardinality for it to decide on a JSON object or array.",a(o,"."),t))
end
if e and e._max=="*"then
return"array"
end
return"object"
end
get_xml_weight=function(t,e)
local o=r(t,e)
if not o then
s(string.format("Warning: %s.%s is not a known FHIR element; won't be able to sort it properly in the XML output.",a(t,"."),e))
return 0
else
return o._weight
end
end
get_datatype_kind=function(e,t)
local o=r(e,t)
if not o then
s(string.format("Warning: %s.%s is not a known FHIR element; might not convert it to a proper JSON 'element' or '_element' representation.",a(e,"."),t))
return 0
else
local e=r({},o._type)
return e._kind
end
end
print_xml_value=function(e,a,o,n)
if not a[e.xml]then
local t
if S(o,e.xml)=="array"then
t={}
local a=a["_"..e.xml]
if a then
for e=1,#a do
t[#t+1]=i
end
end
t[#t+1]=c(o,e)
else
t=c(o,e)
end
a[e.xml]=t
else
local t=a[e.xml]
t[#t+1]=c(o,e)
local e=a["_"..e.xml]
if e and not n then
e[#e+1]=i
end
end
end
need_shadow_element=function(a,e,t)
if a~=1 and e[1]
and t[#t]~="extension"and e.xml~="extension"
and get_datatype_kind(t,e.xml)~="complex-type"
then
if e.id then return true
else
for t=1,#e do
if e[t].xml=="extension"then return true end
end
end
end
end
N=function(e,a,l,o,h)
assert(e.xml,"error from parsed xml: node.xml is missing")
local s=a-1
local d=need_shadow_element(a,e,h)
local t
if a~=1 then
t=o[s][#o[s]]
end
if a==1 then
l.resourceType=e.xml
elseif h[#h]=="contained"or h[#h]=="resource"then
t.resourceType=e.xml
o[a]=o[a]or{}
o[a][#o[a]+1]=t
return
elseif e.value then
print_xml_value(e,t,h,d)
end
if n(e[1])=="table"and a~=1 then
local s,r
if n(t[e.xml])=="table"and not d then
local e=t[e.xml]
e[#e+1]={}
r=e[#e]
elseif not t[e.xml]and(e[1]or e.value)and not d then
s,r=k(h,e.xml)
t[e.xml]=s
end
if d then
s,r=k(h,e.xml)
local a=u('_%s',e.xml)
local o
if not t[a]then
t[a]=s
o=true
else
t[a][#t[a]+1]=r
end
local a=H(t[e.xml],e.value)
if o and a and a>1 then
s[1]=nil
for e=1,a-1 do
s[#s+1]=i
end
s[#s+1]={}
r=s[#s]
end
if not e.value and t[e.xml]then
if n(t[e.xml][#t[e.xml]])=="table"then
t[e.xml][#t[e.xml]]=nil
end
t[e.xml][#t[e.xml]+1]=i
end
end
o[a]=o[a]or{}
o[a][#o[a]+1]=r
end
if e.url then
o[a][#o[a]].url=e.url
end
if e.id then
o[a][#o[a]].id=e.id
end
return l
end
O=function(t,e,a)
t[a][#t[a]][e.xml]=h.dump(e)
end
b=function(e,t,o,i,a)
t=(t and(t+1)or 1)
o=N(e,t,o,i,a)
a[#a+1]=e.xml
for s,e in f(e)do
if e.xml=="div"and e.xmlns=="http://www.w3.org/1999/xhtml"then
O(i,e,t)
else
assert(n(e)=="table",u("unexpected type value encountered: %s (%s), expecting table",tostring(e),n(e)))
b(e,t,o,i,a)
end
end
d(a)
return o
end
local a=setmetatable({},{__mode="k"})
function read_only(e)
if n(e)=="table"then
local t=a[e]
if not t then
t=setmetatable({},{
__index=function(a,t)
return readOnly(e[t])
end,
__newindex=function()
error("table is readonly",2)
end,
})
a[e]=t
end
return t
else
return e
end
end
T=function(a,e)
o=o or m(w())
assert(next(o),"convert_to_json: FHIR Schema could not be parsed in.")
read_only(o)
local t
if e and e.file then
t=q(a,h.load)
else
t=g(a,h.load)
end
local a={}
local o={[1]={a}}
local i={}
local t=b(t,nil,a,o,i)
return(e and e.pretty)and U(t,nil,' ',nil,p)
or p(t)
end
j=function(a,o,n,t,s)
if a:find("_",1,true)then return end
local e=n[#n]
if a=="div"then
e[#e+1]=h.load(o)
elseif a=="url"and(t[#t]=="extension"or t[#t]=="modifierExtension")then
e.url=o
elseif a=="id"then
local t=r(slice(t,1,#t-1),t[#t])._type
if t~="Resource"and t~="DomainResource"then
e.id=o
else
e[#e+1]={xml=a,value=tostring(o)}
end
elseif o==i then
e[#e+1]={xml=a}
else
e[#e+1]={xml=a,value=tostring(o)}
end
local o=e[#e]
if o then
o._weight=get_xml_weight(t,a)
o._count=#e
end
if s then
n[#n+1]=e[#e]
t[#t+1]=e[#e].xml
v(s,n,t)
d(n)
d(t)
end
end
y=function(i,n,e,t)
if i:find("_",1,true)then return end
local a=e[#e]
a[#a+1]={xml=i}
local o=a[#a]
o._weight=get_xml_weight(t,i)
o._count=#a
e[#e+1]=o
t[#t+1]=o.xml
v(n,e,t)
d(e)
d(t)
end
print_contained_resource=function(o,t,a)
local e=t[#t]
e[#e+1]={xml=o.resourceType,xmlns="http://hl7.org/fhir"}
t[#t+1]=e[#e]
a[#a+1]=e[#e].xml
o.resourceType=nil
end
v=function(s,a,o)
local h
if s.resourceType then
print_contained_resource(s,a,o)
h=true
end
for t,e in z(s)do
if n(e)=="table"then
if n(e[1])=="table"then
for n,e in f(e)do
if e~=i then
y(t,e,a,o)
end
end
elseif e[1]and n(e[1])~="table"then
for h,r in f(e)do
local n,e=s[u("_%s",t)]
if n then
e=n[h]
if e==i then e=nil end
end
j(t,r,a,o,e)
end
elseif e~=i then
y(t,e,a,o)
end
elseif e~=i then
j(t,e,a,o,s[u("_%s",t)])
end
if t:sub(1,1)=='_'and not s[t:sub(2)]then
y(t:sub(2),e,a,o)
end
end
local e=a[#a]
D(e,function(t,e)
return(t.xml==e.xml)and(t._count<e._count)or(t._weight<e._weight)
end)
for t=1,#e do
local e=e[t]
e._weight=nil
e._count=nil
end
if h then
d(a)
d(o)
end
end
_=function(e,t,o,a)
if e.resourceType then
t.xmlns="http://hl7.org/fhir"
t.xml=e.resourceType
e.resourceType=nil
a[#a+1]=t.xml
end
return v(e,o,a)
end
E=function(a,e)
o=o or m(w())
assert(next(o),"convert_to_xml: FHIR Schema could not be parsed in.")
read_only(o)
local t
if e and e.file then
t=q(a,l)
else
t=g(a,l)
end
local e,o={},{}
local a={e}
_(t,e,a,o)
return h.dump(e)
end
m(w())
read_only(o)
return{
to_json=T,
to_xml=E,
get_fhir_definition=get_fhir_definition_public
}
|
local Spell = { }
Spell.LearnTime = 60
Spell.ApplyFireDelay = 0.4
Spell.Description = [[
Unlocks and opens doors,
hacks keypads that are not
protected by magic.
]]
Spell.CanSelfCast = false
Spell.NodeOffset = Vector(-377, -365, 0)
Spell.AccuracyDecreaseVal = 0
function Spell:OnFire(wand)
local ent = wand:HPWGetAimEntity(100)
if IsValid(ent) then
local class = ent:GetClass()
local valid = true
if class == "func_movelinear" then -- ???
ent:Input("Open")
elseif class == "prop_door_rotating" then -- HL2 door
ent:Fire("unlock", "", 0.1)
ent:Fire("open", "", 0.1)
elseif ent.isFadingDoor and ent.fadeActivate then -- DarkRP door
if ent.HPWColloportusOldFunc and isfunction(ent.HPWColloportusOldFunc) then
ent.fadeActivate = ent.HPWColloportusOldFunc
end
ent:fadeActivate()
elseif class == "keypad" or class == "keypad_wire" then -- Nonwire keypad
if ent.HPWColloportusOldFunc and isfunction(ent.HPWColloportusOldFunc) then
ent.Process = ent.HPWColloportusOldFunc
end
if ent.Process then ent:Process(true) end
elseif class == "gmod_wire_keypad" and ent.IsWire and Wire_TriggerOutput then -- Wire keypad
-- Ive not found any function similar to Process for wire keypad
ent:SetNetworkedString("keypad_display", "y")
Wire_TriggerOutput(ent, "Valid", 1)
ent:EmitSound("buttons/button9.wav")
else
valid = false
end
if valid then
sound.Play("doors/door_locked2.wav", ent:GetPos(), 60, 110)
end
end
end
HpwRewrite:AddSpell("Alohomora", Spell) |
-- Natural Selection 2 Competitive Mod
-- Source located at - https://github.com/xToken/CompMod
-- lua\CompMod\Weapons\Marine\HeavyMachineGun\shared.lua
-- - Dragon
local networkVars =
{
mg_upg1 = "boolean",
mg_upg2 = "boolean",
}
local originalHeavyMachineGunOnInitialized
originalHeavyMachineGunOnInitialized = Class_ReplaceMethod("HeavyMachineGun", "OnInitialized",
function(self)
originalHeavyMachineGunOnInitialized(self)
self.mg_upg1 = false
self.mg_upg2 = false
if Server then
self:AddTimedCallback(HeavyMachineGun.OnTechOrResearchUpdated, 0.1)
end
end
)
function HeavyMachineGun:GetCatalystSpeedBase()
return self.mg_upg2 and kHeavyMachineGunUpgReloadSpeed or kHeavyMachineGunReloadSpeed
end
function HeavyMachineGun:GetClipSize()
return self.mg_upg1 and kHeavyMachineGunUpgradedClipSize or kHeavyMachineGunClipSize
end
function HeavyMachineGun:GetWeight()
return kHeavyMachineGunWeight
end
function HeavyMachineGun:OnTechOrResearchUpdated()
if GetHasTech(self, kTechId.MGUpgrade1) then
local fullClip = self.clip == self:GetClipSize()
self.mg_upg1 = true
if fullClip then
-- Automagically fill the gun with moar bullets!
self.clip = self:GetClipSize()
end
else
self.mg_upg1 = false
if self.clip > self:GetClipSize() then
-- Automagically delete the bullets!
self.clip = self:GetClipSize()
end
end
if GetHasTech(self, kTechId.MGUpgrade2) then
self.mg_upg2 = true
else
self.mg_upg2 = false
end
end
function HeavyMachineGun:GetUpgradeTier()
if self.mg_upg2 then
return kTechId.MGUpgrade2, 2
elseif self.mg_upg1 then
return kTechId.MGUpgrade1, 1
end
return kTechId.None, 0
end
Shared.LinkClassToMap("HeavyMachineGun", HeavyMachineGun.kMapName, networkVars) |
local completion = require "cc.shell.completion"
local complete = completion.build({completion.choice, {"autorun"}})
shell.setCompletionFunction("apps/item-transporter.lua", complete)
shell.setAlias("item-transporter", "apps/item-transporter.lua") |
object_tangible_holiday_empire_day_crew_carrier_steering_mechanism_crate = object_tangible_holiday_empire_day_shared_crew_carrier_steering_mechanism_crate:new {
}
ObjectTemplates:addTemplate(object_tangible_holiday_empire_day_crew_carrier_steering_mechanism_crate, "object/tangible/holiday/empire_day/crew_carrier_steering_mechanism_crate.iff")
|
ITEM.name = "Evacuation"
ITEM.desc = "An old cassette with audio of an unknown station being evacuated"
ITEM.model = "models/z-o-m-b-i-e/metro_2033/mafony/m33_cassete_02.mdl"
ITEM.music = "avoxgaming/ambients/evacuation.mp3" |
-- ... filetypes.lua
local autwo = require("neovim.core.autwo")
local events = "BufNewFile,BufRead"
autwo.group("ExtraFileTypes", {
{ events, "*.env*", "set ft=sh" },
{ events, "*.mdx", "set ft=markdown" },
{ events, "*.mjml", "set ft=html" },
{ events, "*tmux*", "set ft=tmux" },
{ events, ".eslintignore,.prettierignore,*.conf", "set ft=conf" },
{ events, ".eslintrc,.prettierrc,*.json*", "set ft=json" },
})
|
#!/usr/bin/env lua
local env = setmetatable({}, {__index=_G})
if setfenv then setfenv(1, env) else _ENV = env end
require 'symmath.tests.unit.unit'(env, 'tests/unit/match')
timer(nil, function()
env.W = Wildcard
env.const = Constant
env.zero = const(0)
env.one = const(1)
env.x = var'x'
env.y = var'y'
env.z = var'z'
for _,line in ipairs(string.split(string.trim([=[
simplifyAssertEq(x, x)
simplifyAssertNe(x, y)
assert(x:match(x))
assert(not x:match(y))
-- constants
simplifyAssertAllEq({const(2):match(const(2)*W(1))}, {const(1)}) -- implicit mul by 1
simplifyAssertAllEq({const(2):match(const(1)*W(1))}, {const(2)})
simplifyAssertAllEq({const(2):match(const(2)/W(1))}, {const(1)}) -- implicit divide by 1
simplifyAssertAllEq({const(4):match(const(2)*W(1))}, {const(2)}) -- implicit integer factoring
-- functions
simplifyAssertAllEq({sin(x):match(sin(W(1)))}, {x})
-- functions and mul mixed
simplifyAssertAllEq({sin(2*x):match(sin(W(1)))}, {2 * x})
simplifyAssertAllEq({sin(2*x):match(sin(2 * W(1)))}, {x})
-- matching c*f(x) => c*sin(a*x)
simplifyAssertAllEq({sin(2*x):match(W{1, dependsOn=x} * W{index=2, cannotDependOn=x})}, {sin(2*x), one})
simplifyAssertAllEq({sin(2*x):match(sin(W{1, cannotDependOn=x} * x))}, {const(2)})
-- add
simplifyAssertAllEq({x:match(W{2, cannotDependOn=x} + W{1, dependsOn=x})}, {x, zero})
simplifyAssertEq((x + y), (x + y))
assert((x + y):match(x + y))
-- add match to first term
simplifyAssertAllEq({(x + y):match(W(1) + y)}, {x})
-- add match to second term
simplifyAssertAllEq({(x + y):match(x + W(1))}, {y})
-- change order
simplifyAssertAllEq({(x + y):match(y + W(1))}, {x})
-- add match to zero, because nothing's left
simplifyAssertAllEq({(x + y):match(x + y + W(1))}, {zero})
simplifyAssertAllEq({(x + y):match(W(1))}, {x + y})
-- doubled-up matches should only work if they match
assert(not (x + y):match(W(1) + W(1)))
-- this too, this would work only if x + x and not x + y
simplifyAssertAllEq({(x + x):match(W(1) + W(1))}, {x})
-- this too
simplifyAssertAllEq({(x + x):match(W{1, atMost=1} + W{2, atMost=1})}, {x, x})
-- this should match (x+y), 0
simplifyAssertAllEq({(x + y):match(W(1) + W(2))}, {x + y, zero})
simplifyAssertAllEq({(x + y):match(W{1, atMost=1} + W{2, atMost=1})}, {x, y})
-- for these to work, I have to add the multi-wildcard stuff to the non-wildcard elements, handled in add.wildcardMatches
simplifyAssertAllEq({x:match(W(1) + W(2))}, {x, zero})
simplifyAssertAllEq({x:match(x + W(1) + W(2))}, {zero, zero})
simplifyAssertAllEq({x:match(W(1) + x + W(2))}, {zero, zero})
simplifyAssertAllEq({(x * y):match(W(1) + W(2))}, {x * y, zero})
-- make sure within add.wildcardMatches we greedy-match any wildcards with 'atLeast' before assigning the rest to zero
simplifyAssertAllEq({x:match(W(1) + W{2,atLeast=1} + W(3))}, {zero, x, zero})
-- now we match wildcards left-to-right, so the cannot-depend-on will match first
simplifyAssertAllEq({(x + y):match(W{1, cannotDependOn=x} + W{2, dependsOn=x})}, {y, x})
simplifyAssertAllEq({(x + y):match(W{1, cannotDependOn=x, atLeast=1} + W{2, dependsOn=x})}, {y, x})
-- same with mul
simplifyAssertAllEq({(x * y):match(y * W(1))}, {x})
simplifyAssertAllEq({(x * y):match(x * y * W(1))}, {one})
simplifyAssertAllEq({ (x * y):match(W(1))}, {x * y})
assert(not (x * y):match(W(1) * W(1)))
simplifyAssertAllEq({(x * x):match(W(1) * W(1))}, {x})
-- verify wildcards are greedy with multiple mul matching
-- the first will take all expressions, the second gets the empty set
simplifyAssertAllEq({(x * y):match(W(1) * W(2))}, {x * y, one})
-- verify 'atMost' works - since both need at least 1 entry, it will only match when each gets a separate term
simplifyAssertAllEq({(x * x):match(W{1, atMost=1} * W{2, atMost=1})}, {x, x})
-- verify 'atMost' cooperates with non-atMost wildcards
simplifyAssertAllEq({(x * y):match(W(1) * W{2, atLeast=1})}, {x, y})
simplifyAssertAllEq({(x * y):match(W{1, atMost=1} * W{2, atMost=1})}, {x, y})
assert( not( Constant(0):match(x) ) )
assert( not( Constant(0):match(x * y) ) )
simplifyAssertEq( zero:match(W(1) * x), zero )
assert( not zero:match(W{1, dependsOn=x} * x) )
simplifyAssertEq( zero:match(W(1) * x * y), zero )
simplifyAssertEq( one:match(1 + W(1)), zero )
simplifyAssertEq( one:match(1 + W(1) * x), zero )
simplifyAssertEq( one:match(1 + W(1) * x * y), zero )
-- how can you take x*y and match only the 'x'?
simplifyAssertAllEq({(x * y):match(W{index=2, cannotDependOn=x} * W{1, dependsOn=x})}, {x, y})
simplifyAssertAllEq({(x * y):match(W{1, dependsOn=x} * W{index=2, cannotDependOn=x})}, {x*y, 1})
simplifyAssertAllEq({(x * y):match(W{index=2, cannotDependOn=x} * W(1))}, {x, y})
simplifyAssertAllEq({(x * y):match(W(1) * W{index=2, cannotDependOn=x})}, {x*y, 1})
simplifyAssertAllEq({(x * y):match(W(1) * W(2))}, {x*y, 1})
-- combinations of add and mul
-- for this to work, add.wildcardMatches must call the wildcard-capable objects' own wildcard handlers correctly (and use push/pop match states, instead of assigning to wildcard indexes directly?)
-- also, because add.wildcardMatches assigns the extra wildcards to zero, it will be assigning (W(2) * W(3)) to zero ... which means it must (a) handle mul.wildcardMatches and (b) pick who of mul's children gets the zero and who doesn't
-- it also means that a situation like add->mul->add might have problems ... x:match(W(1) + (W(2) + W(3)) * (W(4) + W(5)))
do local i,j,k = x:match(W(1) + W(2) * W(3)) assertEq(i, x) assert(j == zero or k == zero) end
-- cross over add and mul ... not yet working
--local i = (x):match(W(1) + x) -- works
do local i = (x * y):match(W(1) + x * y) assertEq(i, zero) end
-- either 1 or 2 must be zero, and either 3 or 4 must be zero
do local i,j,k,l = x:match(x + W(1) * W(2) + W(3) * W(4)) assert(i == zero or j == zero) assert(k == zero or l == zero) end
do local c, f = (2 * x):match(W{1, cannotDependOn=x} * W{2, dependsOn=x}) assertEq(c, const(2)) assertEq(f, x) end
do local c, f = (2 * x):match(W{1, cannotDependOn=x} * W{2, dependsOn=x}) assertEq(c, const(2)) assertEq(f, x) end
-- Put the 'cannotDependOn' wildcard first (leftmost) in the mul for it to greedily match non-dep-on-x terms
-- otherwise 'dependsOn' will match everything, since the mul of a non-dep and a dep itself is dep on 'x', so it will include non-dep-on-terms
do local c, f = (2 * 1/x):factorDivision():match(W{index=1, cannotDependOn=x} * W{2, dependsOn=x}) assertEq(c, const(2)) assertEq(f, 1/x) end
do local c, f = (2 * 1/x):factorDivision():match(W{1, cannotDependOn=x} * W(2)) assertEq(c, const(2)) assertEq(f, 1/x) end
simplifyAssertAllEq({ (x + 2*y):match(W(1) + W(2) * y) }, {x,2})
simplifyAssertAllEq({ (x + 2*y):match(W(1) * x + W(2) * y) }, {1,2})
simplifyAssertAllEq( {x:match( W(1)*x + W(2))}, {1, 0})
simplifyAssertAllEq( {x:match( W(1)*x + W(2)*y)}, {1, 0})
-- div
do local i = (1/x):match(1 / W(1)) assertEq(i, x) end
do local i = (1/x):match(1 / (W(1) * x)) assertEq(i, one) end
do local i = (1/x):match(1 / (W{1, cannotDependOn=x} * x)) assertEq(i, one) end
assert((2 * 1/x):match(2 * 1/x))
do local i = (2 * 1/x):match(2 * 1/W(1)) assertEq(i, x) end
do local i = (2 * 1/x):match(2 * 1/(W(1) * x)) assertEq(i, one) end
do local i, j = (2 * 1/x):factorDivision():match(W{1, atMost=1} * W{index=2, atMost=1}) assertEq(i, const(2)) assertEq(j, 1/x) end
do local a, b = (1/(x*(3*x+4))):match(1 / (x * (W{1, cannotDependOn=x} * x + W{2, cannotDependOn=x}))) assertEq(a, const(3)) assertEq(b, const(4)) end
do local a, b = (1/(x*(3*x+4))):factorDivision():match(1 / (W{1, cannotDependOn=x} * x * x + W{2, cannotDependOn=x} * x)) assertEq(a, const(3)) assertEq(b, const(4)) end
-- pow
simplifyAssertAllEq({(x^2):match(x^W(1))}, {const(2)})
simplifyAssertAllEq({(x^2):match(W(1)^2)}, {x})
simplifyAssertAllEq({(x^2):match(W(1)^W(2))}, {x, 2})
-- defaults:
simplifyAssertAllEq({(x):match(x^W(1))}, {const(1)})
simplifyAssertAllEq({(x):match(W(1)^1)}, {x})
simplifyAssertAllEq({(x):match(W(1)^W(2))}, {x, const(1)})
-- etc
do local expr = sin(2*x) + cos(3*x) local a,b = expr:match( sin(W(1)) + cos(W(2)) ) print(a[1], a[2] ,b) end
do local expr = sin(2*x) * cos(3*x) local a,b = expr:match( sin(W(1)) * cos(W(2)) ) print(a[1], a[2] ,b) end
do local expr = (3*x^2 + 1) printbr('expr', expr) local a, c = expr:match(W{1, cannotDependOn=x} * x^2 + W{2, cannotDependOn=x}) printbr('a', a) printbr('c', c) simplifyAssertAllEq({a, c}, {3, 1}) end
do local expr = (3*x^2 + 2*x + 1) printbr('expr', expr) local a, b, c = expr:match(W{1, cannotDependOn=x} * x^2 + W{2, cannotDependOn=x} * x + W{3, cannotDependOn=x}) printbr('a', a) printbr('b', b) printbr('c', c) simplifyAssertAllEq({a, b, c}, {3, 2, 1}) end
do local expr = (3*x^2 + 1):factorDivision() printbr('expr', expr) local a, b, c = expr:match(W{1, cannotDependOn=x} * x^2 + W{2, cannotDependOn=x} * x + W{3, cannotDependOn=x}) printbr('a', a) printbr('b', b) printbr('c', c) simplifyAssertAllEq({a, b, c}, {3, 0, 1}) end
do local expr = (3*x*x + 2*x + 1):factorDivision() printbr('expr', expr) local a, b, c = expr:match(W{1, cannotDependOn=x} * x^2 + W{2, cannotDependOn=x} * x + W{3, cannotDependOn=x}) printbr('a', a) printbr('b', b) printbr('c', c) simplifyAssertAllEq({a, b, c}, {3, 2, 1}) end
do local expr = (1/(3*x*x + 2*x + 1)):factorDivision() printbr('expr', expr) local a, b, c = expr:match(1 / (W{1, cannotDependOn=x} * x^2 + W{2, cannotDependOn=x} * x + W{3, cannotDependOn=x})) printbr('a', a) printbr('b', b) printbr('c', c) simplifyAssertAllEq({a, b, c}, {3, 2, 1}) end
do local expr = (x/(3*x*x + 2*x + 1)):factorDivision() printbr('expr', expr) local a, b, c = expr:match(1 / (W{1, cannotDependOn=x} * x^2 + W{2, cannotDependOn=x} * x + W{3, cannotDependOn=x})) printbr('a', a) printbr('b', b) printbr('c', c) simplifyAssertAllEq({a, b, c}, {3, 2, 1}) end
-- TensorRef
local a = x'^i':match(Tensor.Ref(x, W(1))) simplifyAssertEq(a, Tensor.Index{symbol='i', lower=false})
]=]), '\n')) do
env.exec(line)
end
end)
|
--[[
MIT License
Copyright (c) 2019 Michael Wiesendanger
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
SOFTWARE.
]]--
--[[
To run the tests make sure to include this file into PVPWarn.toc.
start test by calling from the game with /run [functionName]
]]--
local mod = pvpw
local me = {}
mod.testAll = me
me.tag = "TestAll"
-- global
local _G = getfenv(0)
--[[
Global function to run all tests
]]--
function _G.__PVPW__TEST_ALL()
local testClasses = {
"druid",
"hunter",
"mage",
"paladin",
"priest",
"rogue",
"shaman",
"warlock",
"warrior",
"items",
"misc",
"racials"
}
-- clear saved testcases
mod.testReporter.ClearSavedTestReports()
-- start new testrun
mod.testReporter.StartTestRun("test_all")
for i = 1, table.getn(testClasses) do
local moduleName
local testClassWithLocale
if GetLocale() == "deDE" then
testClassWithLocale = testClasses[i] .. "De"
else
-- default locale english
testClassWithLocale = testClasses[i] .. "En"
end
mod.testReporter.StartTestClass(testClasses[i])
moduleName = "test" .. string.gsub(testClassWithLocale, "^%l", string.upper)
assert(type(mod[moduleName].RunAll) == "function",
string.format("Each test class should have a `RunAll`" ..
" testcase (expected function got %s)", type(mod[moduleName].RunAll)))
-- run actual tests
mod.testHelper.TestShouldHaveASoundTestForEachSpell(mod[moduleName], testClasses[i])
mod.testHelper.TestShouldHaveASoundDownTestForSpellsThatFade(mod[moduleName], testClasses[i])
mod.testHelper.TestShouldHaveAParseTestForEachSpell(mod[moduleName], testClasses[i])
mod.testHelper.TestShouldHaveAParseDownTestForSpellsThatFade(mod[moduleName], testClasses[i])
mod.testHelper.TestShouldHaveAParseCritTestForSpellsThatCanCrit(mod[moduleName], testClasses[i])
mod.testHelper.TestShouldHaveAnEnemyAvoidSoundTestForEachSpell(mod[moduleName], testClasses[i])
mod.testHelper.TestShouldHaveAnEnemyAvoidParseTestForEachSpell(mod[moduleName], testClasses[i])
mod.testHelper.TestShouldHaveASelfAvoidSoundTestForEachSpell(mod[moduleName], testClasses[i])
mod.testHelper.TestShouldHaveASelfAvoidParseTestForEachSpell(mod[moduleName], testClasses[i])
-- set queue to manual running to prevent multiple queues running
mod[moduleName].RunAll(true)
end
-- start sound queue manually
mod.testReporter.PlayTestQueueWithDelay()
end
|
fx_version 'cerulean'
game 'gta5'
version '0.1.0'
author 'Reece Stokes <hagen@hyena.gay>'
description 'FiveM utility resource for easier alertbox handling.'
repository 'https://github.com/MrGriefs/alertbox'
client_script {
'util.lua',
'client.lua',
}
server_script {
'config.lua',
'server.lua',
} |
local Players = game:GetService('Players')
local Player = Players.LocalPlayer or Players:GetPropertyChangedSignal('LocalPlayer'):Wait()
local Mouse = Player:GetMouse()
local Lib = game.ReplicatedStorage:WaitForChild('Lib')
local Misc = require(Lib:WaitForChild("Misc"))
local Timer = require(Lib:WaitForChild("Timer"))
local Popover = require(Lib:WaitForChild("Popover"))
local Constants = require(Lib:WaitForChild("Constants"))
local GuiEvents = require(Lib:WaitForChild("GuiEvents"))
local GUIUtils = require(Lib:WaitForChild("GUIUtils"))
local Scrollbar = require(Lib:WaitForChild("Scrollbar"))
local MIN_WIDTH = 250
local MAX_WIDTH = 500
local MIN_HEIGHT = 60
local HEADER_HEIGHT = 30
local SNAP_TOLERANCE = 15
local ACTION_SIZE = 10
local ACTION_PADDING = 5
local ACTION_FRAME_SIZE = ACTION_SIZE + ACTION_PADDING*2
local ACTION_MARGIN = (HEADER_HEIGHT-ACTION_FRAME_SIZE)/2
local PANEL_ID_SEQ = 0
local PANEL_ZINDEX = 0
-- the panels that serve as a guide for moving and resize
local SNAP_PANELS = {}
local PANEL_BY_ID = {}
local Panel = {}
Panel.__index = Panel
Panel.MIN_WIDTH = MIN_WIDTH
--[[
The basic structure of the GUI. Can be used to create custom dashboards outside of the DAT.GUI framework
]]
function Panel.new()
PANEL_ID_SEQ = PANEL_ID_SEQ + 1
local ID = PANEL_ID_SEQ
local Frame = GUIUtils.createFrame()
Frame.Name = 'Panel'
Frame.Size = UDim2.new(0, 250, 0, 250)
Frame.BackgroundTransparency = 0.95
Frame.ClipsDescendants = true
Frame.LayoutOrder = 0
local Content = GUIUtils.createFrame()
Content.Name = 'Content'
Content.BackgroundTransparency = 1
Content.Position = UDim2.new(0, 5, 0, HEADER_HEIGHT)
Content.Size = UDim2.new(1, -5, 0, -HEADER_HEIGHT)
Content.Parent = Frame
local Header = GUIUtils.createFrame()
Header.Name = 'Header'
Header.BackgroundColor3 = Constants.FOLDER_COLOR
Header.Size = UDim2.new(1, 0, 0, HEADER_HEIGHT)
Header.Parent = Frame
local Border = GUIUtils.createFrame()
Border.Name = 'BorderBottom'
Border.BackgroundColor3 = Constants.BORDER_COLOR
Border.Position = UDim2.new(0, 0, 1, -1)
Border.Size = UDim2.new(1, 0, 0, 1)
Border.ZIndex = 1
Border.Parent = Header
local LabelText = GUIUtils.createTextLabel()
LabelText.Name = 'Label'
LabelText.Position = UDim2.new(0, 16, 0, 0)
LabelText.Size = UDim2.new(1, -16, 1, -1)
LabelText.Parent = Header
local onDestroy = Instance.new('BindableEvent')
-- SCRIPTS ----------------------------------------------------------------------------------------------------------
local Closed = Instance.new('BoolValue')
Closed.Name = 'Closed'
Closed.Value = false
Closed.Parent = Frame
local Label = Instance.new('StringValue')
Label.Name = 'Label'
Label.Parent = Frame
local panel = setmetatable({
['_id'] = ID,
['_detached'] = false,
['_atached'] = false,
['_onDestroy'] = onDestroy,
['_actions'] = {},
['Closed'] = Closed,
['Label'] = Label,
['LabelText'] = LabelText,
['Frame'] = Frame,
['Content'] = Content,
['Header'] = Header
}, Panel)
Frame:SetAttribute('IsPanel', true)
Frame:SetAttribute('PanelId', ID)
Frame:SetAttribute('IsClosed', false)
local connections = {}
local lastChildLayoutOrder = 0
-- quando remove e adiona o mesmo objeto, ele deve voltar ao seu lugar original
table.insert(connections, Content.ChildAdded:Connect(function(child)
local layoutOrder = child:GetAttribute('LayoutOrderOnPanel_'..ID)
if layoutOrder == nil then
layoutOrder = lastChildLayoutOrder
lastChildLayoutOrder = lastChildLayoutOrder+1
end
child.LayoutOrder = layoutOrder
child:SetAttribute('LayoutOrderOnPanel_'..ID, layoutOrder)
end))
table.insert(connections, GuiEvents.onDown(Header, function(el, input)
if panel._detached == true then
PANEL_ZINDEX = PANEL_ZINDEX + 1
Frame.ZIndex = PANEL_ZINDEX
end
end))
table.insert(connections, GuiEvents.onClick(Header, function()
Closed.Value = not Closed.Value
return false
end))
-- On close/open
table.insert(connections, Closed.Changed:connect(function()
Frame:SetAttribute('IsClosed', Closed.Value)
panel:updateContentSize()
end))
table.insert(connections, Label.Changed:connect(function()
LabelText.Text = Label.Value
end))
local function updateContentSize()
panel:updateContentSize()
end
table.insert(connections, Content.ChildAdded:Connect(updateContentSize))
table.insert(connections, Content.ChildRemoved:Connect(updateContentSize))
panel._disconnect = Misc.disconnectFn(connections, function()
Frame.Parent = nil
end)
PANEL_BY_ID[panel._id] = panel
return panel
end
--[[
Add an action button on the right side of the header
@param config.icon {string} Required
@param config.title {string} Optional
@param config.color {Color3} Optional
@param config.colorHover {Color3} Optional
@param config.onHover {function()} Optional
@param config.onClick {function()} Optional
@return { frame:Frame, remove: function() }
]]
function Panel:addAction(config)
local frame = GUIUtils.createFrame()
frame.Name = 'Action'
frame.Position = UDim2.new(0, ACTION_MARGIN, 0, 0)
frame.Size = UDim2.new(0, ACTION_FRAME_SIZE, 0, ACTION_FRAME_SIZE)
frame.BackgroundTransparency = 1
frame.Parent = self.Header
local icon = GUIUtils.createImageLabel(config.icon)
icon.Name = 'Icon'
icon.Position = UDim2.new(0, ACTION_PADDING, 0, ACTION_PADDING)
icon.Size = UDim2.new(0, ACTION_SIZE, 0, ACTION_SIZE)
icon.ImageTransparency = 0.7
icon.Parent = frame
local color = config.color
if color == nil then
color = Constants.LABEL_COLOR
end
local colorHover = config.colorHover
if colorHover == nil then
colorHover = color
end
icon.ImageColor3 = color
local connections = {}
local popover = nil
if config.title ~= nil then
local text = GUIUtils.createTextLabel()
text.BackgroundColor3 = Constants.BACKGROUND_COLOR
text.BackgroundTransparency = 0
text.BorderSizePixel = 1
text.BorderColor3 = Constants.BORDER_COLOR
text.Name = 'Title'
text.TextWrapped = true
text.RichText = true
text.TextXAlignment = Enum.TextXAlignment.Center
text.Text = config.title
-- to calculate TextBounds
text.Parent = Constants.SCREEN_GUI
popover = Popover.new(frame, text.TextBounds + Vector2.new(4, 2), 'top', 0)
text.Parent = popover.Frame
end
table.insert(connections, GuiEvents.onHover(frame, function(hover)
if hover then
icon.ImageColor3 = colorHover
icon.ImageTransparency = 0
if popover ~= nil then
popover:show()
end
else
icon.ImageColor3 = color
icon.ImageTransparency = 0.7
if popover ~= nil then
popover:hide()
end
end
if config.onHover ~= nil then
config.onHover(hover)
end
end))
if config.onClick ~= nil then
table.insert(connections, GuiEvents.onClick(frame, function()
config.onClick()
return false
end))
end
local action
action = {
['frame'] = frame,
['remove'] = Misc.disconnectFn(connections, function()
frame.Parent = nil
local idx = table.find(self._actions, action)
if idx ~= nil then
table.remove(self._actions, idx)
end
if popover ~= nil then
popover:destroy()
popover = nil
end
self:_updateActions()
end)
}
table.insert(self._actions, action)
self:_updateActions()
return action
end
--[[
Add this panel to another element.
When doing this, the panel loses some features like scrollbar, resizing and moving
@param parent {Frame}
@param isFixed {Bool} When true, no longer allow unpin this panel
]]
function Panel:attachTo(parent, isFixed)
if self._detached == true then
self._disconnectDetach()
end
if self._atached == true then
return
end
self._atached = true
local connections = {}
self.Frame.Size = UDim2.new(1, 0, 0, 250)
self.Frame.Visible = true
self.Frame.BackgroundTransparency = 1
self.Frame.ZIndex = 0
-- self.Content.Position = UDim2.new(0, 5, 0, HEADER_HEIGHT)
self.Content.Position = UDim2.new(0, 5, 0, 0)
self.LabelText.TextXAlignment = Enum.TextXAlignment.Left
local ChevronIcon = GUIUtils.createImageLabel(Constants.ICON_CHEVRON)
ChevronIcon.Name = 'Chevron'
ChevronIcon.Position = UDim2.new(0, 6, 0.5, -3)
ChevronIcon.Size = UDim2.new(0, 5, 0, 5)
ChevronIcon.ImageColor3 = Constants.LABEL_COLOR
ChevronIcon.Rotation = 90
ChevronIcon.Parent = self.Header
self.Frame.Parent = parent
local function onCloseChange()
if self.Closed.Value then
ChevronIcon.Rotation = 0
else
ChevronIcon.Rotation = 90
end
self:updateContentSize()
end
onCloseChange()
table.insert(connections, self.Closed.Changed:Connect(onCloseChange))
if isFixed ~= true then
self._detachAction = self:addAction({
icon = Constants.ICON_PIN,
title = "Detach",
onClick = function()
self:detach()
end
})
end
self._disconnectAtach = Misc.disconnectFn(connections, function()
self._atached = false
ChevronIcon.Parent = nil
if self._detachAction ~= nil then
local action = self._detachAction
self._detachAction = nil
action.remove()
end
self._hasDetachIcon = false
end)
end
--[[
Unpin this panel from the parent element
@param closeable {bool} When true, display panel close button, if false, display panel atach button
]]
function Panel:detach(closeable)
if self._atached == true then
if closeable ~= true then
self._detachedFrom = self.Frame.Parent
end
self._disconnectAtach()
end
if self._detached == true then
return
end
self._detached = true
local connections = {}
self.Frame.Visible = false
self.Frame.BackgroundTransparency = 0.95
self.LabelText.TextXAlignment = Enum.TextXAlignment.Center
self.Content.Position = UDim2.new(0, 0, 0, 0)
PANEL_ZINDEX = PANEL_ZINDEX + 1
self.Frame.ZIndex = PANEL_ZINDEX
local InnerShadow = GUIUtils.createImageLabel('rbxassetid://6704730899')
InnerShadow.Name = 'Shadow'
InnerShadow.Position = UDim2.new(0, 0, 1, 0)
InnerShadow.Size = UDim2.new(1, 0, 0, 20)
InnerShadow.ImageColor3 = Color3.fromRGB(0, 0, 0)
InnerShadow.ImageTransparency = 0.5
InnerShadow.Parent = self.Header
-- Resizable
local ResizeHandle = GUIUtils.createFrame()
ResizeHandle.Name = 'ResizeHandleSE'
ResizeHandle.BackgroundTransparency = 1
ResizeHandle.Size = UDim2.new(0, 20, 0, 20)
ResizeHandle.Position = UDim2.new(1, -17, 1, -17)
ResizeHandle.ZIndex = 10
ResizeHandle.Parent = self.Frame
local ResizeIcon = GUIUtils.createImageLabel(Constants.ICON_RESIZE_SE)
ResizeIcon.Size = UDim2.new(0, 11, 0, 11)
ResizeIcon.ImageColor3 = Constants.LABEL_COLOR
ResizeIcon.ImageTransparency = 0.8
ResizeIcon.Parent = ResizeHandle
local function onCloseChange()
if self.Closed.Value then
ResizeHandle.Visible = false
else
ResizeHandle.Visible = true
end
self:updateContentSize()
end
if closeable == true then
self._closeAction = self:addAction({
icon = Constants.ICON_CLOSE,
title = "Close",
colorHover = Constants.CLOSE_COLOR,
onClick = function()
self:destroy()
end
})
end
-- adiciona habilidade de reconectar-se ao lugar de origem
local Atach
if self._detachedFrom ~= nil then
local origin = self._detachedFrom
self._atachAction = self:addAction({
icon = Constants.ICON_PIN,
title = "Atach",
onClick = function()
self:attachTo(origin)
end
})
local width = self.Frame.AbsoluteSize.X
local height = self.Frame.AbsoluteSize.Y
local left = self.Frame.AbsolutePosition.X - (width+10)
if left < 0 then
-- right side
left = self.Frame.AbsolutePosition.X + ( width + 10)
end
local top = self.Frame.AbsolutePosition.Y + Constants.GUI_INSET
Timer.SetTimeout(function()
self:resize(width, height)
self:move(left, top)
onCloseChange()
end, 0)
end
self.Frame.Parent = Constants.SCREEN_GUI
local framePosStart
local sizeStart
local mouseCursor
local isHover
local isScaling
local mouseCursorOld
onCloseChange()
table.insert(connections, self.Closed.Changed:Connect(onCloseChange))
table.insert(connections, GuiEvents.onDrag(self.Header, function(event, startPos, position, delta)
if event == 'start' then
framePosStart = Vector2.new(self.Frame.Position.X.Offset, self.Frame.Position.Y.Offset)
elseif event == 'end' then
framePosStart = nil
elseif event == 'drag' then
local framePos = framePosStart + delta
self:move(framePos.X, framePos.Y)
end
end, 10))
local function updateMouseOnResize()
if isHover or isScaling then
if mouseCursorOld == nil then
mouseCursorOld = Mouse.Icon
end
Mouse.Icon = mouseCursor
ResizeIcon.ImageTransparency = 0
else
Mouse.Icon = mouseCursorOld or ''
ResizeIcon.ImageTransparency = 0.8
end
end
table.insert(connections, GuiEvents.onHover(ResizeHandle, function(hover)
isHover = hover
if hover then
mouseCursor = Constants.CURSOR_RESIZE_SE
end
updateMouseOnResize()
end))
table.insert(connections, GuiEvents.onDrag(ResizeHandle, function(event, startPos, position, delta)
if event == 'start' then
isScaling = true
sizeStart = Vector2.new(self.Frame.Size.X.Offset, self.Frame.Size.Y.Offset)
updateMouseOnResize()
elseif event == 'end' then
isScaling = false
sizeStart = nil
updateMouseOnResize()
elseif event == 'drag' then
local frameSize = sizeStart + delta
self:resize(frameSize.X, frameSize.Y)
end
end))
table.insert(connections, Constants.SCREEN_GUI.Changed:Connect(function()
local pos = self.Frame.AbsolutePosition
self:move(pos.X, pos.Y)
end))
self._scrollbar = Scrollbar.new(self.Frame, self.Content, HEADER_HEIGHT)
self:updateContentSize()
self._disconnectDetach = Misc.disconnectFn(connections, function()
self._scrollbar:destroy()
ResizeHandle.Parent = nil
InnerShadow.Parent = nil
if self._atachAction ~= nil then
local action = self._atachAction
self._atachAction = nil
action.remove()
end
if self._closeAction ~= nil then
local action = self._closeAction
self._closeAction = nil
action.remove()
end
if SNAP_PANELS[self] then
SNAP_PANELS[self] = nil
end
self._openSize = nil
self._detached = false
end)
self:_updateSnapInfo()
end
--[[
Allows you to resize the panel only if it is separated
]]
function Panel:resize(width, height)
if self._detached ~= true then
return
end
local frame = self.Frame
local left = frame.Position.X.Offset
local top = frame.Position.Y.Offset
local x1 = left
local x2 = left + width
local y1 = top
local y2 = top + height
--[[
t
l +----------------+ r
| |
| |
+----------------+
b
y1
x1 +----------------+ x2
| |
| |
+----------------+
y2
]]
for p, other in pairs(SNAP_PANELS) do
local canSnap = true
if
p == self or
x1 > other.r + SNAP_TOLERANCE or
x2 < other.l - SNAP_TOLERANCE or
y1 > other.b + SNAP_TOLERANCE or
y2 < other.t - SNAP_TOLERANCE
then
canSnap = false
end
if canSnap then
-- ts
if math.abs( other.t - y2 ) <= SNAP_TOLERANCE then
height = other.t - y1
end
-- bs
if math.abs( other.b - y2 ) <= SNAP_TOLERANCE then
height = other.b - y1
end
-- ls
if math.abs( other.l - x2 ) <= SNAP_TOLERANCE then
width = other.l - x1
end
-- rs
if math.abs( other.r - x2 ) <= SNAP_TOLERANCE then
width = other.r - x1
end
end
end
width = math.clamp(width, MIN_WIDTH, MAX_WIDTH)
height = math.clamp(height, MIN_HEIGHT, Constants.SCREEN_GUI.AbsoluteSize.Y)
frame.Size = UDim2.new(0, width, 0, height)
self._size = {
Width = width,
Height = height
}
self:_checkConstraints()
self:_updateSnapInfo()
self:updateContentSize()
end
--[[
Allows the panel to be moved (only when it is not fixed)
@param hor {Number|"left"|"right"|"center"} Horizontal position. If negative, consider the position from the
right edge of the screen
@param vert {Number|"top"|"bottom"|"center"} Vertical position. If negative, consider the position from the bottom
edge of the screen
]]
function Panel:move(hor, vert)
if self._detached ~= true then
return
end
local frame = self.Frame
local screenGUI = frame.Parent
local width = frame.Size.X.Offset
local height = frame.Size.Y.Offset
if hor == 'center' then
hor = (screenGUI.AbsoluteSize.X/2) - (width/2)
elseif hor == 'left' then
hor = 15
elseif hor == 'right' then
hor = screenGUI.AbsoluteSize.X - (width + 15)
end
if vert == 'center' then
vert = (screenGUI.AbsoluteSize.Y/2) - (height/2)
elseif vert == 'top' then
vert = 0
elseif vert == 'bottom' then
vert = screenGUI.AbsoluteSize.Y - height
end
local left = hor
local top = vert
if left < 0 then
left = screenGUI.AbsoluteSize.X - (width + 15) + left
end
if top < 0 then
top = screenGUI.AbsoluteSize.Y - height + top
end
local x1 = left
local x2 = left + width
local y1 = top
local y2 = top + height
--[[
@see https://github.com/jquery/jquery-ui/blob/main/ui/widgets/draggable.js
t
l +----------------+ r
| |
| |
+----------------+
b
y1
x1 +----------------+ x2
| |
| |
+----------------+
y2
]]
for p, other in pairs(SNAP_PANELS) do
local canSnap = true
if
p == self or
x1 > other.r + SNAP_TOLERANCE or
x2 < other.l - SNAP_TOLERANCE or
y1 > other.b + SNAP_TOLERANCE or
y2 < other.t - SNAP_TOLERANCE
then
canSnap = false
end
if canSnap then
----------------------------------
-- outer
----------------------------------
-- ts
if math.abs( other.t - y2 ) <= SNAP_TOLERANCE then
top = other.t - height
end
-- bs
if math.abs( other.b - y1 ) <= SNAP_TOLERANCE then
top = other.b
end
-- ls
if math.abs( other.l - x2 ) <= SNAP_TOLERANCE then
left = other.l - width
end
-- rs
if math.abs( other.r - x1 ) <= SNAP_TOLERANCE then
left = other.r
end
----------------------------------
-- inner
----------------------------------
-- ts
if math.abs( other.t - y1 ) <= SNAP_TOLERANCE then
top = other.t
end
-- bs
if math.abs( other.b - y2 ) <= SNAP_TOLERANCE then
top = other.b - height
end
-- ls
if math.abs( other.l - x1 ) <= SNAP_TOLERANCE then
left = other.l
end
-- rs
if math.abs( other.r - x2 ) <= SNAP_TOLERANCE then
left = other.r - width
end
end
end
local posMaxX = screenGUI.AbsoluteSize.X - width
local posMaxY = screenGUI.AbsoluteSize.Y - height
left = math.clamp(left, 0, math.max(posMaxX, 0))
top = math.clamp(top, 0, math.max(posMaxY, 0))
frame.Position = UDim2.new(0, left, 0, top)
self:_checkConstraints()
self:_updateSnapInfo()
end
--[[
Force update of content size information. Informs parents about the content
update and triggers the scrollbar update
]]
function Panel:updateContentSize()
Timer.Clear(self._updateContentSizeTimeout)
self._updateContentSizeTimeout = Timer.SetTimeout(function()
local oldHeight = self.Frame.AbsoluteSize.Y
local newHeight = oldHeight
-- itera sobre todos os elementos ajustando suas posições relativas e contabilizando o tamanho total do conteúdo
if self.Closed.Value == true then
self.Content.Visible = false
newHeight = HEADER_HEIGHT
else
self.Content.Visible = true
-- sort by layout order
-- use https://developer.roblox.com/en-us/api-reference/class/UIListLayout ?
local layoutOrders = {}
local layoutOrdersChild = {}
for _, child in pairs(self.Content:GetChildren()) do
local layoutOrder = child:GetAttribute('LayoutOrderOnPanel_'..self._id)
table.insert(layoutOrders, layoutOrder)
layoutOrdersChild[layoutOrder] = child
end
table.sort(layoutOrders)
local position = HEADER_HEIGHT
for _, layoutOrder in ipairs(layoutOrders) do
local child = layoutOrdersChild[layoutOrder]
child.Position = UDim2.new(0, 0, 0, position)
position = position + child.AbsoluteSize.Y
end
newHeight = position
if self._detached == true then
newHeight = math.max(MIN_HEIGHT, newHeight)
end
end
self.Frame.Visible = true
if oldHeight ~= newHeight then
if self._detached == true then
self.Content.Size = UDim2.new(1, 0, 0, newHeight)
local frame = self.Frame
if self.Closed.Value then
frame.Size = UDim2.new(0, frame.Size.X.Offset, 0, HEADER_HEIGHT)
else
local width = frame.Size.X.Offset
local height = math.max(MIN_HEIGHT, newHeight)
if self._size then
width = self._size.Width
height = self._size.Height
end
frame.Size = UDim2.new(0, width, 0, height)
end
self:_checkConstraints()
self:_updateSnapInfo()
Timer.SetTimeout(function()
self._scrollbar:update()
end, 10)
else
self.Frame.Size = UDim2.new(1, 0, 0, newHeight)
self.Content.Size = UDim2.new(1, -5, 1, 0)
local parent = self:_getParentPanel()
if parent ~= nil then
parent:updateContentSize()
end
end
end
end, 10)
end
--[[
Add a callback to be executed when this panel is destroyed
@param callback {function}
@return RBXScriptConnection
]]
function Panel:onDestroy(callback)
return self._onDestroy.Event:Connect(callback)
end
--[[
destroy this instance
]]
function Panel:destroy()
self._disconnect()
if self._detached == true then
self._disconnectDetach()
end
if self._atached == true then
self._disconnectAtach()
end
for i,action in ipairs(self._actions) do
action.remove()
end
self._actions = {}
self._onDestroy:Fire()
PANEL_BY_ID[self._id] = nil
end
--[[
Update header action icons
]]
function Panel:_updateActions()
local actions = {}
for i,action in ipairs(self._actions) do
if action ~= self._detachAction and action ~= self._atachAction and action ~= self._closeAction then
table.insert(actions, action)
end
end
if self._detachAction ~= nil then
table.insert(actions, self._detachAction)
elseif self._atachAction ~= nil then
table.insert(actions, self._atachAction)
end
if self._closeAction ~= nil then
table.insert(actions, self._closeAction)
end
self._actions = actions
local offset = #self._actions*ACTION_FRAME_SIZE+ACTION_MARGIN
for i,action in ipairs(self._actions) do
action.frame.Position = UDim2.new(1, -offset + ((i-1)*ACTION_FRAME_SIZE), 0, ACTION_MARGIN)
end
end
function Panel:_getParentPanel()
local frame = self.Frame.Parent;
while frame ~= nil and frame ~= Constants.SCREEN_GUI do
if frame:GetAttribute('IsPanel') == true then
return PANEL_BY_ID[frame:GetAttribute('PanelId')]
end
frame = frame.Parent;
end
end
--[[
When the panel is not stuck, it checks if it is inside the screen, making the necessary movements
]]
function Panel:_checkConstraints()
if self._detached ~= true then
return
end
local frame = self.Frame
local left = frame.Position.X.Offset
local top = frame.Position.Y.Offset
local width = frame.Size.X.Offset
local height = frame.Size.Y.Offset
local screenGUI = frame.Parent
local posMaxX = screenGUI.AbsoluteSize.X - width
local posMaxY = screenGUI.AbsoluteSize.Y - height
left = math.clamp(frame.Position.X.Offset, 0, math.max(posMaxX, 0))
top = math.clamp(frame.Position.Y.Offset, 0, math.max(posMaxY, 0))
frame.Position = UDim2.new(0, left, 0, top)
width = math.clamp(width, MIN_WIDTH, MAX_WIDTH)
local minHeight = MIN_HEIGHT
if self.Closed.Value then
minHeight = HEADER_HEIGHT
end
height = math.clamp(height, minHeight, Constants.SCREEN_GUI.AbsoluteSize.Y)
frame.Size = UDim2.new(0, width, 0, height)
end
--[[
For panels that are loose, update their dimension and position, used for snapping during move and resize
]]
function Panel:_updateSnapInfo()
local frame = self.Frame
local width = frame.Size.X.Offset
local height = frame.Size.Y.Offset
local left = frame.Position.X.Offset
local top = frame.Position.Y.Offset
SNAP_PANELS[self] = {
l = left,
r = left + width,
t = top,
b = top + height
}
end
return Panel
|
function URLEncodeChar(c)
return sprintf("%%%02x",string.byte(c))
end
function URLEncode(s)
return string.gsub(s,"[^%w]",URLEncodeChar)
end
function FIFO_PushPlainText (fifo,s) fifo:PushFilledString(s,string.len(s)) end
function URLEncodeArr(arr)
local res = ""
for k,v in pairs(arr) do
if (res ~= "") then res = res .. "&" end
res = res..URLEncode(k).."="..URLEncode(v)
end
return res
end
-- search first double-newline and return everything after that
function HTTP_GetResponseContent (response)
local sepstart,sepend = string.find(response,"\r\n\r\n")
if (not sepstart) then return response end
return string.sub(response,sepend+1)
end
function HTTP_MakeRequest (sHost,sPath)
return "GET " .. sPath .. " HTTP/1.0\r\n"
.."Host: "..sHost.."\r\n"
.."\r\n"
end
-- http://tools.ietf.org/html/rfc1945
-- if bIgnoreReturnForSpeed is true, then it returns without waiting for an answer
-- this version is blocking, see also Threaded_HTTPRequest in lib.thread.lua for an asynchronous version
function HTTPGetEx (sHost,iPort,sPath,bIgnoreReturnForSpeed)
local fifo = CreateFIFO()
local con = NetConnect(sHost,iPort)
if (not con) then return end
FIFO_PushPlainText(fifo,HTTP_MakeRequest(sHost,sPath))
con:Push(fifo)
local res = nil
if (bIgnoreReturnForSpeed) then
NetReadAndWrite()
else
fifo:Clear()
while true do
NetReadAndWrite()
con:Pop(fifo)
if (not con:IsConnected()) then break end
end
res = fifo:PopFilledString(fifo:Size())
end
fifo:Destroy()
con:Destroy()
return res and HTTP_GetResponseContent(res)
end
|
package.path = "../?.lua;"..package.path
local ffi = require("ffi")
local cctype = require("wordplay.cctype")
local toupper = cctype.toupper
local tolower = cctype.tolower
local tokenz = require("wordplay.wordplay")
local word_iter = tokenz.word_iter
local trans_item = tokenz.trans_item
local binstream = require("wordplay.binstream")
local str = "this is the really long string that I will use for testing"
local bs = binstream(str, #str, 0)
local function test_octets()
for c in bs:octets() do
print (c, string.char(c))
end
end
local function test_words()
for word in tokenz.word_iter(bs:octets()) do
print(word)
end
end
local function test_toupper()
for word in tokenz.word_iter(trans_item(toupper, bs:octets())) do
print(word)
end
end
local function test_tolower()
for word in tokenz.word_iter(trans_item(tolower, bs:octets())) do
print(word)
end
end
local function test_segmenter()
local str = "d:\\repos\\wordplay\\testy"
local bs = binstream(str, #str, 0)
for word in tokenz.segmenter('\\', trans_item(toupper,bs:octets())) do
print(word)
end
end
local function test_tokenizer()
local function dohash(str)
local buffptr = ffi.cast("uint8_t *", str)
local hashcode = 0;
for i=0, #str do
hashcode = hashcode + buffptr[i]
end
return hashcode
end
local str = "help help help is on the way way so dont despair despair despair"
local bs = binstream(str, #str, 0)
for item in trans_item(dohash, tokenz.word_iter(bs:octets())) do
print(item)
end
end
--test_octets()
--test_words()
--test_segmenter()
test_tokenizer();
--test_tolower()
--test_toupper() |
--[[
-- Initializing WIFI
net.wf.setup(
net.wf.mode.AP,
"robotito-guille",
"robotito",
net.wf.powersave.NONE
)
net.wf.start()
-- Socket UDP
local socket = require("__socket")
local host = "192.168.4.1"
local port = 2018
local ip_broadcast = "192.168.4.255"
local message_id = 0
print("Binding to host '" ..host.. "' and port " ..port.. "...")
local udp = assert(socket.udp())
udp:setoption('broadcast', true)
assert(udp:setsockname(host, port))
FUNCTION TO SEND BROADCAST
udp:sendto(message_id .. ' :: ' .. msg, ip_broadcast, port)
message_id = message_id + 1
--]]
-- END Socket UDP
ahsm = require 'ahsm'
ahsm.get_time = assert(os.gettime)
local debugger=require 'debug_plain'
debugger.print = function (msg)
--uart.lock(uart.CONSOLE)
uart.write(uart.CONSOLE, msg..'\r\n')
--uart.unlock(uart.CONSOLE)
end
ahsm.debug = debugger.out
robot = require 'robot'
robot.init()
-- get parameters
local filename = 'fsm_on_off.lua'
-- load hsm
local root = assert(dofile(filename))
local hsm = ahsm.init( root ) -- create fsm from root composite state
robot.fsm = hsm
--[[
-- run hsm
repeat
--local next_t = hsm.loop()
tmr.sleepms(1)
until false --next_t
--]] |
return {
version = "1.1",
luaversion = "5.1",
orientation = "orthogonal",
width = 32,
height = 32,
tilewidth = 16,
tileheight = 16,
properties = {},
tilesets = {
{
name = "tiles",
firstgid = 1,
tilewidth = 64,
tileheight = 64,
spacing = 0,
margin = 0,
image = "../../../../tools/tiled/dont_starve/tiles.png",
imagewidth = 512,
imageheight = 128,
properties = {},
tiles = {}
}
},
layers = {
{
type = "tilelayer",
name = "BG_TILES",
x = 0,
y = 0,
width = 32,
height = 32,
visible = true,
opacity = 1,
properties = {},
encoding = "lua",
data = {
0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 11, 0, 0, 0, 4, 0, 0, 0, 4, 0, 0, 0, 4, 0, 0, 0, 4, 0, 0, 0, 11, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
11, 0, 0, 0, 4, 0, 0, 0, 4, 0, 0, 0, 4, 0, 0, 0, 4, 0, 0, 0, 4, 0, 0, 0, 4, 0, 0, 0, 11, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
4, 0, 0, 0, 4, 0, 0, 0, 10, 0, 0, 0, 10, 0, 0, 0, 10, 0, 0, 0, 10, 0, 0, 0, 4, 0, 0, 0, 4, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
4, 0, 0, 0, 4, 0, 0, 0, 10, 0, 0, 0, 3, 0, 0, 0, 3, 0, 0, 0, 10, 0, 0, 0, 4, 0, 0, 0, 4, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
4, 0, 0, 0, 4, 0, 0, 0, 10, 0, 0, 0, 3, 0, 0, 0, 3, 0, 0, 0, 10, 0, 0, 0, 4, 0, 0, 0, 4, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
4, 0, 0, 0, 4, 0, 0, 0, 10, 0, 0, 0, 10, 0, 0, 0, 10, 0, 0, 0, 10, 0, 0, 0, 4, 0, 0, 0, 4, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
11, 0, 0, 0, 4, 0, 0, 0, 4, 0, 0, 0, 4, 0, 0, 0, 4, 0, 0, 0, 4, 0, 0, 0, 4, 0, 0, 0, 11, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
0, 0, 0, 0, 11, 0, 0, 0, 4, 0, 0, 0, 4, 0, 0, 0, 4, 0, 0, 0, 4, 0, 0, 0, 11, 0, 0, 0, 0, 0, 0, 0
}
},
{
type = "objectgroup",
name = "FG_OBJECTS",
visible = true,
opacity = 1,
properties = {},
objects = {
{
name = "",
type = "firepit",
shape = "rectangle",
x = 256,
y = 48,
width = 0,
height = 0,
visible = true,
properties = {}
},
{
name = "",
type = "area_1",
shape = "rectangle",
x = 194,
y = 193,
width = 62,
height = 122,
visible = true,
properties = {}
},
{
name = "",
type = "area_2",
shape = "rectangle",
x = 259,
y = 193,
width = 57,
height = 125,
visible = true,
properties = {}
},
{
name = "",
type = "firepit",
shape = "rectangle",
x = 240,
y = 464,
width = 0,
height = 0,
visible = true,
properties = {}
},
{
name = "",
type = "firepit",
shape = "rectangle",
x = 400,
y = 144,
width = 16,
height = 16,
visible = true,
properties = {}
},
{
name = "",
type = "firepit",
shape = "rectangle",
x = 112,
y = 128,
width = 0,
height = 0,
visible = true,
properties = {}
},
{
name = "",
type = "firepit",
shape = "rectangle",
x = 112,
y = 400,
width = 0,
height = 0,
visible = true,
properties = {}
},
{
name = "",
type = "firepit",
shape = "rectangle",
x = 400,
y = 400,
width = 0,
height = 0,
visible = true,
properties = {}
},
{
name = "",
type = "spawnpoint",
shape = "rectangle",
x = 58,
y = 307,
width = 16,
height = 16,
visible = true,
properties = {}
}
}
}
}
}
|
G = {}
G.res_suffix = ".png" |
local lanes = require("lanes").configure{ with_timers = false}
local l = lanes.linda "my linda"
-- we will transfer userdata created by this module, so we need to make Lanes aware of it
local dt = lanes.require "deep_test"
local test_deep = true
local test_clonable = true
local test_uvtype = "function"
local makeUserValue = function( obj_)
if test_uvtype == "string" then
return "some uservalue"
elseif test_uvtype == "function" then
-- a function that pull the userdata as upvalue
local f = function()
return tostring( obj_)
end
return f
end
end
local printDeep = function( prefix_, obj_, t_)
local uservalue = obj_:getuv( 1)
print( prefix_)
print ( obj_, uservalue, type( uservalue) == "function" and uservalue() or "")
if t_ then
for k, v in pairs( t_) do
print( k, v)
end
end
end
local performTest = function( obj_)
-- setup the userdata with some value and a uservalue
obj_:set( 666)
-- lua 5.1->5.2 support a single table uservalue
-- lua 5.3 supports an arbitrary type uservalue
obj_:setuv( 1, makeUserValue( obj_))
-- lua 5.4 supports multiple uservalues of arbitrary types
-- obj_:setuv( 2, "ENDUV")
local t =
{
["key"] = obj_,
-- [obj_] = "val"
}
-- read back the contents of the object
printDeep( "immediate:", obj_, t)
-- send the object in a linda, get it back out, read the contents
l:set( "key", obj_, t)
-- when obj_ is a deep userdata, out is the same userdata as obj_ (not another one pointing on the same deep memory block) because of an internal cache table [deep*] -> proxy)
-- when obj_ is a clonable userdata, we get a different clone everytime we cross a linda or lane barrier
printDeep( "out of linda:", l:get( "key", 2))
-- send the object in a lane through parameter passing, the lane body returns it as return value, read the contents
local g = lanes.gen(
"package"
, {
required = { "deep_test"} -- we will transfer userdata created by this module, so we need to make this lane aware of it
}
, function( arg_, t_)
-- read contents inside lane: arg_ and t_ by argument
printDeep( "in lane, as arguments:", arg_, t_)
-- read contents inside lane: obj_ and t by upvalue
printDeep( "in lane, as upvalues:", obj_, t)
return arg_, t_
end
)
h = g( obj_, t)
-- when obj_ is a deep userdata, from_lane is the same userdata as obj_ (not another one pointing on the same deep memory block) because of an internal cache table [deep*] -> proxy)
-- when obj_ is a clonable userdata, we get a different clone everytime we cross a linda or lane barrier
printDeep( "from lane:", h[1], h[2])
end
if test_deep then
print "DEEP"
performTest( dt.new_deep())
end
if test_clonable then
print "CLONABLE"
performTest( dt.new_clonable())
end
|
----
-- Tests for the xlsxwriter.lua Worksheet class.
--
-- Copyright 2014-2015, John McNamara, jmcnamara@cpan.org
--
require "Test.More"
plan(4)
----
-- Tests setup.
--
local expected
local got
local caption
local Worksheet = require "xlsxwriter.worksheet"
local worksheet
----
-- Test the _write_page_margins() method.
--
caption = " \tWorksheet: _write_page_margins()"
expected = '<pageMargins left="0.7" right="0.7" top="0.75" bottom="0.75" header="0.3" footer="0.3"/>'
worksheet = Worksheet:new()
worksheet:_set_filehandle(io.tmpfile())
worksheet:_write_page_margins(0.7, 0.7, 0.75, 0.75)
got = worksheet:_get_data()
is(got, expected, caption)
----
-- Test the _write_page_margins() method.
--
caption = " \tWorksheet: _write_page_margins()"
expected = '<pageMargins left="0.5" right="0.5" top="0.5" bottom="0.5" header="0.3" footer="0.3"/>'
worksheet = Worksheet:new()
worksheet:_set_filehandle(io.tmpfile())
worksheet:set_margins(0.5, 0.5, 0.5, 0.5)
worksheet:_write_page_margins()
got = worksheet:_get_data()
is(got, expected, caption)
----
----
-- Test the _write_page_margins() method.
--
caption = " \tWorksheet: _write_page_margins()"
expected = '<pageMargins left="0.7" right="0.7" top="0.75" bottom="0.75" header="0.5" footer="0.3"/>'
worksheet = Worksheet:new()
worksheet:_set_filehandle(io.tmpfile())
worksheet:set_header('', 0.5)
worksheet:_write_page_margins()
got = worksheet:_get_data()
is(got, expected, caption)
----
-- Test the _write_page_margins() method.
--
caption = " \tWorksheet: _write_page_margins()"
expected = '<pageMargins left="0.7" right="0.7" top="0.75" bottom="0.75" header="0.3" footer="0.5"/>'
worksheet = Worksheet:new()
worksheet:_set_filehandle(io.tmpfile())
worksheet:set_footer('', 0.5)
worksheet:_write_page_margins()
got = worksheet:_get_data()
is(got, expected, caption)
|
-----------------------------------
-- Attachment: Flame Holder
-----------------------------------
require("scripts/globals/status")
-----------------------------------
local validskills = {
[1940] = true,
[1941] = true,
[1942] = true,
[1943] = true,
[2065] = true,
[2066] = true,
[2067] = true,
[2299] = true,
[2300] = true,
[2301] = true,
[2743] = true,
[2744] = true
}
function onEquip(pet)
pet:addListener("WEAPONSKILL_STATE_ENTER", "AUTO_FLAME_HOLDER_START", function(pet, skill)
if not validskills[skill] then return end
local master = pet:getMaster()
local maneuvers = master:countEffect(tpz.effect.FIRE_MANEUVER)
local amount = 0
if maneuvers == 1 then
amount = 25
pet:setLocalVar("flameholdermaneuvers", 1)
elseif maneuvers == 2 then
amount = 50
pet:setLocalVar("flameholdermaneuvers", 2)
elseif maneuvers == 3 then
amount = 75
pet:setLocalVar("flameholdermaneuvers", 3)
else
return
end
pet:addMod(tpz.mod.WEAPONSKILL_DAMAGE_BASE, amount)
pet:setLocalVar("flameholder", amount)
end)
pet:addListener("WEAPONSKILL_STATE_EXIT", "AUTO_FLAME_HOLDER_END", function(pet, skill)
local master = pet:getMaster()
local toremove = pet:getLocalVar("flameholdermaneuvers")
if toremove == 0 then return end
for i = 1, toremove do
master:delStatusEffectSilent(tpz.effect.FIRE_MANEUVER)
end
pet:delMod(tpz.mod.WEAPONSKILL_DAMAGE_BASE, pet:getLocalVar("flameholder"))
pet:setLocalVar("flameholder", 0)
pet:setLocalVar("flameholdermaneuvers", 0)
end)
end
function onUnequip(pet)
pet:removeListener("AUTO_FLAME_HOLDER_START")
pet:removeListener("AUTO_FLAME_HOLDER_END")
end
function onManeuverGain(pet, maneuvers)
end
function onManeuverLose(pet, maneuvers)
end
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.