LoginSignup
1
1

More than 5 years have passed since last update.

Lightning上に存在するAura Eventの参照

Last updated at Posted at 2016-06-17

LightningコンポーネントのデバッグモードをONにするとauraの持つプライベート設定のプロパティが圧縮されない状態で出力され、コンソールから参照しやすくなる。

$A.eventServiceからイベントを管理するオブジェクトを参照できる。

AuraEventService のソースコードは以下。
https://github.com/forcedotcom/aura/blob/f29e1a9/aura-impl/src/main/resources/aura/AuraEventService.js

イベント定義レジストリには各Auraイベント定義が格納されているのでコンソールからイベント定義が確認できる。

$A.eventService.$eventDefRegistry$
//=> Object {markup://aura:applicationEvent: EventDef, markup://aura:waiting: EventDef...}

この中にはundocumentedなイベントも含まれる。

$A.eventService.$eventDefRegistry$["markup://force:navigateToComponent"]
//=> EventDef
//     $access$: undefined
//     $attributeDefs$: Object
//     $descriptor$: DefDescriptor
//     $superDef$: EventDef
//     type: "APPLICATION"

さらに $attributeDefs$ からパラメータを参照できる。

$A.eventService.$eventDefRegistry$["markup://force:navigateToComponent"].$attributeDefs$
//=> Object
//     componentAttributes:
//       name: "componentAttributes"
//       type: "aura://Object"
//       xs: "p"
//     componentDef:
//       name: "componentDef"
//       type: "aura://String"
//       xs: "p"
//     forceServerDependencies:
//       name: "forceServerDependencies"
//       type: "aura://Boolean"
//       xs: "p"
//     ignoreExistingAction:
//       default: false
//       name: "ignoreExistingAction"
//       type: "aura://Boolean"
//       xs: "p"
//     resetHistory:
//       default: false
//       name: "resetHistory"
//       type: "aura://Boolean"
//       xs: "p"

実行サンプル

defs = $A.eventService.$eventDefRegistry$;
evt = $A.get("e.force:navigateToComponent");
evt.setParams({
    componentDef: "c:MyComponent",
    resetHistory: true,
    ignoreExistingAction: true
});
evt.fire();
function fireEvent(eventName, params) {
    var evt = $A.get('e.' + eventName);
    evt.setParams(params);
    evt.fire();
}
fireEvent('force:navigateToComponent', {componentDef: 'c:MyComponent'});
fireEvent('force:refreshView');
fireEvent('force:navigateHome', {resetHistory: true});
fireEvent('one:toggleHeader');
fireEvent('one:toggleNav');
fireEvent('force:setTitle', {title: 'AAAA'});
fireEvent('force:createRecord', {entityApiName: 'Account'});

定義のリスト

defs = $A.eventService.$eventDefRegistry$;
// 全イベント情報をコンソールに表示
events = Object.keys(defs)
                .reduce((arr, key) => {
                    const d = defs[key];
                    return arr.concat({
                        name: key,
                        access: d.$access$,
                        type: d.type
                    });
                }, []);
console.table(events);
// 全イベント情報をmarkdownとしてコピー
function getProp(obj, name) {
    const val = obj[name];
    if (val !== undefined) {
        return val;
    }
    if (obj.$superDef$) {
        return getProp(obj.$superDef$, name);
    } else {
        return undefined;
    }
}
var mdtable = `| index | name | access | type | attributes |\n`;
mdtable += `|----|----|----|----|----|\n`;
mdtable += Object.keys(defs).reduce((md, key, i) => {
    const d = defs[key];
    const access = getProp(d, '$access$');
    const attrs = Object.keys(d.$attributeDefs$).join('<br />');
    return md + `| ${i} | ${key} | ${access} | ${d.type} | ${attrs} |\n`;
}, '');
copy(mdtable);
index name access type attributes
0 markup://aura:componentEvent G COMPONENT
1 markup://ui:command G COMPONENT parameters
2 markup://ui:refresh G COMPONENT parameters
3 markup://ui:scrollTo G COMPONENT destination
xcoord
ycoord
time
4 markup://ui:noMoreContent G COMPONENT
5 markup://ui:showMore G COMPONENT parameters
6 markup://ui:sort G COMPONENT sortBy
callback
7 markup://ui:gridAction G COMPONENT index
action
payload
8 markup://ui:resize G COMPONENT src
oldSize
newSize
9 markup://aura:applicationEvent G APPLICATION
10 markup://aura:waiting G APPLICATION
11 markup://aura:locationChange G APPLICATION token
querystring
12 markup://aura:doneRendering G APPLICATION
13 markup://aura:invalidSession G APPLICATION newToken
14 markup://aura:systemError G APPLICATION message
error
auraError
15 markup://aura:applicationRefreshed G APPLICATION
16 markup://one:back G APPLICATION refresh
17 markup://one:alohaBack G APPLICATION
18 markup://one:resetHistory G APPLICATION
19 markup://force:requestLogging G APPLICATION data
shouldEnqueueNow
20 markup://force:requestPerfLogging G APPLICATION eventName
phase
timestamp
data
shouldEnqueueNow
21 markup://one:switchToAloha G APPLICATION url
22 markup://force:refreshView G APPLICATION parameters
23 markup://force:navigateToFeed G APPLICATION type
subjectId
24 markup://force:navigateToComponent G APPLICATION componentDef
componentAttributes
forceServerDependencies
resetHistory
ignoreExistingAction
25 markup://force:navigateToCanvasApp G APPLICATION referenceId
developerName
namespacePrefix
parameters
displayLocation
sublocation
canvasId
maxHeight
maxWidth
height
width
recordId
entityFields
26 markup://force:isNetwork G APPLICATION networkId
27 markup://force:navigateToFeedItemDetailInternal G APPLICATION networkId
feedItemId
internalAttributes
showGroupMentionVisibility
feedType
feedDesign
28 markup://force:navigateToFeedElementDetail G APPLICATION networkId
feedElementId
showGroupMentionVisibility
feedType
feedDesign
29 markup://force:navigateToFeedItemDetail G APPLICATION networkId
feedItemId
showGroupMentionVisibility
feedType
feedDesign
30 markup://force:navigateToSObject G APPLICATION networkId
ignoreExistingAction
recordId
isredirect
slideDevName
resetHistory
31 markup://force:navigateToURL G APPLICATION networkId
historytrustworthy
isredirect
url
32 markup://force:navigateHome G APPLICATION resetHistory
33 markup://force:navigateToRelatedList G APPLICATION relatedListId
parentRecordId
entityApiName
34 markup://force:navigateToList G APPLICATION listViewId
listViewName
scope
scopeIcon
scopeColor
scopeLabel
scopeLabelSingular
isSortable
showFilterPicker
isredirect
35 markup://force:navigateToObjectHome G APPLICATION scope
resetHistory
36 markup://force:navigateToFullSite G APPLICATION url
37 markup://force:showQuickAction G APPLICATION quickAction
contextSubjectId
removeAnimations
38 markup://force:closeQuickAction G APPLICATION
39 markup://force:createRecord G APPLICATION entityApiName
keyPrefix
inContextOfRecordId
recordTypeId
defaultFieldValues
navigationLocation
navigationLocationId
removeAnimations
panelOnDestroyCallback
40 markup://force:createRecordWithRecordTypeCheck G APPLICATION entityApiName
inContextOfRecordId
defaultFieldValues
navigationLocation
navigationLocationId
removeAnimations
panelOnDestroyCallback
41 markup://force:editRecord G APPLICATION recordId
layoutType
layoutOverride
fullScreen
recordTypeId
errors
changeRecordType
navigationLocation
navigationLocationId
42 markup://force:cloneRecord G APPLICATION recordId
entityApiName
recordTypeId
changeRecordType
navigationLocation
43 markup://force:recordDeleted G APPLICATION recordId
entityLabel
entityApiName
navigationLocation
customToastMessage
44 markup://force:toggleSpinner G APPLICATION visible
45 markup://force:switchToNetwork G APPLICATION networkId
hash
46 markup://force:createPanel G APPLICATION component
componentDef
attributes
removeHeader
removeAnimations
headerActions
lazyLoad
onCreate
isTransient
47 markup://force:showPanel G APPLICATION component
componentDef
attributes
removeAnimations
headerActions
title
flavor
lazyLoad
onCreate
onDestroy
autoFocus
owner
closeOnActionButtonClick
removeHeader
isTransient
instance
isScrollable
isFullScreen
closeOnLocationChange
48 markup://force:closePanel G APPLICATION config
destroy
instance
onDestroy
49 markup://force:hidePanel G APPLICATION instance
onDestroy
50 markup://ui:panelTransitionEnd G APPLICATION panelId
action
isTransient
51 markup://force:createModal G APPLICATION title
titleDisplay
detail
icon
actions
removeAnimations
onCreate
isTransient
52 markup://force:showModal G APPLICATION title
class
titleDisplay
detail
icon
actions
removeAnimations
onCreate
isTransient
instance
autoFocus
flavor
showDefaultCancelButton
labelCancel
closeOnLocationChange
53 markup://force:showModalWeb G APPLICATION title
titleDisplay
detail
icon
actions
removeAnimations
54 markup://force:showMessage G APPLICATION title
message
severity
callbacks
55 markup://force:showOfflineMessage G APPLICATION retryAction
onClose
56 markup://force:showRecordTypeSelector G APPLICATION recordTypeSelectorMode
recordTypes
entityApiName
actions
record
recordNaturalName
entityLabel
panelOnDestroyCallback
57 markup://force:logout G APPLICATION
58 markup://force:highlightExtPoint G APPLICATION clzName
cmpName
clearName
59 markup://force:destroyPanel G APPLICATION instance
onDestroy
60 markup://force:createPanelSlider G APPLICATION isVisible
isModal
closeOnModalClick
body
button
buttonColor
buttonClass
slideFrom
iconKey
callback
panelOutAltText
panelInAltText
iconAltText
iconTransformation
onCreate
61 markup://force:showPanelSlider G APPLICATION class
instance
isVisible
isModal
closeOnModalClick
body
button
buttonColor
buttonClass
slideFrom
iconKey
onCreate
panelOutAltText
panelInAltText
iconAltText
iconTransformation
62 markup://force:downloadFile G APPLICATION url
63 markup://forceChatter:downloadFile G APPLICATION recordId
allowPreview
64 markup://one:setSpinnerLagTime G APPLICATION spinnerLagMillis
toastLagMillis
65 markup://aura:connectionLost G APPLICATION
66 markup://aura:connectionResumed G APPLICATION
67 markup://setup:navigateToSetup G APPLICATION id
nodeId
title
url
68 markup://setup:navigateToObjectManager G APPLICATION routeName
entityDurableId
detailType
detailName
69 markup://setupAssistant:openModule P APPLICATION url
pathName
stepName
70 markup://setupAssistant:closeModule P APPLICATION pathName
stepName
status
71 markup://force:setTitle G APPLICATION title
icon
72 markup://aura:valueEvent G VALUE
73 markup://aura:valueInit G VALUE value
74 markup://one:toggleNav G APPLICATION visible
75 markup://one:toggleHeader G APPLICATION visible
76 markup://force:skipToContent G APPLICATION target
77 markup://one:systemMessageUpdated G APPLICATION
78 markup://force:userAssistanceStarted G APPLICATION item
context
domEvent
79 markup://one:updateHeader G APPLICATION history
searchShowLauncher
searchActive
searchHasFocus
80 markup://aura:operationComplete G COMPONENT operation
result
81 markup://aura:valueChange G VALUE expression
oldValue
value
index
82 markup://force:walkthroughComplete G APPLICATION walkthroughId
83 markup://force:walkthroughClosed G APPLICATION walkthroughId
84 markup://one:trialExperienceOpened G APPLICATION
85 markup://one:trialExperienceClosed G APPLICATION
86 markup://ui:baseDOMEvent G COMPONENT domEvent
87 markup://ui:press G COMPONENT domEvent
88 markup://aura:valueDestroy G VALUE value
89 markup://forceSearch:searchContext G APPLICATION scope
scopeColor
scopeLabel
scopeIcon
initialMode
contextParams
90 markup://forceSearch:searchClear G APPLICATION
91 markup://force:searchChangeTerm G APPLICATION searchString
92 markup://ui:baseMouseEvent G COMPONENT domEvent
button
93 markup://ui:dblclick G COMPONENT domEvent
button
94 markup://ui:mouseover G COMPONENT domEvent
button
95 markup://ui:mouseout G COMPONENT domEvent
button
96 markup://ui:mouseup G COMPONENT domEvent
button
97 markup://ui:mousemove G COMPONENT domEvent
button
98 markup://ui:click G COMPONENT domEvent
button
99 markup://ui:mousedown G COMPONENT domEvent
button
100 markup://ui:select G COMPONENT domEvent
101 markup://ui:blur G COMPONENT domEvent
102 markup://ui:focus G COMPONENT domEvent
103 markup://ui:baseKeyboardEvent G COMPONENT ctrlKey
domEvent
shiftKey
keyCode
104 markup://ui:keypress G COMPONENT ctrlKey
domEvent
shiftKey
keyCode
105 markup://ui:keyup G COMPONENT ctrlKey
domEvent
shiftKey
keyCode
106 markup://ui:keydown G COMPONENT ctrlKey
domEvent
shiftKey
keyCode
107 markup://ui:inputEvent G COMPONENT
108 markup://ui:cut G COMPONENT
109 markup://ui:validationError G COMPONENT errors
110 markup://ui:clearErrors G COMPONENT
111 markup://ui:change G COMPONENT
112 markup://ui:copy G COMPONENT
113 markup://ui:paste G COMPONENT
114 markup://ui:updateError G COMPONENT
115 markup://ui:fetchData G COMPONENT parameters
index
116 markup://ui:matchDone G COMPONENT size
117 markup://ui:listHighlight G COMPONENT activeIndex
118 markup://ui:selectListOption G COMPONENT option
isHeader
isFooter
119 markup://ui:matchText G COMPONENT keyword
120 markup://ui:inputChange G COMPONENT value
121 markup://ui:dataProvide G COMPONENT parameters
122 markup://ui:dataChanged G COMPONENT data
currentPage
123 markup://ui:dataProvideError G COMPONENT error
124 markup://ui:addRemove G COMPONENT items
count
parameters
last
index
remove
125 markup://ui:updateAriaAttributes G COMPONENT attrs
126 markup://force:ept G APPLICATION value
127 markup://auraStorage:modified G APPLICATION
128 markup://ui:notify G COMPONENT currentTarget
target
scope
typeOf
action
payload
129 markup://ui:expand G COMPONENT
130 markup://ui:collapse G COMPONENT
131 markup://ui:popupKeyboardEvent G COMPONENT event
132 markup://ui:popupTargetShow G COMPONENT event
133 markup://ui:popupTargetHide G COMPONENT event
134 markup://ui:popupTriggerPress G COMPONENT
135 markup://ui:popupTargetToggle G APPLICATION component
show
136 markup://ui:menuTriggerPress G COMPONENT focusItemIndex
137 markup://ui:menuSelect G COMPONENT selectedItem
hideMenu
deselectSiblings
focusTrigger
138 markup://ui:menuFocusChange G COMPONENT previousItem
currentItem
139 markup://salesforceIdentity:appLaunch G APPLICATION Id
140 markup://ui:openPanel G APPLICATION title
titleDisplay
detail
icon
body
headerActions
buttons
class
animation
isModal
isDialog
referenceElement
isSlider
closeOnClickOut
showCloseButton
isScrollable
isTransient
removeHeader
callbacks
show
instance
isFullScreen
autoFocus
isVisible
closeOnModalClick
button
buttonColor
buttonClass
slideFrom
iconKey
panelOutAltText
panelInAltText
iconAltText
iconTransformation
141 markup://ui:closePanel G APPLICATION config
destroy
instance
onDestroy
142 markup://force:recordSaveError G COMPONENT errors
143 markup://force:recordDuplicateDetected G COMPONENT potentialMatches
errors
144 markup://ui:response G COMPONENT value
145 markup://one:actionCardHovered G APPLICATION actionCard
actionCardTitle
146 markup://one:actionCardUnhovered G APPLICATION actionCard
147 markup://one:centerStageNavigation G APPLICATION navigationContext
148 markup://ui:scrollBy G COMPONENT deltaX
deltaY
time
149 markup://one:actionCardPressed G APPLICATION actionCardTitle
150 markup://force:actionTrigger G COMPONENT
151 markup://ui:updateSize G APPLICATION
152 markup://aura:doneWaiting G APPLICATION
153 markup://one:centerStageWrappedEvent G APPLICATION event
154 markup://force:navigateToFile G APPLICATION url
155 markup://force:runAction G APPLICATION action
156 markup://force:localRecordChangeCheck G APPLICATION name
recordIds
staleRecordIds
157 markup://force:recordChange G APPLICATION record
recordId
navigationLocation
158 markup://forceChatter:postCreated G APPLICATION feedItem
feedItemId
contextId
publisherId
isContextRecordUpdated
159 markup://runtime_sales_activities:taskStatusMenuShow G APPLICATION recordTypeId
taskId
closed
lastMod
source
160 markup://runtime_sales_activities:taskUpdateError G APPLICATION taskId
updateValue
error
161 markup://runtime_sales_activities:taskStatusChange G APPLICATION transitionStatus
lastMod
isDirty
taskId
updatedTaskSObj
error
isClosed
updateValue
162 markup://sfa:ping G APPLICATION from
to
payload
callback
163 markup://forceChatter:feedItemDeleted G APPLICATION feedItemId
164 markup://force:navigateBack G APPLICATION
165 markup://force:navigateToLogin G APPLICATION startUrl
166 markup://forceChatter:feedItemUpdated G APPLICATION data
167 markup://notes:editNote G APPLICATION noteId
reEnableEditNote
contextList
168 markup://notes:toggleModalEdit G APPLICATION useModalEdit
169 markup://force:showToast G APPLICATION title
duration
message
flavor
key
mode
type
messageTemplate
messageTemplateData
inContextOfComponent
keyAltText
keyClass
actionOnTap
isSticky
isClosable
hasOffsetFromTop
renderOnModal
170 markup://force:closeToast G COMPONENT id
171 markup://force:toggleInlineSpinner G COMPONENT isVisible
172 markup://ui:showDatePicker G APPLICATION element
value
sourceComponentId
173 markup://ui:registerDatePickerManager G APPLICATION sourceComponentId
174 markup://force:showDockingPanel G APPLICATION componentDef
attributes
onCreate
onError
panelConfig
175 markup://ui:createPanel G APPLICATION panelType
visible
owner
panelConfig
closeOnLocationChange
onCreate
onDestroy
onBeforeShow
onAfterShow
176 markup://ui:destroyPanel G APPLICATION panelInstance
onDestroy
177 markup://ui:getActivePanel G APPLICATION callback
178 markup://ui:stackPanel G APPLICATION callback
179 markup://ui:registerPanels G APPLICATION panels
callback
180 markup://instrumentation:launchViewer G APPLICATION viewerType
181 markup://instrumentation:detachViewer G APPLICATION viewerType
182 markup://force:toggleGlobalModalIndicator G APPLICATION iconType
message
isVisible
183 markup://force:toggleModalSpinner G APPLICATION isVisible
showMask
184 markup://force:hideHover G APPLICATION delay
185 markup://force:showHover G APPLICATION attributes
class
closeOnClickOut
closeOnEscape
closeOnHoverOut
descriptor
isClosable
overrideCoordinates
position
referenceElement
showDelay
initialWidth
186 markup://force:registerHover G APPLICATION attributes
descriptor
187 markup://ui:close G COMPONENT parameters
188 markup://ui:open G COMPONENT parameters
189 markup://force:updateHover G APPLICATION
190 markup://forceContent:showContentHubError G APPLICATION errorMessage
actionLink
action
actionTooltip
title
xdsIcon
191 markup://forceContent:openPreview G APPLICATION recordId
allRecordIds
actionsContext
isActionsVisible
192 markup://forceContent:uploadNewVersionComplete G APPLICATION recordId
193 markup://ui:asyncComponentRegister G APPLICATION asyncComponent
194 markup://ui:asyncComponentLoaded G APPLICATION asyncComponent
195 markup://one:sendAppAnalyticsData G APPLICATION key
data
shouldEnqueueNow
196 markup://force:runActionComponent G APPLICATION descriptor
attributes
isClientSideCreatable
197 markup://salesforceIdentity:sessionTimedOut G COMPONENT
198 markup://force:actionsRequest G APPLICATION actionsContext
callback
199 markup://opencti:clickToDial G APPLICATION number
recordInfo
pageInfo
200 markup://voice:incomingCallEvt G APPLICATION from
201 markup://one:systemMessageOpened G APPLICATION messageId
202 markup://voice:refreshSoftphoneEvt G APPLICATION
203 markup://voice:softphoneLoadedEvt G APPLICATION
204 markup://aura:methodCall G COMPONENT name
arguments
205 markup://aura:initialized G APPLICATION
206 markup://force:externalCancelQuickAction G APPLICATION
207 markup://home:homeViewportEnter G APPLICATION isOnViewport
208 markup://home:goalChange G COMPONENT goal
209 markup://reports:chartRendered G APPLICATION showError
210 markup://analytics:chartSelectionChangedEvent G COMPONENT chartSelectionLabels
211 markup://force:onLoadError G COMPONENT message
showRetryAction
212 markup://ui:closeRow G COMPONENT row
213 markup://ui:openRow G COMPONENT row
214 markup://force:moreAction G COMPONENT
215 markup://runtime_sales_activities:tasksReturned G COMPONENT accessDenied
216 markup://runtime_sales_activities:taskCardEmpty G COMPONENT isCardEmpty
217 markup://force:recordError G COMPONENT errors
218 markup://force:cleanupRecordFieldError G COMPONENT targetComponent
219 markup://force:recordPageError G APPLICATION pageErrors
220 markup://force:recordDataChange G COMPONENT fieldName
record
221 markup://force:recordFieldError G COMPONENT errors
targetComponent
222 markup://force:loadExtPoint G APPLICATION extensionPointId
223 markup://force:inputLookupAdditionalFieldsUpdate G APPLICATION newAdditionalFields
parentId
224 markup://force:toggleFieldsHighlight G COMPONENT fields
highlight
225 markup://force:imageChange G APPLICATION recordId
226 markup://one:contentLoaded G APPLICATION success
componentName
componentParams
227 markup://home:notifyLastAllDayItemOnEventCard P APPLICATION recordId
numberOfRemainingAllDayEvents
drawLine
228 markup://force:calendarStoreCreate G APPLICATION
229 markup://force:calendarStoreUpdate G APPLICATION finalLoad
230 markup://force:changeCalendarType G APPLICATION calendarType
selectedDate
231 markup://voice:voiceException G APPLICATION message
severity
code
232 markup://force:listViewManagerListViewChangeComplete G COMPONENT listViewIdOrName
233 markup://force:listViewManagerEntityChangeComplete G COMPONENT entityLabelPlural
234 markup://force:listIdChange G COMPONENT listViewId
listViewName
forceReload
235 markup://force:listStateChange G COMPONENT totalCount
orderedByLabels
filteredByLabels
hasMoreRecords
lastUpdated
236 markup://force:listForceReload G COMPONENT listViewId
237 markup://force:listDisplayChange G COMPONENT listViewId
displayType
238 markup://force:listViewManagerSecondaryDisplayChange G COMPONENT displayType
showDisplay
239 markup://force:listViewManagerListViewCreate G COMPONENT entityKeyPrefixOrApiName
label
visibility
240 markup://force:listViewManagerListViewUpdate G COMPONENT entityKeyPrefixOrApiName
listViewIdOrName
label
visibility
displayColumnApiNames
listViewFieldCriteria
listViewScope
booleanFilterLogic
241 markup://force:listViewManagerListViewDelete G COMPONENT entityKeyPrefixOrApiName
listViewIdOrName
242 markup://force:listViewChange G COMPONENT typeEnum
payload
243 markup://one:gotActions G COMPONENT entityApiName
context
listNameOrId
244 markup://force:objectHomeRecreateChart G APPLICATION entityKeyPrefixOrAPIName
listViewIdOrName
245 markup://force:updateMDP G APPLICATION subjectId
feedType
entityApiName
listNameOrId
quickActionSource
config
246 markup://force:listSortOrderChange G COMPONENT sortBy
247 markup://force:queryRanForTooLong G APPLICATION longQueryIdentifier
message
showRetryAction
248 markup://force:listViewPickerAutocompleteOptionClick G COMPONENT option
249 markup://force:listViewPickerAutocompleteListCount G COMPONENT count
250 markup://ui:autocompleteListCollapse G COMPONENT
251 markup://ui:autocompleteListExpand G COMPONENT
252 markup://force:actionButtonTrigger G APPLICATION id
253 markup://force:toggleInlineEdit G COMPONENT triggerOffsetY
254 markup://force:inlineEditDataChanged G COMPONENT hasDirtyFields
255 markup://force:loadMore G COMPONENT
256 markup://force:cancelEdit G APPLICATION recordId
source
entityApiName
contextId
isCreate
257 markup://force:save G COMPONENT
258 markup://ui:panelTransitionBegin G APPLICATION panel
isOpening
259 markup://force:refresh G COMPONENT
260 markup://force:recordDuplicateSelected G APPLICATION recordId
recordName
inContextOfComponent
261 markup://force:renderDedupePanel G APPLICATION cmpId
262 markup://force:inlineEditStateChange G COMPONENT globalId
state
263 markup://force:revertInlineEditFieldValue G COMPONENT fieldApiNames
globalId
compoundFieldApiName
264 markup://force:initPicklist G COMPONENT activeOptions
initialBitmask
265 markup://force:recordCreatedFromLookup G APPLICATION id
label
ownerId
266 markup://forceSearch:entitySelected G COMPONENT selectedEntity
selectedEntityType
267 markup://force:saveAddressLookup G APPLICATION street
city
state
stateLongName
postalCode
country
countryCode
cmpId
268 markup://ui:openPicker G COMPONENT
269 markup://ui:selectDate G COMPONENT value
hours
minutes
270 markup://ui:updateCalendarTitle G COMPONENT month
year
271 markup://ui:updateCalendar G COMPONENT monthChange
yearChange
setFocus
272 markup://force:registerPicklist G APPLICATION picklistField
controllerName
1
1
0

Register as a new user and use Qiita more conveniently

  1. You get articles that match your needs
  2. You can efficiently read back useful information
  3. You can use dark theme
What you can do with signing up
1
1