Microsoft & .NETASPWriting Active Server components in Visual Basic

Writing Active Server components in Visual Basic

Developer.com content and product recommendations are editorially independent. We may make money when you click on links to our partners. Learn More.


Active Server components are a feature of Microsoft Internet Information Server (IIS) that provide a framework for building compiled components that can be used within Web pages. Below are step-by-step instructions for building Active Server components in Visual Basic (VB) 5.0. The process involves Active Server Pages (ASP), another feature of IIS. ASP provides the ability to combine server-side scripting in the same file with HTML, allowing you to use Active Server components and create dynamic Web pages.

Tools

Here are the tools that you need to build Active Server components:

  • Windows NT Workstation 4.0
  • Visual Basic 5.0 Enterprise Edition
  • Internet Information Server 3.0 or later, or Peer Web Services (which is IIS for Windows NT Workstation)
  • duct tape (Just kidding.)

Note: You will want to install IIS on your workstation, because VB will need to reference some of the IIS libraries, and you may need to start and stop the Web server during testing.

Construction

Building an Active Server component is not hard. Here are the steps involved in the construction of a small component that performs some simple file IO operations and generates a little HTML:

  1. Create an ActiveX DLL project and set the name to “ASCExample”

  2. Add the following references:

    Microsoft Active Server Pages 1.0 Object Library

    Microsoft Scripting Runtime

  3. Add a new class to the project, and set the name to “FileIO”. (Note: This name plus the project name will be used to identify your component in the registry, for example “ASCExample.FileIO”).

  4. Add this code to the FileIO class.

  5. Save everything and compile. That’s it.

Testing

Testing your Active Server component is easy (although debugging can get tedious). A few lines of VBScript or JavaScript in an ASP page is all that is required. Here’s the test script:



ASCExample Tester

ASCExample Tester

<% ' Create a FileIO object. set objFileIO = Server.CreateObject("ASCExample.FileIO") %>


<% ' Get some help from the FileIO object. objFileIO.help %>


<% ' Create a file for testing. strLogFileName = "c:temptest.log" objFileIO.appendLine strLogFileName, "This is line 1." %>

strLogFileName = <%= strLogFileName %>
fileExists() => <%= CStr(objFileIO.fileExists(strLogFileName)) %>
fileSize() => <%= objFileIO.fileSize(strLogFileName) %> bytes
<% ' Delete the file. objFileIO.deleteFile(strLogFileName) %>


File deleted.
fileExists() => <%= CStr(objFileIO.fileExists(strLogFileName)) %>


[end]

(Note: The <% and %> are used to delimit the server-side scripting.)

To use the test script, do the following:

  • Save the script as a file called “ASCExampleTester.asp” in a Web directory that has execute permission.

  • Point your browser at


    http://localhost/<dir>/ASCExampleTester.asp</font>
    , where the <dir> tag is the name of the Web directory where


    ASCExampleTester.asp</font>
    resides.

When you run the test script, you should get the following output.

Implementation details

Basically, an Active Server component is just a VB class. What makes it different, though, is:

  • it is packaged into an ActiveX DLL.

  • it implements OnStartPage() and OneEndPage(), which are methods that are called by IIS.

OnStartPage() is called when the component is created and can be used to get references to objects that exist within the context of an ASP page. These objects can then be used for many purposes, such as writing HTML to the response that is sent to the client. This can be seen in the help() method.

OnEndPage() is called when the component is destroyed, which will happen when the current ASP page is completely processed. This method can be used to free resources, release object references (i.e., set them = Nothing), and do other clean up.

Additionally, you should notice that some of the members of the FileIO component are private and some are public. (There are no protected members, since VB does not support inheritance.) As you would expect, only the public members are visible to users of the component. Remember, though, that a good practice in OOP is to make all member variables private and implement public accessor methods for them (e.g., getFoo() and setFoo()).

Tips

Here are two tips that might be helpful when you build some of your own Active Server components:

  1. When you deploy your components to another server, you will have to copy the DLL to the IIS components directory (which is usually c:winntsystem32inetsrv???) and register the components. You register them with the registration utility, regsvr32.exe (e.g. regsvr32 ASCExample.dll). You don’t have to do this when developing, because VB registers the DLL for you at the end of compilation.

  2. When you use an Active Server component, IIS locks the DLL (don’t ask me why) and keeps it locked even after the ASP page is processed. If you then try to update the DLL, you will get an “access denied” error. The only way to release the lock is to stop the Web server. So, during development you may be stopping and re-starting the Web server a lot.

Summary

Building Active Server components is not hard, but it does require a high-end development platform that includes Visual Basic 5.0 Enterprise Edition and Internet Information Server running on Windows NT 4.0. In general, construction involves creating classes, implementing a couple of IIS-specific methods, and compiling them into an ActiveX DLL. Additionally, when you have built your components, using them is easier than building them and requires just a few lines of server-side scripting in a Web page.

Related links

Thornton Rose currently works in the MIS department at AGCO Corporation, where he is a software developer and the Webmaster for the intranet. He can be reached via e-mail at trose@avana.net.

ASCExample Tester


Class FileIO

Usage:

set o = Server.CreateObject(“ASCExample.FileIO”)

Methods:

  • help() – shows help
  • fileSize(strName) – returns size of named file
  • fileExists(strName) – returns True if named file exists
  • deleteFile(strName) – deletes named file
  • appendLine(strName, strLine) – appends line to file

strLogFileName = c:temptest.log
fileExists() => True
fileSize() => 17 bytes

File deleted.
fileExists() => False [end]


‘ Class FileIO

Option Explicit

Private objApplication As Application ‘ Reference to Application object
Private objResponse As Response ‘ Reference to Response object

‘ OnStartPage():

‘ This procedure is called when an instance of this class is created in an
‘ Active Server Page. It gets references to the Application and Response
‘ objects that are being used in the ASP page that created the instance of
‘ this class.

Public Sub OnStartPage(objScriptingContext As ScriptingContext)
Set objApplication = objScriptingContext.Application()
Set objResponse = objScriptingContext.Response()
End Sub

‘ OnEndPage():

‘ This procedure is called when an instance of this class is destroyed in
‘ an Active Server Page. It is used to clean up object references.

Public Sub OnEndPage()
Set objApplication = Nothing
Set objResponse = Nothing
End Sub

‘ help():

‘ Writes help information to the response stream.

Public Sub help()
objResponse.Write “

Class FileIO

” & vbCrLf
objResponse.Write “Usage:” & vbCrLf
objResponse.Write “

set o = Server.CreateObject(“”ASCExample.FileIO””)” & vbCrLf
objResponse.Write “

Methods:” & vbCrLf
objResponse.Write “

    ” & vbCrLf
    objResponse.Write “

  • help() – shows help” & vbCrLf
    objResponse.Write “

  • fileSize(strName) – returns size of named file” & vbCrLf
    objResponse.Write “

  • fileExists(strName) – returns True if named file exists” & vbCrLf
    objResponse.Write “

  • deleteFile(strName) – deletes named file” & vbCrLf
    objResponse.Write “

  • appendLine(strName, strLine) – appends line to file” & vbCrLf
    objResponse.Write “

” & vbCrLf
End Sub

‘ fileSize():

‘ Returns the size of the file with the given name.

Public Function fileSize(strFileName) As Long
fileSize = FileLen(strFileName)
End Function

‘ fileExists():

‘ Returns True if the specified file exists. Note that the given file
‘ specification can contain wildcard characters.

Public Function fileExists(strFileSpec) As Boolean
fileExists = (Dir(strFileSpec) <> “”)
End Function

‘ deleteFile():

‘ Deletes files that match the given file specification, which can include
‘ wildcard characters.

Public Sub deleteFile(strFileSpec)
Call Kill(strFileSpec)
End Sub

‘ appendLine():

‘ Appends a line to a text file (which is handy when working with log
‘ files.)

Public Sub appendLine(strFileName, strLine)
Dim objFileSystem As FileSystemObject
Dim objStream As TextStream

Set objFileSystem = New FileSystemObject
Set objStream = objFileSystem.OpenTextFile(strFileName, 8, True, False)
objStream.WriteLine strLine
objStream.Close
End Sub

‘ End Class FileIO
[end]
–>

  • Save everything and compile. That’s it.

    Testing

    Testing your Active Server component is easy (although debugging can get
    tedious). A few lines of VBScript or JavaScript in an ASP page is all
    that is required. Here’s the test script:

    </p> <p><html><br /> <head><br /> <title>ASCExample Tester</title><br /> </head></p> <h3>ASCExample Tester</h3> <p> <% ' Create a FileIO object. set objFileIO = Server.CreateObject("ASCExample.FileIO") %></p> <hr> <p> <% ' Get some help from the FileIO object. objFileIO.help %></p> <hr> <p> <% ' Create a file for testing. strLogFileName = "c:temptest.log" objFileIO.appendLine strLogFileName, "This is line 1." %><br /> <!-- Get the file info. --><br /> strLogFileName = <%= strLogFileName %><br /> fileExists() => <%= CStr(objFileIO.fileExists(strLogFileName)) %><br /> fileSize() => <%= objFileIO.fileSize(strLogFileName) %> bytes<br /> <% ' Delete the file. objFileIO.deleteFile(strLogFileName) %></p> <p> <!-- Check the file existance again. --><br /> File deleted.<br /> fileExists() => <%= CStr(objFileIO.fileExists(strLogFileName)) %><br /> </html><br /> [end]</p> <p></PRE></p> <p><!--end_section--></P></p> </div></div><div class="td_block_wrap tdb_single_post_share tdi_57 td-pb-border-top td_block_template_1" data-td-block-uid="tdi_57" > <style></style> <style></style><div id="tdi_57" class="td-post-sharing tdb-block td-ps-bg td-ps-padding td-ps-bar td-post-sharing-style6 "> <style></style> <div class="td-post-sharing-visible"><div class="td-social-sharing-button td-social-sharing-button-js td-social-handler td-social-share-text"> <div class="td-social-but-icon"><i class="td-icon-share"></i></div> <div class="td-social-but-text">Share</div> </div><a class="td-social-sharing-button td-social-sharing-button-js td-social-network td-social-facebook" href="https://www.facebook.com/sharer.php?u=https%3A%2F%2Fwww.developer.com%2Flanguages%2Fwriting-active-server-components-in-visual-basic%2F" title="Facebook" ><div class="td-social-but-icon"><i class="td-icon-facebook"></i></div><div class="td-social-but-text">Facebook</div></a><a class="td-social-sharing-button td-social-sharing-button-js td-social-network td-social-twitter" href="https://twitter.com/intent/tweet?text=Writing+Active+Server+components+in+Visual+Basic&url=https%3A%2F%2Fwww.developer.com%2Flanguages%2Fwriting-active-server-components-in-visual-basic%2F&via=Developer.com" title="Twitter" ><div class="td-social-but-icon"><i class="td-icon-twitter"></i></div><div class="td-social-but-text">Twitter</div></a><a class="td-social-sharing-button td-social-sharing-button-js td-social-network td-social-linkedin" href="https://www.linkedin.com/shareArticle?mini=true&url=https://www.developer.com/languages/writing-active-server-components-in-visual-basic/&title=Writing+Active+Server+components+in+Visual+Basic" title="Linkedin" ><div class="td-social-but-icon"><i class="td-icon-linkedin"></i></div><div class="td-social-but-text">Linkedin</div></a><a class="td-social-sharing-button td-social-sharing-button-js td-social-network td-social-mail" href="mailto:?subject=Writing Active Server components in Visual Basic&body=https://www.developer.com/languages/writing-active-server-components-in-visual-basic/" title="Email" ><div class="td-social-but-icon"><i class="td-icon-mail"></i></div><div class="td-social-but-text">Email</div></a></div><div class="td-social-sharing-hidden"><ul class="td-pulldown-filter-list"></ul><a class="td-social-sharing-button td-social-handler td-social-expand-tabs" href="#" data-block-uid="tdi_57" title="More"> <div class="td-social-but-icon"><i class="td-icon-plus td-social-expand-tabs-icon"></i></div> </a></div></div></div></div></div><div class="vc_column tdi_59 wpb_column vc_column_container tdc-column td-pb-span4 td-is-sticky"> <style scoped></style><div class="wpb_wrapper" data-sticky-offset="20" data-sticky-is-width-auto="W2ZhbHNlLGZhbHNlLGZhbHNlLGZhbHNlXQ=="><div class="wpb_wrapper td_block_wrap td_block_wrap tdb_single_current_post tdi_60 td-pb-border-top td_block_template_1"><div class="td-fix-index"> <div style=" --ta-campaign-plugin-primary: #333b73; --ta-campaign-plugin-button-text: #fff; --ta-campaign-plugin-button-hover-background: #929bc0; --ta-campaign-plugin-button-hover-text: #fff; --ta-campaign-plugin-button-toggle-background: #333b73; --ta-campaign-plugin-button-toggle-text: #929bc0; " data-ajax-url="https://www.developer.com/wp-admin/admin-ajax.php"> <div id="ta-campaign-widget-6605aeb0cd2fd" class="ta-campaign-widget ta-campaign-widget--sidebar" data-campaign-fields='{"properties":{"campaign_type":"sidebar","campaign_category":false,"sailthru_list":["developer-insider"],"appearance":{"colors":{"primary_color":"#333b73","button":{"button_text_color":"#fff","hover":{"button_hover_background_color":"#929bc0","button_hover_text_color":"#fff"},"toggle":{"button_toggle_background_color":"#333b73","button_toggle_text_color":"#929bc0"}}},"custom_scss":""},"behavior":{"opt_in_enabled":true},"language":{"tagline":"Get the Free Newsletter!","subtagline":"","content":"Subscribe to Developer Insider for top news, trends & analysis","email_placeholder":"Work Email Address","opt_in":"By signing up to receive our newsletter, you agree to our <a href=\"https:\/\/technologyadvice.com\/terms-conditions\/\">Terms of Use<\/a> and <a href=\"https:\/\/technologyadvice.com\/privacy-policy\/\">Privacy Policy<\/a>.","subscribe_button":"Subscribe"}},"identifier":"6605aeb0cd2fd","campaign_id":"60022","campaign_type":"sidebar","popup_type":null,"newsletters":["developer-insider"],"behavior":{"opt_in_enabled":true},"appearance":{"colors":{"primary":"#333b73","button":{"text":"#fff","hover":{"background":"#929bc0","text":"#fff"},"toggle":{"background":"#333b73","text":"#929bc0"}}},"custom_css":""},"language":{"tagline":"Get the Free Newsletter!","subtagline":"","content":"Subscribe to Developer Insider for top news, trends & analysis","email_placeholder":"Work Email Address","opt_in":"By signing up to receive our newsletter, you agree to our <a href=\"https:\/\/technologyadvice.com\/terms-conditions\/\">Terms of Use<\/a> and <a href=\"https:\/\/technologyadvice.com\/privacy-policy\/\">Privacy Policy<\/a>.","subscribe_button":"Subscribe"}}'> <div class="ta-campaign-widget__wrapper"> <div class="ta-campaign-widget__header mb-6"> <h3 class="ta-campaign-widget__tagline"> Get the Free Newsletter! </h3> <p class="ta-campaign-widget__content mt-6"> Subscribe to Developer Insider for top news, trends & analysis </p> </div> <form class="ta-campaign-widget__form"> <div class="ta-campaign-widget__input mb-4" data-field="email"> <label class="sr-only" for="email-6605aeb0cd2fd"> Email Address </label> <input class="ta-campaign-widget__input__text" placeholder="Work Email Address" id="email-6605aeb0cd2fd" name="email" type="email"> </div> <div class="ta-campaign-widget__checkbox mb-4" data-field="opt_in"> <div class="flex items-start"> <input id="opt-in-6605aeb0cd2fd" class="ta-campaign-widget__checkbox__input mr-2" name="opt-in" type="checkbox"/> <label class="ta-campaign-widget__checkbox__label" for="opt-in-6605aeb0cd2fd"> By signing up to receive our newsletter, you agree to our <a href="https://technologyadvice.com/terms-conditions/">Terms of Use</a> and <a href="https://technologyadvice.com/privacy-policy/">Privacy Policy</a>. </label> </div> </div> <button class="ta-campaign-widget__button" type="submit" > Subscribe </button> </form> </div> </div> </div> <style> </style></div></div><div class="td_block_wrap td_flex_block_1 tdi_61 td-h-effect-up-shadow td-pb-border-top _ntv_latest_posts_widget td_block_template_10 td_flex_block" data-td-block-uid="tdi_61" > <style></style> <style></style> <div class="tdi_61_rand_style td-element-style"><style></style></div><script>var block_tdi_61 = new tdBlock(); block_tdi_61.id = "tdi_61"; block_tdi_61.atts = '{"modules_on_row":"","modules_gap":"","image_width":"28","image_floated":"float_left","meta_padding":"0","image_radius":"8","image_height":"70","meta_info_horiz":"","modules_category":"","show_excerpt":"none","show_btn":"none","show_com":"none","show_author":"none","show_cat":"","image_size":"td_324x400","block_template_id":"td_block_template_10","f_title_font_line_height":"eyJhbGwiOiIxLjIiLCJwb3J0cmFpdCI6IjEuMSIsImxhbmRzY2FwZSI6IjEuMSIsInBob25lIjoiMS4xIn0=","f_title_font_family":"tk_1","f_title_font_size":"eyJhbGwiOiIxOCIsImxhbmRzY2FwZSI6IjE2IiwicG9ydHJhaXQiOiIxNCIsInBob25lIjoiMTYifQ==","f_title_font_weight":"eyJhbGwiOiI2MDAiLCJwb3J0cmFpdCI6IjYwMCJ9","f_cat_font_size":"eyJhbGwiOiIxNCIsImxhbmRzY2FwZSI6IjEwIiwicG9ydHJhaXQiOiI5IiwicGhvbmUiOiIxMCJ9","f_cat_font_weight":"600","f_cat_font_family":"tk_2","f_cat_font_transform":"capitalize","f_meta_font_size":"eyJhbGwiOiIxNCIsImxhbmRzY2FwZSI6IjEwIiwicG9ydHJhaXQiOiI5IiwicGhvbmUiOiIxMCJ9","f_meta_font_transform":"uppercase","f_meta_font_family":"tk_2","all_modules_space":"eyJhbGwiOiI0MiIsImxhbmRzY2FwZSI6IjM0IiwicG9ydHJhaXQiOiIyNCIsInBob25lIjoiMzIifQ==","meta_info_align":"center","art_title":"eyJhbGwiOiIwIDAgMTJweCIsImxhbmRzY2FwZSI6IjAgMCA4cHgiLCJwb3J0cmFpdCI6IjAgMCA2cHgiLCJwaG9uZSI6IjAgMCA4cHgifQ==","cat_txt":"#d78521","f_meta_font_weight":"600","tdc_css":"eyJhbGwiOnsiYmFja2dyb3VuZC1jb2xvciI6IiNmZmZmZmYiLCJkaXNwbGF5IjoiIn0sInBob25lIjp7ImRpc3BsYXkiOiIifSwicGhvbmVfbWF4X3dpZHRoIjo3Njd9","hide_image":"yes","modules_divider":"solid","title_txt":"#333b7e","custom_title":"Latest Posts","related_articles_posts_limit":"5","f_ex_font_family":"tk_2","f_btn_font_family":"tk_1","title_txt_hover":"#929bc0","cat_txt_hover":"#929bc0","header_text_color":"#333b7e","border_color":"#929bc0","f_header_font_size":"32","f_header_font_family":"tk_1","f_ajax_font_family":"tk_1","f_more_font_family":"tk_1","cat_border":"#d78521","cat_border_hover":"#929bc0","modules_cat_border":"1px","show_date":"none","show_review":"none","cat_bg":"#ffffff","cat_bg_hover":"#ffffff","h_effect":"up-shadow","el_class":"_ntv_latest_posts_widget","block_type":"td_flex_block_1","separator":"","custom_url":"","title_tag":"","mc1_tl":"","mc1_title_tag":"","mc1_el":"","post_ids":"-53142","category_id":"","taxonomies":"","category_ids":"","in_all_terms":"","tag_slug":"","autors_id":"","installed_post_types":"","include_cf_posts":"","exclude_cf_posts":"","sort":"","popular_by_date":"","linked_posts":"","favourite_only":"","limit":"5","offset":"","open_in_new_window":"","show_modified_date":"","time_ago":"","time_ago_add_txt":"ago","time_ago_txt_pos":"","review_source":"","td_query_cache":"","td_query_cache_expiration":"","td_ajax_filter_type":"","td_ajax_filter_ids":"","td_filter_default_txt":"All","td_ajax_preloading":"","container_width":"","m_padding":"","modules_border_size":"","modules_border_style":"","modules_border_color":"#eaeaea","modules_border_radius":"","modules_divider_color":"#eaeaea","image_alignment":"50","show_favourites":"","fav_size":"2","fav_space":"","fav_ico_color":"","fav_ico_color_h":"","fav_bg":"","fav_bg_h":"","fav_shadow_shadow_header":"","fav_shadow_shadow_title":"Shadow","fav_shadow_shadow_size":"","fav_shadow_shadow_offset_horizontal":"","fav_shadow_shadow_offset_vertical":"","fav_shadow_shadow_spread":"","fav_shadow_shadow_color":"","video_icon":"","video_popup":"yes","video_rec":"","spot_header":"","video_rec_title":"","video_rec_color":"","video_rec_disable":"","autoplay_vid":"yes","show_vid_t":"block","vid_t_margin":"","vid_t_padding":"","video_title_color":"","video_title_color_h":"","video_bg":"","video_overlay":"","vid_t_color":"","vid_t_bg_color":"","f_vid_title_font_header":"","f_vid_title_font_title":"Video pop-up article title","f_vid_title_font_settings":"","f_vid_title_font_family":"","f_vid_title_font_size":"","f_vid_title_font_line_height":"","f_vid_title_font_style":"","f_vid_title_font_weight":"","f_vid_title_font_transform":"","f_vid_title_font_spacing":"","f_vid_title_":"","f_vid_time_font_title":"Video duration text","f_vid_time_font_settings":"","f_vid_time_font_family":"","f_vid_time_font_size":"","f_vid_time_font_line_height":"","f_vid_time_font_style":"","f_vid_time_font_weight":"","f_vid_time_font_transform":"","f_vid_time_font_spacing":"","f_vid_time_":"","meta_width":"","meta_margin":"","meta_space":"","art_btn":"","meta_info_border_size":"","meta_info_border_style":"","meta_info_border_color":"#eaeaea","meta_info_border_radius":"","modules_category_margin":"","modules_category_padding":"","modules_category_radius":"0","modules_extra_cat":"","author_photo":"","author_photo_size":"","author_photo_space":"","author_photo_radius":"","review_space":"","review_size":"2.5","review_distance":"","art_excerpt":"","excerpt_col":"1","excerpt_gap":"","excerpt_middle":"","excerpt_inline":"","show_audio":"block","hide_audio":"","art_audio":"","art_audio_size":"1.5","btn_title":"","btn_margin":"","btn_padding":"","btn_border_width":"","btn_radius":"","pag_space":"","pag_padding":"","pag_border_width":"","pag_border_radius":"","prev_tdicon":"","next_tdicon":"","pag_icons_size":"","f_header_font_header":"","f_header_font_title":"Block header","f_header_font_settings":"","f_header_font_line_height":"","f_header_font_style":"","f_header_font_weight":"","f_header_font_transform":"","f_header_font_spacing":"","f_header_":"","f_ajax_font_title":"Ajax categories","f_ajax_font_settings":"","f_ajax_font_size":"","f_ajax_font_line_height":"","f_ajax_font_style":"","f_ajax_font_weight":"","f_ajax_font_transform":"","f_ajax_font_spacing":"","f_ajax_":"","f_more_font_title":"Load more button","f_more_font_settings":"","f_more_font_size":"","f_more_font_line_height":"","f_more_font_style":"","f_more_font_weight":"","f_more_font_transform":"","f_more_font_spacing":"","f_more_":"","f_title_font_header":"","f_title_font_title":"Article title","f_title_font_settings":"","f_title_font_style":"","f_title_font_transform":"","f_title_font_spacing":"","f_title_":"","f_cat_font_title":"Article category tag","f_cat_font_settings":"","f_cat_font_line_height":"","f_cat_font_style":"","f_cat_font_spacing":"","f_cat_":"","f_meta_font_title":"Article meta info","f_meta_font_settings":"","f_meta_font_line_height":"","f_meta_font_style":"","f_meta_font_spacing":"","f_meta_":"","f_ex_font_title":"Article excerpt","f_ex_font_settings":"","f_ex_font_size":"","f_ex_font_line_height":"","f_ex_font_style":"","f_ex_font_weight":"","f_ex_font_transform":"","f_ex_font_spacing":"","f_ex_":"","f_btn_font_title":"Article read more button","f_btn_font_settings":"","f_btn_font_size":"","f_btn_font_line_height":"","f_btn_font_style":"","f_btn_font_weight":"","f_btn_font_transform":"","f_btn_font_spacing":"","f_btn_":"","mix_color":"","mix_type":"","fe_brightness":"1","fe_contrast":"1","fe_saturate":"1","mix_color_h":"","mix_type_h":"","fe_brightness_h":"1","fe_contrast_h":"1","fe_saturate_h":"1","m_bg":"","color_overlay":"","shadow_shadow_header":"","shadow_shadow_title":"Module Shadow","shadow_shadow_size":"","shadow_shadow_offset_horizontal":"","shadow_shadow_offset_vertical":"","shadow_shadow_spread":"","shadow_shadow_color":"","all_underline_height":"","all_underline_color":"","meta_bg":"","author_txt":"","author_txt_hover":"","date_txt":"","ex_txt":"","com_bg":"","com_txt":"","rev_txt":"","audio_btn_color":"","audio_time_color":"","audio_bar_color":"","audio_bar_curr_color":"","shadow_m_shadow_header":"","shadow_m_shadow_title":"Meta info shadow","shadow_m_shadow_size":"","shadow_m_shadow_offset_horizontal":"","shadow_m_shadow_offset_vertical":"","shadow_m_shadow_spread":"","shadow_m_shadow_color":"","btn_bg":"","btn_bg_hover":"","btn_txt":"","btn_txt_hover":"","btn_border":"","btn_border_hover":"","pag_text":"","pag_h_text":"","pag_bg":"","pag_h_bg":"","pag_border":"","pag_h_border":"","ajax_pagination":"","ajax_pagination_next_prev_swipe":"","ajax_pagination_infinite_stop":"","css":"","td_column_number":1,"header_color":"","color_preset":"","border_top":"","class":"tdi_61","tdc_css_class":"tdi_61","tdc_css_class_style":"tdi_61_rand_style"}'; block_tdi_61.td_column_number = "1"; block_tdi_61.block_type = "td_flex_block_1"; block_tdi_61.post_count = "5"; block_tdi_61.found_posts = "10518"; block_tdi_61.header_color = ""; block_tdi_61.ajax_pagination_infinite_stop = ""; block_tdi_61.max_num_pages = "2104"; tdBlocksArray.push(block_tdi_61); </script><div class="td-block-title-wrap"><h4 class="td-block-title"><span class="td-pulldown-size">Latest Posts</span></h4></div><div id=tdi_61 class="td_block_inner td-mc1-wrap"> <div class="td_module_flex td_module_flex_1 td_module_wrap td-animation-stack td-cpt-post"> <div class="td-module-container td-category-pos-"> <div class="td-module-meta-info"> <h3 class="entry-title td-module-title"><a href="https://www.developer.com/project-management/role-of-a-project-manager-in-software-development/" rel="bookmark" title="What Is the Role of a Project Manager in Software Development?">What Is the Role of a Project Manager in Software Development?</a></h3> <div class="td-editor-date"> <a href="https://www.developer.com/project-management/" class="td-post-category">Project Management</a> </div> </div> </div> </div> <div class="td_module_flex td_module_flex_1 td_module_wrap td-animation-stack td-cpt-post"> <div class="td-module-container td-category-pos-"> <div class="td-module-meta-info"> <h3 class="entry-title td-module-title"><a href="https://www.developer.com/java/java-optional-object/" rel="bookmark" title="How to use Optional in Java">How to use Optional in Java</a></h3> <div class="td-editor-date"> <a href="https://www.developer.com/java/" class="td-post-category">Java</a> </div> </div> </div> </div> <div class="td_module_flex td_module_flex_1 td_module_wrap td-animation-stack td-cpt-post"> <div class="td-module-container td-category-pos-"> <div class="td-module-meta-info"> <h3 class="entry-title td-module-title"><a href="https://www.developer.com/project-management/jad-methodology/" rel="bookmark" title="Overview of the JAD Methodology">Overview of the JAD Methodology</a></h3> <div class="td-editor-date"> <a href="https://www.developer.com/project-management/" class="td-post-category">Project Management</a> </div> </div> </div> </div> <div class="td_module_flex td_module_flex_1 td_module_wrap td-animation-stack td-cpt-post"> <div class="td-module-container td-category-pos-"> <div class="td-module-meta-info"> <h3 class="entry-title td-module-title"><a href="https://www.developer.com/project-management/microsoft-project-tips/" rel="bookmark" title="Microsoft Project Tips and Tricks">Microsoft Project Tips and Tricks</a></h3> <div class="td-editor-date"> <a href="https://www.developer.com/project-management/" class="td-post-category">Project Management</a> </div> </div> </div> </div> <div class="td_module_flex td_module_flex_1 td_module_wrap td-animation-stack td-cpt-post"> <div class="td-module-container td-category-pos-"> <div class="td-module-meta-info"> <h3 class="entry-title td-module-title"><a href="https://www.developer.com/project-management/become-project-manager-2/" rel="bookmark" title="How to Become a Project Manager in 2023">How to Become a Project Manager in 2023</a></h3> <div class="td-editor-date"> <a href="https://www.developer.com/project-management/" class="td-post-category">Project Management</a> </div> </div> </div> </div> </div></div><div class="wpb_wrapper td_block_empty_space td_block_wrap vc_empty_space tdi_63 " style="height: 32px"></div><div class="td-block td-a-rec td-a-rec-id-custom-spot tdi_64 td_block_template_1"> <style></style> <style></style><div class="devco-sticky-rail devco-target" id="devco-2092821045" data-devco-trackid="58116" data-devco-trackbid="1"><!-- Start: GAM Ad Slot Render | Developer Sticky Rail --> <div id="sticky-rail" style="max-width: 300px; min-width: 160px; width: auto; text-align:center; min-height: 250px; max-height: 600px; height: auto; border:0px solid #efefef;"> <script nowprocket> window.googletag.cmd.push(function() { googletag.display("sticky-rail"); }); </script> </div> <!-- End: GAM Ad Slot Render | Developer Sticky Rail --></div></div><div class="wpb_wrapper td_block_empty_space td_block_wrap vc_empty_space tdi_66 " style="height: 32px"></div></div></div></div></div><div id="tdi_67" class="tdc-row stretch_row_1400 td-stretch-content"><div class="vc_row tdi_68 wpb_row td-pb-row tdc-element-style" > <style scoped></style> <div class="tdi_67_rand_style td-element-style" ><style></style></div><div class="vc_column tdi_70 wpb_column vc_column_container tdc-column td-pb-span12"> <style scoped></style><div class="wpb_wrapper" ><div class="tdm_block td_block_wrap tdm_block_column_title tdi_71 tdm-content-horiz-left td-pb-border-top td_block_template_1" data-td-block-uid="tdi_71" > <style></style> <style></style><div class="td-block-row"><div class="td-block-span12 tdm-col"> <style></style><div class="tds-title tds-title1 td-fix-index tdi_72 "><h3 class="tdm-title tdm-title-md">Related Stories</h3></div></div></div></div></div></div></div></div><div id="tdi_73" class="tdc-row stretch_row_1400 td-stretch-content"><div class="vc_row tdi_74 wpb_row td-pb-row" > <style scoped></style><div class="vc_column tdi_76 wpb_column vc_column_container tdc-column td-pb-span12"> <style scoped></style><div class="wpb_wrapper" ><div class="td_block_wrap tdb_single_related tdi_77 td-h-effect-up-shadow td_with_ajax_pagination td-pb-border-top td_block_template_1 tdb-single-related-posts" data-td-block-uid="tdi_77" > <style></style> <style></style><script>var block_tdi_77 = new tdBlock(); block_tdi_77.id = "tdi_77"; block_tdi_77.atts = '{"show_author":"","show_com":"none","image_size":"td_485x360","meta_padding":"eyJhbGwiOiIyNnB4IDIycHgiLCJsYW5kc2NhcGUiOiIyMnB4IDE4cHgiLCJwb3J0cmFpdCI6IjIycHggMThweCIsInBob25lIjoiMjJweCAxOHB4In0=","tdc_css":"eyJhbGwiOnsibWFyZ2luLWJvdHRvbSI6IjAiLCJkaXNwbGF5IjoiIn19","image_height":"eyJhbGwiOiI4MCIsInBvcnRyYWl0IjoiNzAiLCJsYW5kc2NhcGUiOiI3MCJ9","show_btn":"none","show_excerpt":"none","modules_category":"above","cat_bg":"#f6f6f6","cat_txt":"#d78521","f_cat_font_family":"tk_1","f_cat_font_size":"eyJsYW5kc2NhcGUiOiIxMCIsInBvcnRyYWl0IjoiMTAiLCJwaG9uZSI6IjEwIiwiYWxsIjoiMTQifQ==","f_cat_font_transform":"capitalize","f_cat_font_weight":"600","f_cat_font_spacing":"0.8","f_title_font_size":"eyJhbGwiOiIxOCIsInBvcnRyYWl0IjoiMTciLCJsYW5kc2NhcGUiOiIxNyJ9","f_title_font_family":"tk_1","f_title_font_weight":"eyJhbGwiOiI4MDAiLCJwb3J0cmFpdCI6IjYwMCJ9","f_meta_font_weight":"400","author_txt":"#969696","f_meta_font_size":"eyJhbGwiOiIxNCIsImxhbmRzY2FwZSI6IjExIiwicG9ydHJhaXQiOiIxMSIsInBob25lIjoiMTEifQ==","date_txt":"#969696","f_meta_font_family":"tk_1","modules_category_margin":"eyJhbGwiOiIwIDAgN3B4IiwibGFuZHNjYXBlIjoiMCAwIDZweCIsInBvcnRyYWl0IjoiMCAwIDZweCIsInBob25lIjoiMCAwIDZweCJ9","art_title":"eyJhbGwiOiIwIDAgMTFweCIsImxhbmRzY2FwZSI6IjAgMCAxMHB4IiwicG9ydHJhaXQiOiIwIDAgMTBweCIsInBob25lIjoiMCAwIDEwcHgifQ==","author_txt_hover":"#333b7e","modules_border_style":"eyJsYW5kc2NhcGUiOiIifQ==","modules_border_size":"eyJhbGwiOiIxIiwicGhvbmUiOiIxIn0=","m_bg":"#f6f6f6","modules_border_color":"#e6e6e6","f_title_font_line_height":"eyJsYW5kc2NhcGUiOiIxLjIiLCJwb3J0cmFpdCI6IjEuMiIsInBob25lIjoiMS4xIiwiYWxsIjoiMS4yIn0=","f_ex_font_size":"eyJsYW5kc2NhcGUiOiIxIn0=","all_modules_space":"24","modules_on_row":"eyJhbGwiOiIzMy4zMzMzMzMzMyUiLCJwaG9uZSI6IjEwMCUiLCJsYW5kc2NhcGUiOiIzMy4zMzMzMzMzMyUiLCJwb3J0cmFpdCI6IjMzLjMzMzMzMzMzJSJ9","modules_gap":"eyJhbGwiOiIyNCIsImxhbmRzY2FwZSI6IjIyIiwicG9ydHJhaXQiOiIyMCIsInBob25lIjoiMCJ9","limit":"3","title_txt":"#333b7e","category_id":"","custom_title":"","related_articles_posts_limit":"3","f_header_font_family":"tk_1","f_ajax_font_family":"tk_1","f_more_font_family":"tk_1","f_ex_font_family":"tk_2","f_btn_font_family":"tk_1","prev_tdicon":"tdc-font-fa tdc-font-fa-chevron-left","next_tdicon":"tdc-font-fa tdc-font-fa-chevron-right","pag_icons_size":"20","hide_image":"yes","m_padding":"0px 0px 24px 0px","show_audio":"none","related_articles_type":"","cat_txt_hover":"#929bc0","title_txt_hover":"#929bc0","nextprev_icon":"#9c0004","nextprev_icon_h":"rgba(33,29,29,0.58)","nextprev_bg":"#9c0004","nextprev_bg_h":"rgba(33,29,29,0.58)","nextprev_border":"#9c0004","nextprev_border_h":"rgba(33,29,29,0.58)","all_underline_color":"#929bc0","cat_bg_hover":"#f6f6f6","cat_border":"#d78521","cat_border_hover":"#929bc0","modules_category_spacing":"0px 0px 24px 0px","modules_cat_border":"1","h_effect":"up-shadow","offset":"","live_filter":"cur_post_same_categories","ajax_pagination":"next_prev","td_ajax_filter_type":"td_custom_related","live_filter_cur_post_id":53142,"sample_posts_data":false,"block_type":"tdb_single_related","separator":"","block_template_id":"","title_tag":"","mc1_tl":"","mc1_title_tag":"","mc1_el":"","related_articles_posts_offset":"","nextprev":"","container_width":"","modules_divider":"","divider_on":"","modules_divider_color":"#eaeaea","shadow_shadow_header":"","shadow_shadow_title":"Shadow","shadow_shadow_size":"","shadow_shadow_offset_horizontal":"","shadow_shadow_offset_vertical":"","shadow_shadow_spread":"","shadow_shadow_color":"","image_alignment":"50","image_width":"","image_floated":"no_float","image_radius":"","video_icon":"","video_popup":"yes","video_rec":"","spot_header":"","video_rec_title":"- Advertisement -","video_rec_color":"","video_rec_disable":"","show_vid_t":"block","vid_t_margin":"","vid_t_padding":"","video_title_color":"","video_title_color_h":"","video_bg":"","video_overlay":"","vid_t_color":"","vid_t_bg_color":"","f_vid_title_font_header":"","f_vid_title_font_title":"Video pop-up article title","f_vid_title_font_settings":"","f_vid_title_font_family":"","f_vid_title_font_size":"","f_vid_title_font_line_height":"","f_vid_title_font_style":"","f_vid_title_font_weight":"","f_vid_title_font_transform":"","f_vid_title_font_spacing":"","f_vid_title_":"","f_vid_time_font_title":"Video duration text","f_vid_time_font_settings":"","f_vid_time_font_family":"","f_vid_time_font_size":"","f_vid_time_font_line_height":"","f_vid_time_font_style":"","f_vid_time_font_weight":"","f_vid_time_font_transform":"","f_vid_time_font_spacing":"","f_vid_time_":"","meta_info_align":"","meta_info_horiz":"content-horiz-left","meta_width":"","meta_margin":"","art_excerpt":"","excerpt_col":"1","excerpt_gap":"","art_audio":"","art_audio_size":"1.5","art_btn":"","meta_info_border_size":"","meta_info_border_style":"","meta_info_border_color":"#eaeaea","modules_category_padding":"","modules_category_radius":"0","show_cat":"inline-block","author_photo":"","author_photo_size":"","author_photo_space":"","author_photo_radius":"","show_date":"inline-block","show_modified_date":"","time_ago":"","time_ago_add_txt":"ago","time_ago_txt_pos":"","excerpt_middle":"","excerpt_inline":"","hide_audio":"","meta_space":"","btn_title":"","btn_margin":"","btn_padding":"","btn_border_width":"","btn_radius":"","pag_space":"","pag_padding":"","pag_border_width":"","pag_border_radius":"","f_header_font_header":"","f_header_font_title":"Block header","f_header_font_settings":"","f_header_font_size":"","f_header_font_line_height":"","f_header_font_style":"","f_header_font_weight":"","f_header_font_transform":"","f_header_font_spacing":"","f_header_":"","f_ajax_font_title":"Ajax categories","f_ajax_font_settings":"","f_ajax_font_size":"","f_ajax_font_line_height":"","f_ajax_font_style":"","f_ajax_font_weight":"","f_ajax_font_transform":"","f_ajax_font_spacing":"","f_ajax_":"","f_more_font_title":"Load more button","f_more_font_settings":"","f_more_font_size":"","f_more_font_line_height":"","f_more_font_style":"","f_more_font_weight":"","f_more_font_transform":"","f_more_font_spacing":"","f_more_":"","f_title_font_header":"","f_title_font_title":"Article title","f_title_font_settings":"","f_title_font_style":"","f_title_font_transform":"","f_title_font_spacing":"","f_title_":"","f_cat_font_title":"Article category tag","f_cat_font_settings":"","f_cat_font_line_height":"","f_cat_font_style":"","f_cat_":"","f_meta_font_title":"Article meta info","f_meta_font_settings":"","f_meta_font_line_height":"","f_meta_font_style":"","f_meta_font_transform":"","f_meta_font_spacing":"","f_meta_":"","f_ex_font_title":"Article excerpt","f_ex_font_settings":"","f_ex_font_line_height":"","f_ex_font_style":"","f_ex_font_weight":"","f_ex_font_transform":"","f_ex_font_spacing":"","f_ex_":"","f_btn_font_title":"Article read more button","f_btn_font_settings":"","f_btn_font_size":"","f_btn_font_line_height":"","f_btn_font_style":"","f_btn_font_weight":"","f_btn_font_transform":"","f_btn_font_spacing":"","f_btn_":"","mix_color":"","mix_type":"","fe_brightness":"1","fe_contrast":"1","fe_saturate":"1","mix_color_h":"","mix_type_h":"","fe_brightness_h":"1","fe_contrast_h":"1","fe_saturate_h":"1","color_overlay":"","all_underline_height":"","meta_bg":"","ex_txt":"","com_bg":"","com_txt":"","shadow_m_shadow_header":"","shadow_m_shadow_title":"Meta info shadow","shadow_m_shadow_size":"","shadow_m_shadow_offset_horizontal":"","shadow_m_shadow_offset_vertical":"","shadow_m_shadow_spread":"","shadow_m_shadow_color":"","audio_btn_color":"","audio_time_color":"","audio_bar_color":"","audio_bar_curr_color":"","btn_bg":"","btn_bg_hover":"","btn_txt":"","btn_txt_hover":"","btn_border":"","btn_border_hover":"","el_class":"","live_filter_cur_post_author":"888","td_column_number":3,"header_color":"","ajax_pagination_infinite_stop":"","td_ajax_preloading":"","td_filter_default_txt":"","td_ajax_filter_ids":"","color_preset":"","ajax_pagination_next_prev_swipe":"","border_top":"","css":"","class":"tdi_77","tdc_css_class":"tdi_77","tdc_css_class_style":"tdi_77_rand_style"}'; block_tdi_77.td_column_number = "3"; block_tdi_77.block_type = "tdb_single_related"; block_tdi_77.post_count = "3"; block_tdi_77.found_posts = "964"; block_tdi_77.header_color = ""; block_tdi_77.ajax_pagination_infinite_stop = ""; block_tdi_77.max_num_pages = "322"; tdBlocksArray.push(block_tdi_77); </script><div id=tdi_77 class="td_block_inner tdb-block-inner td-fix-index"> <div class="tdb_module_related td_module_wrap td-animation-stack"> <div class="td-module-container td-category-pos-above"> <div class="td-module-meta-info"> <a href="https://www.developer.com/languages/" class="td-post-category">Languages</a> <h3 class="entry-title td-module-title"><a href="https://www.developer.com/languages/best-bug-tracking-tools-for-java/" rel="bookmark" title="3 Best Bug Tracking Tools for Java in 2023">3 Best Bug Tracking Tools for Java in 2023</a></h3> <div class="td-editor-date"> <span class="td-author-date"> <span class="td-post-author-name"><a href="https://www.developer.com/author/enrique-corrales/">Enrique Corrales</a> <span>-</span> </span> <span class="td-post-date"><time class="entry-date updated td-module-date" datetime="2023-11-17T12:45:15+00:00" >November 17, 2023</time></span> </span> </div> </div> </div> </div> <div class="tdb_module_related td_module_wrap td-animation-stack"> <div class="td-module-container td-category-pos-above"> <div class="td-module-meta-info"> <a href="https://www.developer.com/languages/" class="td-post-category">Languages</a> <h3 class="entry-title td-module-title"><a href="https://www.developer.com/languages/tips-for-working-with-visual-studio/" rel="bookmark" title="14 Tips for Working with Visual Studio">14 Tips for Working with Visual Studio</a></h3> <div class="td-editor-date"> <span class="td-author-date"> <span class="td-post-author-name"><a href="https://www.developer.com/author/enrique-corrales/">Enrique Corrales</a> <span>-</span> </span> <span class="td-post-date"><time class="entry-date updated td-module-date" datetime="2023-11-15T00:59:26+00:00" >November 15, 2023</time></span> </span> </div> </div> </div> </div> <div class="tdb_module_related td_module_wrap td-animation-stack"> <div class="td-module-container td-category-pos-above"> <div class="td-module-meta-info"> <a href="https://www.developer.com/languages/" class="td-post-category">Languages</a> <h3 class="entry-title td-module-title"><a href="https://www.developer.com/languages/visual-studio-code-review/" rel="bookmark" title="Visual Studio Code Review 2023 | A Comprehensive Look">Visual Studio Code Review 2023 | A Comprehensive Look</a></h3> <div class="td-editor-date"> <span class="td-author-date"> <span class="td-post-author-name"><a href="https://www.developer.com/author/enrique-corrales/">Enrique Corrales</a> <span>-</span> </span> <span class="td-post-date"><time class="entry-date updated td-module-date" datetime="2023-11-14T15:47:25+00:00" >November 14, 2023</time></span> </span> </div> </div> </div> </div> </div></div></div></div></div></div></div></div> <span class="td-page-meta" itemprop="author" itemscope itemtype="https://schema.org/Person"><meta itemprop="name" content="Thornton Rose"><meta itemprop="url" content="https://www.developer.com/author/thornton-rose/"></span><meta itemprop="datePublished" content="1998-04-30T07:04:00+00:00"><meta itemprop="dateModified" content="2021-03-25T15:32:10+00:00"><meta itemscope itemprop="mainEntityOfPage" itemType="https://schema.org/WebPage" itemid="https://www.developer.com/languages/writing-active-server-components-in-visual-basic/"/><span class="td-page-meta" itemprop="publisher" itemscope itemtype="https://schema.org/Organization"><span class="td-page-meta" itemprop="logo" itemscope itemtype="https://schema.org/ImageObject"><meta itemprop="url" content="https://www.developer.com/wp-content/uploads/2023/09/developer-favicon.png"></span><meta itemprop="name" content="Developer.com"></span><meta itemprop="headline" content="Writing Active Server components in Visual Basic"><span class="td-page-meta" itemprop="image" itemscope itemtype="https://schema.org/ImageObject"><meta itemprop="url" content="https://www.developer.com/wp-content/plugins/td-cloud-library/assets/images/td_meta_replacement.png"><meta itemprop="width" content="1068"><meta itemprop="height" content="580"></span> </article> </div> </div> </div> <!-- #tdb-autoload-article --> <!-- Instagram --> <div class="td-footer-template-wrap" style="position: relative"> <div class="td-footer-wrap "> <div id="tdi_78" class="tdc-zone"><div class="tdc_zone tdi_79 wpb_row td-pb-row tdc-element-style" > <style scoped></style> <div class="tdi_78_rand_style td-element-style" ></div><div id="tdi_80" class="tdc-row stretch_row_1400 td-stretch-content"><div class="vc_row tdi_81 _ntv_footer wpb_row td-pb-row" > <style scoped></style><div class="vc_column tdi_83 wpb_column vc_column_container tdc-column td-pb-span6"> <style scoped></style><div class="wpb_wrapper" ><div class="td_block_wrap tdb_header_logo tdi_84 td-pb-border-top td_block_template_1 tdb-header-align" data-td-block-uid="tdi_84" > <style></style> <style></style><div class="tdb-block-inner td-fix-index"><a class="tdb-logo-a" href="https://www.developer.com/"><span class="tdb-logo-img-wrap"><img class="tdb-logo-img td-retina-data" data-retina="https://www.developer.com/wp-content/uploads/2021/01/Dev_logo_White_RetinaMobile-Logo-copy.png" src="data:image/svg+xml,%3Csvg%20xmlns='http://www.w3.org/2000/svg'%20viewBox='0%200%20568%20127'%3E%3C/svg%3E" alt="Developer.com" title="" width="568" height="127" data-lazy-src="https://www.developer.com/wp-content/uploads/2021/01/Dev_logo_White_MainLogo-copy.png" /><noscript><img class="tdb-logo-img td-retina-data" data-retina="https://www.developer.com/wp-content/uploads/2021/01/Dev_logo_White_RetinaMobile-Logo-copy.png" src="https://www.developer.com/wp-content/uploads/2021/01/Dev_logo_White_MainLogo-copy.png" alt="Developer.com" title="" width="568" height="127" /></noscript></span></a></div></div> <!-- ./block --><div class="tdm_block td_block_wrap tdm_block_inline_text tdi_85 tdm-inline-block td-pb-border-top td_block_template_1" data-td-block-uid="tdi_85" > <style></style> <style></style><p class="tdm-descr">Developer.com features tutorials, news, and how-tos focused on topics relevant to software engineers, web developers, programmers, and product managers of development teams. In addition to covering the most popular programming languages today, we publish reviews and round-ups of developer tools that help devs reduce the time and money spent developing, maintaining, and debugging their applications. This includes coverage of software management systems and project management (PM) software - all aimed at helping to shorten the software development lifecycle (SDL).</p></div><div class="tdm_block td_block_wrap tdm_block_socials tdi_86 tdm-inline-block tdm-content-horiz-left td-pb-border-top td_block_template_1" data-td-block-uid="tdi_86" > <style></style> <style></style> <style></style><div class="tdm-social-wrapper tds-social1 tdi_87"><div class="tdm-social-item-wrap"><a href="https://www.facebook.com/developercomwebsite" title="Facebook" class="tdm-social-item"><i class="td-icon-font td-icon-facebook"></i><span style="display: none">Facebook</span></a></div><div class="tdm-social-item-wrap"><a href="https://www.linkedin.com/company/developer-com/" title="Linkedin" class="tdm-social-item"><i class="td-icon-font td-icon-linkedin"></i><span style="display: none">Linkedin</span></a></div><div class="tdm-social-item-wrap"><a href="https://twitter.com/DeveloperCom" title="Twitter" class="tdm-social-item"><i class="td-icon-font td-icon-twitter"></i><span style="display: none">Twitter</span></a></div></div></div></div></div><div class="vc_column tdi_89 wpb_column vc_column_container tdc-column td-pb-span6"> <style scoped></style><div class="wpb_wrapper" ><div class="vc_row_inner tdi_91 vc_row vc_inner wpb_row td-pb-row" > <style scoped></style><div class="vc_column_inner tdi_93 wpb_column vc_column_container tdc-inner-column td-pb-span8"> <style scoped></style><div class="vc_column-inner"><div class="wpb_wrapper" ><div class="td_block_wrap td_block_title tdi_94 td-pb-border-top td_block_template_2 td-fix-index" data-td-block-uid="tdi_94" > <style></style> <style></style><div class="td-block-title-wrap"><h4 class="td-block-title"><span class="td-pulldown-size">Advertisers</span></h4></div></div><div class="tdm_block td_block_wrap tdm_block_inline_text tdi_95 tdm-inline-block td-pb-border-top td_block_template_1" data-td-block-uid="tdi_95" > <style></style> <style></style><p class="tdm-descr">Advertise with TechnologyAdvice on Developer.com and our other developer-focused platforms.</p></div><div class="tdm_block td_block_wrap tdm_block_button tdi_96 tdm-block-button-inline tdm-content-horiz-center td-pb-border-top td_block_template_1" data-td-block-uid="tdi_96" > <style></style> <style></style> <style></style><div class="tds-button td-fix-index"><a href="https://solutions.technologyadvice.com/advertise-on-developer/?utm_source=developer&amp;utm_medium=portfolio_footer&amp;utm_campaign=advertise_button" title="Advertise with Us" class="tds-button1 tdm-btn tdm-btn-lg tdi_97 " rel="nofollow" ><span class="tdm-btn-text">Advertise with Us</span><i class="tdm-btn-icon tdc-font-fa tdc-font-fa-angle-right"></i></a></div></div></div></div></div><div class="vc_column_inner tdi_99 wpb_column vc_column_container tdc-inner-column td-pb-span4"> <style scoped></style><div class="vc_column-inner"><div class="wpb_wrapper" ><div class="td_block_wrap td_block_title tdi_100 td-pb-border-top td_block_template_2 td-fix-index" data-td-block-uid="tdi_100" > <style></style> <style></style><div class="td-block-title-wrap"><h4 class="td-block-title"><span class="td-pulldown-size">Menu</span></h4></div></div><div class="td_block_wrap td_block_list_menu tdi_101 td-blm-display-vertical td-pb-border-top td_block_template_1 widget" data-td-block-uid="tdi_101" > <style></style> <style></style><div class="td-block-title-wrap"></div><div id=tdi_101 class="td_block_inner td-fix-index"><div class="menu-footer-terms-nav-container"><ul id="menu-footer-terms-nav-1" class="menu"><li class="menu-item menu-item-type-post_type menu-item-object-page menu-item-325"><a href="https://www.developer.com/privacy-policy/"><span class="td-blm-menu-item-txt">Privacy Policy</span></a></li> <li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-320"><a href="https://technologyadvice.com/terms-conditions/"><span class="td-blm-menu-item-txt">Terms</span></a></li> <li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-321"><a href="https://technologyadvice.com/about-us/"><span class="td-blm-menu-item-txt">About</span></a></li> <li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-322"><a href="https://technologyadvice.com/contact-us/"><span class="td-blm-menu-item-txt">Contact</span></a></li> <li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-323"><a href="https://solutions.technologyadvice.com/advertise-on-developer/?utm_source=developer&#038;utm_medium=portfolio_footer&#038;utm_campaign=advertise_contact-us"><span class="td-blm-menu-item-txt">Advertise</span></a></li> <li class="menu-item menu-item-type-custom menu-item-object-custom menu-item-324"><a href="https://technologyadvice.com/privacy-policy/ccpa-opt-out-form/"><span class="td-blm-menu-item-txt">California &#8211; Do Not Sell My Information</span></a></li> </ul></div></div></div></div></div></div></div></div></div></div></div><div id="tdi_102" class="tdc-row stretch_row_1400 td-stretch-content"><div class="vc_row tdi_103 wpb_row td-pb-row" > <style scoped></style><div class="vc_column tdi_105 wpb_column vc_column_container tdc-column td-pb-span12"> <style scoped></style><div class="wpb_wrapper" ><div class="wpb_wrapper td_block_separator td_block_wrap vc_separator tdi_107 td_separator_solid td_separator_center"><span style="border-color:#EBEBEB;border-width:1px;width:100%;"></span> <style scoped></style></div><div class="tdm_block td_block_wrap tdm_block_column_title tdi_108 tdm-content-horiz-center td-pb-border-top td_block_template_1" data-td-block-uid="tdi_108" ><div class="td-block-row"><div class="td-block-span12 tdm-col"> <style></style><div class="tds-title tds-title1 td-fix-index tdi_109 "><h3 class="tdm-title tdm-title-md">Our Brands</h3></div></div></div></div></div></div></div></div><div id="tdi_110" class="tdc-row stretch_row_1400 td-stretch-content"><div class="vc_row tdi_111 wpb_row td-pb-row tdc-row-content-vert-center" > <style scoped></style><div class="vc_column tdi_113 wpb_column vc_column_container tdc-column td-pb-span3"> <style scoped></style><div class="wpb_wrapper" ><div class="wpb_wrapper td_block_single_image td_block_wrap td_block_wrap vc_single_image tdi_114 td-single-image- td-pb-border-top td_block_template_1 " data-td-block-uid="tdi_114"><a data-bg="https://www.developer.com/wp-content/uploads/2020/08/whitecompanylogos-04.png" class="td_single_image_bg rocket-lazyload" style="" href="https://technologyadvice.com/" target="_blank" rel="nofollow" ></a> <style></style> <style></style></div><div class="wpb_wrapper td_block_single_image td_block_wrap td_block_wrap vc_single_image tdi_115 td-single-image- td-pb-border-top td_block_template_1 " data-td-block-uid="tdi_115"><a data-bg="https://www.developer.com/wp-content/uploads/2021/02/eweekfooter_smaller.png" class="td_single_image_bg rocket-lazyload" style="" href="https://www.eweek.com/" target="_blank" rel="nofollow" ></a> <style></style> <style></style></div></div></div><div class="vc_column tdi_117 wpb_column vc_column_container tdc-column td-pb-span3"> <style scoped></style><div class="wpb_wrapper" ><div class="wpb_wrapper td_block_single_image td_block_wrap td_block_wrap vc_single_image tdi_118 td-single-image- td-pb-border-top td_block_template_1 " data-td-block-uid="tdi_118"><a data-bg="https://www.developer.com/wp-content/uploads/2021/02/datamationwhitefooter.png" class="td_single_image_bg rocket-lazyload" style="" href="https://www.datamation.com/" target="_blank" rel="nofollow" ></a> <style></style> <style></style></div><div class="wpb_wrapper td_block_single_image td_block_wrap td_block_wrap vc_single_image tdi_119 td-single-image- td-pb-border-top td_block_template_1 " data-td-block-uid="tdi_119"><a data-bg="https://www.developer.com/wp-content/uploads/2021/02/PMcomwhitefooter-09.png" class="td_single_image_bg rocket-lazyload" style="" href="https://project-management.com/" target="_blank" rel="nofollow" ></a> <style></style> <style></style></div></div></div><div class="vc_column tdi_121 wpb_column vc_column_container tdc-column td-pb-span3"> <style scoped></style><div class="wpb_wrapper" ><div class="wpb_wrapper td_block_single_image td_block_wrap td_block_wrap vc_single_image tdi_122 td-single-image- td-pb-border-top td_block_template_1 " data-td-block-uid="tdi_122"><a data-bg="https://www.developer.com/wp-content/uploads/2021/02/webowhitefooter.png" class="td_single_image_bg rocket-lazyload" style="" href="https://www.webopedia.com/" target="_blank" rel="nofollow" ></a> <style></style> <style></style></div><div class="wpb_wrapper td_block_single_image td_block_wrap td_block_wrap vc_single_image tdi_123 td-single-image- td-pb-border-top td_block_template_1 " data-td-block-uid="tdi_123"><a data-bg="https://www.developer.com/wp-content/uploads/2021/02/esecuritywhitefooter.png" class="td_single_image_bg rocket-lazyload" style="" href="https://www.esecurityplanet.com/" target="_blank" rel="nofollow" ></a> <style></style> <style></style></div></div></div><div class="vc_column tdi_125 wpb_column vc_column_container tdc-column td-pb-span3"> <style scoped></style><div class="wpb_wrapper" ><div class="wpb_wrapper td_block_single_image td_block_wrap td_block_wrap vc_single_image tdi_126 td-single-image- td-pb-border-top td_block_template_1 " data-td-block-uid="tdi_126"><a data-bg="https://www.developer.com/wp-content/uploads/2021/02/ENP_whitefooter_stack.png" class="td_single_image_bg rocket-lazyload" style="" href="https://www.enterprisenetworkingplanet.com/" target="_blank" rel="nofollow" ></a> <style></style> <style></style></div><div class="wpb_wrapper td_block_single_image td_block_wrap td_block_wrap vc_single_image tdi_127 td-single-image- td-pb-border-top td_block_template_1 " data-td-block-uid="tdi_127"><a data-bg="https://www.developer.com/wp-content/uploads/2021/02/serverwatchwhitefooter-10.png" class="td_single_image_bg rocket-lazyload" style="" href="https://www.serverwatch.com/" target="_blank" rel="nofollow" ></a> <style></style> <style></style></div></div></div></div></div><div id="tdi_128" class="tdc-row stretch_row_1400 td-stretch-content"><div class="vc_row tdi_129 wpb_row td-pb-row" > <style scoped></style><div class="vc_column tdi_131 wpb_column vc_column_container tdc-column td-pb-span12"> <style scoped></style><div class="wpb_wrapper" ><div class="wpb_wrapper td_block_separator td_block_wrap vc_separator tdi_133 td_separator_solid td_separator_center"><span style="border-color:#EBEBEB;border-width:1px;width:100%;"></span> <style scoped></style></div><div class="vc_row_inner tdi_135 vc_row vc_inner wpb_row td-pb-row" > <style scoped></style><div class="vc_column_inner tdi_137 wpb_column vc_column_container tdc-inner-column td-pb-span12"> <style scoped></style><div class="vc_column-inner"><div class="wpb_wrapper" ><div class="td_block_wrap tdb_header_menu tdi_138 tds_menu_active1 tds_menu_sub_active1 td-pb-border-top td_block_template_1 tdb-header-align" data-td-block-uid="tdi_138" style=" z-index: 999;"> <style></style> <style></style> <style></style><div id=tdi_138 class="td_block_inner td-fix-index"><div class="tdb-main-sub-icon-fake"><i class="tdb-sub-menu-icon td-icon-down tdb-main-sub-menu-icon"></i></div><div class="tdb-sub-icon-fake"><i class="tdb-sub-menu-icon td-icon-right-arrow"></i></div><ul id="menu-footer-terms-nav-2" class="tdb-block-menu tdb-menu tdb-menu-items-visible"><li class="menu-item menu-item-type-post_type menu-item-object-page tdb-cur-menu-item menu-item-first tdb-menu-item-button tdb-menu-item tdb-normal-menu menu-item-325"><a href="https://www.developer.com/privacy-policy/"><div class="tdb-menu-item-text">Privacy Policy</div></a></li> <li class="menu-item menu-item-type-custom menu-item-object-custom tdb-menu-item-button tdb-menu-item tdb-normal-menu menu-item-320"><a href="https://technologyadvice.com/terms-conditions/"><div class="tdb-menu-item-text">Terms</div></a></li> <li class="menu-item menu-item-type-custom menu-item-object-custom tdb-menu-item-button tdb-menu-item tdb-normal-menu menu-item-321"><a href="https://technologyadvice.com/about-us/"><div class="tdb-menu-item-text">About</div></a></li> <li class="menu-item menu-item-type-custom menu-item-object-custom tdb-menu-item-button tdb-menu-item tdb-normal-menu menu-item-322"><a href="https://technologyadvice.com/contact-us/"><div class="tdb-menu-item-text">Contact</div></a></li> <li class="menu-item menu-item-type-custom menu-item-object-custom tdb-menu-item-button tdb-menu-item tdb-normal-menu menu-item-323"><a href="https://solutions.technologyadvice.com/advertise-on-developer/?utm_source=developer&#038;utm_medium=portfolio_footer&#038;utm_campaign=advertise_contact-us"><div class="tdb-menu-item-text">Advertise</div></a></li> <li class="menu-item menu-item-type-custom menu-item-object-custom tdb-menu-item-button tdb-menu-item tdb-normal-menu menu-item-324"><a href="https://technologyadvice.com/privacy-policy/ccpa-opt-out-form/"><div class="tdb-menu-item-text">California &#8211; Do Not Sell My Information</div></a></li> </ul></div></div></div></div></div></div><div class="tdm_block td_block_wrap tdm_block_column_content tdi_141 tdm-content-horiz-center td-pb-border-top td_block_template_1" data-td-block-uid="tdi_141" > <style></style> <style></style><div class="tdm-col-content-info"><a href="#" target="_blank" class="tdm-col-content-title-url"></a><p class="tdm-descr td-fix-index">Property of TechnologyAdvice.<br> &copy; 2022 TechnologyAdvice. All Rights Reserved<br><br> Advertiser Disclosure: Some of the products that appear on this site are from companies from which TechnologyAdvice receives compensation. This compensation may impact how and where products appear on this site including, for example, the order in which they appear. TechnologyAdvice does not include all companies or all types of products available in the marketplace.</p></div></div><div class="wpb_wrapper td_block_empty_space td_block_wrap vc_empty_space tdi_143 " style="height: 80px"></div><div class="wpb_wrapper td_block_wrap vc_raw_html tdi_145 choice-footer-msg"> <style scoped></style><div class="td-fix-index"><div id="choice-footer-msg" style="color:#ffffff;"> </div></div></div></div></div></div></div><div id="tdi_146" class="tdc-row"><div class="vc_row tdi_147 wpb_row td-pb-row" > <style scoped></style><div class="vc_column tdi_149 wpb_column vc_column_container tdc-column td-pb-span12"> <style scoped></style><div class="wpb_wrapper" ></div></div></div></div></div></div> </div> </div> </div><!--close td-outer-wrap--> <script type="rocketlazyloadscript">(function(){var advanced_ads_ga_UID="UA-48212700-1",advanced_ads_ga_anonymIP=!!1;function AdvAdsAdBlockCounterGA(t){this.UID=t,this.analyticsObject="function"==typeof gtag;var n=this;return this.count=function(){gtag("event","AdBlock",{event_category:"Advanced Ads",event_label:"Yes",non_interaction:!0,send_to:n.UID})},function(){if(!n.analyticsObject){var e=document.createElement("script");e.src="https://www.googletagmanager.com/gtag/js?id="+t,e.async=!0,document.body.appendChild(e),window.dataLayer=window.dataLayer||[],window.gtag=function(){dataLayer.push(arguments)},n.analyticsObject=!0,gtag("js",new Date)}var a={send_page_view:!1,transport_type:"beacon"};window.advanced_ads_ga_anonymIP&&(a.anonymize_ip=!0),gtag("config",t,a)}(),this}window.advanced_ads_check_adblocker=function(t){var n=[],e=null;function a(t){(window.requestAnimationFrame||window.mozRequestAnimationFrame||window.webkitRequestAnimationFrame||function(t){return setTimeout(t,16)}).call(window,t)}return a((function(){var t=document.createElement("div");t.innerHTML="&nbsp;",t.setAttribute("class","ad_unit ad-unit text-ad text_ad pub_300x250"),t.setAttribute("style","width: 1px !important; height: 1px !important; position: absolute !important; left: 0px !important; top: 0px !important; overflow: hidden !important;"),document.body.appendChild(t),a((function(){var a=window.getComputedStyle&&window.getComputedStyle(t),o=a&&a.getPropertyValue("-moz-binding");e=a&&"none"===a.getPropertyValue("display")||"string"==typeof o&&-1!==o.indexOf("about:");for(var i=0,d=n.length;i<d;i++)n[i](e);n=[]}))})),function(t){null!==e?t(e):n.push(t)}}(),advanced_ads_check_adblocker((function(t){t&&new AdvAdsAdBlockCounterGA(advanced_ads_ga_UID).count()}));})();</script><div class="devco-native-ads devco-sticky devco-target" id="devco-1007322872" style="position: fixed; bottom: 0; z-index: 10000; " data-devco-trackid="59349" data-devco-trackbid="1"><!-- Start: GAM Ad Slot Render | Developer Native Ads --> <style></style> <div id="native-rr-article" style="width:0px; height:0px"> <script nowprocket> window.googletag.cmd.push(function() { googletag.display("native-rr-article"); }); </script> </div> <div id="native-boap" style="display:none;"> <script nowprocket> window.googletag.cmd.push(function() { googletag.display("native-boap"); }); (function() { var rightRailReplacedPost = document.querySelector('._ntv_latest_posts_widget .td_block_inner .td_module_flex:nth-child(3) .td-module-container'); var rightRailContent = document.getElementById('native-rr-article'); rightRailReplacedPost.parentNode.replaceChild(rightRailContent, rightRailReplacedPost); rightRailContent.style.height = '100%'; rightRailContent.style.width = '100%'; var boapAfterContent = document.querySelector("article.post .tdb_single_post_share"); var boapContent = document.getElementById('native-boap'); boapAfterContent.parentNode.append(boapContent); boapContent.style.height = 'auto'; boapContent.style.width = '100%'; })(); </script> </div> <!-- End: GAM Ad Slot Render | Developer Native Ads --></div><script>( window.advanced_ads_ready || jQuery( document ).ready ).call( null, function() {var wrapper_id = "#devco-1007322872"; var $wrapper = jQuery( wrapper_id );advads.move( wrapper_id, "", { });window.advanced_ads_sticky_items = window.advanced_ads_sticky_items || {};advanced_ads_sticky_items[ "devco-1007322872" ] = { "can_convert_to_abs": "1", "initial_css": $wrapper.attr( "style" ), "modifying_func": function() { $wrapper.css({ "-webkit-transform": "translateX(-50%)", "-moz-transform": "translateX(-50%)", "transform": "translateX(-50%)", "left": "50%", "margin-right": "-50%" });}}; if ( advads.wait_for_images ) { var sticky_wait_for_images_time = new Date().getTime(); $wrapper.data( "sticky_wait_for_images_time", sticky_wait_for_images_time ); advads.wait_for_images( $wrapper, function() { // At the moment when this function is called, it is possible that // the placement has been updated using "Reload ads on resize" feature of Responsive add-on if ( $wrapper.data( "sticky_wait_for_images_time" ) === sticky_wait_for_images_time ) { advanced_ads_sticky_items[ "devco-1007322872" ]["modifying_func"](); } } ); } else { advanced_ads_sticky_items[ "devco-1007322872" ]["modifying_func"](); }; });</script><div class="devco-sticky-footer devco-sticky devco-target" id="devco-401229213" style="position: fixed; bottom: 0; z-index: 10000; " data-devco-trackid="58115" data-devco-trackbid="1"><span class="devco-close-button" onclick="void(0)" title="close" style="width: 15px; height: 15px; background: #fff; position: relative; line-height: 15px; text-align: center; cursor: pointer; z-index: 10000;right:-15px;float: right; margin-left: -15px;">×</span><!-- Start: GAM Ad Slot Render | Developer Sticky Bottom --> <style></style> <div id="sticky-bottom" style="max-width: 1020px; min-width: 300px; width: auto; text-align:center; min-height: 50px; max-height: 90px; height: auto; border:1px solid #efefef;"> <script nowprocket> window.googletag.cmd.push(function() { googletag.display("sticky-bottom"); }); </script> </div> <!-- End: GAM Ad Slot Render | Developer Sticky Bottom --></div><script>( window.advanced_ads_ready || jQuery( document ).ready ).call( null, function() {var wrapper_id = "#devco-401229213"; var $wrapper = jQuery( wrapper_id );advads.move( wrapper_id, "", { });window.advanced_ads_sticky_items = window.advanced_ads_sticky_items || {};advanced_ads_sticky_items[ "devco-401229213" ] = { "can_convert_to_abs": "1", "initial_css": $wrapper.attr( "style" ), "modifying_func": function() { $wrapper.css({ "-webkit-transform": "translateX(-50%)", "-moz-transform": "translateX(-50%)", "transform": "translateX(-50%)", "left": "50%", "margin-right": "-50%" });jQuery( "#devco-401229213" ).on( "click", "span", function() { advads.close( "#devco-401229213" ); });}}; if ( advads.wait_for_images ) { var sticky_wait_for_images_time = new Date().getTime(); $wrapper.data( "sticky_wait_for_images_time", sticky_wait_for_images_time ); advads.wait_for_images( $wrapper, function() { // At the moment when this function is called, it is possible that // the placement has been updated using "Reload ads on resize" feature of Responsive add-on if ( $wrapper.data( "sticky_wait_for_images_time" ) === sticky_wait_for_images_time ) { advanced_ads_sticky_items[ "devco-401229213" ]["modifying_func"](); } } ); } else { advanced_ads_sticky_items[ "devco-401229213" ]["modifying_func"](); }; });</script> <!-- Theme: Newspaper by tagDiv.com 2023 Version: 12.6.3 (rara) Deploy mode: deploy uid: 6605aeb10fa5f --> <!-- Google Tag Manager (noscript) snippet added by Site Kit --> <noscript> <iframe src="https://www.googletagmanager.com/ns.html?id=GTM-WLCCQ9V" height="0" width="0" style="display:none;visibility:hidden"></iframe> </noscript> <!-- End Google Tag Manager (noscript) snippet added by Site Kit --> <script type="text/javascript" id="ap-frontend-js-js-extra"> /* <![CDATA[ */ var ap_form_required_message = ["This field is required","accesspress-anonymous-post"]; var ap_captcha_error_message = ["Sum is not correct.","accesspress-anonymous-post"]; /* ]]> */ </script> <script type="rocketlazyloadscript" data-rocket-type="text/javascript" data-rocket-src="https://www.developer.com/wp-content/plugins/accesspress-anonymous-post/js/frontend.js?ver=2.8.2" id="ap-frontend-js-js" defer></script> <script type="text/javascript" id="icp_js-js-extra"> /* <![CDATA[ */ var intentclicks_ajax = {"url":"https:\/\/www.developer.com\/wp-admin\/admin-ajax.php"}; /* ]]> */ </script> <script type="rocketlazyloadscript" data-rocket-type="text/javascript" data-rocket-src="https://www.developer.com/wp-content/plugins/ta-intentclicks-master/includes/js/scripts.js?ver=1.19.2" id="icp_js-js" defer></script> <script type="text/javascript" id="ppress-frontend-script-js-extra"> /* <![CDATA[ */ var pp_ajax_form = {"ajaxurl":"https:\/\/www.developer.com\/wp-admin\/admin-ajax.php","confirm_delete":"Are you sure?","deleting_text":"Deleting...","deleting_error":"An error occurred. Please try again.","nonce":"ca0a3f7fbd","disable_ajax_form":"false","is_checkout":"0","is_checkout_tax_enabled":"0"}; /* ]]> */ </script> <script type="rocketlazyloadscript" data-rocket-type="text/javascript" data-rocket-src="https://www.developer.com/wp-content/plugins/wp-user-avatar/assets/js/frontend.min.js?ver=4.10.1" id="ppress-frontend-script-js" defer></script> <script type="text/javascript" id="advanced-ads-layer-footer-js-js-extra"> /* <![CDATA[ */ var advanced_ads_layer_settings = {"layer_class":"devco-layer","placements":[]}; /* ]]> */ </script> <script type="text/javascript" src="https://www.developer.com/wp-content/plugins/advanced-ads-layer/public/assets/js/layer.js?ver=1.7.7" id="advanced-ads-layer-footer-js-js" defer></script> <script type="text/javascript" id="advanced-ads-responsive-js-extra"> /* <![CDATA[ */ var advanced_ads_responsive = {"reload_on_resize":"0"}; /* ]]> */ </script> <script type="text/javascript" src="https://www.developer.com/wp-content/plugins/advanced-ads-responsive/public/assets/js/script.js?ver=1.11.0" id="advanced-ads-responsive-js" defer></script> <script type="text/javascript" id="advanced-ads-sticky-footer-js-js-extra"> /* <![CDATA[ */ var advanced_ads_sticky_settings = {"check_position_fixed":"","sticky_class":"devco-sticky","placements":["native-ads","sticky-footer"]}; /* ]]> */ </script> <script type="text/javascript" src="https://www.developer.com/wp-content/plugins/advanced-ads-sticky-ads/public/assets/js/sticky.js?ver=1.8.4" id="advanced-ads-sticky-footer-js-js" defer></script> <script type="rocketlazyloadscript" data-rocket-type="text/javascript" id="rocket-browser-checker-js-after"> /* <![CDATA[ */ "use strict";var _createClass=function(){function defineProperties(target,props){for(var i=0;i<props.length;i++){var descriptor=props[i];descriptor.enumerable=descriptor.enumerable||!1,descriptor.configurable=!0,"value"in descriptor&&(descriptor.writable=!0),Object.defineProperty(target,descriptor.key,descriptor)}}return function(Constructor,protoProps,staticProps){return protoProps&&defineProperties(Constructor.prototype,protoProps),staticProps&&defineProperties(Constructor,staticProps),Constructor}}();function _classCallCheck(instance,Constructor){if(!(instance instanceof Constructor))throw new TypeError("Cannot call a class as a function")}var RocketBrowserCompatibilityChecker=function(){function RocketBrowserCompatibilityChecker(options){_classCallCheck(this,RocketBrowserCompatibilityChecker),this.passiveSupported=!1,this._checkPassiveOption(this),this.options=!!this.passiveSupported&&options}return _createClass(RocketBrowserCompatibilityChecker,[{key:"_checkPassiveOption",value:function(self){try{var options={get passive(){return!(self.passiveSupported=!0)}};window.addEventListener("test",null,options),window.removeEventListener("test",null,options)}catch(err){self.passiveSupported=!1}}},{key:"initRequestIdleCallback",value:function(){!1 in window&&(window.requestIdleCallback=function(cb){var start=Date.now();return setTimeout(function(){cb({didTimeout:!1,timeRemaining:function(){return Math.max(0,50-(Date.now()-start))}})},1)}),!1 in window&&(window.cancelIdleCallback=function(id){return clearTimeout(id)})}},{key:"isDataSaverModeOn",value:function(){return"connection"in navigator&&!0===navigator.connection.saveData}},{key:"supportsLinkPrefetch",value:function(){var elem=document.createElement("link");return elem.relList&&elem.relList.supports&&elem.relList.supports("prefetch")&&window.IntersectionObserver&&"isIntersecting"in IntersectionObserverEntry.prototype}},{key:"isSlowConnection",value:function(){return"connection"in navigator&&"effectiveType"in navigator.connection&&("2g"===navigator.connection.effectiveType||"slow-2g"===navigator.connection.effectiveType)}}]),RocketBrowserCompatibilityChecker}(); /* ]]> */ </script> <script type="text/javascript" id="rocket-preload-links-js-extra"> /* <![CDATA[ */ var RocketPreloadLinksConfig = {"excludeUris":"\/(?:.+\/)?feed(?:\/(?:.+\/?)?)?$|\/(?:.+\/)?embed\/|\/(index\\.php\/)?(.*)wp\\-json(\/.*|$)|\/refer\/|\/go\/|\/recommend\/|\/recommends\/|\/linkout\/.+","usesTrailingSlash":"1","imageExt":"jpg|jpeg|gif|png|tiff|bmp|webp|avif|pdf|doc|docx|xls|xlsx|php","fileExt":"jpg|jpeg|gif|png|tiff|bmp|webp|avif|pdf|doc|docx|xls|xlsx|php|html|htm","siteUrl":"https:\/\/www.developer.com","onHoverDelay":"100","rateThrottle":"3"}; /* ]]> */ </script> <script type="rocketlazyloadscript" data-rocket-type="text/javascript" id="rocket-preload-links-js-after"> /* <![CDATA[ */ (function() { "use strict";var r="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function(e){return typeof e}:function(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e},e=function(){function i(e,t){for(var n=0;n<t.length;n++){var i=t[n];i.enumerable=i.enumerable||!1,i.configurable=!0,"value"in i&&(i.writable=!0),Object.defineProperty(e,i.key,i)}}return function(e,t,n){return t&&i(e.prototype,t),n&&i(e,n),e}}();function i(e,t){if(!(e instanceof t))throw new TypeError("Cannot call a class as a function")}var t=function(){function n(e,t){i(this,n),this.browser=e,this.config=t,this.options=this.browser.options,this.prefetched=new Set,this.eventTime=null,this.threshold=1111,this.numOnHover=0}return e(n,[{key:"init",value:function(){!this.browser.supportsLinkPrefetch()||this.browser.isDataSaverModeOn()||this.browser.isSlowConnection()||(this.regex={excludeUris:RegExp(this.config.excludeUris,"i"),images:RegExp(".("+this.config.imageExt+")$","i"),fileExt:RegExp(".("+this.config.fileExt+")$","i")},this._initListeners(this))}},{key:"_initListeners",value:function(e){-1<this.config.onHoverDelay&&document.addEventListener("mouseover",e.listener.bind(e),e.listenerOptions),document.addEventListener("mousedown",e.listener.bind(e),e.listenerOptions),document.addEventListener("touchstart",e.listener.bind(e),e.listenerOptions)}},{key:"listener",value:function(e){var t=e.target.closest("a"),n=this._prepareUrl(t);if(null!==n)switch(e.type){case"mousedown":case"touchstart":this._addPrefetchLink(n);break;case"mouseover":this._earlyPrefetch(t,n,"mouseout")}}},{key:"_earlyPrefetch",value:function(t,e,n){var i=this,r=setTimeout(function(){if(r=null,0===i.numOnHover)setTimeout(function(){return i.numOnHover=0},1e3);else if(i.numOnHover>i.config.rateThrottle)return;i.numOnHover++,i._addPrefetchLink(e)},this.config.onHoverDelay);t.addEventListener(n,function e(){t.removeEventListener(n,e,{passive:!0}),null!==r&&(clearTimeout(r),r=null)},{passive:!0})}},{key:"_addPrefetchLink",value:function(i){return this.prefetched.add(i.href),new Promise(function(e,t){var n=document.createElement("link");n.rel="prefetch",n.href=i.href,n.onload=e,n.onerror=t,document.head.appendChild(n)}).catch(function(){})}},{key:"_prepareUrl",value:function(e){if(null===e||"object"!==(void 0===e?"undefined":r(e))||!1 in e||-1===["http:","https:"].indexOf(e.protocol))return null;var t=e.href.substring(0,this.config.siteUrl.length),n=this._getPathname(e.href,t),i={original:e.href,protocol:e.protocol,origin:t,pathname:n,href:t+n};return this._isLinkOk(i)?i:null}},{key:"_getPathname",value:function(e,t){var n=t?e.substring(this.config.siteUrl.length):e;return n.startsWith("/")||(n="/"+n),this._shouldAddTrailingSlash(n)?n+"/":n}},{key:"_shouldAddTrailingSlash",value:function(e){return this.config.usesTrailingSlash&&!e.endsWith("/")&&!this.regex.fileExt.test(e)}},{key:"_isLinkOk",value:function(e){return null!==e&&"object"===(void 0===e?"undefined":r(e))&&(!this.prefetched.has(e.href)&&e.origin===this.config.siteUrl&&-1===e.href.indexOf("?")&&-1===e.href.indexOf("#")&&!this.regex.excludeUris.test(e.href)&&!this.regex.images.test(e.href))}}],[{key:"run",value:function(){"undefined"!=typeof RocketPreloadLinksConfig&&new n(new RocketBrowserCompatibilityChecker({capture:!0,passive:!0}),RocketPreloadLinksConfig).init()}}]),n}();t.run(); }()); /* ]]> */ </script> <script type="text/javascript" id="advanced-ads-pro/front-js-extra"> /* <![CDATA[ */ var advadsCfpInfo = {"cfpExpHours":"3","cfpClickLimit":"3","cfpBan":"7","cfpPath":"","cfpDomain":"www.developer.com"}; /* ]]> */ </script> <script type="text/javascript" src="https://www.developer.com/wp-content/plugins/advanced-ads-pro/assets/js/advanced-ads-pro.min.js?ver=2.21.2" id="advanced-ads-pro/front-js" defer></script> <script type="rocketlazyloadscript" data-rocket-type="text/javascript" data-rocket-src="https://www.developer.com/wp-content/themes/Newspaper-child-developer/src/main-min.js?ver=6.4.3" id="child-scripts-js" defer></script> <script type="rocketlazyloadscript" data-rocket-type="text/javascript" data-rocket-src="https://www.developer.com/wp-includes/js/underscore.min.js?ver=1.13.4" id="underscore-js" defer></script> <script type="rocketlazyloadscript" data-rocket-type="text/javascript" data-rocket-src="https://www.developer.com/wp-content/plugins/td-cloud-library/assets/js/js_posts_autoload.min.js?ver=6cc04771d778c6f460cf525df52258a3" id="tdb_js_posts_autoload-js" defer></script> <script type="text/javascript" src="https://www.developer.com/wp-content/plugins/td-composer/legacy/Newspaper/js/tagdiv_theme.min.js?ver=12.6.3" id="td-site-min-js" defer></script> <script type="rocketlazyloadscript" data-rocket-type="text/javascript" data-rocket-src="https://www.developer.com/wp-content/plugins/td-composer/legacy/Newspaper/js/tdPostImages.js?ver=12.6.3" id="tdPostImages-js" defer></script> <script type="rocketlazyloadscript" data-rocket-type="text/javascript" data-rocket-src="https://www.developer.com/wp-content/plugins/td-composer/legacy/Newspaper/js/tdSocialSharing.js?ver=12.6.3" id="tdSocialSharing-js" defer></script> <script type="rocketlazyloadscript" data-rocket-type="text/javascript" data-rocket-src="https://www.developer.com/wp-content/plugins/td-composer/legacy/Newspaper/js/tdModalPostImages.js?ver=12.6.3" id="tdModalPostImages-js" defer></script> <script type="rocketlazyloadscript" data-rocket-type="text/javascript" data-rocket-src="https://www.developer.com/wp-includes/js/comment-reply.min.js?ver=6.4.3" id="comment-reply-js" async="async" data-wp-strategy="async"></script> <script type="text/javascript" id="advadsTrackingScript-js-extra"> /* <![CDATA[ */ var advadsTracking = {"impressionActionName":"aatrack-records","clickActionName":"aatrack-click","targetClass":"devco-target","blogId":"1","frontendPrefix":"devco-"}; /* ]]> */ </script> <script type="text/javascript" src="https://www.developer.com/wp-content/plugins/advanced-ads-tracking/public/assets/js/dist/tracking.min.js?ver=2.4.6" id="advadsTrackingScript-js" defer></script> <script type="text/javascript" src="https://www.developer.com/wp-content/plugins/advanced-ads-tracking/public/assets/js/dist/delayed.min.js?ver=2.4.6" id="advadsTrackingDelayed-js" defer></script> <script type="text/javascript" src="https://www.developer.com/wp-content/plugins/td-cloud-library/assets/js/js_files_for_front.min.js?ver=6cc04771d778c6f460cf525df52258a3" id="tdb_js_files_for_front-js" defer></script> <script type="rocketlazyloadscript" data-rocket-type="text/javascript" data-rocket-src="https://www.developer.com/wp-content/plugins/ta-campaign-plugin/assets/js/dist/ouibounce.js?ver=2.1.14" id="ta-campaign-ouibounce-js" defer></script> <script type="rocketlazyloadscript" data-rocket-type="text/javascript" data-rocket-src="https://www.developer.com/wp-content/plugins/ta-campaign-plugin/assets/js/dist/ta-campaign-public.js?ver=2.1.14" id="ta-campaign-script-js" defer></script> <!--noptimize--><script type="rocketlazyloadscript">window.advads_admin_bar_items = [{"title":"Datalayer &amp; GAM Core","type":"ad"},{"title":"Before Closing Head Tag","type":"placement"},{"title":"Developer | Master Ad Slot Definitions","type":"ad"},{"title":"Master Ad Slot Definitions","type":"placement"},{"title":"Developer | Inline Top Render","type":"ad"},{"title":"Inline Top","type":"placement"},{"title":"Developer | Sticky Rail Render","type":"ad"},{"title":"Sticky Rail","type":"placement"},{"title":"Developer | Native Ads - Render","type":"ad"},{"title":"Native Ads","type":"placement"},{"title":"Developer | Sticky Bottom Render","type":"ad"},{"title":"Sticky Footer","type":"placement"}];</script><!--/noptimize--><!--noptimize--><script>!function(){window.advanced_ads_ready_queue=window.advanced_ads_ready_queue||[],advanced_ads_ready_queue.push=window.advanced_ads_ready;for(var d=0,a=advanced_ads_ready_queue.length;d<a;d++)advanced_ads_ready(advanced_ads_ready_queue[d])}();</script><!--/noptimize--> <script type="rocketlazyloadscript" data-rocket-type="text/javascript" data-rocket-src="https://www.developer.com/wp-content/plugins/td-composer/legacy/Newspaper/js/tdLoadingBox.js?ver=12.6.3" id="tdLoadingBox-js" defer></script> <script type="rocketlazyloadscript" data-rocket-type="text/javascript" data-rocket-src="https://www.developer.com/wp-content/plugins/td-cloud-library/assets/js/tdbMenu.js?ver=6cc04771d778c6f460cf525df52258a3" id="tdbMenu-js" defer></script> <script type="rocketlazyloadscript" data-rocket-type="text/javascript" data-rocket-src="https://www.developer.com/wp-content/plugins/td-composer/legacy/Newspaper/js/tdAjaxSearch.js?ver=12.6.3" id="tdDatei18n-js" defer></script> <script type="rocketlazyloadscript" data-rocket-type="text/javascript" data-rocket-src="https://www.developer.com/wp-content/plugins/td-cloud-library/assets/js/tdbSearch.js?ver=6cc04771d778c6f460cf525df52258a3" id="tdbSearch-js" defer></script> <script type="rocketlazyloadscript" data-rocket-type="text/javascript" data-rocket-src="https://www.developer.com/wp-content/plugins/td-composer/legacy/Newspaper/js/tdSmartSidebar.js?ver=12.6.3" id="tdSmartSidebar-js" defer></script> <script type="rocketlazyloadscript" data-rocket-type="text/javascript" data-rocket-src="https://www.developer.com/wp-content/plugins/td-composer/legacy/Newspaper/js/tdInfiniteLoader.js?ver=12.6.3" id="tdInfiniteLoader-js" defer></script> <!-- JS generated by theme --> <script type="rocketlazyloadscript"> /* global jQuery:{} */ jQuery(document).ready( function () { var tdbMenuItem = new tdbMenu.item(); tdbMenuItem.blockUid = 'tdi_1'; tdbMenuItem.jqueryObj = jQuery('.tdi_1'); tdbMenuItem.blockAtts = '{"main_sub_tdicon":"td-icon-down","sub_tdicon":"td-icon-right-arrow","mm_align_horiz":"content-horiz-center","modules_on_row_regular":"25%","modules_on_row_cats":"33.33333333%","image_size":"td_324x400","modules_category":"above","show_excerpt":"none","show_com":"none","show_date":"none","show_author":"none","mm_sub_align_horiz":"content-horiz-right","mm_elem_align_horiz":"content-horiz-right","menu_id":"36574","inline":"yes","f_elem_font_family":"394","f_elem_font_weight":"600","f_elem_font_size":"eyJhbGwiOiIxNiIsImxhbmRzY2FwZSI6IjEyIiwicG9ydHJhaXQiOiIxMiJ9","elem_padd":"eyJhbGwiOiIwIDQycHgiLCJsYW5kc2NhcGUiOiIwIDIwcHgiLCJwb3J0cmFpdCI6IjAgMjBweCJ9","tds_menu_active1-line_width":"100%","main_sub_icon_size":"19","main_sub_icon_align":"0","mm_align_screen":"yes","mm_width":"eyJhbGwiOiIxMjAwIiwibGFuZHNjYXBlIjoiY2FsYygxMDAlIC0gNDBweCkifQ==","f_elem_font_line_height":"eyJsYW5kc2NhcGUiOiI1MnB4IiwiYWxsIjoiNTZweCJ9","sub_first_left":"eyJhbGwiOiI3IiwibGFuZHNjYXBlIjoiOCJ9","sub_elem_padd":"eyJhbGwiOiI2cHggMTdweCIsImxhbmRzY2FwZSI6IjNweCAxNnB4IiwicG9ydHJhaXQiOiIzcHggMTZweCJ9","sub_padd":"eyJhbGwiOiIxMnB4IDAiLCJsYW5kc2NhcGUiOiIxMHB4IDAiLCJwb3J0cmFpdCI6IjEwcHggMCJ9","f_sub_elem_font_family":"394","f_sub_elem_font_transform":"capitalize","f_sub_elem_font_weight":"600","tds_menu_active1-text_color_h":"#929bc0","tds_menu_sub_active1-sub_text_color_h":"#929bc0","mm_shadow_shadow_size":"30","mm_shadow_shadow_offset_vertical":"44","mm_shadow_shadow_color":"rgba(0,0,0,0.12)","mm_border_size":"2px 0 0","mm_border_color":"#f7f7f7","mm_subcats_bg":"#ffffff","mm_posts_limit":"4","image_height":"eyJhbGwiOiI1NSIsInBvcnRyYWl0IjoiNjAifQ==","image_radius":"eyJhbGwiOiIxMCIsImxhbmRzY2FwZSI6IjgiLCJwb3J0cmFpdCI6IjYifQ==","modules_category_padding":"0","cat_bg":"rgba(0,0,0,0)","cat_txt":"#a20004","f_cat_font_family":"tk_2","f_cat_font_transform":"uppercase","f_cat_font_size":"eyJhbGwiOiIxMSIsInBvcnRyYWl0IjoiMTAifQ==","f_cat_font_weight":"500","f_title_font_family":"tk_2","f_title_font_size":"eyJhbGwiOiIxNiIsImxhbmRzY2FwZSI6IjE1IiwicG9ydHJhaXQiOiIxNCJ9","f_title_font_weight":"200","f_title_font_line_height":"1.4","meta_padding":"eyJhbGwiOiIyMHB4IDVweCAwIiwibGFuZHNjYXBlIjoiMThweCA0cHggMCIsInBvcnRyYWl0IjoiMTZweCAzcHggMCJ9","art_title":"0","modules_category_margin":"eyJhbGwiOiIwIDAgNnB4IiwibGFuZHNjYXBlIjoiMCAwIDRweCJ9","pag_border_width":"0","pag_padding":"0","prev_tdicon":"tdc-font-tdmp tdc-font-tdmp-arrow-left","next_tdicon":"tdc-font-tdmp tdc-font-tdmp-arrow-right","pag_icons_size":"20","pag_text":"#828282","pag_h_bg":"rgba(130,130,130,0)","pag_h_text":"#a20004","mm_subcats_posts_limit":"3","f_mm_sub_font_family":"tk_2","mm_elem_color_a":"#a20004","mm_subcats_border_color":"rgba(0,0,0,0.03)","mm_elem_border_color_a":"rgba(0,0,0,0.03)","mm_elem_border_a":"0 2px 2px 0","mm_sub_border":"0 2px 0 0","mm_elem_border":"0 2px 2px 0","mm_padd":"eyJhbGwiOiIyMCIsImxhbmRzY2FwZSI6IjE4IiwicG9ydHJhaXQiOiIxOCJ9","modules_gap":"eyJhbGwiOiIyNCIsImxhbmRzY2FwZSI6IjIwIiwicG9ydHJhaXQiOiIxOCJ9","mm_sub_width":"eyJsYW5kc2NhcGUiOiIxNzYiLCJwb3J0cmFpdCI6IjE1MCJ9","mm_sub_padd":"eyJsYW5kc2NhcGUiOiIxOHB4IDAiLCJwb3J0cmFpdCI6IjE4cHggMCJ9","mm_elem_padd":"eyJsYW5kc2NhcGUiOiI1cHggMjBweCIsInBvcnRyYWl0IjoiM3B4IDIwcHgifQ==","sub_shadow_shadow_size":"30","sub_shadow_shadow_offset_horizontal":"0","sub_shadow_shadow_offset_vertical":"44","f_sub_elem_font_size":"eyJsYW5kc2NhcGUiOiIxMSJ9","f_mm_sub_font_size":"eyJwb3J0cmFpdCI6IjExIn0=","more":"yes","sub_border_size":"2px 0 0","sub_border_color":"#f7f7f7","tdc_css":"eyJhbGwiOnsiZGlzcGxheSI6IiJ9fQ==","tds_menu_active1-line_color":"#ffffff","f_elem_font_transform":"capitalize","f_mm_sub_font_transform":"capitalize","f_meta_font_family":"tk_2","f_ex_font_family":"tk_2","f_mm_sub_font_weight":"300","hide_image":"yes","text_color":"#ffffff","align_horiz":"content-horiz-center","tds_menu_active":"tds_menu_active1","sub_text_color":"#333b7e","block_type":"tdb_header_menu","show_subcat":"","show_mega":"","show_mega_cats":"","mob_load":"","separator":"","width":"","float_right":"","elem_space":"","main_sub_icon_space":"","sep_tdicon":"","sep_icon_size":"","sep_icon_space":"","sep_icon_align":"-1","more_txt":"","more_tdicon":"","more_icon_size":"","more_icon_align":"0","sub_width":"","sub_rest_top":"","sub_align_horiz":"content-horiz-left","sub_elem_inline":"","sub_elem_space":"","sub_elem_radius":"0","sub_icon_size":"","sub_icon_space":"","sub_icon_pos":"","sub_icon_align":"1","mm_content_width":"","mm_height":"","mm_radius":"","mm_offset":"","mm_child_cats":"","open_in_new_window":"","mm_ajax_preloading":"","mm_hide_all_item":"","mm_sub_inline":"","mm_elem_order":"name","mm_elem_space":"","mm_elem_border_rad":"","mc1_tl":"","mc1_title_tag":"","mc1_el":"","m_padding":"","all_modules_space":"36","modules_border_size":"","modules_border_style":"","modules_border_color":"#eaeaea","modules_divider":"","modules_divider_color":"#eaeaea","h_effect":"","image_alignment":"50","image_width":"","image_floated":"no_float","video_icon":"","show_vid_t":"block","vid_t_margin":"","vid_t_padding":"","vid_t_color":"","vid_t_bg_color":"","f_vid_time_font_header":"","f_vid_time_font_title":"Video duration text","f_vid_time_font_settings":"","f_vid_time_font_family":"","f_vid_time_font_size":"","f_vid_time_font_line_height":"","f_vid_time_font_style":"","f_vid_time_font_weight":"","f_vid_time_font_transform":"","f_vid_time_font_spacing":"","f_vid_time_":"","show_audio":"block","hide_audio":"","art_audio":"","art_audio_size":"1","meta_info_align":"","meta_info_horiz":"content-horiz-left","meta_width":"","meta_margin":"","meta_info_border_size":"","meta_info_border_style":"","meta_info_border_color":"#eaeaea","modules_cat_border":"","modules_category_radius":"0","show_cat":"inline-block","modules_extra_cat":"","author_photo":"","author_photo_size":"","author_photo_space":"","author_photo_radius":"","show_modified_date":"","time_ago":"","time_ago_add_txt":"ago","time_ago_txt_pos":"","art_excerpt":"","excerpt_col":"1","excerpt_gap":"","excerpt_middle":"","show_review":"inline-block","review_space":"","review_size":"2.5","review_distance":"","show_pagination":"","pag_space":"","pag_border_radius":"","main_sub_color":"","sep_color":"","more_icon_color":"","hover_opacity":"","f_elem_font_header":"","f_elem_font_title":"Elements text","f_elem_font_settings":"","f_elem_font_style":"","f_elem_font_spacing":"","f_elem_":"","sub_bg_color":"","sub_border_radius":"","sub_elem_bg_color":"","sub_color":"","sub_shadow_shadow_header":"","sub_shadow_shadow_title":"Shadow","sub_shadow_shadow_spread":"","sub_shadow_shadow_color":"","tds_menu_sub_active":"tds_menu_sub_active1","f_sub_elem_font_header":"","f_sub_elem_font_title":"Elements text","f_sub_elem_font_settings":"","f_sub_elem_font_line_height":"","f_sub_elem_font_style":"","f_sub_elem_font_spacing":"","f_sub_elem_":"","mm_bg":"","mm_shadow_shadow_header":"","mm_shadow_shadow_title":"Shadow","mm_shadow_shadow_offset_horizontal":"","mm_shadow_shadow_spread":"","mm_elem_color":"","mm_elem_bg":"","mm_elem_bg_a":"","mm_elem_border_color":"","mm_elem_shadow_shadow_header":"","mm_elem_shadow_shadow_title":"Elements shadow","mm_elem_shadow_shadow_size":"","mm_elem_shadow_shadow_offset_horizontal":"","mm_elem_shadow_shadow_offset_vertical":"","mm_elem_shadow_shadow_spread":"","mm_elem_shadow_shadow_color":"","f_mm_sub_font_header":"","f_mm_sub_font_title":"Sub categories elements","f_mm_sub_font_settings":"","f_mm_sub_font_line_height":"","f_mm_sub_font_style":"","f_mm_sub_font_spacing":"","f_mm_sub_":"","m_bg":"","color_overlay":"","shadow_shadow_header":"","shadow_shadow_title":"Module Shadow","shadow_shadow_size":"","shadow_shadow_offset_horizontal":"","shadow_shadow_offset_vertical":"","shadow_shadow_spread":"","shadow_shadow_color":"","title_txt":"","title_txt_hover":"","all_underline_height":"","all_underline_color":"#000","cat_bg_hover":"","cat_txt_hover":"","cat_border":"","cat_border_hover":"","meta_bg":"","author_txt":"","author_txt_hover":"","date_txt":"","ex_txt":"","com_bg":"","com_txt":"","rev_txt":"","shadow_m_shadow_header":"","shadow_m_shadow_title":"Meta info shadow","shadow_m_shadow_size":"","shadow_m_shadow_offset_horizontal":"","shadow_m_shadow_offset_vertical":"","shadow_m_shadow_spread":"","shadow_m_shadow_color":"","audio_btn_color":"","audio_time_color":"","audio_bar_color":"","audio_bar_curr_color":"","pag_bg":"","pag_border":"","pag_h_border":"","f_title_font_header":"","f_title_font_title":"Article title","f_title_font_settings":"","f_title_font_style":"","f_title_font_transform":"","f_title_font_spacing":"","f_title_":"","f_cat_font_title":"Article category tag","f_cat_font_settings":"","f_cat_font_line_height":"","f_cat_font_style":"","f_cat_font_spacing":"","f_cat_":"","f_meta_font_title":"Article meta info","f_meta_font_settings":"","f_meta_font_size":"","f_meta_font_line_height":"","f_meta_font_style":"","f_meta_font_weight":"","f_meta_font_transform":"","f_meta_font_spacing":"","f_meta_":"","f_ex_font_title":"Article excerpt","f_ex_font_settings":"","f_ex_font_size":"","f_ex_font_line_height":"","f_ex_font_style":"","f_ex_font_weight":"","f_ex_font_transform":"","f_ex_font_spacing":"","f_ex_":"","mix_color":"","mix_type":"","fe_brightness":"1","fe_contrast":"1","fe_saturate":"1","mix_color_h":"","mix_type_h":"","fe_brightness_h":"1","fe_contrast_h":"1","fe_saturate_h":"1","el_class":"","block_template_id":"","td_column_number":1,"header_color":"","ajax_pagination_infinite_stop":"","offset":"","limit":"5","td_ajax_preloading":"","td_ajax_filter_type":"","td_filter_default_txt":"","td_ajax_filter_ids":"","color_preset":"","ajax_pagination":"","ajax_pagination_next_prev_swipe":"","border_top":"","css":"","class":"tdi_1","tdc_css_class":"tdi_1","tdc_css_class_style":"tdi_1_rand_style"}'; tdbMenuItem.isMegaMenuFull = true; tdbMenuItem.megaMenuLoadType = ''; tdbMenu.addItem(tdbMenuItem); }); /* global jQuery:{} */ jQuery(document).ready( function () { var tdbMenuItem = new tdbMenu.item(); tdbMenuItem.blockUid = 'tdi_4'; tdbMenuItem.jqueryObj = jQuery('.tdi_4'); tdbMenuItem.blockAtts = '{"main_sub_tdicon":"td-icon-pluss","sub_tdicon":"td-icon-right-arrow","mm_align_horiz":"content-horiz-center","modules_on_row_regular":"25%","modules_on_row_cats":"33.33333333%","image_size":"td_324x400","modules_category":"above","show_excerpt":"none","show_com":"none","show_date":"none","show_author":"none","mm_sub_align_horiz":"content-horiz-right","mm_elem_align_horiz":"content-horiz-right","menu_id":"11","inline":"yes","f_elem_font_family":"406","f_elem_font_weight":"800","f_elem_font_size":"eyJhbGwiOiIxMyIsImxhbmRzY2FwZSI6IjEyIiwicG9ydHJhaXQiOiIxMiJ9","elem_padd":"eyJhbGwiOiIwIDI0cHgiLCJsYW5kc2NhcGUiOiIwIDIwcHgiLCJwb3J0cmFpdCI6IjAgMjBweCJ9","tds_menu_active1-line_width":"0","main_sub_icon_size":"19","main_sub_icon_space":"0","main_sub_icon_align":"0","f_elem_font_spacing":"2","mm_align_screen":"yes","mm_width":"eyJhbGwiOiIxMjAwIiwibGFuZHNjYXBlIjoiY2FsYygxMDAlIC0gNDBweCkifQ==","f_elem_font_line_height":"eyJhbGwiOiI1NnB4IiwibGFuZHNjYXBlIjoiNTJweCJ9","sub_first_left":"eyJhbGwiOiI3IiwibGFuZHNjYXBlIjoiOCJ9","sub_elem_padd":"eyJhbGwiOiI2cHggMTdweCIsImxhbmRzY2FwZSI6IjNweCAxNnB4IiwicG9ydHJhaXQiOiIzcHggMTZweCJ9","sub_padd":"eyJhbGwiOiIxMnB4IDAiLCJsYW5kc2NhcGUiOiIxMHB4IDAiLCJwb3J0cmFpdCI6IjEwcHggMCJ9","f_sub_elem_font_family":"406","f_sub_elem_font_transform":"uppercase","f_sub_elem_font_weight":"800","f_sub_elem_font_spacing":"2","tds_menu_active1-text_color_h":"#0d42a2","tds_menu_sub_active1-sub_text_color_h":"#0d42a2","mm_shadow_shadow_size":"30","mm_shadow_shadow_offset_vertical":"44","mm_shadow_shadow_color":"rgba(0,0,0,0.12)","mm_border_size":"2px 0 0","mm_border_color":"rgba(0,0,0,0.03)","mm_subcats_bg":"#ffffff","mm_posts_limit":"4","image_height":"eyJhbGwiOiI1NSIsInBvcnRyYWl0IjoiNjAifQ==","image_radius":"eyJhbGwiOiIxMCIsImxhbmRzY2FwZSI6IjgiLCJwb3J0cmFpdCI6IjYifQ==","modules_category_padding":"0","cat_bg":"rgba(0,0,0,0)","cat_txt":"#0d42a2","f_cat_font_family":"406","f_cat_font_transform":"uppercase","f_cat_font_size":"eyJhbGwiOiIxMSIsInBvcnRyYWl0IjoiMTAifQ==","f_cat_font_weight":"800","f_title_font_family":"406","f_title_font_size":"eyJhbGwiOiIxNiIsImxhbmRzY2FwZSI6IjE1IiwicG9ydHJhaXQiOiIxNCJ9","f_title_font_weight":"800","f_title_font_line_height":"1.4","meta_padding":"eyJhbGwiOiIyMHB4IDVweCAwIiwibGFuZHNjYXBlIjoiMThweCA0cHggMCIsInBvcnRyYWl0IjoiMTZweCAzcHggMCJ9","art_title":"0","modules_category_margin":"eyJhbGwiOiIwIDAgNnB4IiwibGFuZHNjYXBlIjoiMCAwIDRweCJ9","pag_border_width":"0","pag_padding":"0","prev_tdicon":"tdc-font-tdmp tdc-font-tdmp-arrow-left","next_tdicon":"tdc-font-tdmp tdc-font-tdmp-arrow-right","pag_icons_size":"20","pag_text":"#828282","pag_h_bg":"rgba(130,130,130,0)","pag_h_text":"#0d42a2","mm_subcats_posts_limit":"3","f_mm_sub_font_family":"406","mm_elem_color_a":"#0d42a2","mm_subcats_border_color":"rgba(0,0,0,0.03)","mm_elem_border_color_a":"rgba(0,0,0,0.03)","mm_elem_border_a":"0 2px 2px 0","mm_sub_border":"0 2px 0 0","mm_elem_border":"0 2px 2px 0","mm_padd":"eyJhbGwiOiIyMCIsImxhbmRzY2FwZSI6IjE4IiwicG9ydHJhaXQiOiIxOCJ9","modules_gap":"eyJhbGwiOiIyNCIsImxhbmRzY2FwZSI6IjIwIiwicG9ydHJhaXQiOiIxOCJ9","mm_sub_width":"eyJsYW5kc2NhcGUiOiIxNzYiLCJwb3J0cmFpdCI6IjE1MCJ9","mm_sub_padd":"eyJsYW5kc2NhcGUiOiIxOHB4IDAiLCJwb3J0cmFpdCI6IjE4cHggMCJ9","mm_elem_padd":"eyJsYW5kc2NhcGUiOiI1cHggMjBweCIsInBvcnRyYWl0IjoiM3B4IDIwcHgifQ==","sub_shadow_shadow_size":"30","sub_shadow_shadow_offset_horizontal":"0","sub_shadow_shadow_offset_vertical":"44","f_sub_elem_font_size":"eyJsYW5kc2NhcGUiOiIxMSJ9","show_mega_cats":"yes","f_mm_sub_font_size":"eyJwb3J0cmFpdCI6IjExIn0=","more":"yes","block_type":"tdb_header_menu","show_subcat":"","show_mega":"","mob_load":"","separator":"","width":"","float_right":"","align_horiz":"content-horiz-left","elem_space":"","sep_tdicon":"","sep_icon_size":"","sep_icon_space":"","sep_icon_align":"-1","more_txt":"","more_tdicon":"","more_icon_size":"","more_icon_align":"0","sub_width":"","sub_rest_top":"","sub_align_horiz":"content-horiz-left","sub_elem_inline":"","sub_elem_space":"","sub_elem_radius":"0","sub_icon_size":"","sub_icon_space":"","sub_icon_pos":"","sub_icon_align":"1","mm_content_width":"","mm_height":"","mm_radius":"","mm_offset":"","mm_child_cats":"","open_in_new_window":"","mm_ajax_preloading":"","mm_hide_all_item":"","mm_sub_inline":"","mm_elem_order":"name","mm_elem_space":"","mm_elem_border_rad":"","mc1_tl":"","mc1_title_tag":"","mc1_el":"","m_padding":"","all_modules_space":"36","modules_border_size":"","modules_border_style":"","modules_border_color":"#eaeaea","modules_divider":"","modules_divider_color":"#eaeaea","h_effect":"","image_alignment":"50","image_width":"","image_floated":"no_float","hide_image":"","video_icon":"","show_vid_t":"block","vid_t_margin":"","vid_t_padding":"","vid_t_color":"","vid_t_bg_color":"","f_vid_time_font_header":"","f_vid_time_font_title":"Video duration text","f_vid_time_font_settings":"","f_vid_time_font_family":"","f_vid_time_font_size":"","f_vid_time_font_line_height":"","f_vid_time_font_style":"","f_vid_time_font_weight":"","f_vid_time_font_transform":"","f_vid_time_font_spacing":"","f_vid_time_":"","show_audio":"block","hide_audio":"","art_audio":"","art_audio_size":"1","meta_info_align":"","meta_info_horiz":"content-horiz-left","meta_width":"","meta_margin":"","meta_info_border_size":"","meta_info_border_style":"","meta_info_border_color":"#eaeaea","modules_cat_border":"","modules_category_radius":"0","show_cat":"inline-block","modules_extra_cat":"","author_photo":"","author_photo_size":"","author_photo_space":"","author_photo_radius":"","show_modified_date":"","time_ago":"","time_ago_add_txt":"ago","time_ago_txt_pos":"","art_excerpt":"","excerpt_col":"1","excerpt_gap":"","excerpt_middle":"","show_review":"inline-block","review_space":"","review_size":"2.5","review_distance":"","show_pagination":"","pag_space":"","pag_border_radius":"","text_color":"","main_sub_color":"","sep_color":"","more_icon_color":"","tds_menu_active":"tds_menu_active1","hover_opacity":"","f_elem_font_header":"","f_elem_font_title":"Elements text","f_elem_font_settings":"","f_elem_font_style":"","f_elem_font_transform":"","f_elem_":"","sub_bg_color":"","sub_border_size":"","sub_border_color":"","sub_border_radius":"","sub_text_color":"","sub_elem_bg_color":"","sub_color":"","sub_shadow_shadow_header":"","sub_shadow_shadow_title":"Shadow","sub_shadow_shadow_spread":"","sub_shadow_shadow_color":"","tds_menu_sub_active":"tds_menu_sub_active1","f_sub_elem_font_header":"","f_sub_elem_font_title":"Elements text","f_sub_elem_font_settings":"","f_sub_elem_font_line_height":"","f_sub_elem_font_style":"","f_sub_elem_":"","mm_bg":"","mm_shadow_shadow_header":"","mm_shadow_shadow_title":"Shadow","mm_shadow_shadow_offset_horizontal":"","mm_shadow_shadow_spread":"","mm_elem_color":"","mm_elem_bg":"","mm_elem_bg_a":"","mm_elem_border_color":"","mm_elem_shadow_shadow_header":"","mm_elem_shadow_shadow_title":"Elements shadow","mm_elem_shadow_shadow_size":"","mm_elem_shadow_shadow_offset_horizontal":"","mm_elem_shadow_shadow_offset_vertical":"","mm_elem_shadow_shadow_spread":"","mm_elem_shadow_shadow_color":"","f_mm_sub_font_header":"","f_mm_sub_font_title":"Sub categories elements","f_mm_sub_font_settings":"","f_mm_sub_font_line_height":"","f_mm_sub_font_style":"","f_mm_sub_font_weight":"","f_mm_sub_font_transform":"","f_mm_sub_font_spacing":"","f_mm_sub_":"","m_bg":"","color_overlay":"","shadow_shadow_header":"","shadow_shadow_title":"Module Shadow","shadow_shadow_size":"","shadow_shadow_offset_horizontal":"","shadow_shadow_offset_vertical":"","shadow_shadow_spread":"","shadow_shadow_color":"","title_txt":"","title_txt_hover":"","all_underline_height":"","all_underline_color":"#000","cat_bg_hover":"","cat_txt_hover":"","cat_border":"","cat_border_hover":"","meta_bg":"","author_txt":"","author_txt_hover":"","date_txt":"","ex_txt":"","com_bg":"","com_txt":"","rev_txt":"","shadow_m_shadow_header":"","shadow_m_shadow_title":"Meta info shadow","shadow_m_shadow_size":"","shadow_m_shadow_offset_horizontal":"","shadow_m_shadow_offset_vertical":"","shadow_m_shadow_spread":"","shadow_m_shadow_color":"","audio_btn_color":"","audio_time_color":"","audio_bar_color":"","audio_bar_curr_color":"","pag_bg":"","pag_border":"","pag_h_border":"","f_title_font_header":"","f_title_font_title":"Article title","f_title_font_settings":"","f_title_font_style":"","f_title_font_transform":"","f_title_font_spacing":"","f_title_":"","f_cat_font_title":"Article category tag","f_cat_font_settings":"","f_cat_font_line_height":"","f_cat_font_style":"","f_cat_font_spacing":"","f_cat_":"","f_meta_font_title":"Article meta info","f_meta_font_settings":"","f_meta_font_family":"","f_meta_font_size":"","f_meta_font_line_height":"","f_meta_font_style":"","f_meta_font_weight":"","f_meta_font_transform":"","f_meta_font_spacing":"","f_meta_":"","f_ex_font_title":"Article excerpt","f_ex_font_settings":"","f_ex_font_family":"","f_ex_font_size":"","f_ex_font_line_height":"","f_ex_font_style":"","f_ex_font_weight":"","f_ex_font_transform":"","f_ex_font_spacing":"","f_ex_":"","mix_color":"","mix_type":"","fe_brightness":"1","fe_contrast":"1","fe_saturate":"1","mix_color_h":"","mix_type_h":"","fe_brightness_h":"1","fe_contrast_h":"1","fe_saturate_h":"1","el_class":"","tdc_css":"","block_template_id":"","td_column_number":1,"header_color":"","ajax_pagination_infinite_stop":"","offset":"","limit":"5","td_ajax_preloading":"","td_ajax_filter_type":"","td_filter_default_txt":"","td_ajax_filter_ids":"","color_preset":"","ajax_pagination":"","ajax_pagination_next_prev_swipe":"","border_top":"","css":"","class":"tdi_4","tdc_css_class":"tdi_4","tdc_css_class_style":"tdi_4_rand_style"}'; tdbMenuItem.isMegaMenuFull = true; tdbMenuItem.megaMenuLoadType = ''; tdbMenu.addItem(tdbMenuItem); }); /* global jQuery:{} */ jQuery(document).ready( function () { var tdbMenuItem = new tdbMenu.item(); tdbMenuItem.blockUid = 'tdi_33'; tdbMenuItem.jqueryObj = jQuery('.tdi_33'); tdbMenuItem.blockAtts = '{"main_sub_tdicon":"td-icon-down","sub_tdicon":"td-icon-right-arrow","mm_align_horiz":"content-horiz-center","modules_on_row_regular":"25%","modules_on_row_cats":"33.33333333%","image_size":"td_324x400","modules_category":"above","show_excerpt":"none","show_com":"none","show_date":"none","show_author":"none","mm_sub_align_horiz":"content-horiz-right","mm_elem_align_horiz":"content-horiz-right","menu_id":"36574","inline":"yes","f_elem_font_family":"394","f_elem_font_weight":"600","f_elem_font_size":"eyJhbGwiOiIxNiIsImxhbmRzY2FwZSI6IjEyIiwicG9ydHJhaXQiOiIxMiJ9","elem_padd":"eyJhbGwiOiIwIDQycHgiLCJsYW5kc2NhcGUiOiIwIDIwcHgiLCJwb3J0cmFpdCI6IjAgMjBweCJ9","tds_menu_active1-line_width":"100%","main_sub_icon_size":"19","main_sub_icon_align":"0","mm_align_screen":"yes","mm_width":"eyJhbGwiOiIxMjAwIiwibGFuZHNjYXBlIjoiY2FsYygxMDAlIC0gNDBweCkifQ==","f_elem_font_line_height":"eyJsYW5kc2NhcGUiOiI1MnB4IiwiYWxsIjoiNTZweCJ9","sub_first_left":"eyJhbGwiOiI3IiwibGFuZHNjYXBlIjoiOCJ9","sub_elem_padd":"eyJhbGwiOiI2cHggMTdweCIsImxhbmRzY2FwZSI6IjNweCAxNnB4IiwicG9ydHJhaXQiOiIzcHggMTZweCJ9","sub_padd":"eyJhbGwiOiIxMnB4IDAiLCJsYW5kc2NhcGUiOiIxMHB4IDAiLCJwb3J0cmFpdCI6IjEwcHggMCJ9","f_sub_elem_font_family":"394","f_sub_elem_font_transform":"capitalize","f_sub_elem_font_weight":"600","tds_menu_active1-text_color_h":"#929bc0","tds_menu_sub_active1-sub_text_color_h":"#929bc0","mm_shadow_shadow_size":"30","mm_shadow_shadow_offset_vertical":"44","mm_shadow_shadow_color":"rgba(0,0,0,0.12)","mm_border_size":"2px 0 0","mm_border_color":"#f7f7f7","mm_subcats_bg":"#ffffff","mm_posts_limit":"4","image_height":"eyJhbGwiOiI1NSIsInBvcnRyYWl0IjoiNjAifQ==","image_radius":"eyJhbGwiOiIxMCIsImxhbmRzY2FwZSI6IjgiLCJwb3J0cmFpdCI6IjYifQ==","modules_category_padding":"0","cat_bg":"rgba(0,0,0,0)","cat_txt":"#a20004","f_cat_font_family":"tk_2","f_cat_font_transform":"uppercase","f_cat_font_size":"eyJhbGwiOiIxMSIsInBvcnRyYWl0IjoiMTAifQ==","f_cat_font_weight":"500","f_title_font_family":"tk_2","f_title_font_size":"eyJhbGwiOiIxNiIsImxhbmRzY2FwZSI6IjE1IiwicG9ydHJhaXQiOiIxNCJ9","f_title_font_weight":"200","f_title_font_line_height":"1.4","meta_padding":"eyJhbGwiOiIyMHB4IDVweCAwIiwibGFuZHNjYXBlIjoiMThweCA0cHggMCIsInBvcnRyYWl0IjoiMTZweCAzcHggMCJ9","art_title":"0","modules_category_margin":"eyJhbGwiOiIwIDAgNnB4IiwibGFuZHNjYXBlIjoiMCAwIDRweCJ9","pag_border_width":"0","pag_padding":"0","prev_tdicon":"tdc-font-tdmp tdc-font-tdmp-arrow-left","next_tdicon":"tdc-font-tdmp tdc-font-tdmp-arrow-right","pag_icons_size":"20","pag_text":"#828282","pag_h_bg":"rgba(130,130,130,0)","pag_h_text":"#a20004","mm_subcats_posts_limit":"3","f_mm_sub_font_family":"tk_2","mm_elem_color_a":"#a20004","mm_subcats_border_color":"rgba(0,0,0,0.03)","mm_elem_border_color_a":"rgba(0,0,0,0.03)","mm_elem_border_a":"0 2px 2px 0","mm_sub_border":"0 2px 0 0","mm_elem_border":"0 2px 2px 0","mm_padd":"eyJhbGwiOiIyMCIsImxhbmRzY2FwZSI6IjE4IiwicG9ydHJhaXQiOiIxOCJ9","modules_gap":"eyJhbGwiOiIyNCIsImxhbmRzY2FwZSI6IjIwIiwicG9ydHJhaXQiOiIxOCJ9","mm_sub_width":"eyJsYW5kc2NhcGUiOiIxNzYiLCJwb3J0cmFpdCI6IjE1MCJ9","mm_sub_padd":"eyJsYW5kc2NhcGUiOiIxOHB4IDAiLCJwb3J0cmFpdCI6IjE4cHggMCJ9","mm_elem_padd":"eyJsYW5kc2NhcGUiOiI1cHggMjBweCIsInBvcnRyYWl0IjoiM3B4IDIwcHgifQ==","sub_shadow_shadow_size":"30","sub_shadow_shadow_offset_horizontal":"0","sub_shadow_shadow_offset_vertical":"44","f_sub_elem_font_size":"eyJsYW5kc2NhcGUiOiIxMSJ9","f_mm_sub_font_size":"eyJwb3J0cmFpdCI6IjExIn0=","more":"yes","sub_border_size":"2px 0 0","sub_border_color":"#f7f7f7","tdc_css":"eyJhbGwiOnsiZGlzcGxheSI6IiJ9fQ==","tds_menu_active1-line_color":"#ffffff","f_elem_font_transform":"capitalize","f_mm_sub_font_transform":"capitalize","f_meta_font_family":"tk_2","f_ex_font_family":"tk_2","f_mm_sub_font_weight":"300","hide_image":"yes","text_color":"#ffffff","align_horiz":"content-horiz-center","tds_menu_active":"tds_menu_active1","sub_text_color":"#333b7e","block_type":"tdb_header_menu","show_subcat":"","show_mega":"","show_mega_cats":"","mob_load":"","separator":"","width":"","float_right":"","elem_space":"","main_sub_icon_space":"","sep_tdicon":"","sep_icon_size":"","sep_icon_space":"","sep_icon_align":"-1","more_txt":"","more_tdicon":"","more_icon_size":"","more_icon_align":"0","sub_width":"","sub_rest_top":"","sub_align_horiz":"content-horiz-left","sub_elem_inline":"","sub_elem_space":"","sub_elem_radius":"0","sub_icon_size":"","sub_icon_space":"","sub_icon_pos":"","sub_icon_align":"1","mm_content_width":"","mm_height":"","mm_radius":"","mm_offset":"","mm_child_cats":"","open_in_new_window":"","mm_ajax_preloading":"","mm_hide_all_item":"","mm_sub_inline":"","mm_elem_order":"name","mm_elem_space":"","mm_elem_border_rad":"","mc1_tl":"","mc1_title_tag":"","mc1_el":"","m_padding":"","all_modules_space":"36","modules_border_size":"","modules_border_style":"","modules_border_color":"#eaeaea","modules_divider":"","modules_divider_color":"#eaeaea","h_effect":"","image_alignment":"50","image_width":"","image_floated":"no_float","video_icon":"","show_vid_t":"block","vid_t_margin":"","vid_t_padding":"","vid_t_color":"","vid_t_bg_color":"","f_vid_time_font_header":"","f_vid_time_font_title":"Video duration text","f_vid_time_font_settings":"","f_vid_time_font_family":"","f_vid_time_font_size":"","f_vid_time_font_line_height":"","f_vid_time_font_style":"","f_vid_time_font_weight":"","f_vid_time_font_transform":"","f_vid_time_font_spacing":"","f_vid_time_":"","show_audio":"block","hide_audio":"","art_audio":"","art_audio_size":"1","meta_info_align":"","meta_info_horiz":"content-horiz-left","meta_width":"","meta_margin":"","meta_info_border_size":"","meta_info_border_style":"","meta_info_border_color":"#eaeaea","modules_cat_border":"","modules_category_radius":"0","show_cat":"inline-block","modules_extra_cat":"","author_photo":"","author_photo_size":"","author_photo_space":"","author_photo_radius":"","show_modified_date":"","time_ago":"","time_ago_add_txt":"ago","time_ago_txt_pos":"","art_excerpt":"","excerpt_col":"1","excerpt_gap":"","excerpt_middle":"","show_review":"inline-block","review_space":"","review_size":"2.5","review_distance":"","show_pagination":"","pag_space":"","pag_border_radius":"","main_sub_color":"","sep_color":"","more_icon_color":"","hover_opacity":"","f_elem_font_header":"","f_elem_font_title":"Elements text","f_elem_font_settings":"","f_elem_font_style":"","f_elem_font_spacing":"","f_elem_":"","sub_bg_color":"","sub_border_radius":"","sub_elem_bg_color":"","sub_color":"","sub_shadow_shadow_header":"","sub_shadow_shadow_title":"Shadow","sub_shadow_shadow_spread":"","sub_shadow_shadow_color":"","tds_menu_sub_active":"tds_menu_sub_active1","f_sub_elem_font_header":"","f_sub_elem_font_title":"Elements text","f_sub_elem_font_settings":"","f_sub_elem_font_line_height":"","f_sub_elem_font_style":"","f_sub_elem_font_spacing":"","f_sub_elem_":"","mm_bg":"","mm_shadow_shadow_header":"","mm_shadow_shadow_title":"Shadow","mm_shadow_shadow_offset_horizontal":"","mm_shadow_shadow_spread":"","mm_elem_color":"","mm_elem_bg":"","mm_elem_bg_a":"","mm_elem_border_color":"","mm_elem_shadow_shadow_header":"","mm_elem_shadow_shadow_title":"Elements shadow","mm_elem_shadow_shadow_size":"","mm_elem_shadow_shadow_offset_horizontal":"","mm_elem_shadow_shadow_offset_vertical":"","mm_elem_shadow_shadow_spread":"","mm_elem_shadow_shadow_color":"","f_mm_sub_font_header":"","f_mm_sub_font_title":"Sub categories elements","f_mm_sub_font_settings":"","f_mm_sub_font_line_height":"","f_mm_sub_font_style":"","f_mm_sub_font_spacing":"","f_mm_sub_":"","m_bg":"","color_overlay":"","shadow_shadow_header":"","shadow_shadow_title":"Module Shadow","shadow_shadow_size":"","shadow_shadow_offset_horizontal":"","shadow_shadow_offset_vertical":"","shadow_shadow_spread":"","shadow_shadow_color":"","title_txt":"","title_txt_hover":"","all_underline_height":"","all_underline_color":"#000","cat_bg_hover":"","cat_txt_hover":"","cat_border":"","cat_border_hover":"","meta_bg":"","author_txt":"","author_txt_hover":"","date_txt":"","ex_txt":"","com_bg":"","com_txt":"","rev_txt":"","shadow_m_shadow_header":"","shadow_m_shadow_title":"Meta info shadow","shadow_m_shadow_size":"","shadow_m_shadow_offset_horizontal":"","shadow_m_shadow_offset_vertical":"","shadow_m_shadow_spread":"","shadow_m_shadow_color":"","audio_btn_color":"","audio_time_color":"","audio_bar_color":"","audio_bar_curr_color":"","pag_bg":"","pag_border":"","pag_h_border":"","f_title_font_header":"","f_title_font_title":"Article title","f_title_font_settings":"","f_title_font_style":"","f_title_font_transform":"","f_title_font_spacing":"","f_title_":"","f_cat_font_title":"Article category tag","f_cat_font_settings":"","f_cat_font_line_height":"","f_cat_font_style":"","f_cat_font_spacing":"","f_cat_":"","f_meta_font_title":"Article meta info","f_meta_font_settings":"","f_meta_font_size":"","f_meta_font_line_height":"","f_meta_font_style":"","f_meta_font_weight":"","f_meta_font_transform":"","f_meta_font_spacing":"","f_meta_":"","f_ex_font_title":"Article excerpt","f_ex_font_settings":"","f_ex_font_size":"","f_ex_font_line_height":"","f_ex_font_style":"","f_ex_font_weight":"","f_ex_font_transform":"","f_ex_font_spacing":"","f_ex_":"","mix_color":"","mix_type":"","fe_brightness":"1","fe_contrast":"1","fe_saturate":"1","mix_color_h":"","mix_type_h":"","fe_brightness_h":"1","fe_contrast_h":"1","fe_saturate_h":"1","el_class":"","block_template_id":"","td_column_number":3,"header_color":"","ajax_pagination_infinite_stop":"","offset":"","limit":"5","td_ajax_preloading":"","td_ajax_filter_type":"","td_filter_default_txt":"","td_ajax_filter_ids":"","color_preset":"","ajax_pagination":"","ajax_pagination_next_prev_swipe":"","border_top":"","css":"","class":"tdi_33","tdc_css_class":"tdi_33","tdc_css_class_style":"tdi_33_rand_style"}'; tdbMenuItem.isMegaMenuFull = true; tdbMenuItem.megaMenuLoadType = ''; tdbMenu.addItem(tdbMenuItem); }); jQuery().ready(function () { var tdbSearchItem = new tdbSearch.item(); //block unique ID tdbSearchItem.blockUid = 'tdi_36'; tdbSearchItem.blockAtts = '{"toggle_txt_pos":"after","form_align":"content-horiz-center","results_msg_align":"content-horiz-center","image_floated":"float_left","image_width":"32","image_size":"td_324x400","show_cat":"","show_btn":"none","show_date":"","show_review":"none","show_com":"none","show_excerpt":"none","show_author":"none","meta_padding":"0 0 0 18px","art_title":"0 0 10px","all_modules_space":"24","tdc_css":"eyJhbGwiOnsiYmFja2dyb3VuZC1jb2xvciI6IiM5MjliYzAiLCJkaXNwbGF5IjoiIn0sImxhbmRzY2FwZSI6eyJtYXJnaW4tcmlnaHQiOiIyMCIsImRpc3BsYXkiOiIifSwibGFuZHNjYXBlX21heF93aWR0aCI6MTE0MCwibGFuZHNjYXBlX21pbl93aWR0aCI6MTAxOSwicG9ydHJhaXQiOnsibWFyZ2luLXJpZ2h0IjoiMjAiLCJkaXNwbGF5IjoiIn0sInBvcnRyYWl0X21heF93aWR0aCI6MTAxOCwicG9ydHJhaXRfbWluX3dpZHRoIjo3Njh9","icon_color":"#ffffff","icon_padding":"2.2","toggle_horiz_align":"content-horiz-right","inline":"yes","icon_size":"eyJhbGwiOjIwLCJsYW5kc2NhcGUiOiIxOCIsInBob25lIjoiMTgifQ==","form_border_color":"#f7f7f7","arrow_color":"rgba(0,0,0,0)","form_shadow_shadow_size":"40","form_shadow_shadow_offset_vertical":"44","form_shadow_shadow_color":"rgba(0,0,0,0.12)","results_border_color":"rgba(0,0,0,0.03)","form_width":"eyJhbGwiOiIxMjAwIiwibGFuZHNjYXBlIjoiY2FsYygxMDAlIC0gNDBweCkifQ==","modules_on_row":"33.33333333%","results_limit":"6","image_radius":"8","modules_category":"","f_title_font_family":"406","f_title_font_weight":"800","f_title_font_size":"16","modules_category_padding":"3px 0 4px","cat_bg":"rgba(0,0,0,0)","cat_txt":"#929bc0","f_cat_font_family":"406","f_cat_font_size":"11","f_cat_font_transform":"uppercase","f_meta_font_family":"406","f_meta_font_transform":"uppercase","f_meta_font_size":"11","f_cat_font_weight":"800","f_meta_font_weight":"800","meta_info_align":"center","f_title_font_line_height":"1.4","title_txt_hover":"#bd0008","modules_category_margin":"0 10px 0 0","modules_gap":"24","results_border":"2px 0","form_border":"2px 0 0","input_border":"2","input_radius":"5","btn_radius":"0 5px 5px 0","f_input_font_family":"","f_input_font_line_height":"2.8","f_btn_font_family":"","f_btn_font_weight":"800","f_btn_font_transform":"uppercase","f_btn_font_size":"12","f_btn_font_spacing":"1","btn_bg_h":"#000000","results_msg_color_h":"#bd0008","results_msg_padding":"5px 0 7px","btn_bg":"#e1e1e1","btn_color":"#888888","btn_color_h":"#ffffff","form_align_screen":"yes","form_offset":"6","hide_image":"yes","toggle_txt_color":"#ffffff","toggle_txt_color_h":"#929bc0","float_block":"yes","show_form":"yes","block_type":"tdb_header_search","post_type":"","disable_trigger":"","show_results":"yes","separator":"","disable_live_search":"","exclude_pages":"","exclude_posts":"","search_section_header":"","results_section_1_title":"","results_section_1_taxonomies":"","results_section_1_level":"","results_section_2_title":"","results_section_2_taxonomies":"","results_section_2_level":"","results_section_3_title":"","results_section_3_taxonomies":"","results_section_3_level":"","results_section_search_query_terms":"","results_section_search_query_terms_title":"","results_section_search_query_terms_taxonomies":"","sec_title_space":"","sec_title_color":"","tax_space":"","tax_title_color":"","tax_title_color_h":"","f_sec_title_font_header":"","f_sec_title_font_title":"Section title text","f_sec_title_font_settings":"","f_sec_title_font_family":"","f_sec_title_font_size":"","f_sec_title_font_line_height":"","f_sec_title_font_style":"","f_sec_title_font_weight":"","f_sec_title_font_transform":"","f_sec_title_font_spacing":"","f_sec_title_":"","f_tax_title_font_title":"Taxonomy title text","f_tax_title_font_settings":"","f_tax_title_font_family":"","f_tax_title_font_size":"","f_tax_title_font_line_height":"","f_tax_title_font_style":"","f_tax_title_font_weight":"","f_tax_title_font_transform":"","f_tax_title_font_spacing":"","f_tax_title_":"","tdicon":"","toggle_txt":"","toggle_txt_align":"0","toggle_txt_space":"","form_offset_left":"","form_content_width":"","form_padding":"","input_placeholder":"","placeholder_travel":"0","input_padding":"","btn_text":"Search","btn_tdicon":"","btn_icon_pos":"","btn_icon_size":"","btn_icon_space":"","btn_icon_align":"0","btn_margin":"","btn_padding":"","btn_border":"","results_padding":"","results_msg_border":"","mc1_tl":"","mc1_title_tag":"","mc1_el":"","open_in_new_window":"","m_padding":"","modules_border_size":"","modules_border_style":"","modules_border_color":"#eaeaea","modules_divider":"","modules_divider_color":"#eaeaea","h_effect":"","image_alignment":"50","image_height":"","video_icon":"","show_vid_t":"block","vid_t_margin":"","vid_t_padding":"","vid_t_color":"","vid_t_bg_color":"","f_vid_time_font_header":"","f_vid_time_font_title":"Video duration text","f_vid_time_font_settings":"","f_vid_time_font_family":"","f_vid_time_font_size":"","f_vid_time_font_line_height":"","f_vid_time_font_style":"","f_vid_time_font_weight":"","f_vid_time_font_transform":"","f_vid_time_font_spacing":"","f_vid_time_":"","meta_info_horiz":"content-horiz-left","meta_width":"","meta_margin":"","meta_info_border_size":"","meta_info_border_style":"","meta_info_border_color":"#eaeaea","art_btn":"","modules_cat_border":"","modules_category_radius":"0","modules_extra_cat":"","author_photo":"","author_photo_size":"","author_photo_space":"","author_photo_radius":"","show_modified_date":"","time_ago":"","time_ago_add_txt":"ago","time_ago_txt_pos":"","review_space":"","review_size":"2.5","review_distance":"","art_excerpt":"","excerpt_col":"1","excerpt_gap":"","excerpt_middle":"","btn_title":"","btn_border_width":"","form_general_bg":"","icon_color_h":"","f_toggle_txt_font_header":"","f_toggle_txt_font_title":"Text","f_toggle_txt_font_settings":"","f_toggle_txt_font_family":"","f_toggle_txt_font_size":"","f_toggle_txt_font_line_height":"","f_toggle_txt_font_style":"","f_toggle_txt_font_weight":"","f_toggle_txt_font_transform":"","f_toggle_txt_font_spacing":"","f_toggle_txt_":"","form_bg":"","form_shadow_shadow_header":"","form_shadow_shadow_title":"Shadow","form_shadow_shadow_offset_horizontal":"","form_shadow_shadow_spread":"","input_color":"","placeholder_color":"","placeholder_opacity":"0","input_bg":"","input_border_color":"","input_shadow_shadow_header":"","input_shadow_shadow_title":"Input shadow","input_shadow_shadow_size":"","input_shadow_shadow_offset_horizontal":"","input_shadow_shadow_offset_vertical":"","input_shadow_shadow_spread":"","input_shadow_shadow_color":"","btn_icon_color":"","btn_icon_color_h":"","btn_border_color":"","btn_border_color_h":"","btn_shadow_shadow_header":"","btn_shadow_shadow_title":"Button shadow","btn_shadow_shadow_size":"","btn_shadow_shadow_offset_horizontal":"","btn_shadow_shadow_offset_vertical":"","btn_shadow_shadow_spread":"","btn_shadow_shadow_color":"","f_input_font_header":"","f_input_font_title":"Input text","f_input_font_settings":"","f_input_font_size":"","f_input_font_style":"","f_input_font_weight":"","f_input_font_transform":"","f_input_font_spacing":"","f_input_":"","f_placeholder_font_title":"Placeholder text","f_placeholder_font_settings":"","f_placeholder_font_family":"","f_placeholder_font_size":"","f_placeholder_font_line_height":"","f_placeholder_font_style":"","f_placeholder_font_weight":"","f_placeholder_font_transform":"","f_placeholder_font_spacing":"","f_placeholder_":"","f_btn_font_title":"Button text","f_btn_font_settings":"","f_btn_font_line_height":"","f_btn_font_style":"","f_btn_":"","results_bg":"","results_msg_color":"","results_msg_bg":"","results_msg_border_color":"","f_results_msg_font_header":"","f_results_msg_font_title":"Text","f_results_msg_font_settings":"","f_results_msg_font_family":"","f_results_msg_font_size":"","f_results_msg_font_line_height":"","f_results_msg_font_style":"","f_results_msg_font_weight":"","f_results_msg_font_transform":"","f_results_msg_font_spacing":"","f_results_msg_":"","m_bg":"","color_overlay":"","shadow_module_shadow_header":"","shadow_module_shadow_title":"Module Shadow","shadow_module_shadow_size":"","shadow_module_shadow_offset_horizontal":"","shadow_module_shadow_offset_vertical":"","shadow_module_shadow_spread":"","shadow_module_shadow_color":"","title_txt":"","all_underline_height":"","all_underline_color":"#000","cat_bg_hover":"","cat_txt_hover":"","cat_border":"","cat_border_hover":"","meta_bg":"","author_txt":"","author_txt_hover":"","date_txt":"","ex_txt":"","com_bg":"","com_txt":"","rev_txt":"","shadow_meta_shadow_header":"","shadow_meta_shadow_title":"Meta info shadow","shadow_meta_shadow_size":"","shadow_meta_shadow_offset_horizontal":"","shadow_meta_shadow_offset_vertical":"","shadow_meta_shadow_spread":"","shadow_meta_shadow_color":"","btn_bg_hover":"","btn_txt":"","btn_txt_hover":"","btn_border_hover":"","f_title_font_header":"","f_title_font_title":"Article title","f_title_font_settings":"","f_title_font_style":"","f_title_font_transform":"","f_title_font_spacing":"","f_title_":"","f_cat_font_title":"Article category tag","f_cat_font_settings":"","f_cat_font_line_height":"","f_cat_font_style":"","f_cat_font_spacing":"","f_cat_":"","f_meta_font_title":"Article meta info","f_meta_font_settings":"","f_meta_font_line_height":"","f_meta_font_style":"","f_meta_font_spacing":"","f_meta_":"","f_ex_font_title":"Article excerpt","f_ex_font_settings":"","f_ex_font_family":"","f_ex_font_size":"","f_ex_font_line_height":"","f_ex_font_style":"","f_ex_font_weight":"","f_ex_font_transform":"","f_ex_font_spacing":"","f_ex_":"","el_class":"","block_template_id":"","td_column_number":3,"header_color":"","ajax_pagination_infinite_stop":"","offset":"","limit":"5","td_ajax_preloading":"","td_ajax_filter_type":"","td_filter_default_txt":"","td_ajax_filter_ids":"","color_preset":"","ajax_pagination":"","ajax_pagination_next_prev_swipe":"","border_top":"","css":"","class":"tdi_36","tdc_css_class":"tdi_36","tdc_css_class_style":"tdi_36_rand_style"}'; tdbSearchItem.jqueryObj = jQuery('.tdi_36'); tdbSearchItem._openSearchFormClass = 'tdb-drop-down-search-open'; tdbSearchItem._resultsLimit = '6'; tdbSearchItem.isSearchFormFull = true; tdbSearch.addItem( tdbSearchItem ); }); /* global jQuery:{} */ jQuery(document).ready( function () { var tdbMenuItem = new tdbMenu.item(); tdbMenuItem.blockUid = 'tdi_138'; tdbMenuItem.jqueryObj = jQuery('.tdi_138'); tdbMenuItem.blockAtts = '{"main_sub_tdicon":"td-icon-down","sub_tdicon":"td-icon-right-arrow","mm_align_horiz":"content-horiz-center","modules_on_row_regular":"20%","modules_on_row_cats":"25%","image_size":"td_324x400","modules_category":"image","show_excerpt":"none","show_com":"none","show_date":"none","show_author":"none","mm_sub_align_horiz":"content-horiz-right","mm_elem_align_horiz":"content-horiz-right","menu_id":"526","text_color":"#ffffff","align_horiz":"content-horiz-center","f_elem_font_size":"eyJwaG9uZSI6IjEwIiwiYWxsIjoiMTQifQ==","tds_menu_active1-line_color":"#929bc0","f_elem_font_family":"394","all_underline_color":"#929bc0","all_underline_height":"3","block_type":"tdb_header_menu","show_subcat":"","show_mega":"","show_mega_cats":"","mob_load":"","separator":"","width":"","inline":"","more":"","float_right":"","elem_space":"","elem_padd":"","main_sub_icon_size":"","main_sub_icon_space":"","main_sub_icon_align":"-1","sep_tdicon":"","sep_icon_size":"","sep_icon_space":"","sep_icon_align":"-1","more_txt":"","more_tdicon":"","more_icon_size":"","more_icon_align":"0","sub_width":"","sub_first_left":"","sub_rest_top":"","sub_padd":"","sub_align_horiz":"content-horiz-left","sub_elem_inline":"","sub_elem_space":"","sub_elem_padd":"","sub_elem_radius":"0","sub_icon_size":"","sub_icon_space":"","sub_icon_pos":"","sub_icon_align":"1","mm_width":"","mm_content_width":"","mm_height":"","mm_padd":"","mm_radius":"","mm_offset":"","mm_align_screen":"","mm_posts_limit":"5","mm_subcats_posts_limit":"4","mm_child_cats":"","open_in_new_window":"","mm_ajax_preloading":"","mm_hide_all_item":"","mm_sub_width":"","mm_sub_padd":"","mm_sub_border":"","mm_sub_inline":"","mm_elem_order":"name","mm_elem_space":"","mm_elem_padd":"","mm_elem_border":"","mm_elem_border_a":"","mm_elem_border_rad":"","mc1_tl":"","mc1_title_tag":"","mc1_el":"","modules_gap":"","m_padding":"","all_modules_space":"36","modules_border_size":"","modules_border_style":"","modules_border_color":"#eaeaea","modules_divider":"","modules_divider_color":"#eaeaea","h_effect":"","image_alignment":"50","image_height":"","image_width":"","image_floated":"no_float","image_radius":"","hide_image":"","video_icon":"","show_vid_t":"block","vid_t_margin":"","vid_t_padding":"","vid_t_color":"","vid_t_bg_color":"","f_vid_time_font_header":"","f_vid_time_font_title":"Video duration text","f_vid_time_font_settings":"","f_vid_time_font_family":"","f_vid_time_font_size":"","f_vid_time_font_line_height":"","f_vid_time_font_style":"","f_vid_time_font_weight":"","f_vid_time_font_transform":"","f_vid_time_font_spacing":"","f_vid_time_":"","show_audio":"block","hide_audio":"","art_audio":"","art_audio_size":"1","meta_info_align":"","meta_info_horiz":"content-horiz-left","meta_width":"","meta_margin":"","meta_padding":"","art_title":"","meta_info_border_size":"","meta_info_border_style":"","meta_info_border_color":"#eaeaea","modules_category_margin":"","modules_category_padding":"","modules_cat_border":"","modules_category_radius":"0","show_cat":"inline-block","modules_extra_cat":"","author_photo":"","author_photo_size":"","author_photo_space":"","author_photo_radius":"","show_modified_date":"","time_ago":"","time_ago_add_txt":"ago","time_ago_txt_pos":"","art_excerpt":"","excerpt_col":"1","excerpt_gap":"","excerpt_middle":"","show_review":"inline-block","review_space":"","review_size":"2.5","review_distance":"","show_pagination":"","pag_space":"","pag_padding":"","pag_border_width":"","pag_border_radius":"","prev_tdicon":"","next_tdicon":"","pag_icons_size":"","main_sub_color":"","sep_color":"","more_icon_color":"","tds_menu_active":"tds_menu_active1","hover_opacity":"","f_elem_font_header":"","f_elem_font_title":"Elements text","f_elem_font_settings":"","f_elem_font_line_height":"","f_elem_font_style":"","f_elem_font_weight":"","f_elem_font_transform":"","f_elem_font_spacing":"","f_elem_":"","sub_bg_color":"","sub_border_size":"","sub_border_color":"","sub_border_radius":"","sub_text_color":"","sub_elem_bg_color":"","sub_color":"","sub_shadow_shadow_header":"","sub_shadow_shadow_title":"Shadow","sub_shadow_shadow_size":"","sub_shadow_shadow_offset_horizontal":"","sub_shadow_shadow_offset_vertical":"","sub_shadow_shadow_spread":"","sub_shadow_shadow_color":"","tds_menu_sub_active":"tds_menu_sub_active1","f_sub_elem_font_header":"","f_sub_elem_font_title":"Elements text","f_sub_elem_font_settings":"","f_sub_elem_font_family":"","f_sub_elem_font_size":"","f_sub_elem_font_line_height":"","f_sub_elem_font_style":"","f_sub_elem_font_weight":"","f_sub_elem_font_transform":"","f_sub_elem_font_spacing":"","f_sub_elem_":"","mm_bg":"","mm_border_size":"","mm_border_color":"","mm_shadow_shadow_header":"","mm_shadow_shadow_title":"Shadow","mm_shadow_shadow_size":"","mm_shadow_shadow_offset_horizontal":"","mm_shadow_shadow_offset_vertical":"","mm_shadow_shadow_spread":"","mm_shadow_shadow_color":"","mm_subcats_bg":"","mm_subcats_border_color":"","mm_elem_color":"","mm_elem_color_a":"","mm_elem_bg":"","mm_elem_bg_a":"","mm_elem_border_color":"","mm_elem_border_color_a":"","mm_elem_shadow_shadow_header":"","mm_elem_shadow_shadow_title":"Elements shadow","mm_elem_shadow_shadow_size":"","mm_elem_shadow_shadow_offset_horizontal":"","mm_elem_shadow_shadow_offset_vertical":"","mm_elem_shadow_shadow_spread":"","mm_elem_shadow_shadow_color":"","f_mm_sub_font_header":"","f_mm_sub_font_title":"Sub categories elements","f_mm_sub_font_settings":"","f_mm_sub_font_family":"","f_mm_sub_font_size":"","f_mm_sub_font_line_height":"","f_mm_sub_font_style":"","f_mm_sub_font_weight":"","f_mm_sub_font_transform":"","f_mm_sub_font_spacing":"","f_mm_sub_":"","m_bg":"","color_overlay":"","shadow_shadow_header":"","shadow_shadow_title":"Module Shadow","shadow_shadow_size":"","shadow_shadow_offset_horizontal":"","shadow_shadow_offset_vertical":"","shadow_shadow_spread":"","shadow_shadow_color":"","title_txt":"","title_txt_hover":"","cat_bg":"","cat_bg_hover":"","cat_txt":"","cat_txt_hover":"","cat_border":"","cat_border_hover":"","meta_bg":"","author_txt":"","author_txt_hover":"","date_txt":"","ex_txt":"","com_bg":"","com_txt":"","rev_txt":"","shadow_m_shadow_header":"","shadow_m_shadow_title":"Meta info shadow","shadow_m_shadow_size":"","shadow_m_shadow_offset_horizontal":"","shadow_m_shadow_offset_vertical":"","shadow_m_shadow_spread":"","shadow_m_shadow_color":"","audio_btn_color":"","audio_time_color":"","audio_bar_color":"","audio_bar_curr_color":"","pag_text":"","pag_h_text":"","pag_bg":"","pag_h_bg":"","pag_border":"","pag_h_border":"","f_title_font_header":"","f_title_font_title":"Article title","f_title_font_settings":"","f_title_font_family":"","f_title_font_size":"","f_title_font_line_height":"","f_title_font_style":"","f_title_font_weight":"","f_title_font_transform":"","f_title_font_spacing":"","f_title_":"","f_cat_font_title":"Article category tag","f_cat_font_settings":"","f_cat_font_family":"","f_cat_font_size":"","f_cat_font_line_height":"","f_cat_font_style":"","f_cat_font_weight":"","f_cat_font_transform":"","f_cat_font_spacing":"","f_cat_":"","f_meta_font_title":"Article meta info","f_meta_font_settings":"","f_meta_font_family":"","f_meta_font_size":"","f_meta_font_line_height":"","f_meta_font_style":"","f_meta_font_weight":"","f_meta_font_transform":"","f_meta_font_spacing":"","f_meta_":"","f_ex_font_title":"Article excerpt","f_ex_font_settings":"","f_ex_font_family":"","f_ex_font_size":"","f_ex_font_line_height":"","f_ex_font_style":"","f_ex_font_weight":"","f_ex_font_transform":"","f_ex_font_spacing":"","f_ex_":"","mix_color":"","mix_type":"","fe_brightness":"1","fe_contrast":"1","fe_saturate":"1","mix_color_h":"","mix_type_h":"","fe_brightness_h":"1","fe_contrast_h":"1","fe_saturate_h":"1","el_class":"","tdc_css":"","block_template_id":"","td_column_number":3,"header_color":"","ajax_pagination_infinite_stop":"","offset":"","limit":"5","td_ajax_preloading":"","td_ajax_filter_type":"","td_filter_default_txt":"","td_ajax_filter_ids":"","color_preset":"","ajax_pagination":"","ajax_pagination_next_prev_swipe":"","border_top":"","css":"","class":"tdi_138","tdc_css_class":"tdi_138","tdc_css_class_style":"tdi_138_rand_style"}'; tdbMenuItem.isMegaMenuParentPos = true; tdbMenuItem.megaMenuLoadType = ''; tdbMenu.addItem(tdbMenuItem); }); </script> <script type="rocketlazyloadscript">var td_res_context_registered_atts=["style_general_header_logo","style_general_header_align","style_general_mobile_menu","style_general_socials","style_general_mobile_search","style_general_header_menu_in_more","style_general_header_menu","style_general_module_header","style_general_header_search","style_general_header_search_trigger_enabled","style_general_breadcrumbs","style_general_single_title","style_general_title_single","style_bg_space","style_general_post_meta","style_general_single_author","style_general_single_date","style_general_single_content","style_general_single_post_share","style_general_column_title","style_general_related_post","style_general_inline_text","style_general_button","style_general_list_menu","style_specific_list_menu_vertical","style_specific_list_menu_accordion","style_specific_list_menu_horizontal","style_general_separator","style_general_single_image","style_general_column_content"];</script> <script id="devco-tracking">var advads_tracking_ads = {"1":[58112,59348,58114,58116,59349,58115]};var advads_tracking_urls = {"1":"https:\/\/www.developer.com\/wp-content\/ajax-handler.php"};var advads_tracking_methods = {"1":"onrequest"};var advads_tracking_parallel = {"1":false};var advads_tracking_linkbases = {"1":"https:\/\/www.developer.com\/linkout\/"};</script><script>window.lazyLoadOptions=[{elements_selector:"img[data-lazy-src],.rocket-lazyload,iframe[data-lazy-src]",data_src:"lazy-src",data_srcset:"lazy-srcset",data_sizes:"lazy-sizes",class_loading:"lazyloading",class_loaded:"lazyloaded",threshold:300,callback_loaded:function(element){if(element.tagName==="IFRAME"&&element.dataset.rocketLazyload=="fitvidscompatible"){if(element.classList.contains("lazyloaded")){if(typeof window.jQuery!="undefined"){if(jQuery.fn.fitVids){jQuery(element).parent().fitVids()}}}}}},{elements_selector:".rocket-lazyload",data_src:"lazy-src",data_srcset:"lazy-srcset",data_sizes:"lazy-sizes",class_loading:"lazyloading",class_loaded:"lazyloaded",threshold:300,}];window.addEventListener('LazyLoad::Initialized',function(e){var lazyLoadInstance=e.detail.instance;if(window.MutationObserver){var observer=new MutationObserver(function(mutations){var image_count=0;var iframe_count=0;var rocketlazy_count=0;mutations.forEach(function(mutation){for(var i=0;i<mutation.addedNodes.length;i++){if(typeof mutation.addedNodes[i].getElementsByTagName!=='function'){continue} if(typeof mutation.addedNodes[i].getElementsByClassName!=='function'){continue} images=mutation.addedNodes[i].getElementsByTagName('img');is_image=mutation.addedNodes[i].tagName=="IMG";iframes=mutation.addedNodes[i].getElementsByTagName('iframe');is_iframe=mutation.addedNodes[i].tagName=="IFRAME";rocket_lazy=mutation.addedNodes[i].getElementsByClassName('rocket-lazyload');image_count+=images.length;iframe_count+=iframes.length;rocketlazy_count+=rocket_lazy.length;if(is_image){image_count+=1} if(is_iframe){iframe_count+=1}}});if(image_count>0||iframe_count>0||rocketlazy_count>0){lazyLoadInstance.update()}});var b=document.getElementsByTagName("body")[0];var config={childList:!0,subtree:!0};observer.observe(b,config)}},!1)</script><script data-no-minify="1" async src="https://www.developer.com/wp-content/plugins/wp-rocket/assets/js/lazyload/17.8.3/lazyload.min.js"></script><script>function lazyLoadThumb(e){var t='<img data-lazy-src="https://i.ytimg.com/vi/ID/hqdefault.jpg" alt="" width="480" height="360"><noscript><img src="https://i.ytimg.com/vi/ID/hqdefault.jpg" alt="" width="480" height="360"></noscript>',a='<button class="play" aria-label="play Youtube video"></button>';return t.replace("ID",e)+a}function lazyLoadYoutubeIframe(){var e=document.createElement("iframe"),t="ID?autoplay=1";t+=0===this.parentNode.dataset.query.length?'':'&'+this.parentNode.dataset.query;e.setAttribute("src",t.replace("ID",this.parentNode.dataset.src)),e.setAttribute("frameborder","0"),e.setAttribute("allowfullscreen","1"),e.setAttribute("allow", "accelerometer; autoplay; encrypted-media; gyroscope; picture-in-picture"),this.parentNode.parentNode.replaceChild(e,this.parentNode)}document.addEventListener("DOMContentLoaded",function(){var e,t,p,a=document.getElementsByClassName("rll-youtube-player");for(t=0;t<a.length;t++)e=document.createElement("div"),e.setAttribute("data-id",a[t].dataset.id),e.setAttribute("data-query", a[t].dataset.query),e.setAttribute("data-src", a[t].dataset.src),e.innerHTML=lazyLoadThumb(a[t].dataset.id),a[t].appendChild(e),p=e.querySelector('.play'),p.onclick=lazyLoadYoutubeIframe});</script> </body> </html> <!-- This website is like a Rocket, isn't it? Performance optimized by WP Rocket. Learn more: https://wp-rocket.me -->