Convert 3D Polylines from meters to feet (2024)

Community

  • All Communities

    Products

    ArcGIS Pro ArcGIS Survey123 ArcGIS Online ArcGIS Enterprise Data Management Geoprocessing ArcGIS Web AppBuilder ArcGIS Experience Builder ArcGIS Dashboards ArcGIS Spatial Analyst ArcGIS Field Maps All Products Communities

    Industries

    Education Water Resources Transportation Gas and Pipeline Water Utilities Roads and Highways Telecommunications Natural Resources Electric Public Safety All Industries Communities

    Developers

    Python JavaScript Maps SDK Native Maps SDKs ArcGIS API for Python ArcObjects SDK ArcGIS Pro SDK Developers - General ArcGIS REST APIs and Services ArcGIS Online Developers Game Engine Maps SDKs File Geodatabase API All Developers Communities

    Global

    Comunidad Esri Colombia - Ecuador - Panamá ArcGIS 開発者コミュニティ Czech GIS ArcNesia Esri India GeoDev Germany ArcGIS Content - Esri Nederland Esri Italia Community Comunidad GEOTEC Europe Esri Ireland All Global Communities

    All Communities

    Developers User Groups Industries Services Community Resources Global Events Learning Networks ArcGIS Topics Products View All Communities

  • ArcGIS Ideas
  • GIS Life
  • Community Resources

    Community Help Documents

    Community Blog

    Community Feedback

    Member Introductions

    Community Ideas

    All Community Resources

Sign In

  • Home
  • :
  • All Communities
  • :
  • Products
  • :
  • ArcGIS Pro
  • :
  • ArcGIS Pro Questions
  • :
  • Convert 3D Polylines from meters to feet

Options

  • Subscribe to RSS Feed
  • Mark Topic as New
  • Mark Topic as Read
  • Float this Topic for Current User
  • Bookmark
  • Subscribe
  • Mute
  • Printer Friendly Page

Convert 3D Polylines from meters to feet (1) Select to view content in your preferred language

Subscribe

1600

10

Jump to solution

04-06-2023 02:11 PM

Labels (2)

Labels

  • Labels:
  • Analysis
  • Desktop

Convert 3D Polylines from meters to feet (2)

byKateDoughty1

Regular Contributor

‎04-06-202302:11 PM

  • Mark as New
  • Bookmark
  • Subscribe
  • Mute
  • Subscribe to RSS Feed
  • Permalink
  • Print
  • Report Inappropriate Content

I have numerous 3D polylines showing various altitude heights from start to end of each polyline. The program they're exported from assumes the altitude values are in meters, so they're multiplied by 3.28084. Is there a way to convert the altitude (z) of the polylines back to feet (IE divide by 3.28084)?

Solved!Go to Solution.

0Kudos

1 Solution


Accepted Solutions

Convert 3D Polylines from meters to feet (3)

byEvanThoms

Frequent Contributor

‎04-06-202302:49 PM

  • Mark as New
  • Bookmark
  • Subscribe
  • Mute
  • Subscribe to RSS Feed
  • Permalink
  • Print
  • Report Inappropriate Content

I think you need to do this with python. I asked ChatGPT:

import arcpy# Set the input feature classinput_fc = r"path\to\your\feature\class"# Create an arcpy.da.UpdateCursor to iterate through each row in the feature classwith arcpy.da.UpdateCursor(input_fc, ["SHAPE@"]) as cursor: for row in cursor: # Get the geometry of the current row line = row[0] # Create an empty array to hold the updated vertex coordinates new_vertices = arcpy.Array() # Iterate through each part of the line for part in line: # Create an empty array to hold the updated part vertices new_part = arcpy.Array() # Iterate through each vertex in the part for vertex in part: # Get the z-value of the current vertex in meters z_meters = vertex.Z # Convert the z-value to feet z_feet = z_meters * 3.28084 # Create a new Point object with the updated z-value in feet new_vertex = arcpy.Point(vertex.X, vertex.Y, z_feet) # Append the new vertex to the updated part new_part.append(new_vertex) # Append the updated part to the array of updated vertices new_vertices.append(new_part) # Create a new Polyline object with the updated vertex array # For the record, ChatGPT forgot to add the has_z argument below. It's not perfect! new_line = arcpy.Polyline(new_vertices, has_z=True) # Update the geometry of the current row with the new geometry row[0] = new_line # Update the cursor to save the changes to the current row cursor.updateRow(row)

I did a quick test and it worked for me. I ran it from a Notebook in my Pro project

View solution in original post

0Kudos

10 Replies

Convert 3D Polylines from meters to feet (4)

byEvanThoms

Frequent Contributor

‎04-06-202302:49 PM

  • Mark as New
  • Bookmark
  • Subscribe
  • Mute
  • Subscribe to RSS Feed
  • Permalink
  • Print
  • Report Inappropriate Content

I think you need to do this with python. I asked ChatGPT:

import arcpy# Set the input feature classinput_fc = r"path\to\your\feature\class"# Create an arcpy.da.UpdateCursor to iterate through each row in the feature classwith arcpy.da.UpdateCursor(input_fc, ["SHAPE@"]) as cursor: for row in cursor: # Get the geometry of the current row line = row[0] # Create an empty array to hold the updated vertex coordinates new_vertices = arcpy.Array() # Iterate through each part of the line for part in line: # Create an empty array to hold the updated part vertices new_part = arcpy.Array() # Iterate through each vertex in the part for vertex in part: # Get the z-value of the current vertex in meters z_meters = vertex.Z # Convert the z-value to feet z_feet = z_meters * 3.28084 # Create a new Point object with the updated z-value in feet new_vertex = arcpy.Point(vertex.X, vertex.Y, z_feet) # Append the new vertex to the updated part new_part.append(new_vertex) # Append the updated part to the array of updated vertices new_vertices.append(new_part) # Create a new Polyline object with the updated vertex array # For the record, ChatGPT forgot to add the has_z argument below. It's not perfect! new_line = arcpy.Polyline(new_vertices, has_z=True) # Update the geometry of the current row with the new geometry row[0] = new_line # Update the cursor to save the changes to the current row cursor.updateRow(row)

I did a quick test and it worked for me. I ran it from a Notebook in my Pro project

0Kudos

Convert 3D Polylines from meters to feet (5)

byKateDoughty1

Regular Contributor

‎04-06-202303:10 PM

  • Mark as New
  • Bookmark
  • Subscribe
  • Mute
  • Subscribe to RSS Feed
  • Permalink
  • Print
  • Report Inappropriate Content

Thank you! This worked perfectly!

0Kudos

Convert 3D Polylines from meters to feet (6)

byThomasHoman

Frequent Contributor

‎04-08-202301:55 PM

  • Mark as New
  • Bookmark
  • Subscribe
  • Mute
  • Subscribe to RSS Feed
  • Permalink
  • Print
  • Report Inappropriate Content

Hi Kate,

Have you looked at the Data Management -> Features -> Adjust 3D Z tool? It has an option to convert the Z units as well as perform a bulk adjustment on the Z value.

Convert 3D Polylines from meters to feet (7)

Regards,

Tom

2Kudos

Convert 3D Polylines from meters to feet (8)

byEvanThoms

Frequent Contributor

‎04-10-202310:07 AM

  • Mark as New
  • Bookmark
  • Subscribe
  • Mute
  • Subscribe to RSS Feed
  • Permalink
  • Print
  • Report Inappropriate Content

Ah, this is a better solution than mine. My search-fu failed me when I was looking for such a tool.

0Kudos

Convert 3D Polylines from meters to feet (9)

byThomasHoman

Frequent Contributor

‎04-11-202305:00 AM

  • Mark as New
  • Bookmark
  • Subscribe
  • Mute
  • Subscribe to RSS Feed
  • Permalink
  • Print
  • Report Inappropriate Content

😊I had only found it over the weekend and saw your response when I was working on some terrain following activities for my drone. Not quite sure how I even found it.

0Kudos

Convert 3D Polylines from meters to feet (10)

byKateDoughty1

Regular Contributor

‎04-10-202310:13 AM

  • Mark as New
  • Bookmark
  • Subscribe
  • Mute
  • Subscribe to RSS Feed
  • Permalink
  • Print
  • Report Inappropriate Content

I did try this originally, but unfortunately it wasn't adjusting the lines correctly.

0Kudos

Convert 3D Polylines from meters to feet (11)

byThomasHoman

Frequent Contributor

‎04-11-202304:57 AM

  • Mark as New
  • Bookmark
  • Subscribe
  • Mute
  • Subscribe to RSS Feed
  • Permalink
  • Print
  • Report Inappropriate Content

Interesting. Can I ask what was off? This tool is central to my process for creating terrain following drone flights now I am a bit concerned.

0Kudos

Convert 3D Polylines from meters to feet (12)

byKateDoughty1

Regular Contributor

‎04-11-202308:02 AM

  • Mark as New
  • Bookmark
  • Subscribe
  • Mute
  • Subscribe to RSS Feed
  • Permalink
  • Print
  • Report Inappropriate Content

I would calculate Max Z of the polyline before and after using Adjust 3D Z, and the Z remained the same.

For Terrain, I'd be inclined to convert to raster and use raster calculator.

0Kudos

Convert 3D Polylines from meters to feet (13)

byThomasHoman

Frequent Contributor

‎04-12-202308:52 PM

  • Mark as New
  • Bookmark
  • Subscribe
  • Mute
  • Subscribe to RSS Feed
  • Permalink
  • Print
  • Report Inappropriate Content

Thank you on both counts. I will have to try.

0Kudos

Convert 3D Polylines from meters to feet (14)

  • «Previous
    • 1
    • 2
  • Next»
  • «Previous
    • 1
    • 2
  • Next»
  • Terms of Use
  • Community Guidelines
  • Community Resources
  • Contact Community Team
'); } }); /*For megamenu search icon Ends*/ $('.lia-autocomplete-input').keypress(function(event){ var keycode = (event.keyCode ? event.keyCode : event.which); if(keycode == '13'){ $(".lia-autocomplete-container").removeClass('lia-autocomplete-has-results'); } }); /*For community Banner search bar start*/ // $(".lia-button-searchForm-action").click(function(){ // $(".lia-autocomplete-container").removeClass('lia-autocomplete-has-results'); // $('body').append(''); // }); /*For community Banner search bar start*/ }); /* jira ticket https://italent.atlassian.net/browse/ESRI-271 Ends here*/ /* This code is written by iTalent as part of jira ticket https://italent.atlassian.net/browse/ESRI-276 */ $('.lia-summary-view-statistic-location').css("display","none"); /* jira ticket https://italent.atlassian.net/browse/ESRI-276 Ends here*/ /*ESRI-276 -> Member profile cards - search results START*//*$(".lia-quilt-row.lia-quilt-row-standard").find(".lia-mark-empty").parent().css({"visibility": "hidden"});*//*window.addEventListener('DOMContentLoaded', (event) => {let element = jQuery('.lia-search-results-container');if (element.length) { console.log("Card is inserting"); $(".lia-quilt-row.lia-quilt-row-standard").find(".lia-mark-empty").parent().css({"visibility": "hidden"});}});*//*$('.SearchPage .lia-form-type-text.lia-form-type-search').keyup(function(event){alert("test1");var keycode = (event.keyCode ? event.keyCode : event.which);debugger;if(keycode == '13'){setTimeout(function() {$(".lia-quilt-row.lia-quilt-row-standard").find(".lia-mark-empty").parent().css({"visibility": "hidden"});alert("test3");}, 6000);}});*/ /*ESRI-276 -> Member profile cards - search results END*/ jQuery('.lia-info-area').find('.custom-thread-floated').closest('.cThreadInfoColumn ').addClass('Latest-thread-floated'); jQuery(".Latest-thread-floated").prev().addClass("label-cls");/*ESRI-330*/jQuery(window).load(function() {setInterval(function () {jQuery('.lia-message-view-type-compact').find('.LabelsForArticle').closest('.lia-quilt-row-header ').addClass('grouphub-label');jQuery('.lia-message-view-type-compact').find('.lia-component-tags').closest('.lia-message-view-display ').addClass('grouphub-tags');jQuery('.lia-message-view-type-compact').find('.lia-image-slider .carousel').closest('.lia-message-view-display ').addClass('grouphub-slider');jQuery('.lia-byline-item .lia-fa-icon').hover(function() {$(this).attr('title', '');});},1000);});var textCheck = jQuery('.idea:contains("Needs Clarification Testing")');if (textCheck){ jQuery(".cMessageStyleColumn ").addClass("clarification_test");} })(LITHIUM.jQuery); LITHIUM.DropDownMenu({"userMessagesFeedOptionsClass":"div.user-messages-feed-options-menu a.lia-js-menu-opener","menuOffsetContainer":".lia-menu-offset-container","hoverLeaveEvent":"LITHIUM:hoverLeave","mouseoverElementSelector":".lia-js-mouseover-menu","userMessagesFeedOptionsAriaLabel":"Show contributions of the user, selected option is Options. You may choose another option from the dropdown menu.","disabledLink":"lia-link-disabled","menuOpenCssClass":"dropdownHover","menuElementSelector":".lia-menu-navigation-wrapper","dialogSelector":".lia-panel-dialog-trigger","messageOptions":"lia-component-message-view-widget-action-menu","menuBarComponent":"lia-component-menu-bar","closeMenuEvent":"LITHIUM:closeMenu","menuOpenedEvent":"LITHIUM:menuOpened","pageOptions":"lia-component-community-widget-page-options","clickElementSelector":".lia-js-click-menu","menuItemsSelector":".lia-menu-dropdown-items","menuClosedEvent":"LITHIUM:menuClosed"});LITHIUM.DropDownMenuVisibilityHandler({"selectors":{"menuSelector":"#actionMenuDropDown","menuItemsSelector":".lia-menu-dropdown-items"}});LITHIUM.InformationBox({"updateFeedbackEvent":"LITHIUM:updateAjaxFeedback","componentSelector":"#pageInformation","feedbackSelector":".InfoMessage"});LITHIUM.InformationBox({"updateFeedbackEvent":"LITHIUM:updateAjaxFeedback","componentSelector":"#informationbox","feedbackSelector":".InfoMessage"}); ;(function($){ if('04-06-2023 02:11 PM'=='04-06-2023 02:11 PM'){ $(".datestring").attr('title', 'Posted on'); }else{ $(".datestring").attr('title', '04-06-2023 02:11 PM'); } })(LITHIUM.jQuery);LITHIUM.InformationBox({"updateFeedbackEvent":"LITHIUM:updateAjaxFeedback","componentSelector":"#informationbox_0","feedbackSelector":".InfoMessage"});LITHIUM.InformationBox({"updateFeedbackEvent":"LITHIUM:updateAjaxFeedback","componentSelector":"#informationbox_1","feedbackSelector":".InfoMessage"});LITHIUM.InformationBox({"updateFeedbackEvent":"LITHIUM:updateAjaxFeedback","componentSelector":"#informationbox_2","feedbackSelector":".InfoMessage"});LITHIUM.DropDownMenu({"userMessagesFeedOptionsClass":"div.user-messages-feed-options-menu a.lia-js-menu-opener","menuOffsetContainer":".lia-menu-offset-container","hoverLeaveEvent":"LITHIUM:hoverLeave","mouseoverElementSelector":".lia-js-mouseover-menu","userMessagesFeedOptionsAriaLabel":"Show contributions of the user, selected option is Show Convert 3D Polylines from meters to feet post option menu. You may choose another option from the dropdown menu.","disabledLink":"lia-link-disabled","menuOpenCssClass":"dropdownHover","menuElementSelector":".lia-menu-navigation-wrapper","dialogSelector":".lia-panel-dialog-trigger","messageOptions":"lia-component-message-view-widget-action-menu","menuBarComponent":"lia-component-menu-bar","closeMenuEvent":"LITHIUM:closeMenu","menuOpenedEvent":"LITHIUM:menuOpened","pageOptions":"lia-component-community-widget-page-options","clickElementSelector":".lia-js-click-menu","menuItemsSelector":".lia-menu-dropdown-items","menuClosedEvent":"LITHIUM:menuClosed"});LITHIUM.DropDownMenuVisibilityHandler({"selectors":{"menuSelector":"#actionMenuDropDown_0","menuItemsSelector":".lia-menu-dropdown-items"}});LITHIUM.MessageBodyDisplay('#bodyDisplay', '.lia-truncated-body-container', '#viewMoreLink', '.lia-full-body-container' );LITHIUM.InlineMessageReplyContainer({"openEditsSelector":".lia-inline-message-edit","renderEventParams":{"replyWrapperId":"replyWrapper","messageId":1276372,"messageActionsId":"messageActions"},"isRootMessage":true,"collapseEvent":"LITHIUM:collapseInlineMessageEditor","confimationText":"You have other message editors open and your data inside of them might be lost. Are you sure you want to proceed?","messageActionsSelector":"#messageActions","loaderSelector":"#loader","topicMessageSelector":".lia-forum-topic-message-gte-5","containerSelector":"#inlineMessageReplyContainer","loaderEnabled":false,"useSimpleEditor":false,"isReplyButtonDisabled":false,"linearDisplayViewSelector":".lia-linear-display-message-view","threadedDetailDisplayViewSelector":".lia-threaded-detail-display-message-view","replyEditorPlaceholderWrapperSelector":".lia-placeholder-wrapper","renderEvent":"LITHIUM:renderInlineMessageReply","expandedRepliesSelector":".lia-inline-message-reply-form-expanded","isLazyLoadEnabled":false,"layoutView":"linear","isAllowAnonUserToReply":true,"replyButtonSelector":".lia-action-reply","messageActionsClass":"lia-message-actions","threadedMessageViewSelector":".lia-threaded-display-message-view-wrapper","lazyLoadScriptsEvent":"LITHIUM:lazyLoadScripts","isGteForumV5":true});LITHIUM.AjaxSupport({"ajaxOptionsParam":{"event":"LITHIUM:renderInlineMessageReply"},"tokenId":"ajax","elementSelector":"#inlineMessageReplyContainer","action":"renderInlineMessageReply","feedbackSelector":"#inlineMessageReplyContainer","url":"https://community.esri.com/t5/forums/v5/forumtopicpage.inlinemessagereplycontainer:renderinlinemessagereply?t:ac=board-id/arcgis-pro-questions/thread-id/67678&t:cp=messages/contributions/messageeditorscontributionpage","ajaxErrorEventName":"LITHIUM:ajaxError","token":"s5LPKaOZj3Pz5j8_moFmz3QqESblc1HWxxlT2uAUskQ."});LITHIUM.AjaxSupport({"ajaxOptionsParam":{"event":"LITHIUM:lazyLoadScripts"},"tokenId":"ajax","elementSelector":"#inlineMessageReplyContainer","action":"lazyLoadScripts","feedbackSelector":"#inlineMessageReplyContainer","url":"https://community.esri.com/t5/forums/v5/forumtopicpage.inlinemessagereplycontainer:lazyloadscripts?t:ac=board-id/arcgis-pro-questions/thread-id/67678&t:cp=messages/contributions/messageeditorscontributionpage","ajaxErrorEventName":"LITHIUM:ajaxError","token":"lUEr8kUWVXhALGtS1ZQXhLV25mDktyyd-QPxPGepFuY."});LITHIUM.AjaxSupport.fromLink('#kudoEntity', 'kudoEntity', '#ajaxfeedback', 'LITHIUM:ajaxError', {}, 'c3gZSQO6a7bWAquAju1bA7T-4Q4brHBQ3tb3RJS-chA.', 'ajax');LITHIUM.AjaxSupport.ComponentEvents.set({ "eventActions" : [ { "event" : "kudoEntity", "actions" : [ { "context" : "envParam:entity", "action" : "rerender" } ] } ], "componentId" : "kudos.widget.button", "initiatorBinding" : true, "selector" : "#kudosButtonV2", "parameters" : { "displayStyle" : "horizontal", "disallowZeroCount" : "false", "revokeMode" : "true", "kudosable" : "true", "showCountOnly" : "false", "disableKudosForAnonUser" : "false", "useCountToKudo" : "false", "entity" : "1276372", "linkDisabled" : "false" }, "initiatorDataMatcher" : "data-lia-kudos-id"});LITHIUM.AjaxSupport.ComponentEvents.set({ "eventActions" : [ { "event" : "approveMessage", "actions" : [ { "context" : "", "action" : "rerender" }, { "context" : "", "action" : "pulsate" } ] }, { "event" : "unapproveMessage", "actions" : [ { "context" : "", "action" : "rerender" }, { "context" : "", "action" : "pulsate" } ] }, { "event" : "deleteMessage", "actions" : [ { "context" : "lia-deleted-state", "action" : "addClassName" }, { "context" : "", "action" : "pulsate" } ] }, { "event" : "QuickReply", "actions" : [ { "context" : "envParam:feedbackData", "action" : "rerender" } ] }, { "event" : "expandMessage", "actions" : [ { "context" : "envParam:quiltName,expandedQuiltName", "action" : "rerender" } ] }, { "event" : "ProductAnswer", "actions" : [ { "context" : "envParam:quiltName", "action" : "rerender" } ] }, { "event" : "ProductAnswerComment", "actions" : [ { "context" : "envParam:selectedMessage", "action" : "rerender" } ] }, { "event" : "editProductMessage", "actions" : [ { "context" : "envParam:quiltName,message", "action" : "rerender" } ] }, { "event" : "MessagesWidgetEditAction", "actions" : [ { "context" : "envParam:quiltName,message,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "ProductMessageEdit", "actions" : [ { "context" : "envParam:quiltName", "action" : "rerender" } ] }, { "event" : "MessagesWidgetMessageEdit", "actions" : [ { "context" : "envParam:quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "AcceptSolutionAction", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "RevokeSolutionAction", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "addThreadUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "removeThreadUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "addMessageUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "removeMessageUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "markAsSpamWithoutRedirect", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "MessagesWidgetAnswerForm", "actions" : [ { "context" : "envParam:messageUid,page,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "MessagesWidgetEditAnswerForm", "actions" : [ { "context" : "envParam:messageUid,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "MessagesWidgetCommentForm", "actions" : [ { "context" : "envParam:messageUid,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "MessagesWidgetEditCommentForm", "actions" : [ { "context" : "envParam:messageUid,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] } ], "componentId" : "forums.widget.message-view", "initiatorBinding" : true, "selector" : "#messageview", "parameters" : { "disableLabelLinks" : "false", "truncateBodyRetainsHtml" : "false", "forceSearchRequestParameterForBlurbBuilder" : "false", "kudosLinksDisabled" : "false", "useSubjectIcons" : "true", "quiltName" : "ForumMessage", "truncateBody" : "true", "message" : "1276372", "includeRepliesModerationState" : "false", "useSimpleView" : "false", "useTruncatedSubject" : "true", "disableLinks" : "false", "messageViewOptions" : "1111110111111111111110111110100101011101", "displaySubject" : "true" }, "initiatorDataMatcher" : "data-lia-message-uid"});LITHIUM.MessageViewDisplay({"openEditsSelector":".lia-inline-message-edit","renderInlineFormEvent":"LITHIUM:renderInlineEditForm","componentId":"lineardisplaymessageviewwrapper","componentSelector":"#lineardisplaymessageviewwrapper","editEvent":"LITHIUM:editMessageViaAjax","collapseEvent":"LITHIUM:collapseInlineMessageEditor","messageId":1276372,"confimationText":"You have other message editors open and your data inside of them might be lost. Are you sure you want to proceed?","loaderSelector":"#lineardisplaymessageviewwrapper .lia-message-body-loader .lia-loader","expandedRepliesSelector":".lia-inline-message-reply-form-expanded"});LITHIUM.AjaxSupport({"ajaxOptionsParam":{"event":"LITHIUM:renderInlineEditForm"},"tokenId":"ajax","elementSelector":"#lineardisplaymessageviewwrapper","action":"renderInlineEditForm","feedbackSelector":"#lineardisplaymessageviewwrapper","url":"https://community.esri.com/t5/forums/v5/forumtopicpage.lineardisplay_0.lineardisplaymessageviewwrapper:renderinlineeditform?t:ac=board-id/arcgis-pro-questions/thread-id/67678","ajaxErrorEventName":"LITHIUM:ajaxError","token":"FkBYzRlEivZ4iRNjA1x2q3CrW7oCLTFrGeo4ez8KFnE."});LITHIUM.InformationBox({"updateFeedbackEvent":"LITHIUM:updateAjaxFeedback","componentSelector":"#informationbox_3","feedbackSelector":".InfoMessage"});LITHIUM.InformationBox({"updateFeedbackEvent":"LITHIUM:updateAjaxFeedback","componentSelector":"#informationbox_4","feedbackSelector":".InfoMessage"});LITHIUM.InformationBox({"updateFeedbackEvent":"LITHIUM:updateAjaxFeedback","componentSelector":"#informationbox_5","feedbackSelector":".InfoMessage"});LITHIUM.DropDownMenu({"userMessagesFeedOptionsClass":"div.user-messages-feed-options-menu a.lia-js-menu-opener","menuOffsetContainer":".lia-menu-offset-container","hoverLeaveEvent":"LITHIUM:hoverLeave","mouseoverElementSelector":".lia-js-mouseover-menu","userMessagesFeedOptionsAriaLabel":"Show contributions of the user, selected option is Show comment option menu. You may choose another option from the dropdown menu.","disabledLink":"lia-link-disabled","menuOpenCssClass":"dropdownHover","menuElementSelector":".lia-menu-navigation-wrapper","dialogSelector":".lia-panel-dialog-trigger","messageOptions":"lia-component-message-view-widget-action-menu","menuBarComponent":"lia-component-menu-bar","closeMenuEvent":"LITHIUM:closeMenu","menuOpenedEvent":"LITHIUM:menuOpened","pageOptions":"lia-component-community-widget-page-options","clickElementSelector":".lia-js-click-menu","menuItemsSelector":".lia-menu-dropdown-items","menuClosedEvent":"LITHIUM:menuClosed"});LITHIUM.DropDownMenuVisibilityHandler({"selectors":{"menuSelector":"#actionMenuDropDown_1","menuItemsSelector":".lia-menu-dropdown-items"}});LITHIUM.MessageBodyDisplay('#bodyDisplay_0', '.lia-truncated-body-container', '#viewMoreLink', '.lia-full-body-container' );LITHIUM.InlineMessageReplyContainer({"openEditsSelector":".lia-inline-message-edit","renderEventParams":{"replyWrapperId":"replyWrapper_0","messageId":1276389,"messageActionsId":"messageActions_0"},"isRootMessage":false,"collapseEvent":"LITHIUM:collapseInlineMessageEditor","confimationText":"You have other message editors open and your data inside of them might be lost. Are you sure you want to proceed?","messageActionsSelector":"#messageActions_0","loaderSelector":"#loader","topicMessageSelector":".lia-forum-topic-message-gte-5","containerSelector":"#inlineMessageReplyContainer_0","loaderEnabled":false,"useSimpleEditor":false,"isReplyButtonDisabled":false,"linearDisplayViewSelector":".lia-linear-display-message-view","threadedDetailDisplayViewSelector":".lia-threaded-detail-display-message-view","replyEditorPlaceholderWrapperSelector":".lia-placeholder-wrapper","renderEvent":"LITHIUM:renderInlineMessageReply","expandedRepliesSelector":".lia-inline-message-reply-form-expanded","isLazyLoadEnabled":false,"layoutView":"linear","isAllowAnonUserToReply":true,"replyButtonSelector":".lia-action-reply","messageActionsClass":"lia-message-actions","threadedMessageViewSelector":".lia-threaded-display-message-view-wrapper","lazyLoadScriptsEvent":"LITHIUM:lazyLoadScripts","isGteForumV5":true});LITHIUM.AjaxSupport({"ajaxOptionsParam":{"event":"LITHIUM:renderInlineMessageReply"},"tokenId":"ajax","elementSelector":"#inlineMessageReplyContainer_0","action":"renderInlineMessageReply","feedbackSelector":"#inlineMessageReplyContainer_0","url":"https://community.esri.com/t5/forums/v5/forumtopicpage.inlinemessagereplycontainer:renderinlinemessagereply?t:ac=board-id/arcgis-pro-questions/thread-id/67678&t:cp=messages/contributions/messageeditorscontributionpage","ajaxErrorEventName":"LITHIUM:ajaxError","token":"ZmWDwrgQEjDhhJKO4Fay35BTAibmsPqHMY7Epm6DiWI."});LITHIUM.AjaxSupport({"ajaxOptionsParam":{"event":"LITHIUM:lazyLoadScripts"},"tokenId":"ajax","elementSelector":"#inlineMessageReplyContainer_0","action":"lazyLoadScripts","feedbackSelector":"#inlineMessageReplyContainer_0","url":"https://community.esri.com/t5/forums/v5/forumtopicpage.inlinemessagereplycontainer:lazyloadscripts?t:ac=board-id/arcgis-pro-questions/thread-id/67678&t:cp=messages/contributions/messageeditorscontributionpage","ajaxErrorEventName":"LITHIUM:ajaxError","token":"2vVnD3wrDOQ5g3PVJc8P7qNP0_rclpjdoJfKjOv-bfU."});LITHIUM.AjaxSupport.fromLink('#kudoEntity_0', 'kudoEntity', '#ajaxfeedback_0', 'LITHIUM:ajaxError', {}, 'mUolJgF5I3f8pGDYnBRiXU2tGXhR_chzaM6m0XT8EQY.', 'ajax');LITHIUM.AjaxSupport.ComponentEvents.set({ "eventActions" : [ { "event" : "kudoEntity", "actions" : [ { "context" : "envParam:entity", "action" : "rerender" } ] } ], "componentId" : "kudos.widget.button", "initiatorBinding" : true, "selector" : "#kudosButtonV2_0", "parameters" : { "displayStyle" : "horizontal", "disallowZeroCount" : "false", "revokeMode" : "true", "kudosable" : "true", "showCountOnly" : "false", "disableKudosForAnonUser" : "false", "useCountToKudo" : "false", "entity" : "1276389", "linkDisabled" : "false" }, "initiatorDataMatcher" : "data-lia-kudos-id"});LITHIUM.AjaxSupport.ComponentEvents.set({ "eventActions" : [ { "event" : "approveMessage", "actions" : [ { "context" : "", "action" : "rerender" }, { "context" : "", "action" : "pulsate" } ] }, { "event" : "unapproveMessage", "actions" : [ { "context" : "", "action" : "rerender" }, { "context" : "", "action" : "pulsate" } ] }, { "event" : "deleteMessage", "actions" : [ { "context" : "lia-deleted-state", "action" : "addClassName" }, { "context" : "", "action" : "pulsate" } ] }, { "event" : "QuickReply", "actions" : [ { "context" : "envParam:feedbackData", "action" : "rerender" } ] }, { "event" : "expandMessage", "actions" : [ { "context" : "envParam:quiltName,expandedQuiltName", "action" : "rerender" } ] }, { "event" : "ProductAnswer", "actions" : [ { "context" : "envParam:quiltName", "action" : "rerender" } ] }, { "event" : "ProductAnswerComment", "actions" : [ { "context" : "envParam:selectedMessage", "action" : "rerender" } ] }, { "event" : "editProductMessage", "actions" : [ { "context" : "envParam:quiltName,message", "action" : "rerender" } ] }, { "event" : "MessagesWidgetEditAction", "actions" : [ { "context" : "envParam:quiltName,message,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "ProductMessageEdit", "actions" : [ { "context" : "envParam:quiltName", "action" : "rerender" } ] }, { "event" : "MessagesWidgetMessageEdit", "actions" : [ { "context" : "envParam:quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "AcceptSolutionAction", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "RevokeSolutionAction", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "addThreadUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "removeThreadUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "addMessageUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "removeMessageUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "markAsSpamWithoutRedirect", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "MessagesWidgetAnswerForm", "actions" : [ { "context" : "envParam:messageUid,page,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "MessagesWidgetEditAnswerForm", "actions" : [ { "context" : "envParam:messageUid,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "MessagesWidgetCommentForm", "actions" : [ { "context" : "envParam:messageUid,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "MessagesWidgetEditCommentForm", "actions" : [ { "context" : "envParam:messageUid,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] } ], "componentId" : "forums.widget.message-view", "initiatorBinding" : true, "selector" : "#messageview_0", "parameters" : { "disableLabelLinks" : "false", "truncateBodyRetainsHtml" : "false", "forceSearchRequestParameterForBlurbBuilder" : "false", "kudosLinksDisabled" : "false", "useSubjectIcons" : "true", "quiltName" : "ForumMessage", "truncateBody" : "true", "message" : "1276389", "includeRepliesModerationState" : "false", "floatedBlock" : "acceptedSolutions", "useSimpleView" : "false", "useTruncatedSubject" : "true", "disableLinks" : "false", "messageViewOptions" : "1111110111111111111110111110100101101101", "displaySubject" : "true" }, "initiatorDataMatcher" : "data-lia-message-uid"});LITHIUM.MessageViewDisplay({"openEditsSelector":".lia-inline-message-edit","renderInlineFormEvent":"LITHIUM:renderInlineEditForm","componentId":"lineardisplaymessageviewwrapper_0","componentSelector":"#lineardisplaymessageviewwrapper_0","editEvent":"LITHIUM:editMessageViaAjax","collapseEvent":"LITHIUM:collapseInlineMessageEditor","messageId":1276389,"confimationText":"You have other message editors open and your data inside of them might be lost. Are you sure you want to proceed?","loaderSelector":"#lineardisplaymessageviewwrapper_0 .lia-message-body-loader .lia-loader","expandedRepliesSelector":".lia-inline-message-reply-form-expanded"});LITHIUM.AjaxSupport({"ajaxOptionsParam":{"event":"LITHIUM:renderInlineEditForm"},"tokenId":"ajax","elementSelector":"#lineardisplaymessageviewwrapper_0","action":"renderInlineEditForm","feedbackSelector":"#lineardisplaymessageviewwrapper_0","url":"https://community.esri.com/t5/forums/v5/forumtopicpage.lineardisplay_2.lineardisplaymessageviewwrapper_0:renderinlineeditform?t:ac=board-id/arcgis-pro-questions/thread-id/67678","ajaxErrorEventName":"LITHIUM:ajaxError","token":"J22hszRu8cfJ8t1t58mvJPcaACg70_KR5Pog2BQb-Js."});LITHIUM.InformationBox({"updateFeedbackEvent":"LITHIUM:updateAjaxFeedback","componentSelector":"#informationbox_6","feedbackSelector":".InfoMessage"});LITHIUM.InformationBox({"updateFeedbackEvent":"LITHIUM:updateAjaxFeedback","componentSelector":"#informationbox_7","feedbackSelector":".InfoMessage"});LITHIUM.InformationBox({"updateFeedbackEvent":"LITHIUM:updateAjaxFeedback","componentSelector":"#informationbox_8","feedbackSelector":".InfoMessage"});LITHIUM.DropDownMenuVisibilityHandler({"selectors":{"menuSelector":"#actionMenuDropDown_2","menuItemsSelector":".lia-menu-dropdown-items"}});LITHIUM.MessageBodyDisplay('#bodyDisplay_1', '.lia-truncated-body-container', '#viewMoreLink', '.lia-full-body-container' );LITHIUM.InlineMessageReplyContainer({"openEditsSelector":".lia-inline-message-edit","renderEventParams":{"replyWrapperId":"replyWrapper_1","messageId":1276389,"messageActionsId":"messageActions_1"},"isRootMessage":false,"collapseEvent":"LITHIUM:collapseInlineMessageEditor","confimationText":"You have other message editors open and your data inside of them might be lost. Are you sure you want to proceed?","messageActionsSelector":"#messageActions_1","loaderSelector":"#loader","topicMessageSelector":".lia-forum-topic-message-gte-5","containerSelector":"#inlineMessageReplyContainer_1","loaderEnabled":false,"useSimpleEditor":false,"isReplyButtonDisabled":false,"linearDisplayViewSelector":".lia-linear-display-message-view","threadedDetailDisplayViewSelector":".lia-threaded-detail-display-message-view","replyEditorPlaceholderWrapperSelector":".lia-placeholder-wrapper","renderEvent":"LITHIUM:renderInlineMessageReply","expandedRepliesSelector":".lia-inline-message-reply-form-expanded","isLazyLoadEnabled":false,"layoutView":"linear","isAllowAnonUserToReply":true,"replyButtonSelector":".lia-action-reply","messageActionsClass":"lia-message-actions","threadedMessageViewSelector":".lia-threaded-display-message-view-wrapper","lazyLoadScriptsEvent":"LITHIUM:lazyLoadScripts","isGteForumV5":true});LITHIUM.AjaxSupport({"ajaxOptionsParam":{"event":"LITHIUM:renderInlineMessageReply"},"tokenId":"ajax","elementSelector":"#inlineMessageReplyContainer_1","action":"renderInlineMessageReply","feedbackSelector":"#inlineMessageReplyContainer_1","url":"https://community.esri.com/t5/forums/v5/forumtopicpage.inlinemessagereplycontainer:renderinlinemessagereply?t:ac=board-id/arcgis-pro-questions/thread-id/67678&t:cp=messages/contributions/messageeditorscontributionpage","ajaxErrorEventName":"LITHIUM:ajaxError","token":"_2JVgif8f4KAn-OcXTcn7owM6IvcM1ALa5a7vTyeoJo."});LITHIUM.AjaxSupport({"ajaxOptionsParam":{"event":"LITHIUM:lazyLoadScripts"},"tokenId":"ajax","elementSelector":"#inlineMessageReplyContainer_1","action":"lazyLoadScripts","feedbackSelector":"#inlineMessageReplyContainer_1","url":"https://community.esri.com/t5/forums/v5/forumtopicpage.inlinemessagereplycontainer:lazyloadscripts?t:ac=board-id/arcgis-pro-questions/thread-id/67678&t:cp=messages/contributions/messageeditorscontributionpage","ajaxErrorEventName":"LITHIUM:ajaxError","token":"MRKUPS62Tyyj5rWAp61qG31ABJB593aat5g1jXO3lVo."});LITHIUM.AjaxSupport.fromLink('#kudoEntity_1', 'kudoEntity', '#ajaxfeedback_1', 'LITHIUM:ajaxError', {}, 'KS1g3NWoCcj5bQQhfm5TFvj4SKAwi0OGwUMUpMTja4w.', 'ajax');LITHIUM.AjaxSupport.ComponentEvents.set({ "eventActions" : [ { "event" : "kudoEntity", "actions" : [ { "context" : "envParam:entity", "action" : "rerender" } ] } ], "componentId" : "kudos.widget.button", "initiatorBinding" : true, "selector" : "#kudosButtonV2_1", "parameters" : { "displayStyle" : "horizontal", "disallowZeroCount" : "false", "revokeMode" : "true", "kudosable" : "true", "showCountOnly" : "false", "disableKudosForAnonUser" : "false", "useCountToKudo" : "false", "entity" : "1276389", "linkDisabled" : "false" }, "initiatorDataMatcher" : "data-lia-kudos-id"});LITHIUM.AjaxSupport.ComponentEvents.set({ "eventActions" : [ { "event" : "approveMessage", "actions" : [ { "context" : "", "action" : "rerender" }, { "context" : "", "action" : "pulsate" } ] }, { "event" : "unapproveMessage", "actions" : [ { "context" : "", "action" : "rerender" }, { "context" : "", "action" : "pulsate" } ] }, { "event" : "deleteMessage", "actions" : [ { "context" : "lia-deleted-state", "action" : "addClassName" }, { "context" : "", "action" : "pulsate" } ] }, { "event" : "QuickReply", "actions" : [ { "context" : "envParam:feedbackData", "action" : "rerender" } ] }, { "event" : "expandMessage", "actions" : [ { "context" : "envParam:quiltName,expandedQuiltName", "action" : "rerender" } ] }, { "event" : "ProductAnswer", "actions" : [ { "context" : "envParam:quiltName", "action" : "rerender" } ] }, { "event" : "ProductAnswerComment", "actions" : [ { "context" : "envParam:selectedMessage", "action" : "rerender" } ] }, { "event" : "editProductMessage", "actions" : [ { "context" : "envParam:quiltName,message", "action" : "rerender" } ] }, { "event" : "MessagesWidgetEditAction", "actions" : [ { "context" : "envParam:quiltName,message,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "ProductMessageEdit", "actions" : [ { "context" : "envParam:quiltName", "action" : "rerender" } ] }, { "event" : "MessagesWidgetMessageEdit", "actions" : [ { "context" : "envParam:quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "AcceptSolutionAction", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "RevokeSolutionAction", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "addThreadUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "removeThreadUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "addMessageUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "removeMessageUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "markAsSpamWithoutRedirect", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "MessagesWidgetAnswerForm", "actions" : [ { "context" : "envParam:messageUid,page,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "MessagesWidgetEditAnswerForm", "actions" : [ { "context" : "envParam:messageUid,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "MessagesWidgetCommentForm", "actions" : [ { "context" : "envParam:messageUid,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "MessagesWidgetEditCommentForm", "actions" : [ { "context" : "envParam:messageUid,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] } ], "componentId" : "forums.widget.message-view", "initiatorBinding" : true, "selector" : "#messageview_1", "parameters" : { "disableLabelLinks" : "false", "truncateBodyRetainsHtml" : "false", "forceSearchRequestParameterForBlurbBuilder" : "false", "kudosLinksDisabled" : "false", "useSubjectIcons" : "true", "quiltName" : "ForumMessage", "truncateBody" : "true", "message" : "1276389", "includeRepliesModerationState" : "false", "useSimpleView" : "false", "useTruncatedSubject" : "true", "disableLinks" : "false", "messageViewOptions" : "1111110111111111111110111110100101001101", "displaySubject" : "true" }, "initiatorDataMatcher" : "data-lia-message-uid"});LITHIUM.MessageViewDisplay({"openEditsSelector":".lia-inline-message-edit","renderInlineFormEvent":"LITHIUM:renderInlineEditForm","componentId":"lineardisplaymessageviewwrapper_1","componentSelector":"#lineardisplaymessageviewwrapper_1","editEvent":"LITHIUM:editMessageViaAjax","collapseEvent":"LITHIUM:collapseInlineMessageEditor","messageId":1276389,"confimationText":"You have other message editors open and your data inside of them might be lost. Are you sure you want to proceed?","loaderSelector":"#lineardisplaymessageviewwrapper_1 .lia-message-body-loader .lia-loader","expandedRepliesSelector":".lia-inline-message-reply-form-expanded"});LITHIUM.AjaxSupport({"ajaxOptionsParam":{"event":"LITHIUM:renderInlineEditForm"},"tokenId":"ajax","elementSelector":"#lineardisplaymessageviewwrapper_1","action":"renderInlineEditForm","feedbackSelector":"#lineardisplaymessageviewwrapper_1","url":"https://community.esri.com/t5/forums/v5/forumtopicpage.lineardisplay_4.lineardisplaymessageviewwrapper:renderinlineeditform?t:ac=board-id/arcgis-pro-questions/thread-id/67678","ajaxErrorEventName":"LITHIUM:ajaxError","token":"vDrt1QQu7MKiqmnJiMQoq7DL2ZTulmFchG7ZvVrW5XA."});LITHIUM.InformationBox({"updateFeedbackEvent":"LITHIUM:updateAjaxFeedback","componentSelector":"#informationbox_9","feedbackSelector":".InfoMessage"});LITHIUM.InformationBox({"updateFeedbackEvent":"LITHIUM:updateAjaxFeedback","componentSelector":"#informationbox_10","feedbackSelector":".InfoMessage"});LITHIUM.InformationBox({"updateFeedbackEvent":"LITHIUM:updateAjaxFeedback","componentSelector":"#informationbox_11","feedbackSelector":".InfoMessage"});LITHIUM.DropDownMenuVisibilityHandler({"selectors":{"menuSelector":"#actionMenuDropDown_3","menuItemsSelector":".lia-menu-dropdown-items"}});LITHIUM.MessageBodyDisplay('#bodyDisplay_2', '.lia-truncated-body-container', '#viewMoreLink', '.lia-full-body-container' );LITHIUM.InlineMessageReplyContainer({"openEditsSelector":".lia-inline-message-edit","renderEventParams":{"replyWrapperId":"replyWrapper_2","messageId":1276401,"messageActionsId":"messageActions_2"},"isRootMessage":false,"collapseEvent":"LITHIUM:collapseInlineMessageEditor","confimationText":"You have other message editors open and your data inside of them might be lost. Are you sure you want to proceed?","messageActionsSelector":"#messageActions_2","loaderSelector":"#loader","topicMessageSelector":".lia-forum-topic-message-gte-5","containerSelector":"#inlineMessageReplyContainer_2","loaderEnabled":false,"useSimpleEditor":false,"isReplyButtonDisabled":false,"linearDisplayViewSelector":".lia-linear-display-message-view","threadedDetailDisplayViewSelector":".lia-threaded-detail-display-message-view","replyEditorPlaceholderWrapperSelector":".lia-placeholder-wrapper","renderEvent":"LITHIUM:renderInlineMessageReply","expandedRepliesSelector":".lia-inline-message-reply-form-expanded","isLazyLoadEnabled":false,"layoutView":"linear","isAllowAnonUserToReply":true,"replyButtonSelector":".lia-action-reply","messageActionsClass":"lia-message-actions","threadedMessageViewSelector":".lia-threaded-display-message-view-wrapper","lazyLoadScriptsEvent":"LITHIUM:lazyLoadScripts","isGteForumV5":true});LITHIUM.AjaxSupport({"ajaxOptionsParam":{"event":"LITHIUM:renderInlineMessageReply"},"tokenId":"ajax","elementSelector":"#inlineMessageReplyContainer_2","action":"renderInlineMessageReply","feedbackSelector":"#inlineMessageReplyContainer_2","url":"https://community.esri.com/t5/forums/v5/forumtopicpage.inlinemessagereplycontainer:renderinlinemessagereply?t:ac=board-id/arcgis-pro-questions/thread-id/67678&t:cp=messages/contributions/messageeditorscontributionpage","ajaxErrorEventName":"LITHIUM:ajaxError","token":"cNov0kirGiP_ymsCWc1pukPus-6nWtbG66VcB0z8_ro."});LITHIUM.AjaxSupport({"ajaxOptionsParam":{"event":"LITHIUM:lazyLoadScripts"},"tokenId":"ajax","elementSelector":"#inlineMessageReplyContainer_2","action":"lazyLoadScripts","feedbackSelector":"#inlineMessageReplyContainer_2","url":"https://community.esri.com/t5/forums/v5/forumtopicpage.inlinemessagereplycontainer:lazyloadscripts?t:ac=board-id/arcgis-pro-questions/thread-id/67678&t:cp=messages/contributions/messageeditorscontributionpage","ajaxErrorEventName":"LITHIUM:ajaxError","token":"lDoWhA-fVWfuPDYFyzoLdVWATC1yAgxl-Q8mEV42TLA."});LITHIUM.AjaxSupport.fromLink('#kudoEntity_2', 'kudoEntity', '#ajaxfeedback_2', 'LITHIUM:ajaxError', {}, 'Ed-kt7cBspqp2muK-_TVeS_2VRzaUJXd8t9e9BwtB8Q.', 'ajax');LITHIUM.AjaxSupport.ComponentEvents.set({ "eventActions" : [ { "event" : "kudoEntity", "actions" : [ { "context" : "envParam:entity", "action" : "rerender" } ] } ], "componentId" : "kudos.widget.button", "initiatorBinding" : true, "selector" : "#kudosButtonV2_2", "parameters" : { "displayStyle" : "horizontal", "disallowZeroCount" : "false", "revokeMode" : "true", "kudosable" : "true", "showCountOnly" : "false", "disableKudosForAnonUser" : "false", "useCountToKudo" : "false", "entity" : "1276401", "linkDisabled" : "false" }, "initiatorDataMatcher" : "data-lia-kudos-id"});LITHIUM.AjaxSupport.ComponentEvents.set({ "eventActions" : [ { "event" : "approveMessage", "actions" : [ { "context" : "", "action" : "rerender" }, { "context" : "", "action" : "pulsate" } ] }, { "event" : "unapproveMessage", "actions" : [ { "context" : "", "action" : "rerender" }, { "context" : "", "action" : "pulsate" } ] }, { "event" : "deleteMessage", "actions" : [ { "context" : "lia-deleted-state", "action" : "addClassName" }, { "context" : "", "action" : "pulsate" } ] }, { "event" : "QuickReply", "actions" : [ { "context" : "envParam:feedbackData", "action" : "rerender" } ] }, { "event" : "expandMessage", "actions" : [ { "context" : "envParam:quiltName,expandedQuiltName", "action" : "rerender" } ] }, { "event" : "ProductAnswer", "actions" : [ { "context" : "envParam:quiltName", "action" : "rerender" } ] }, { "event" : "ProductAnswerComment", "actions" : [ { "context" : "envParam:selectedMessage", "action" : "rerender" } ] }, { "event" : "editProductMessage", "actions" : [ { "context" : "envParam:quiltName,message", "action" : "rerender" } ] }, { "event" : "MessagesWidgetEditAction", "actions" : [ { "context" : "envParam:quiltName,message,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "ProductMessageEdit", "actions" : [ { "context" : "envParam:quiltName", "action" : "rerender" } ] }, { "event" : "MessagesWidgetMessageEdit", "actions" : [ { "context" : "envParam:quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "AcceptSolutionAction", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "RevokeSolutionAction", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "addThreadUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "removeThreadUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "addMessageUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "removeMessageUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "markAsSpamWithoutRedirect", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "MessagesWidgetAnswerForm", "actions" : [ { "context" : "envParam:messageUid,page,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "MessagesWidgetEditAnswerForm", "actions" : [ { "context" : "envParam:messageUid,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "MessagesWidgetCommentForm", "actions" : [ { "context" : "envParam:messageUid,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "MessagesWidgetEditCommentForm", "actions" : [ { "context" : "envParam:messageUid,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] } ], "componentId" : "forums.widget.message-view", "initiatorBinding" : true, "selector" : "#messageview_2", "parameters" : { "disableLabelLinks" : "false", "truncateBodyRetainsHtml" : "false", "forceSearchRequestParameterForBlurbBuilder" : "false", "kudosLinksDisabled" : "false", "useSubjectIcons" : "true", "quiltName" : "ForumMessage", "truncateBody" : "true", "message" : "1276401", "includeRepliesModerationState" : "false", "useSimpleView" : "false", "useTruncatedSubject" : "true", "disableLinks" : "false", "messageViewOptions" : "1111110111111111111110111110100101001101", "displaySubject" : "true" }, "initiatorDataMatcher" : "data-lia-message-uid"});LITHIUM.MessageViewDisplay({"openEditsSelector":".lia-inline-message-edit","renderInlineFormEvent":"LITHIUM:renderInlineEditForm","componentId":"lineardisplaymessageviewwrapper_2","componentSelector":"#lineardisplaymessageviewwrapper_2","editEvent":"LITHIUM:editMessageViaAjax","collapseEvent":"LITHIUM:collapseInlineMessageEditor","messageId":1276401,"confimationText":"You have other message editors open and your data inside of them might be lost. Are you sure you want to proceed?","loaderSelector":"#lineardisplaymessageviewwrapper_2 .lia-message-body-loader .lia-loader","expandedRepliesSelector":".lia-inline-message-reply-form-expanded"});LITHIUM.AjaxSupport({"ajaxOptionsParam":{"event":"LITHIUM:renderInlineEditForm"},"tokenId":"ajax","elementSelector":"#lineardisplaymessageviewwrapper_2","action":"renderInlineEditForm","feedbackSelector":"#lineardisplaymessageviewwrapper_2","url":"https://community.esri.com/t5/forums/v5/forumtopicpage.lineardisplay_4.lineardisplaymessageviewwrapper:renderinlineeditform?t:ac=board-id/arcgis-pro-questions/thread-id/67678","ajaxErrorEventName":"LITHIUM:ajaxError","token":"lDDkfvdxGvGKIHNxTbqdR521PR_YgkgQ3my7j6CZ9R0."});LITHIUM.InformationBox({"updateFeedbackEvent":"LITHIUM:updateAjaxFeedback","componentSelector":"#informationbox_12","feedbackSelector":".InfoMessage"});LITHIUM.InformationBox({"updateFeedbackEvent":"LITHIUM:updateAjaxFeedback","componentSelector":"#informationbox_13","feedbackSelector":".InfoMessage"});LITHIUM.InformationBox({"updateFeedbackEvent":"LITHIUM:updateAjaxFeedback","componentSelector":"#informationbox_14","feedbackSelector":".InfoMessage"});LITHIUM.DropDownMenuVisibilityHandler({"selectors":{"menuSelector":"#actionMenuDropDown_4","menuItemsSelector":".lia-menu-dropdown-items"}});LITHIUM.MessageBodyDisplay('#bodyDisplay_3', '.lia-truncated-body-container', '#viewMoreLink', '.lia-full-body-container' );LITHIUM.InlineMessageReplyContainer({"openEditsSelector":".lia-inline-message-edit","renderEventParams":{"replyWrapperId":"replyWrapper_3","messageId":1276799,"messageActionsId":"messageActions_3"},"isRootMessage":false,"collapseEvent":"LITHIUM:collapseInlineMessageEditor","confimationText":"You have other message editors open and your data inside of them might be lost. Are you sure you want to proceed?","messageActionsSelector":"#messageActions_3","loaderSelector":"#loader","topicMessageSelector":".lia-forum-topic-message-gte-5","containerSelector":"#inlineMessageReplyContainer_3","loaderEnabled":false,"useSimpleEditor":false,"isReplyButtonDisabled":false,"linearDisplayViewSelector":".lia-linear-display-message-view","threadedDetailDisplayViewSelector":".lia-threaded-detail-display-message-view","replyEditorPlaceholderWrapperSelector":".lia-placeholder-wrapper","renderEvent":"LITHIUM:renderInlineMessageReply","expandedRepliesSelector":".lia-inline-message-reply-form-expanded","isLazyLoadEnabled":false,"layoutView":"linear","isAllowAnonUserToReply":true,"replyButtonSelector":".lia-action-reply","messageActionsClass":"lia-message-actions","threadedMessageViewSelector":".lia-threaded-display-message-view-wrapper","lazyLoadScriptsEvent":"LITHIUM:lazyLoadScripts","isGteForumV5":true});LITHIUM.AjaxSupport({"ajaxOptionsParam":{"event":"LITHIUM:renderInlineMessageReply"},"tokenId":"ajax","elementSelector":"#inlineMessageReplyContainer_3","action":"renderInlineMessageReply","feedbackSelector":"#inlineMessageReplyContainer_3","url":"https://community.esri.com/t5/forums/v5/forumtopicpage.inlinemessagereplycontainer:renderinlinemessagereply?t:ac=board-id/arcgis-pro-questions/thread-id/67678&t:cp=messages/contributions/messageeditorscontributionpage","ajaxErrorEventName":"LITHIUM:ajaxError","token":"08vajLpiHlbOPOI47I2i4HSNnlp5anYpMEKhPrX_uWU."});LITHIUM.AjaxSupport({"ajaxOptionsParam":{"event":"LITHIUM:lazyLoadScripts"},"tokenId":"ajax","elementSelector":"#inlineMessageReplyContainer_3","action":"lazyLoadScripts","feedbackSelector":"#inlineMessageReplyContainer_3","url":"https://community.esri.com/t5/forums/v5/forumtopicpage.inlinemessagereplycontainer:lazyloadscripts?t:ac=board-id/arcgis-pro-questions/thread-id/67678&t:cp=messages/contributions/messageeditorscontributionpage","ajaxErrorEventName":"LITHIUM:ajaxError","token":"v37rNv7Ubos2V_-ZC6MHun_ga_XshX2XQYLUcrgg-sQ."});LITHIUM.AjaxSupport.fromLink('#kudoEntity_3', 'kudoEntity', '#ajaxfeedback_3', 'LITHIUM:ajaxError', {}, '4iIAVScrXv3aKdWEZ7zrLtgAQHnoBANenj4mliwgrbE.', 'ajax');LITHIUM.AjaxSupport.ComponentEvents.set({ "eventActions" : [ { "event" : "kudoEntity", "actions" : [ { "context" : "envParam:entity", "action" : "rerender" } ] } ], "componentId" : "kudos.widget.button", "initiatorBinding" : true, "selector" : "#kudosButtonV2_3", "parameters" : { "displayStyle" : "horizontal", "disallowZeroCount" : "false", "revokeMode" : "true", "kudosable" : "true", "showCountOnly" : "false", "disableKudosForAnonUser" : "false", "useCountToKudo" : "false", "entity" : "1276799", "linkDisabled" : "false" }, "initiatorDataMatcher" : "data-lia-kudos-id"});LITHIUM.AjaxSupport.ComponentEvents.set({ "eventActions" : [ { "event" : "approveMessage", "actions" : [ { "context" : "", "action" : "rerender" }, { "context" : "", "action" : "pulsate" } ] }, { "event" : "unapproveMessage", "actions" : [ { "context" : "", "action" : "rerender" }, { "context" : "", "action" : "pulsate" } ] }, { "event" : "deleteMessage", "actions" : [ { "context" : "lia-deleted-state", "action" : "addClassName" }, { "context" : "", "action" : "pulsate" } ] }, { "event" : "QuickReply", "actions" : [ { "context" : "envParam:feedbackData", "action" : "rerender" } ] }, { "event" : "expandMessage", "actions" : [ { "context" : "envParam:quiltName,expandedQuiltName", "action" : "rerender" } ] }, { "event" : "ProductAnswer", "actions" : [ { "context" : "envParam:quiltName", "action" : "rerender" } ] }, { "event" : "ProductAnswerComment", "actions" : [ { "context" : "envParam:selectedMessage", "action" : "rerender" } ] }, { "event" : "editProductMessage", "actions" : [ { "context" : "envParam:quiltName,message", "action" : "rerender" } ] }, { "event" : "MessagesWidgetEditAction", "actions" : [ { "context" : "envParam:quiltName,message,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "ProductMessageEdit", "actions" : [ { "context" : "envParam:quiltName", "action" : "rerender" } ] }, { "event" : "MessagesWidgetMessageEdit", "actions" : [ { "context" : "envParam:quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "AcceptSolutionAction", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "RevokeSolutionAction", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "addThreadUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "removeThreadUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "addMessageUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "removeMessageUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "markAsSpamWithoutRedirect", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "MessagesWidgetAnswerForm", "actions" : [ { "context" : "envParam:messageUid,page,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "MessagesWidgetEditAnswerForm", "actions" : [ { "context" : "envParam:messageUid,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "MessagesWidgetCommentForm", "actions" : [ { "context" : "envParam:messageUid,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "MessagesWidgetEditCommentForm", "actions" : [ { "context" : "envParam:messageUid,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] } ], "componentId" : "forums.widget.message-view", "initiatorBinding" : true, "selector" : "#messageview_3", "parameters" : { "disableLabelLinks" : "false", "truncateBodyRetainsHtml" : "false", "forceSearchRequestParameterForBlurbBuilder" : "false", "kudosLinksDisabled" : "false", "useSubjectIcons" : "true", "quiltName" : "ForumMessage", "truncateBody" : "true", "message" : "1276799", "includeRepliesModerationState" : "false", "useSimpleView" : "false", "useTruncatedSubject" : "true", "disableLinks" : "false", "messageViewOptions" : "1111110111111111111110111110100101001101", "displaySubject" : "true" }, "initiatorDataMatcher" : "data-lia-message-uid"});LITHIUM.MessageViewDisplay({"openEditsSelector":".lia-inline-message-edit","renderInlineFormEvent":"LITHIUM:renderInlineEditForm","componentId":"lineardisplaymessageviewwrapper_3","componentSelector":"#lineardisplaymessageviewwrapper_3","editEvent":"LITHIUM:editMessageViaAjax","collapseEvent":"LITHIUM:collapseInlineMessageEditor","messageId":1276799,"confimationText":"You have other message editors open and your data inside of them might be lost. Are you sure you want to proceed?","loaderSelector":"#lineardisplaymessageviewwrapper_3 .lia-message-body-loader .lia-loader","expandedRepliesSelector":".lia-inline-message-reply-form-expanded"});LITHIUM.AjaxSupport({"ajaxOptionsParam":{"event":"LITHIUM:renderInlineEditForm"},"tokenId":"ajax","elementSelector":"#lineardisplaymessageviewwrapper_3","action":"renderInlineEditForm","feedbackSelector":"#lineardisplaymessageviewwrapper_3","url":"https://community.esri.com/t5/forums/v5/forumtopicpage.lineardisplay_4.lineardisplaymessageviewwrapper:renderinlineeditform?t:ac=board-id/arcgis-pro-questions/thread-id/67678","ajaxErrorEventName":"LITHIUM:ajaxError","token":"gZjOwsJWWEZh_FYdnAmsGgEq3atclZY1AhuQI7copXw."});LITHIUM.InformationBox({"updateFeedbackEvent":"LITHIUM:updateAjaxFeedback","componentSelector":"#informationbox_15","feedbackSelector":".InfoMessage"});LITHIUM.InformationBox({"updateFeedbackEvent":"LITHIUM:updateAjaxFeedback","componentSelector":"#informationbox_16","feedbackSelector":".InfoMessage"});LITHIUM.InformationBox({"updateFeedbackEvent":"LITHIUM:updateAjaxFeedback","componentSelector":"#informationbox_17","feedbackSelector":".InfoMessage"});LITHIUM.DropDownMenuVisibilityHandler({"selectors":{"menuSelector":"#actionMenuDropDown_5","menuItemsSelector":".lia-menu-dropdown-items"}});LITHIUM.MessageBodyDisplay('#bodyDisplay_4', '.lia-truncated-body-container', '#viewMoreLink', '.lia-full-body-container' );LITHIUM.InlineMessageReplyContainer({"openEditsSelector":".lia-inline-message-edit","renderEventParams":{"replyWrapperId":"replyWrapper_4","messageId":1276991,"messageActionsId":"messageActions_4"},"isRootMessage":false,"collapseEvent":"LITHIUM:collapseInlineMessageEditor","confimationText":"You have other message editors open and your data inside of them might be lost. Are you sure you want to proceed?","messageActionsSelector":"#messageActions_4","loaderSelector":"#loader","topicMessageSelector":".lia-forum-topic-message-gte-5","containerSelector":"#inlineMessageReplyContainer_4","loaderEnabled":false,"useSimpleEditor":false,"isReplyButtonDisabled":false,"linearDisplayViewSelector":".lia-linear-display-message-view","threadedDetailDisplayViewSelector":".lia-threaded-detail-display-message-view","replyEditorPlaceholderWrapperSelector":".lia-placeholder-wrapper","renderEvent":"LITHIUM:renderInlineMessageReply","expandedRepliesSelector":".lia-inline-message-reply-form-expanded","isLazyLoadEnabled":false,"layoutView":"linear","isAllowAnonUserToReply":true,"replyButtonSelector":".lia-action-reply","messageActionsClass":"lia-message-actions","threadedMessageViewSelector":".lia-threaded-display-message-view-wrapper","lazyLoadScriptsEvent":"LITHIUM:lazyLoadScripts","isGteForumV5":true});LITHIUM.AjaxSupport({"ajaxOptionsParam":{"event":"LITHIUM:renderInlineMessageReply"},"tokenId":"ajax","elementSelector":"#inlineMessageReplyContainer_4","action":"renderInlineMessageReply","feedbackSelector":"#inlineMessageReplyContainer_4","url":"https://community.esri.com/t5/forums/v5/forumtopicpage.inlinemessagereplycontainer:renderinlinemessagereply?t:ac=board-id/arcgis-pro-questions/thread-id/67678&t:cp=messages/contributions/messageeditorscontributionpage","ajaxErrorEventName":"LITHIUM:ajaxError","token":"l01ISeA-aIF4W5PvJ-_E23fZWjHzKGkv53qlfhgFqmk."});LITHIUM.AjaxSupport({"ajaxOptionsParam":{"event":"LITHIUM:lazyLoadScripts"},"tokenId":"ajax","elementSelector":"#inlineMessageReplyContainer_4","action":"lazyLoadScripts","feedbackSelector":"#inlineMessageReplyContainer_4","url":"https://community.esri.com/t5/forums/v5/forumtopicpage.inlinemessagereplycontainer:lazyloadscripts?t:ac=board-id/arcgis-pro-questions/thread-id/67678&t:cp=messages/contributions/messageeditorscontributionpage","ajaxErrorEventName":"LITHIUM:ajaxError","token":"fMBFxJ4dWBb7k-wsmKEfSPlMoOFxR5gnm-fi-3GIGc4."});LITHIUM.AjaxSupport.fromLink('#kudoEntity_4', 'kudoEntity', '#ajaxfeedback_4', 'LITHIUM:ajaxError', {}, 'pwCBDNESDL2OAYklbuzgjUy0OpOF-M3UytcmOLnWCFo.', 'ajax');LITHIUM.AjaxSupport.ComponentEvents.set({ "eventActions" : [ { "event" : "kudoEntity", "actions" : [ { "context" : "envParam:entity", "action" : "rerender" } ] } ], "componentId" : "kudos.widget.button", "initiatorBinding" : true, "selector" : "#kudosButtonV2_4", "parameters" : { "displayStyle" : "horizontal", "disallowZeroCount" : "false", "revokeMode" : "true", "kudosable" : "true", "showCountOnly" : "false", "disableKudosForAnonUser" : "false", "useCountToKudo" : "false", "entity" : "1276991", "linkDisabled" : "false" }, "initiatorDataMatcher" : "data-lia-kudos-id"});LITHIUM.AjaxSupport.ComponentEvents.set({ "eventActions" : [ { "event" : "approveMessage", "actions" : [ { "context" : "", "action" : "rerender" }, { "context" : "", "action" : "pulsate" } ] }, { "event" : "unapproveMessage", "actions" : [ { "context" : "", "action" : "rerender" }, { "context" : "", "action" : "pulsate" } ] }, { "event" : "deleteMessage", "actions" : [ { "context" : "lia-deleted-state", "action" : "addClassName" }, { "context" : "", "action" : "pulsate" } ] }, { "event" : "QuickReply", "actions" : [ { "context" : "envParam:feedbackData", "action" : "rerender" } ] }, { "event" : "expandMessage", "actions" : [ { "context" : "envParam:quiltName,expandedQuiltName", "action" : "rerender" } ] }, { "event" : "ProductAnswer", "actions" : [ { "context" : "envParam:quiltName", "action" : "rerender" } ] }, { "event" : "ProductAnswerComment", "actions" : [ { "context" : "envParam:selectedMessage", "action" : "rerender" } ] }, { "event" : "editProductMessage", "actions" : [ { "context" : "envParam:quiltName,message", "action" : "rerender" } ] }, { "event" : "MessagesWidgetEditAction", "actions" : [ { "context" : "envParam:quiltName,message,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "ProductMessageEdit", "actions" : [ { "context" : "envParam:quiltName", "action" : "rerender" } ] }, { "event" : "MessagesWidgetMessageEdit", "actions" : [ { "context" : "envParam:quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "AcceptSolutionAction", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "RevokeSolutionAction", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "addThreadUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "removeThreadUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "addMessageUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "removeMessageUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "markAsSpamWithoutRedirect", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "MessagesWidgetAnswerForm", "actions" : [ { "context" : "envParam:messageUid,page,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "MessagesWidgetEditAnswerForm", "actions" : [ { "context" : "envParam:messageUid,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "MessagesWidgetCommentForm", "actions" : [ { "context" : "envParam:messageUid,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "MessagesWidgetEditCommentForm", "actions" : [ { "context" : "envParam:messageUid,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] } ], "componentId" : "forums.widget.message-view", "initiatorBinding" : true, "selector" : "#messageview_4", "parameters" : { "disableLabelLinks" : "false", "truncateBodyRetainsHtml" : "false", "forceSearchRequestParameterForBlurbBuilder" : "false", "kudosLinksDisabled" : "false", "useSubjectIcons" : "true", "quiltName" : "ForumMessage", "truncateBody" : "true", "message" : "1276991", "includeRepliesModerationState" : "false", "useSimpleView" : "false", "useTruncatedSubject" : "true", "disableLinks" : "false", "messageViewOptions" : "1111110111111111111110111110100101001101", "displaySubject" : "true" }, "initiatorDataMatcher" : "data-lia-message-uid"});LITHIUM.MessageViewDisplay({"openEditsSelector":".lia-inline-message-edit","renderInlineFormEvent":"LITHIUM:renderInlineEditForm","componentId":"lineardisplaymessageviewwrapper_4","componentSelector":"#lineardisplaymessageviewwrapper_4","editEvent":"LITHIUM:editMessageViaAjax","collapseEvent":"LITHIUM:collapseInlineMessageEditor","messageId":1276991,"confimationText":"You have other message editors open and your data inside of them might be lost. Are you sure you want to proceed?","loaderSelector":"#lineardisplaymessageviewwrapper_4 .lia-message-body-loader .lia-loader","expandedRepliesSelector":".lia-inline-message-reply-form-expanded"});LITHIUM.AjaxSupport({"ajaxOptionsParam":{"event":"LITHIUM:renderInlineEditForm"},"tokenId":"ajax","elementSelector":"#lineardisplaymessageviewwrapper_4","action":"renderInlineEditForm","feedbackSelector":"#lineardisplaymessageviewwrapper_4","url":"https://community.esri.com/t5/forums/v5/forumtopicpage.lineardisplay_4.lineardisplaymessageviewwrapper:renderinlineeditform?t:ac=board-id/arcgis-pro-questions/thread-id/67678","ajaxErrorEventName":"LITHIUM:ajaxError","token":"gRIwbBv5P6AHZDdvBIfSLiBdaANco3sPiHMlLShqX38."});LITHIUM.InformationBox({"updateFeedbackEvent":"LITHIUM:updateAjaxFeedback","componentSelector":"#informationbox_18","feedbackSelector":".InfoMessage"});LITHIUM.InformationBox({"updateFeedbackEvent":"LITHIUM:updateAjaxFeedback","componentSelector":"#informationbox_19","feedbackSelector":".InfoMessage"});LITHIUM.InformationBox({"updateFeedbackEvent":"LITHIUM:updateAjaxFeedback","componentSelector":"#informationbox_20","feedbackSelector":".InfoMessage"});LITHIUM.DropDownMenuVisibilityHandler({"selectors":{"menuSelector":"#actionMenuDropDown_6","menuItemsSelector":".lia-menu-dropdown-items"}});LITHIUM.MessageBodyDisplay('#bodyDisplay_5', '.lia-truncated-body-container', '#viewMoreLink', '.lia-full-body-container' );LITHIUM.InlineMessageReplyContainer({"openEditsSelector":".lia-inline-message-edit","renderEventParams":{"replyWrapperId":"replyWrapper_5","messageId":1277240,"messageActionsId":"messageActions_5"},"isRootMessage":false,"collapseEvent":"LITHIUM:collapseInlineMessageEditor","confimationText":"You have other message editors open and your data inside of them might be lost. Are you sure you want to proceed?","messageActionsSelector":"#messageActions_5","loaderSelector":"#loader","topicMessageSelector":".lia-forum-topic-message-gte-5","containerSelector":"#inlineMessageReplyContainer_5","loaderEnabled":false,"useSimpleEditor":false,"isReplyButtonDisabled":false,"linearDisplayViewSelector":".lia-linear-display-message-view","threadedDetailDisplayViewSelector":".lia-threaded-detail-display-message-view","replyEditorPlaceholderWrapperSelector":".lia-placeholder-wrapper","renderEvent":"LITHIUM:renderInlineMessageReply","expandedRepliesSelector":".lia-inline-message-reply-form-expanded","isLazyLoadEnabled":false,"layoutView":"linear","isAllowAnonUserToReply":true,"replyButtonSelector":".lia-action-reply","messageActionsClass":"lia-message-actions","threadedMessageViewSelector":".lia-threaded-display-message-view-wrapper","lazyLoadScriptsEvent":"LITHIUM:lazyLoadScripts","isGteForumV5":true});LITHIUM.AjaxSupport({"ajaxOptionsParam":{"event":"LITHIUM:renderInlineMessageReply"},"tokenId":"ajax","elementSelector":"#inlineMessageReplyContainer_5","action":"renderInlineMessageReply","feedbackSelector":"#inlineMessageReplyContainer_5","url":"https://community.esri.com/t5/forums/v5/forumtopicpage.inlinemessagereplycontainer:renderinlinemessagereply?t:ac=board-id/arcgis-pro-questions/thread-id/67678&t:cp=messages/contributions/messageeditorscontributionpage","ajaxErrorEventName":"LITHIUM:ajaxError","token":"t9Oao19HRNyo2NShjK6MHjt8vPjPv56wRlSNzYnz1Js."});LITHIUM.AjaxSupport({"ajaxOptionsParam":{"event":"LITHIUM:lazyLoadScripts"},"tokenId":"ajax","elementSelector":"#inlineMessageReplyContainer_5","action":"lazyLoadScripts","feedbackSelector":"#inlineMessageReplyContainer_5","url":"https://community.esri.com/t5/forums/v5/forumtopicpage.inlinemessagereplycontainer:lazyloadscripts?t:ac=board-id/arcgis-pro-questions/thread-id/67678&t:cp=messages/contributions/messageeditorscontributionpage","ajaxErrorEventName":"LITHIUM:ajaxError","token":"mIdyiheQigEw4yawnd88h3o2-Ro1G50IKe39aoNgP_s."});LITHIUM.AjaxSupport.fromLink('#kudoEntity_5', 'kudoEntity', '#ajaxfeedback_5', 'LITHIUM:ajaxError', {}, '4N7C7e06mPvO61WwHTeMOjtlilaX__QbxC1mm9XPPVk.', 'ajax');LITHIUM.AjaxSupport.ComponentEvents.set({ "eventActions" : [ { "event" : "kudoEntity", "actions" : [ { "context" : "envParam:entity", "action" : "rerender" } ] } ], "componentId" : "kudos.widget.button", "initiatorBinding" : true, "selector" : "#kudosButtonV2_5", "parameters" : { "displayStyle" : "horizontal", "disallowZeroCount" : "false", "revokeMode" : "true", "kudosable" : "true", "showCountOnly" : "false", "disableKudosForAnonUser" : "false", "useCountToKudo" : "false", "entity" : "1277240", "linkDisabled" : "false" }, "initiatorDataMatcher" : "data-lia-kudos-id"});LITHIUM.AjaxSupport.ComponentEvents.set({ "eventActions" : [ { "event" : "approveMessage", "actions" : [ { "context" : "", "action" : "rerender" }, { "context" : "", "action" : "pulsate" } ] }, { "event" : "unapproveMessage", "actions" : [ { "context" : "", "action" : "rerender" }, { "context" : "", "action" : "pulsate" } ] }, { "event" : "deleteMessage", "actions" : [ { "context" : "lia-deleted-state", "action" : "addClassName" }, { "context" : "", "action" : "pulsate" } ] }, { "event" : "QuickReply", "actions" : [ { "context" : "envParam:feedbackData", "action" : "rerender" } ] }, { "event" : "expandMessage", "actions" : [ { "context" : "envParam:quiltName,expandedQuiltName", "action" : "rerender" } ] }, { "event" : "ProductAnswer", "actions" : [ { "context" : "envParam:quiltName", "action" : "rerender" } ] }, { "event" : "ProductAnswerComment", "actions" : [ { "context" : "envParam:selectedMessage", "action" : "rerender" } ] }, { "event" : "editProductMessage", "actions" : [ { "context" : "envParam:quiltName,message", "action" : "rerender" } ] }, { "event" : "MessagesWidgetEditAction", "actions" : [ { "context" : "envParam:quiltName,message,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "ProductMessageEdit", "actions" : [ { "context" : "envParam:quiltName", "action" : "rerender" } ] }, { "event" : "MessagesWidgetMessageEdit", "actions" : [ { "context" : "envParam:quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "AcceptSolutionAction", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "RevokeSolutionAction", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "addThreadUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "removeThreadUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "addMessageUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "removeMessageUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "markAsSpamWithoutRedirect", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "MessagesWidgetAnswerForm", "actions" : [ { "context" : "envParam:messageUid,page,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "MessagesWidgetEditAnswerForm", "actions" : [ { "context" : "envParam:messageUid,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "MessagesWidgetCommentForm", "actions" : [ { "context" : "envParam:messageUid,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "MessagesWidgetEditCommentForm", "actions" : [ { "context" : "envParam:messageUid,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] } ], "componentId" : "forums.widget.message-view", "initiatorBinding" : true, "selector" : "#messageview_5", "parameters" : { "disableLabelLinks" : "false", "truncateBodyRetainsHtml" : "false", "forceSearchRequestParameterForBlurbBuilder" : "false", "kudosLinksDisabled" : "false", "useSubjectIcons" : "true", "quiltName" : "ForumMessage", "truncateBody" : "true", "message" : "1277240", "includeRepliesModerationState" : "false", "useSimpleView" : "false", "useTruncatedSubject" : "true", "disableLinks" : "false", "messageViewOptions" : "1111110111111111111110111110100101001101", "displaySubject" : "true" }, "initiatorDataMatcher" : "data-lia-message-uid"});LITHIUM.MessageViewDisplay({"openEditsSelector":".lia-inline-message-edit","renderInlineFormEvent":"LITHIUM:renderInlineEditForm","componentId":"lineardisplaymessageviewwrapper_5","componentSelector":"#lineardisplaymessageviewwrapper_5","editEvent":"LITHIUM:editMessageViaAjax","collapseEvent":"LITHIUM:collapseInlineMessageEditor","messageId":1277240,"confimationText":"You have other message editors open and your data inside of them might be lost. Are you sure you want to proceed?","loaderSelector":"#lineardisplaymessageviewwrapper_5 .lia-message-body-loader .lia-loader","expandedRepliesSelector":".lia-inline-message-reply-form-expanded"});LITHIUM.AjaxSupport({"ajaxOptionsParam":{"event":"LITHIUM:renderInlineEditForm"},"tokenId":"ajax","elementSelector":"#lineardisplaymessageviewwrapper_5","action":"renderInlineEditForm","feedbackSelector":"#lineardisplaymessageviewwrapper_5","url":"https://community.esri.com/t5/forums/v5/forumtopicpage.lineardisplay_4.lineardisplaymessageviewwrapper:renderinlineeditform?t:ac=board-id/arcgis-pro-questions/thread-id/67678","ajaxErrorEventName":"LITHIUM:ajaxError","token":"uCYrmAsClYJWm9UQcRBzrk60sSMFsEs-s1HiEhNAVdU."});LITHIUM.InformationBox({"updateFeedbackEvent":"LITHIUM:updateAjaxFeedback","componentSelector":"#informationbox_21","feedbackSelector":".InfoMessage"});LITHIUM.InformationBox({"updateFeedbackEvent":"LITHIUM:updateAjaxFeedback","componentSelector":"#informationbox_22","feedbackSelector":".InfoMessage"});LITHIUM.InformationBox({"updateFeedbackEvent":"LITHIUM:updateAjaxFeedback","componentSelector":"#informationbox_23","feedbackSelector":".InfoMessage"});LITHIUM.DropDownMenuVisibilityHandler({"selectors":{"menuSelector":"#actionMenuDropDown_7","menuItemsSelector":".lia-menu-dropdown-items"}});LITHIUM.MessageBodyDisplay('#bodyDisplay_6', '.lia-truncated-body-container', '#viewMoreLink', '.lia-full-body-container' );LITHIUM.InlineMessageReplyContainer({"openEditsSelector":".lia-inline-message-edit","renderEventParams":{"replyWrapperId":"replyWrapper_6","messageId":1276994,"messageActionsId":"messageActions_6"},"isRootMessage":false,"collapseEvent":"LITHIUM:collapseInlineMessageEditor","confimationText":"You have other message editors open and your data inside of them might be lost. Are you sure you want to proceed?","messageActionsSelector":"#messageActions_6","loaderSelector":"#loader","topicMessageSelector":".lia-forum-topic-message-gte-5","containerSelector":"#inlineMessageReplyContainer_6","loaderEnabled":false,"useSimpleEditor":false,"isReplyButtonDisabled":false,"linearDisplayViewSelector":".lia-linear-display-message-view","threadedDetailDisplayViewSelector":".lia-threaded-detail-display-message-view","replyEditorPlaceholderWrapperSelector":".lia-placeholder-wrapper","renderEvent":"LITHIUM:renderInlineMessageReply","expandedRepliesSelector":".lia-inline-message-reply-form-expanded","isLazyLoadEnabled":false,"layoutView":"linear","isAllowAnonUserToReply":true,"replyButtonSelector":".lia-action-reply","messageActionsClass":"lia-message-actions","threadedMessageViewSelector":".lia-threaded-display-message-view-wrapper","lazyLoadScriptsEvent":"LITHIUM:lazyLoadScripts","isGteForumV5":true});LITHIUM.AjaxSupport({"ajaxOptionsParam":{"event":"LITHIUM:renderInlineMessageReply"},"tokenId":"ajax","elementSelector":"#inlineMessageReplyContainer_6","action":"renderInlineMessageReply","feedbackSelector":"#inlineMessageReplyContainer_6","url":"https://community.esri.com/t5/forums/v5/forumtopicpage.inlinemessagereplycontainer:renderinlinemessagereply?t:ac=board-id/arcgis-pro-questions/thread-id/67678&t:cp=messages/contributions/messageeditorscontributionpage","ajaxErrorEventName":"LITHIUM:ajaxError","token":"e20NSpOPffOhClj5Eta_g3yRGXPYG7xJ97W3frvLoE4."});LITHIUM.AjaxSupport({"ajaxOptionsParam":{"event":"LITHIUM:lazyLoadScripts"},"tokenId":"ajax","elementSelector":"#inlineMessageReplyContainer_6","action":"lazyLoadScripts","feedbackSelector":"#inlineMessageReplyContainer_6","url":"https://community.esri.com/t5/forums/v5/forumtopicpage.inlinemessagereplycontainer:lazyloadscripts?t:ac=board-id/arcgis-pro-questions/thread-id/67678&t:cp=messages/contributions/messageeditorscontributionpage","ajaxErrorEventName":"LITHIUM:ajaxError","token":"AmHnBzUcg6hq2o9pGRkN-Ayl7AhLUWPwWQ19KkWZvp4."});LITHIUM.AjaxSupport.fromLink('#kudoEntity_6', 'kudoEntity', '#ajaxfeedback_6', 'LITHIUM:ajaxError', {}, '9jritJ256laeoWInWRHvfP0qGilsDpq9jJKQWb0Mdm0.', 'ajax');LITHIUM.AjaxSupport.ComponentEvents.set({ "eventActions" : [ { "event" : "kudoEntity", "actions" : [ { "context" : "envParam:entity", "action" : "rerender" } ] } ], "componentId" : "kudos.widget.button", "initiatorBinding" : true, "selector" : "#kudosButtonV2_6", "parameters" : { "displayStyle" : "horizontal", "disallowZeroCount" : "false", "revokeMode" : "true", "kudosable" : "true", "showCountOnly" : "false", "disableKudosForAnonUser" : "false", "useCountToKudo" : "false", "entity" : "1276994", "linkDisabled" : "false" }, "initiatorDataMatcher" : "data-lia-kudos-id"});LITHIUM.AjaxSupport.ComponentEvents.set({ "eventActions" : [ { "event" : "approveMessage", "actions" : [ { "context" : "", "action" : "rerender" }, { "context" : "", "action" : "pulsate" } ] }, { "event" : "unapproveMessage", "actions" : [ { "context" : "", "action" : "rerender" }, { "context" : "", "action" : "pulsate" } ] }, { "event" : "deleteMessage", "actions" : [ { "context" : "lia-deleted-state", "action" : "addClassName" }, { "context" : "", "action" : "pulsate" } ] }, { "event" : "QuickReply", "actions" : [ { "context" : "envParam:feedbackData", "action" : "rerender" } ] }, { "event" : "expandMessage", "actions" : [ { "context" : "envParam:quiltName,expandedQuiltName", "action" : "rerender" } ] }, { "event" : "ProductAnswer", "actions" : [ { "context" : "envParam:quiltName", "action" : "rerender" } ] }, { "event" : "ProductAnswerComment", "actions" : [ { "context" : "envParam:selectedMessage", "action" : "rerender" } ] }, { "event" : "editProductMessage", "actions" : [ { "context" : "envParam:quiltName,message", "action" : "rerender" } ] }, { "event" : "MessagesWidgetEditAction", "actions" : [ { "context" : "envParam:quiltName,message,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "ProductMessageEdit", "actions" : [ { "context" : "envParam:quiltName", "action" : "rerender" } ] }, { "event" : "MessagesWidgetMessageEdit", "actions" : [ { "context" : "envParam:quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "AcceptSolutionAction", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "RevokeSolutionAction", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "addThreadUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "removeThreadUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "addMessageUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "removeMessageUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "markAsSpamWithoutRedirect", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "MessagesWidgetAnswerForm", "actions" : [ { "context" : "envParam:messageUid,page,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "MessagesWidgetEditAnswerForm", "actions" : [ { "context" : "envParam:messageUid,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "MessagesWidgetCommentForm", "actions" : [ { "context" : "envParam:messageUid,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "MessagesWidgetEditCommentForm", "actions" : [ { "context" : "envParam:messageUid,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] } ], "componentId" : "forums.widget.message-view", "initiatorBinding" : true, "selector" : "#messageview_6", "parameters" : { "disableLabelLinks" : "false", "truncateBodyRetainsHtml" : "false", "forceSearchRequestParameterForBlurbBuilder" : "false", "kudosLinksDisabled" : "false", "useSubjectIcons" : "true", "quiltName" : "ForumMessage", "truncateBody" : "true", "message" : "1276994", "includeRepliesModerationState" : "false", "useSimpleView" : "false", "useTruncatedSubject" : "true", "disableLinks" : "false", "messageViewOptions" : "1111110111111111111110111110100101001101", "displaySubject" : "true" }, "initiatorDataMatcher" : "data-lia-message-uid"});LITHIUM.MessageViewDisplay({"openEditsSelector":".lia-inline-message-edit","renderInlineFormEvent":"LITHIUM:renderInlineEditForm","componentId":"lineardisplaymessageviewwrapper_6","componentSelector":"#lineardisplaymessageviewwrapper_6","editEvent":"LITHIUM:editMessageViaAjax","collapseEvent":"LITHIUM:collapseInlineMessageEditor","messageId":1276994,"confimationText":"You have other message editors open and your data inside of them might be lost. Are you sure you want to proceed?","loaderSelector":"#lineardisplaymessageviewwrapper_6 .lia-message-body-loader .lia-loader","expandedRepliesSelector":".lia-inline-message-reply-form-expanded"});LITHIUM.AjaxSupport({"ajaxOptionsParam":{"event":"LITHIUM:renderInlineEditForm"},"tokenId":"ajax","elementSelector":"#lineardisplaymessageviewwrapper_6","action":"renderInlineEditForm","feedbackSelector":"#lineardisplaymessageviewwrapper_6","url":"https://community.esri.com/t5/forums/v5/forumtopicpage.lineardisplay_4.lineardisplaymessageviewwrapper:renderinlineeditform?t:ac=board-id/arcgis-pro-questions/thread-id/67678","ajaxErrorEventName":"LITHIUM:ajaxError","token":"IE8DEQxymRzygUy_qR8vPHd_1wQjPZXUuQk8Iv_J6D8."});LITHIUM.InformationBox({"updateFeedbackEvent":"LITHIUM:updateAjaxFeedback","componentSelector":"#informationbox_24","feedbackSelector":".InfoMessage"});LITHIUM.InformationBox({"updateFeedbackEvent":"LITHIUM:updateAjaxFeedback","componentSelector":"#informationbox_25","feedbackSelector":".InfoMessage"});LITHIUM.InformationBox({"updateFeedbackEvent":"LITHIUM:updateAjaxFeedback","componentSelector":"#informationbox_26","feedbackSelector":".InfoMessage"});LITHIUM.DropDownMenuVisibilityHandler({"selectors":{"menuSelector":"#actionMenuDropDown_8","menuItemsSelector":".lia-menu-dropdown-items"}});LITHIUM.MessageBodyDisplay('#bodyDisplay_7', '.lia-truncated-body-container', '#viewMoreLink', '.lia-full-body-container' );LITHIUM.InlineMessageReplyContainer({"openEditsSelector":".lia-inline-message-edit","renderEventParams":{"replyWrapperId":"replyWrapper_7","messageId":1277238,"messageActionsId":"messageActions_7"},"isRootMessage":false,"collapseEvent":"LITHIUM:collapseInlineMessageEditor","confimationText":"You have other message editors open and your data inside of them might be lost. Are you sure you want to proceed?","messageActionsSelector":"#messageActions_7","loaderSelector":"#loader","topicMessageSelector":".lia-forum-topic-message-gte-5","containerSelector":"#inlineMessageReplyContainer_7","loaderEnabled":false,"useSimpleEditor":false,"isReplyButtonDisabled":false,"linearDisplayViewSelector":".lia-linear-display-message-view","threadedDetailDisplayViewSelector":".lia-threaded-detail-display-message-view","replyEditorPlaceholderWrapperSelector":".lia-placeholder-wrapper","renderEvent":"LITHIUM:renderInlineMessageReply","expandedRepliesSelector":".lia-inline-message-reply-form-expanded","isLazyLoadEnabled":false,"layoutView":"linear","isAllowAnonUserToReply":true,"replyButtonSelector":".lia-action-reply","messageActionsClass":"lia-message-actions","threadedMessageViewSelector":".lia-threaded-display-message-view-wrapper","lazyLoadScriptsEvent":"LITHIUM:lazyLoadScripts","isGteForumV5":true});LITHIUM.AjaxSupport({"ajaxOptionsParam":{"event":"LITHIUM:renderInlineMessageReply"},"tokenId":"ajax","elementSelector":"#inlineMessageReplyContainer_7","action":"renderInlineMessageReply","feedbackSelector":"#inlineMessageReplyContainer_7","url":"https://community.esri.com/t5/forums/v5/forumtopicpage.inlinemessagereplycontainer:renderinlinemessagereply?t:ac=board-id/arcgis-pro-questions/thread-id/67678&t:cp=messages/contributions/messageeditorscontributionpage","ajaxErrorEventName":"LITHIUM:ajaxError","token":"I1AqjoEkiV1EsmyPcZCiiFkgcocBreJ4Ce0Bc-U2KUc."});LITHIUM.AjaxSupport({"ajaxOptionsParam":{"event":"LITHIUM:lazyLoadScripts"},"tokenId":"ajax","elementSelector":"#inlineMessageReplyContainer_7","action":"lazyLoadScripts","feedbackSelector":"#inlineMessageReplyContainer_7","url":"https://community.esri.com/t5/forums/v5/forumtopicpage.inlinemessagereplycontainer:lazyloadscripts?t:ac=board-id/arcgis-pro-questions/thread-id/67678&t:cp=messages/contributions/messageeditorscontributionpage","ajaxErrorEventName":"LITHIUM:ajaxError","token":"VMQcPpm3YO6NuM405Orl_4t3botvuPkAaE0ElSuIs3M."});LITHIUM.AjaxSupport.fromLink('#kudoEntity_7', 'kudoEntity', '#ajaxfeedback_7', 'LITHIUM:ajaxError', {}, 'BmC0GPhxFPkJgHCAnC7_ZiKD_qMyx285yOOTMke_nac.', 'ajax');LITHIUM.AjaxSupport.ComponentEvents.set({ "eventActions" : [ { "event" : "kudoEntity", "actions" : [ { "context" : "envParam:entity", "action" : "rerender" } ] } ], "componentId" : "kudos.widget.button", "initiatorBinding" : true, "selector" : "#kudosButtonV2_7", "parameters" : { "displayStyle" : "horizontal", "disallowZeroCount" : "false", "revokeMode" : "true", "kudosable" : "true", "showCountOnly" : "false", "disableKudosForAnonUser" : "false", "useCountToKudo" : "false", "entity" : "1277238", "linkDisabled" : "false" }, "initiatorDataMatcher" : "data-lia-kudos-id"});LITHIUM.AjaxSupport.ComponentEvents.set({ "eventActions" : [ { "event" : "approveMessage", "actions" : [ { "context" : "", "action" : "rerender" }, { "context" : "", "action" : "pulsate" } ] }, { "event" : "unapproveMessage", "actions" : [ { "context" : "", "action" : "rerender" }, { "context" : "", "action" : "pulsate" } ] }, { "event" : "deleteMessage", "actions" : [ { "context" : "lia-deleted-state", "action" : "addClassName" }, { "context" : "", "action" : "pulsate" } ] }, { "event" : "QuickReply", "actions" : [ { "context" : "envParam:feedbackData", "action" : "rerender" } ] }, { "event" : "expandMessage", "actions" : [ { "context" : "envParam:quiltName,expandedQuiltName", "action" : "rerender" } ] }, { "event" : "ProductAnswer", "actions" : [ { "context" : "envParam:quiltName", "action" : "rerender" } ] }, { "event" : "ProductAnswerComment", "actions" : [ { "context" : "envParam:selectedMessage", "action" : "rerender" } ] }, { "event" : "editProductMessage", "actions" : [ { "context" : "envParam:quiltName,message", "action" : "rerender" } ] }, { "event" : "MessagesWidgetEditAction", "actions" : [ { "context" : "envParam:quiltName,message,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "ProductMessageEdit", "actions" : [ { "context" : "envParam:quiltName", "action" : "rerender" } ] }, { "event" : "MessagesWidgetMessageEdit", "actions" : [ { "context" : "envParam:quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "AcceptSolutionAction", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "RevokeSolutionAction", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "addThreadUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "removeThreadUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "addMessageUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "removeMessageUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "markAsSpamWithoutRedirect", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "MessagesWidgetAnswerForm", "actions" : [ { "context" : "envParam:messageUid,page,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "MessagesWidgetEditAnswerForm", "actions" : [ { "context" : "envParam:messageUid,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "MessagesWidgetCommentForm", "actions" : [ { "context" : "envParam:messageUid,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "MessagesWidgetEditCommentForm", "actions" : [ { "context" : "envParam:messageUid,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] } ], "componentId" : "forums.widget.message-view", "initiatorBinding" : true, "selector" : "#messageview_7", "parameters" : { "disableLabelLinks" : "false", "truncateBodyRetainsHtml" : "false", "forceSearchRequestParameterForBlurbBuilder" : "false", "kudosLinksDisabled" : "false", "useSubjectIcons" : "true", "quiltName" : "ForumMessage", "truncateBody" : "true", "message" : "1277238", "includeRepliesModerationState" : "false", "useSimpleView" : "false", "useTruncatedSubject" : "true", "disableLinks" : "false", "messageViewOptions" : "1111110111111111111110111110100101001101", "displaySubject" : "true" }, "initiatorDataMatcher" : "data-lia-message-uid"});LITHIUM.MessageViewDisplay({"openEditsSelector":".lia-inline-message-edit","renderInlineFormEvent":"LITHIUM:renderInlineEditForm","componentId":"lineardisplaymessageviewwrapper_7","componentSelector":"#lineardisplaymessageviewwrapper_7","editEvent":"LITHIUM:editMessageViaAjax","collapseEvent":"LITHIUM:collapseInlineMessageEditor","messageId":1277238,"confimationText":"You have other message editors open and your data inside of them might be lost. Are you sure you want to proceed?","loaderSelector":"#lineardisplaymessageviewwrapper_7 .lia-message-body-loader .lia-loader","expandedRepliesSelector":".lia-inline-message-reply-form-expanded"});LITHIUM.AjaxSupport({"ajaxOptionsParam":{"event":"LITHIUM:renderInlineEditForm"},"tokenId":"ajax","elementSelector":"#lineardisplaymessageviewwrapper_7","action":"renderInlineEditForm","feedbackSelector":"#lineardisplaymessageviewwrapper_7","url":"https://community.esri.com/t5/forums/v5/forumtopicpage.lineardisplay_4.lineardisplaymessageviewwrapper:renderinlineeditform?t:ac=board-id/arcgis-pro-questions/thread-id/67678","ajaxErrorEventName":"LITHIUM:ajaxError","token":"a4EVQOwwq-q131quwXv0raOZZSTQoDe7qzEM1SknHKk."});LITHIUM.InformationBox({"updateFeedbackEvent":"LITHIUM:updateAjaxFeedback","componentSelector":"#informationbox_27","feedbackSelector":".InfoMessage"});LITHIUM.InformationBox({"updateFeedbackEvent":"LITHIUM:updateAjaxFeedback","componentSelector":"#informationbox_28","feedbackSelector":".InfoMessage"});LITHIUM.InformationBox({"updateFeedbackEvent":"LITHIUM:updateAjaxFeedback","componentSelector":"#informationbox_29","feedbackSelector":".InfoMessage"});LITHIUM.DropDownMenuVisibilityHandler({"selectors":{"menuSelector":"#actionMenuDropDown_9","menuItemsSelector":".lia-menu-dropdown-items"}});LITHIUM.MessageBodyDisplay('#bodyDisplay_8', '.lia-truncated-body-container', '#viewMoreLink', '.lia-full-body-container' );LITHIUM.InlineMessageReplyContainer({"openEditsSelector":".lia-inline-message-edit","renderEventParams":{"replyWrapperId":"replyWrapper_8","messageId":1277330,"messageActionsId":"messageActions_8"},"isRootMessage":false,"collapseEvent":"LITHIUM:collapseInlineMessageEditor","confimationText":"You have other message editors open and your data inside of them might be lost. Are you sure you want to proceed?","messageActionsSelector":"#messageActions_8","loaderSelector":"#loader","topicMessageSelector":".lia-forum-topic-message-gte-5","containerSelector":"#inlineMessageReplyContainer_8","loaderEnabled":false,"useSimpleEditor":false,"isReplyButtonDisabled":false,"linearDisplayViewSelector":".lia-linear-display-message-view","threadedDetailDisplayViewSelector":".lia-threaded-detail-display-message-view","replyEditorPlaceholderWrapperSelector":".lia-placeholder-wrapper","renderEvent":"LITHIUM:renderInlineMessageReply","expandedRepliesSelector":".lia-inline-message-reply-form-expanded","isLazyLoadEnabled":false,"layoutView":"linear","isAllowAnonUserToReply":true,"replyButtonSelector":".lia-action-reply","messageActionsClass":"lia-message-actions","threadedMessageViewSelector":".lia-threaded-display-message-view-wrapper","lazyLoadScriptsEvent":"LITHIUM:lazyLoadScripts","isGteForumV5":true});LITHIUM.AjaxSupport({"ajaxOptionsParam":{"event":"LITHIUM:renderInlineMessageReply"},"tokenId":"ajax","elementSelector":"#inlineMessageReplyContainer_8","action":"renderInlineMessageReply","feedbackSelector":"#inlineMessageReplyContainer_8","url":"https://community.esri.com/t5/forums/v5/forumtopicpage.inlinemessagereplycontainer:renderinlinemessagereply?t:ac=board-id/arcgis-pro-questions/thread-id/67678&t:cp=messages/contributions/messageeditorscontributionpage","ajaxErrorEventName":"LITHIUM:ajaxError","token":"O23VfuyrjpuI423QD8vBHF2zLi5t7Mvta_qRTmuvTo0."});LITHIUM.AjaxSupport({"ajaxOptionsParam":{"event":"LITHIUM:lazyLoadScripts"},"tokenId":"ajax","elementSelector":"#inlineMessageReplyContainer_8","action":"lazyLoadScripts","feedbackSelector":"#inlineMessageReplyContainer_8","url":"https://community.esri.com/t5/forums/v5/forumtopicpage.inlinemessagereplycontainer:lazyloadscripts?t:ac=board-id/arcgis-pro-questions/thread-id/67678&t:cp=messages/contributions/messageeditorscontributionpage","ajaxErrorEventName":"LITHIUM:ajaxError","token":"_VsgPcgXQtCwk0tvmV1dnG3PtRlORS040u11wChgGpw."});LITHIUM.AjaxSupport.fromLink('#kudoEntity_8', 'kudoEntity', '#ajaxfeedback_8', 'LITHIUM:ajaxError', {}, '6dOvyL3YmgsrixlV9qiLe1mh-gOJRLsW0c3RJO-fHhI.', 'ajax');LITHIUM.AjaxSupport.ComponentEvents.set({ "eventActions" : [ { "event" : "kudoEntity", "actions" : [ { "context" : "envParam:entity", "action" : "rerender" } ] } ], "componentId" : "kudos.widget.button", "initiatorBinding" : true, "selector" : "#kudosButtonV2_8", "parameters" : { "displayStyle" : "horizontal", "disallowZeroCount" : "false", "revokeMode" : "true", "kudosable" : "true", "showCountOnly" : "false", "disableKudosForAnonUser" : "false", "useCountToKudo" : "false", "entity" : "1277330", "linkDisabled" : "false" }, "initiatorDataMatcher" : "data-lia-kudos-id"});LITHIUM.AjaxSupport.ComponentEvents.set({ "eventActions" : [ { "event" : "approveMessage", "actions" : [ { "context" : "", "action" : "rerender" }, { "context" : "", "action" : "pulsate" } ] }, { "event" : "unapproveMessage", "actions" : [ { "context" : "", "action" : "rerender" }, { "context" : "", "action" : "pulsate" } ] }, { "event" : "deleteMessage", "actions" : [ { "context" : "lia-deleted-state", "action" : "addClassName" }, { "context" : "", "action" : "pulsate" } ] }, { "event" : "QuickReply", "actions" : [ { "context" : "envParam:feedbackData", "action" : "rerender" } ] }, { "event" : "expandMessage", "actions" : [ { "context" : "envParam:quiltName,expandedQuiltName", "action" : "rerender" } ] }, { "event" : "ProductAnswer", "actions" : [ { "context" : "envParam:quiltName", "action" : "rerender" } ] }, { "event" : "ProductAnswerComment", "actions" : [ { "context" : "envParam:selectedMessage", "action" : "rerender" } ] }, { "event" : "editProductMessage", "actions" : [ { "context" : "envParam:quiltName,message", "action" : "rerender" } ] }, { "event" : "MessagesWidgetEditAction", "actions" : [ { "context" : "envParam:quiltName,message,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "ProductMessageEdit", "actions" : [ { "context" : "envParam:quiltName", "action" : "rerender" } ] }, { "event" : "MessagesWidgetMessageEdit", "actions" : [ { "context" : "envParam:quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "AcceptSolutionAction", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "RevokeSolutionAction", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "addThreadUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "removeThreadUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "addMessageUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "removeMessageUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "markAsSpamWithoutRedirect", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "MessagesWidgetAnswerForm", "actions" : [ { "context" : "envParam:messageUid,page,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "MessagesWidgetEditAnswerForm", "actions" : [ { "context" : "envParam:messageUid,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "MessagesWidgetCommentForm", "actions" : [ { "context" : "envParam:messageUid,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "MessagesWidgetEditCommentForm", "actions" : [ { "context" : "envParam:messageUid,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] } ], "componentId" : "forums.widget.message-view", "initiatorBinding" : true, "selector" : "#messageview_8", "parameters" : { "disableLabelLinks" : "false", "truncateBodyRetainsHtml" : "false", "forceSearchRequestParameterForBlurbBuilder" : "false", "kudosLinksDisabled" : "false", "useSubjectIcons" : "true", "quiltName" : "ForumMessage", "truncateBody" : "true", "message" : "1277330", "includeRepliesModerationState" : "false", "useSimpleView" : "false", "useTruncatedSubject" : "true", "disableLinks" : "false", "messageViewOptions" : "1111110111111111111110111110100101001101", "displaySubject" : "true" }, "initiatorDataMatcher" : "data-lia-message-uid"});LITHIUM.MessageViewDisplay({"openEditsSelector":".lia-inline-message-edit","renderInlineFormEvent":"LITHIUM:renderInlineEditForm","componentId":"lineardisplaymessageviewwrapper_8","componentSelector":"#lineardisplaymessageviewwrapper_8","editEvent":"LITHIUM:editMessageViaAjax","collapseEvent":"LITHIUM:collapseInlineMessageEditor","messageId":1277330,"confimationText":"You have other message editors open and your data inside of them might be lost. Are you sure you want to proceed?","loaderSelector":"#lineardisplaymessageviewwrapper_8 .lia-message-body-loader .lia-loader","expandedRepliesSelector":".lia-inline-message-reply-form-expanded"});LITHIUM.AjaxSupport({"ajaxOptionsParam":{"event":"LITHIUM:renderInlineEditForm"},"tokenId":"ajax","elementSelector":"#lineardisplaymessageviewwrapper_8","action":"renderInlineEditForm","feedbackSelector":"#lineardisplaymessageviewwrapper_8","url":"https://community.esri.com/t5/forums/v5/forumtopicpage.lineardisplay_4.lineardisplaymessageviewwrapper:renderinlineeditform?t:ac=board-id/arcgis-pro-questions/thread-id/67678","ajaxErrorEventName":"LITHIUM:ajaxError","token":"OyUPO5kqqt3CVHWafB8wFc8QR_WVv3ZK4kc23OGSZBQ."});LITHIUM.InformationBox({"updateFeedbackEvent":"LITHIUM:updateAjaxFeedback","componentSelector":"#informationbox_30","feedbackSelector":".InfoMessage"});LITHIUM.InformationBox({"updateFeedbackEvent":"LITHIUM:updateAjaxFeedback","componentSelector":"#informationbox_31","feedbackSelector":".InfoMessage"});LITHIUM.InformationBox({"updateFeedbackEvent":"LITHIUM:updateAjaxFeedback","componentSelector":"#informationbox_32","feedbackSelector":".InfoMessage"});LITHIUM.DropDownMenuVisibilityHandler({"selectors":{"menuSelector":"#actionMenuDropDown_10","menuItemsSelector":".lia-menu-dropdown-items"}});LITHIUM.MessageBodyDisplay('#bodyDisplay_9', '.lia-truncated-body-container', '#viewMoreLink', '.lia-full-body-container' );LITHIUM.InlineMessageReplyContainer({"openEditsSelector":".lia-inline-message-edit","renderEventParams":{"replyWrapperId":"replyWrapper_9","messageId":1278094,"messageActionsId":"messageActions_9"},"isRootMessage":false,"collapseEvent":"LITHIUM:collapseInlineMessageEditor","confimationText":"You have other message editors open and your data inside of them might be lost. Are you sure you want to proceed?","messageActionsSelector":"#messageActions_9","loaderSelector":"#loader","topicMessageSelector":".lia-forum-topic-message-gte-5","containerSelector":"#inlineMessageReplyContainer_9","loaderEnabled":false,"useSimpleEditor":false,"isReplyButtonDisabled":false,"linearDisplayViewSelector":".lia-linear-display-message-view","threadedDetailDisplayViewSelector":".lia-threaded-detail-display-message-view","replyEditorPlaceholderWrapperSelector":".lia-placeholder-wrapper","renderEvent":"LITHIUM:renderInlineMessageReply","expandedRepliesSelector":".lia-inline-message-reply-form-expanded","isLazyLoadEnabled":false,"layoutView":"linear","isAllowAnonUserToReply":true,"replyButtonSelector":".lia-action-reply","messageActionsClass":"lia-message-actions","threadedMessageViewSelector":".lia-threaded-display-message-view-wrapper","lazyLoadScriptsEvent":"LITHIUM:lazyLoadScripts","isGteForumV5":true});LITHIUM.AjaxSupport({"ajaxOptionsParam":{"event":"LITHIUM:renderInlineMessageReply"},"tokenId":"ajax","elementSelector":"#inlineMessageReplyContainer_9","action":"renderInlineMessageReply","feedbackSelector":"#inlineMessageReplyContainer_9","url":"https://community.esri.com/t5/forums/v5/forumtopicpage.inlinemessagereplycontainer:renderinlinemessagereply?t:ac=board-id/arcgis-pro-questions/thread-id/67678&t:cp=messages/contributions/messageeditorscontributionpage","ajaxErrorEventName":"LITHIUM:ajaxError","token":"XxRw1ODbqEiKFvSK9VJOJNTWy4ljFv4XwlU5iZiLyhA."});LITHIUM.AjaxSupport({"ajaxOptionsParam":{"event":"LITHIUM:lazyLoadScripts"},"tokenId":"ajax","elementSelector":"#inlineMessageReplyContainer_9","action":"lazyLoadScripts","feedbackSelector":"#inlineMessageReplyContainer_9","url":"https://community.esri.com/t5/forums/v5/forumtopicpage.inlinemessagereplycontainer:lazyloadscripts?t:ac=board-id/arcgis-pro-questions/thread-id/67678&t:cp=messages/contributions/messageeditorscontributionpage","ajaxErrorEventName":"LITHIUM:ajaxError","token":"YNS1mWQDzjgapL8Zuymp2bSIOUH8zUnkoBUCsidfcmU."});LITHIUM.AjaxSupport.fromLink('#kudoEntity_9', 'kudoEntity', '#ajaxfeedback_9', 'LITHIUM:ajaxError', {}, '0e0RtYt5l7-juHk_RUde3PRXwWy-Tb9I4J4zZCQ0qVY.', 'ajax');LITHIUM.AjaxSupport.ComponentEvents.set({ "eventActions" : [ { "event" : "kudoEntity", "actions" : [ { "context" : "envParam:entity", "action" : "rerender" } ] } ], "componentId" : "kudos.widget.button", "initiatorBinding" : true, "selector" : "#kudosButtonV2_9", "parameters" : { "displayStyle" : "horizontal", "disallowZeroCount" : "false", "revokeMode" : "true", "kudosable" : "true", "showCountOnly" : "false", "disableKudosForAnonUser" : "false", "useCountToKudo" : "false", "entity" : "1278094", "linkDisabled" : "false" }, "initiatorDataMatcher" : "data-lia-kudos-id"});LITHIUM.AjaxSupport.ComponentEvents.set({ "eventActions" : [ { "event" : "approveMessage", "actions" : [ { "context" : "", "action" : "rerender" }, { "context" : "", "action" : "pulsate" } ] }, { "event" : "unapproveMessage", "actions" : [ { "context" : "", "action" : "rerender" }, { "context" : "", "action" : "pulsate" } ] }, { "event" : "deleteMessage", "actions" : [ { "context" : "lia-deleted-state", "action" : "addClassName" }, { "context" : "", "action" : "pulsate" } ] }, { "event" : "QuickReply", "actions" : [ { "context" : "envParam:feedbackData", "action" : "rerender" } ] }, { "event" : "expandMessage", "actions" : [ { "context" : "envParam:quiltName,expandedQuiltName", "action" : "rerender" } ] }, { "event" : "ProductAnswer", "actions" : [ { "context" : "envParam:quiltName", "action" : "rerender" } ] }, { "event" : "ProductAnswerComment", "actions" : [ { "context" : "envParam:selectedMessage", "action" : "rerender" } ] }, { "event" : "editProductMessage", "actions" : [ { "context" : "envParam:quiltName,message", "action" : "rerender" } ] }, { "event" : "MessagesWidgetEditAction", "actions" : [ { "context" : "envParam:quiltName,message,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "ProductMessageEdit", "actions" : [ { "context" : "envParam:quiltName", "action" : "rerender" } ] }, { "event" : "MessagesWidgetMessageEdit", "actions" : [ { "context" : "envParam:quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "AcceptSolutionAction", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "RevokeSolutionAction", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "addThreadUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "removeThreadUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "addMessageUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "removeMessageUserEmailSubscription", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "markAsSpamWithoutRedirect", "actions" : [ { "context" : "", "action" : "rerender" } ] }, { "event" : "MessagesWidgetAnswerForm", "actions" : [ { "context" : "envParam:messageUid,page,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "MessagesWidgetEditAnswerForm", "actions" : [ { "context" : "envParam:messageUid,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "MessagesWidgetCommentForm", "actions" : [ { "context" : "envParam:messageUid,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] }, { "event" : "MessagesWidgetEditCommentForm", "actions" : [ { "context" : "envParam:messageUid,quiltName,product,contextId,contextUrl", "action" : "rerender" } ] } ], "componentId" : "forums.widget.message-view", "initiatorBinding" : true, "selector" : "#messageview_9", "parameters" : { "disableLabelLinks" : "false", "truncateBodyRetainsHtml" : "false", "forceSearchRequestParameterForBlurbBuilder" : "false", "kudosLinksDisabled" : "false", "useSubjectIcons" : "true", "quiltName" : "ForumMessage", "truncateBody" : "true", "message" : "1278094", "includeRepliesModerationState" : "false", "useSimpleView" : "false", "useTruncatedSubject" : "true", "disableLinks" : "false", "messageViewOptions" : "1111110111111111111110111110100101001101", "displaySubject" : "true" }, "initiatorDataMatcher" : "data-lia-message-uid"});LITHIUM.MessageViewDisplay({"openEditsSelector":".lia-inline-message-edit","renderInlineFormEvent":"LITHIUM:renderInlineEditForm","componentId":"lineardisplaymessageviewwrapper_9","componentSelector":"#lineardisplaymessageviewwrapper_9","editEvent":"LITHIUM:editMessageViaAjax","collapseEvent":"LITHIUM:collapseInlineMessageEditor","messageId":1278094,"confimationText":"You have other message editors open and your data inside of them might be lost. Are you sure you want to proceed?","loaderSelector":"#lineardisplaymessageviewwrapper_9 .lia-message-body-loader .lia-loader","expandedRepliesSelector":".lia-inline-message-reply-form-expanded"});LITHIUM.AjaxSupport({"ajaxOptionsParam":{"event":"LITHIUM:renderInlineEditForm"},"tokenId":"ajax","elementSelector":"#lineardisplaymessageviewwrapper_9","action":"renderInlineEditForm","feedbackSelector":"#lineardisplaymessageviewwrapper_9","url":"https://community.esri.com/t5/forums/v5/forumtopicpage.lineardisplay_4.lineardisplaymessageviewwrapper:renderinlineeditform?t:ac=board-id/arcgis-pro-questions/thread-id/67678","ajaxErrorEventName":"LITHIUM:ajaxError","token":"B_VW02C5MNxFExfnL-egFQbLv19Z1SFF5OffbiNRb08."});LITHIUM.InlineMessageReplyEditor({"openEditsSelector":".lia-inline-message-edit","ajaxFeebackSelector":"#inlinemessagereplyeditor .lia-inline-ajax-feedback","collapseEvent":"LITHIUM:collapseInlineMessageEditor","confimationText":"You have other message editors open and your data inside of them might be lost. Are you sure you want to proceed?","topicMessageSelector":".lia-forum-topic-message-gte-5","focusEditor":false,"hidePlaceholderShowFormEvent":"LITHIUM:hidePlaceholderShowForm","formWrapperSelector":"#inlinemessagereplyeditor .lia-form-wrapper","reRenderInlineEditorEvent":"LITHIUM:reRenderInlineEditor","ajaxBeforeSendEvent":"LITHIUM:ajaxBeforeSend:InlineMessageReply","element":"input","clientIdSelector":"#inlinemessagereplyeditor","loadAutosaveAction":false,"newPostPlaceholderSelector":".lia-new-post-placeholder","placeholderWrapperSelector":"#inlinemessagereplyeditor .lia-placeholder-wrapper","messageId":1276372,"formSelector":"#inlinemessagereplyeditor","expandedClass":"lia-inline-message-reply-form-expanded","expandedRepliesSelector":".lia-inline-message-reply-form-expanded","newPostPlaceholderClass":"lia-new-post-placeholder","isLazyLoadEnabled":false,"editorLoadedEvent":"LITHIUM:editorLoaded","replyEditorPlaceholderWrapperCssClass":"lia-placeholder-wrapper","messageActionsClass":"lia-message-actions","cancelButtonSelector":"#inlinemessagereplyeditor .lia-button-Cancel-action","isGteForumV5":true,"messageViewWrapperSelector":".lia-linear-display-message-view","disabledReplyClass":"lia-inline-message-reply-disabled-reply"});LITHIUM.Text.set({"ajax.reRenderInlineEditor.loader.feedback.title":"Loading..."});LITHIUM.AjaxSupport({"ajaxOptionsParam":{"useLoader":true,"blockUI":"","event":"LITHIUM:reRenderInlineEditor","parameters":{"clientId":"inlinemessagereplyeditor"}},"tokenId":"ajax","elementSelector":"#inlinemessagereplyeditor","action":"reRenderInlineEditor","feedbackSelector":"#inlinemessagereplyeditor","url":"https://community.esri.com/t5/forums/v5/forumtopicpage.lineardisplay_4.inlinemessagereplyeditor:rerenderinlineeditor?t:ac=board-id/arcgis-pro-questions/thread-id/67678","ajaxErrorEventName":"LITHIUM:ajaxError","token":"RVZ4K97R6_y-HjHprhTneYoY1t0soDlC3Ht3fpQPMzg."});LITHIUM.InlineMessageEditor({"ajaxFeebackSelector":"#inlinemessagereplyeditor .lia-inline-ajax-feedback","submitButtonSelector":"#inlinemessagereplyeditor .lia-button-Submit-action"});LITHIUM.AjaxSupport({"ajaxOptionsParam":{"event":"LITHIUM:lazyLoadComponent","parameters":{"componentId":"messages.widget.emoticons-lazy-load-runner"}},"tokenId":"ajax","elementSelector":"#inlinemessagereplyeditor","action":"lazyLoadComponent","feedbackSelector":false,"url":"https://community.esri.com/t5/forums/v5/forumtopicpage.lineardisplay_4.inlinemessagereplyeditor:lazyloadcomponent?t:ac=board-id/arcgis-pro-questions/thread-id/67678","ajaxErrorEventName":"LITHIUM:ajaxError","token":"RC8Kdz0p6Kiv33JLU5lPFzPpgLtle3Wt98plTl0OEcU."});LITHIUM.lazyLoadComponent({"selectors":{"elementSelector":"#inlinemessagereplyeditor"},"events":{"lazyLoadComponentEvent":"LITHIUM:lazyLoadComponent"},"misc":{"isLazyLoadEnabled":false}});LITHIUM.InformationBox({"updateFeedbackEvent":"LITHIUM:updateAjaxFeedback","componentSelector":"#informationbox_33","feedbackSelector":".InfoMessage"});LITHIUM.CustomEvent('.lia-custom-event', 'click');LITHIUM.InformationBox({"updateFeedbackEvent":"LITHIUM:updateAjaxFeedback","componentSelector":"#informationbox_34","feedbackSelector":".InfoMessage"});LITHIUM.Components.renderInPlace('recommendations.widget.recommended-content-taplet', {"componentParams":"{\n \"mode\" : \"slim\",\n \"componentId\" : \"recommendations.widget.recommended-content-taplet\"\n}","componentId":"recommendations.widget.recommended-content-taplet"}, {"errorMessage":"An Unexpected Error has occurred.","type":"POST","url":"https://community.esri.com/t5/forums/v5/forumtopicpage.recommendedcontenttaplet:lazyrender?t:ac=board-id/arcgis-pro-questions/thread-id/67678&t:cp=recommendations/contributions/page"}, 'lazyload');LITHIUM.Components.renderInPlace('tags.widget.tag-cloud-actual', {"componentParams":"{}","componentId":"tags.widget.tag-cloud-actual"}, {"errorMessage":"An Unexpected Error has occurred.","type":"POST","url":"https://community.esri.com/t5/forums/v5/forumtopicpage.tagcloudtaplet:lazyrender?t:ac=board-id/arcgis-pro-questions/thread-id/67678&t:cp=tagging/contributions/page"}, 'lazyload_0');;(function($) {try {}//End try block catch(err) { console.log(err); }//End catch block })(LITHIUM.jQuery);;(function($) {$( window ).load(function() { sourceIdentifier();});$('body').on('DOMNodeInserted',function(event) {if($(event.target).hasClass("lia-component-messages-threaded-detail-message-list") || $(event.target).hasClass("MessageView")) {sourceIdentifier();}});function sourceIdentifier(){try{Array.prototype.removeDuplicates = function () { return this.filter(function (item, index, self) { return self.indexOf(item) == index; }); };var uid_size = $('.lia-message-view-wrapper').size();var uids ="";for (var i = 0; i < uid_size; i++) {var tid = $('.lia-message-view-wrapper')[i].dataset.liaMessageUid;if(tid != "undefined" && tid != undefined && tid != "null" && tid != null){if (uids =="") {uids += tid} else {uids +=',' + tid;}}}if("ForumTopicPage" == "OccasionPage"){var uid_size = $(".discussions .thread-discussion").size();for (var i = 0; i < uid_size; i++) {var message_ids = $(".discussions .thread-discussion")[i];var tid = $(message_ids).attr("id").split("-")[2];if(tid != "undefined" && tid != undefined && tid != "null" && tid != null){if (uids =="") {uids += tid} else {uids +=',' + tid;}}}}var threadId = "1276372";var list =uids.split(',');if(!list.includes(threadId)){if (uids == "") {uids += threadId;} else {uids +=',' + threadId;}}uids = uids.split(",").removeDuplicates().join(",");if (uids != "") {$.ajax({ type: 'GET', url: '/plugins/custom/esri/esri/cross_community_custom_field', "async": false, data: { "uids": uids, "request_type":"source_identifier" }, success: function(response) { //console.log(response); var json_obj = response; for (var i = 0; i < json_obj.msg_custom_field_list.length; i++) { if(json_obj.msg_custom_field_list[i].messages != ""){ if(!$(".message-uid-"+json_obj.msg_custom_field_list[i].id+" .lia-message-body").prev().hasClass("source-identifier")){ $(".message-uid-"+json_obj.msg_custom_field_list[i].id+" .lia-message-body").before("

"+json_obj.msg_custom_field_list[i].messages+"

"); }else{ if($(".message-uid-"+json_obj.msg_custom_field_list[i].id+" .lia-accepted-solution").length > 0){ var solution_len = $(".message-uid-"+json_obj.msg_custom_field_list[i].id+" .lia-accepted-solution"); for(var j=0;j"+json_obj.msg_custom_field_list[i].messages+""); }else{ $(".message-uid-"+json_obj.msg_custom_field_list[i].id+" .source-identifier").remove(); } } } } } } }, error: function(response) { //console.log(response); } });}}//End try block catch(err) { console.log("error:"+ err); }//End catch block}})(LITHIUM.jQuery);var mbasMessagesIconDetails = ""; function processSyndicatedData(res){ ;(function($) { var quiltObj = getQuiltDetails(); var iconDetails = {}; var iconDetailsArray =[]; if (quiltObj.isQuilt == true) { var uids = getmessageIds(quiltObj.get_ids_class); var resMsgArray = res.msg_custom_field_list; if(uids != ""){ uids.split(",").map(msgId => {var result = resMsgArray.filter(obj => { return obj.id === msgId});if(result != "" && result != null && result != undefined ){iconDetailsArray.push(result[0]);}});iconDetails.msg_custom_field_list = iconDetailsArray;appendSyndicationIcons(iconDetails, quiltObj.add_custom_data_class, quiltObj.reply_add_custom_data_class, quiltObj.quiltName); } } })(LITHIUM.jQuery); }function showSyndicationIcon(){}function getmessageIds(getMessageIdClassName){var uids = "";;(function($) {var get_id_length = $(getMessageIdClassName).length;//get all messages id'sfor (var j = 0; j < get_id_length; j++) {if($(".discussions .thread-discussion").length > 0){var threadId = "1276372"; var uid_size = $(".discussions .thread-discussion").size();for (var i = 0; i < uid_size; i++) {var div = $(".discussions .thread-discussion")[i];var tid = $(div).attr("id").split("-")[2];if(tid != "undefined" && tid != undefined && tid != "null" && tid != null){if (uids =="") {uids += tid} else {uids +=',' + tid;}}}var list =uids.split(',');if(!list.includes(threadId)){if (uids == "") {uids += threadId;} else {uids +=',' + threadId;}}}else{var threadId = "1276372";var list =uids.split(',');if(!list.includes(threadId)){if (uids == "") {uids += threadId;} else {uids +=',' + threadId;}}var tid = $(getMessageIdClassName)[j].dataset.liaMessageUid;if(tid != "undefined" && tid != undefined && tid != "null" && tid != null){if (uids == "") {uids += tid;} else {uids +=',' + tid;}}}}var threadId = "1276372";var list =uids.split(',');if(!list.includes(threadId)){if (uids == "") {uids += threadId;} else {uids +=',' + threadId;}}uids = [...new Set(uids.split(","))];})(LITHIUM.jQuery);return uids.join(",");}function getsyndicationIconDetails(MessageIds, boardID){var res="";;(function($) {if(MessageIds != "" || boardID != ""){$.ajax({ type: 'GET', url: '/plugins/custom/esri/esri/cross_community_custom_field', "async": false, data: { "uids": MessageIds, "request_type":"syndcation_icon", "boardID":boardID }, success: function(response) { //console.log(response); res = response; }, error: function(response) { //console.log(response); } });}})(LITHIUM.jQuery); return res;}function appendSyndicationIcons(jsonObj, classThreadLevel, classReplyLevel,quiltName){;(function($) {if(jsonObj != ""){$('.syndcation-message-icon').remove();for (var i = 0; i < jsonObj.msg_custom_field_list.length; i++) { var metadata_value = jsonObj.msg_custom_field_list[i].messages; var messages_id = jsonObj.msg_custom_field_list[i].id; var messageOriginType = jsonObj.msg_custom_field_list[i].messageOriginType; var sourceIconType = jsonObj.msg_custom_field_list[i].sourceIconType; // The message is target then will display the syndication icon if(messageOriginType == "target" || (messageOriginType == "source" && sourceIconType != "")){ var icon = document.createElement("img");icon.setAttribute("class" , "syndcation-message-icon");if(messageOriginType == "target"){icon.setAttribute("alt","Syndicated - Inbound");icon.setAttribute("title","Shared");icon.setAttribute("src","/html/assets/ics-data-transfer-img-cisco.png");}else if(messageOriginType == "source"){if(sourceIconType == "partialSyndication"){icon.setAttribute("alt","Partially syndicated - Outbound");icon.setAttribute("title","Shared");icon.setAttribute("src","/html/assets/ics-partial-syndication-img-cisco.png");}else if(sourceIconType == "fullSyndication"){icon.setAttribute("alt","Syndicated - Outbound");icon.setAttribute("title","Shared");icon.setAttribute("src","/html/assets/ics-fully-syndication-img-cisco.png");}} if("1276372" != messages_id){ if($(".thread-body.lia-message-body-content").length > 0){ $(icon).insertBefore($(classThreadLevel)[i]) }else{ $(icon).insertBefore($(".message-uid-"+messages_id+" "+classReplyLevel)[0]) } }else{ if(quiltName == "occasion-page-user-group-event"){$(".occasion-title-content").prepend(icon); }else{ $(icon).insertBefore($(classThreadLevel)[i]) } } } }//for loop end } })(LITHIUM.jQuery);}function getQuiltDetails(){var details = {"isQuilt":false};;(function($) {var quiltObj = JSON.parse('[{"add_class":".lia-messages-message-card a .message-subject","get_ids_class":".lia-messages-message-card a","quilt_name":"forum-page-video-gallery","reply_add_class":""},{"add_class":".lia-messages-message-card a .message-subject","get_ids_class":".lia-messages-message-card a","quilt_name":"forum-page-mbas-gallery","reply_add_class":""},{"add_class":".MessageSubject .MessageSubjectIcons","get_ids_class":".MessageList .lia-list-row .MessageSubject .lia-link-navigation","quilt_name":"forum-page","reply_add_class":""},{"add_class":".MessageSubject .MessageSubjectIcons","get_ids_class":".MessageList .lia-list-row .MessageSubject .lia-link-navigation","quilt_name":"tkb-page","reply_add_class":""},{"add_class":".lia-message-view-blog-message .lia-message-subject","get_ids_class":".lia-message-view-blog-message .MessageSubject .message-subject .lia-link-navigation","quilt_name":"blog-page","reply_add_class":""},{"add_class":".lia-message-subject .MessageSubject .MessageSubjectIcons","get_ids_class":".lia-message-subject .MessageSubject .lia-link-navigation","quilt_name":"idea-exchange-page","reply_add_class":""},{"add_class":".lia-message-subject h1","get_ids_class":".lia-message-view-wrapper","quilt_name":"forum-topic-page-video-gallery","reply_add_class":".lia-message-body-content"},{"add_class":".message-subject","get_ids_class":".lia-message-view-wrapper","quilt_name":"forum-topic-page","reply_add_class":".lia-message-body-content"},{"add_class":".message-subject","get_ids_class":".lia-message-view-wrapper","quilt_name":"tkb-article-page","reply_add_class":".lia-message-body-content"},{"add_class":".message-subject","get_ids_class":".lia-message-view-wrapper","quilt_name":"idea-page","reply_add_class":".lia-message-body-content"},{"add_class":".message-subject","get_ids_class":".lia-message-view-wrapper","quilt_name":"blog-article-page","reply_add_class":".lia-message-body-content"},{"add_class":".MessageSubject .MessageSubjectIcons","get_ids_class":".lia-message-view-wrapper","quilt_name":"search-page","reply_add_class":""},{"add_class":".lia-messages-message-card a .message-subject","get_ids_class":".lia-messages-message-card a","quilt_name":"forum-page-mbas","reply_add_class":""},{"add_class":".lia-message-subject h1","get_ids_class":".lia-message-view-wrapper","quilt_name":"forum-topic-page-mbas","reply_add_class":".lia-message-body-content"},{"add_class":".lia-messages-message-card a .message-subject","get_ids_class":".lia-messages-message-card a","quilt_name":"forum-page-gallery","reply_add_class":""},{"add_class":".lia-message-subject h1","get_ids_class":".lia-message-view-wrapper","quilt_name":"forum-topic-page-gallery","reply_add_class":".lia-message-body-content"}]');for (var i = 0; i < quiltObj.length; i++) {if ($(".lia-quilt-"+quiltObj[i].quilt_name).length > 0) {details.isQuilt = true;details.get_ids_class = quiltObj[i].get_ids_class;details.add_custom_data_class = quiltObj[i].add_class;details.reply_add_custom_data_class = quiltObj[i].reply_add_class;details.quiltName = quiltObj[i].quilt_name;}}})(LITHIUM.jQuery);return details};(function($) {try {$( window ).load(function() { syndicationIcon();});$('body').on('DOMNodeInserted',function(event) {if($(event.target).hasClass("lia-component-messages-threaded-detail-message-list")) {syndicationIcon();}});function syndicationIcon(){try {var quiltObj = getQuiltDetails();if (quiltObj.isQuilt == true) {var uids = getmessageIds(quiltObj.get_ids_class);var iconDetails = getsyndicationIconDetails(uids,"");appendSyndicationIcons(iconDetails, quiltObj.add_custom_data_class, quiltObj.reply_add_custom_data_class, quiltObj.quiltName);}}//End try block catch(err) { console.log(err); }//End catch block}}//End try block catch(err) { console.log(err); }//End catch block})(LITHIUM.jQuery); ;(function($) {$(document).ready(function() {var offset = 200, shown = false;$(window).scroll(function(){if ($(window).scrollTop() > offset) {if (!shown) {$('.li-common-scroll-to-wrapper').show().animate({opacity: 1}, 300);shown = true;}} else {if (shown) {$('.li-common-scroll-to-wrapper').animate({opacity: 0}, 300, function() { $(this).hide() });shown = false;}}});}); })(LITHIUM.jQuery);;(function($) { $(document).ready(function () { $('body').click(function() { $('.user-profile-card').hide(); }); $('body').on('click', 'a.lia-link-navigation.lia-page-link.lia-user-name-link,.UserAvatar.lia-link-navigation', function(evt) { if ($(this).parents('.lia-component-common-widget-user-avatar').length > 0) { return } if ($(this).parents('.lia-component-users-widget-menu').length > 0) { return; } evt.preventDefault(); evt.stopPropagation(); $('.user-profile-card').hide(); if ($('.user-profile-card', this).length > 0) { $('.user-profile-card', this).show(); return; } var divContainer = $('
'); $(this).append(divContainer); $(divContainer).fadeIn(); var userId = $(this).attr('href').replace(/.*\/user-id\//gi,''); var windowWidth = $(window).width(); var left = $(this).offset().left; var cardWidth = divContainer.outerWidth(); if ((left + cardWidth) > (windowWidth - 25)) { var adjustment = (left + cardWidth) - (windowWidth + 25) + 50; divContainer.css('left', (-1 * adjustment) + 'px'); } $.ajax({ url: '/plugins/custom/esri/esri/theme-lib.profile-card?tid=4749408011943487080', type: 'post', dataType: 'html', data: {"userId": userId}, beforeSend: function() {}, success: function(data) { $('.info-container', divContainer).append(data); }, error: function() { $('.info-container', divContainer).append(''); }, complete: function() { $('.spinner', divContainer).remove(); } }); }); $('body').on('click', '.user-profile-card', function(evt) { if (!$(evt.target).hasClass('profile-link')) { evt.preventDefault(); } evt.stopPropagation(); }); });})(LITHIUM.jQuery);LITHIUM.AjaxSupport({"ajaxOptionsParam":{"event":"LITHIUM:lightboxRenderComponent","parameters":{"componentParams":"{\n \"surveyType\" : {\n \"value\" : \"communityexperience\",\n \"class\" : \"java.lang.String\"\n },\n \"surveyId\" : {\n \"value\" : \"3\",\n \"class\" : \"java.lang.Integer\"\n },\n \"triggerSelector\" : {\n \"value\" : \"#valueSurveyLauncher\",\n \"class\" : \"lithium.util.css.CssSelector\"\n }\n}","componentId":"valuesurveys.widget.survey-prompt-dialog"},"trackableEvent":false},"tokenId":"ajax","elementSelector":"#valueSurveyLauncher","action":"lightboxRenderComponent","feedbackSelector":false,"url":"https://community.esri.com/t5/forums/v5/forumtopicpage.liabase.basebody.valuesurveylauncher.valuesurveylauncher:lightboxrendercomponent?t:ac=board-id/arcgis-pro-questions/thread-id/67678","ajaxErrorEventName":"LITHIUM:ajaxError","token":"gMA7bRrvSxWtfS57cYo8neSKcl9Qf3DGWJTSy9GPdnk."});LITHIUM.Dialog.options['-1231458400'] = {"contentContext":"valuesurveys.widget.survey-prompt-dialog","dialogOptions":{"minHeight":399,"draggable":false,"maxHeight":800,"resizable":false,"autoOpen":false,"width":610,"minWidth":610,"dialogClass":"lia-content lia-panel-dialog lia-panel-dialog-modal-simple lia-panel-dialog-modal-valuesurvey","position":["center","center"],"modal":true,"maxWidth":610,"ariaLabel":"Feedback for community"},"contentType":"ajax"};LITHIUM.Dialog({ "closeImageIconURL" : "https://community.esri.com/skins/images/DC373BD4D81AEF69620DC76ECCD1FF5B/responsive_peak/images/button_dialog_close.svg", "activecastFullscreen" : false, "dialogTitleHeadingLevel" : "2", "dropdownMenuSelector" : ".lia-menu-navigation-wrapper", "accessibility" : false, "triggerSelector" : ".lia-panel-dialog-trigger-event-click", "ajaxEvent" : "LITHIUM:lightboxRenderComponent", "focusOnDialogTriggerWhenClosed" : false, "closeEvent" : "LITHIUM:lightboxCloseEvent", "defaultAriaLabel" : "", "dropdownMenuOpenerSelector" : ".lia-js-menu-opener", "buttonDialogCloseAlt" : "Close", "dialogContentCssClass" : "lia-panel-dialog-content", "triggerEvent" : "click", "dialogKey" : "dialogKey"});LITHIUM.ValueSurveyLauncher({"detectPopUpCSS":".lia-dialog-open","dialogLinkSelector":"#valueSurveyLauncher","launchDelay":1804569}); ;(function($) { $(document).ready(function() {$(".lia-form.lia-form-inline.SearchForm .lia-search-input-field").append('') $(".search-input.lia-search-input-message").keyup(function(ev) {var measureText = $(this).parent().find("span.esri-header-search-dialog-measure-text");var measureTextParent = measureText.parent();var inputPaddingRight = $(this).css("padding-right");if ($(this).parents(".dropdown-search").length == 0) {measureTextParent.css("max-width",measureTextParent.parent().parent()[0].offsetWidth - 30 + "px")} else {measureTextParent.css("max-width",measureTextParent.parent().parent()[0].offsetWidth + "px")} measureText.text(ev.target.value);measureTextParent.css("width", measureText[0].offsetWidth) }) }) })(LITHIUM.jQuery)LITHIUM.PartialRenderProxy({"limuirsComponentRenderedEvent":"LITHIUM:limuirsComponentRendered","relayEvent":"LITHIUM:partialRenderProxyRelay","listenerEvent":"LITHIUM:partialRenderProxy"});LITHIUM.AjaxSupport({"ajaxOptionsParam":{"event":"LITHIUM:partialRenderProxyRelay","parameters":{"javascript.ignore_combine_and_minify":"true"}},"tokenId":"ajax","elementSelector":document,"action":"partialRenderProxyRelay","feedbackSelector":false,"url":"https://community.esri.com/t5/forums/v5/forumtopicpage.liabase.basebody.partialrenderproxy:partialrenderproxyrelay?t:ac=board-id/arcgis-pro-questions/thread-id/67678","ajaxErrorEventName":"LITHIUM:ajaxError","token":"ra7pyy9k73EnWxQXJjeYq5gdvyJIJhMAcjANf00ol_s."});LITHIUM.Auth.API_URL = "/t5/util/authcheckpage";LITHIUM.Auth.LOGIN_URL_TMPL = "/plugins/common/feature/oauth2sso_v2/sso_login_redirect?referer=https%3A%2F%2FREPLACE_TEXT";LITHIUM.Auth.KEEP_ALIVE_URL = "/t5/status/blankpage?keepalive";LITHIUM.Auth.KEEP_ALIVE_TIME = 300000;LITHIUM.Auth.CHECK_SESSION_TOKEN = 'BcQY_AyHo2P-ROyGoFCDghF6xkwUzqH1bsuCtWHAYSw.';LITHIUM.AjaxSupport.useTickets = false;LITHIUM.Cache.CustomEvent.set([{"elementId":"link_41","stopTriggerEvent":false,"fireEvent":"LITHIUM:changePage","triggerEvent":"click","eventContext":{"parameters":{"page":2}}},{"elementId":"link_42","stopTriggerEvent":false,"fireEvent":"LITHIUM:changePage","triggerEvent":"click","eventContext":{"parameters":{"pageNavigationDirection":"next","page":2}}},{"elementId":"link_45","stopTriggerEvent":false,"fireEvent":"LITHIUM:changePage","triggerEvent":"click","eventContext":{"parameters":{"page":2}}},{"elementId":"link_46","stopTriggerEvent":false,"fireEvent":"LITHIUM:changePage","triggerEvent":"click","eventContext":{"parameters":{"pageNavigationDirection":"next","page":2}}}]);LITHIUM.Loader.runJsAttached();});// -->
Convert 3D Polylines from meters to feet (2024)

References

Top Articles
Latest Posts
Recommended Articles
Article information

Author: Amb. Frankie Simonis

Last Updated:

Views: 5998

Rating: 4.6 / 5 (56 voted)

Reviews: 87% of readers found this page helpful

Author information

Name: Amb. Frankie Simonis

Birthday: 1998-02-19

Address: 64841 Delmar Isle, North Wiley, OR 74073

Phone: +17844167847676

Job: Forward IT Agent

Hobby: LARPing, Kitesurfing, Sewing, Digital arts, Sand art, Gardening, Dance

Introduction: My name is Amb. Frankie Simonis, I am a hilarious, enchanting, energetic, cooperative, innocent, cute, joyous person who loves writing and wants to share my knowledge and understanding with you.