[www-releases] r280493 - Add 3.9.0 source, docs and binaries

Hans Wennborg via llvm-commits llvm-commits at lists.llvm.org
Fri Sep 2 08:56:56 PDT 2016


Added: www-releases/trunk/3.9.0/docs/_static/doctools.js
URL: http://llvm.org/viewvc/llvm-project/www-releases/trunk/3.9.0/docs/_static/doctools.js?rev=280493&view=auto
==============================================================================
--- www-releases/trunk/3.9.0/docs/_static/doctools.js (added)
+++ www-releases/trunk/3.9.0/docs/_static/doctools.js Fri Sep  2 10:56:46 2016
@@ -0,0 +1,238 @@
+/*
+ * doctools.js
+ * ~~~~~~~~~~~
+ *
+ * Sphinx JavaScript utilities for all documentation.
+ *
+ * :copyright: Copyright 2007-2014 by the Sphinx team, see AUTHORS.
+ * :license: BSD, see LICENSE for details.
+ *
+ */
+
+/**
+ * select a different prefix for underscore
+ */
+$u = _.noConflict();
+
+/**
+ * make the code below compatible with browsers without
+ * an installed firebug like debugger
+if (!window.console || !console.firebug) {
+  var names = ["log", "debug", "info", "warn", "error", "assert", "dir",
+    "dirxml", "group", "groupEnd", "time", "timeEnd", "count", "trace",
+    "profile", "profileEnd"];
+  window.console = {};
+  for (var i = 0; i < names.length; ++i)
+    window.console[names[i]] = function() {};
+}
+ */
+
+/**
+ * small helper function to urldecode strings
+ */
+jQuery.urldecode = function(x) {
+  return decodeURIComponent(x).replace(/\+/g, ' ');
+};
+
+/**
+ * small helper function to urlencode strings
+ */
+jQuery.urlencode = encodeURIComponent;
+
+/**
+ * This function returns the parsed url parameters of the
+ * current request. Multiple values per key are supported,
+ * it will always return arrays of strings for the value parts.
+ */
+jQuery.getQueryParameters = function(s) {
+  if (typeof s == 'undefined')
+    s = document.location.search;
+  var parts = s.substr(s.indexOf('?') + 1).split('&');
+  var result = {};
+  for (var i = 0; i < parts.length; i++) {
+    var tmp = parts[i].split('=', 2);
+    var key = jQuery.urldecode(tmp[0]);
+    var value = jQuery.urldecode(tmp[1]);
+    if (key in result)
+      result[key].push(value);
+    else
+      result[key] = [value];
+  }
+  return result;
+};
+
+/**
+ * highlight a given string on a jquery object by wrapping it in
+ * span elements with the given class name.
+ */
+jQuery.fn.highlightText = function(text, className) {
+  function highlight(node) {
+    if (node.nodeType == 3) {
+      var val = node.nodeValue;
+      var pos = val.toLowerCase().indexOf(text);
+      if (pos >= 0 && !jQuery(node.parentNode).hasClass(className)) {
+        var span = document.createElement("span");
+        span.className = className;
+        span.appendChild(document.createTextNode(val.substr(pos, text.length)));
+        node.parentNode.insertBefore(span, node.parentNode.insertBefore(
+          document.createTextNode(val.substr(pos + text.length)),
+          node.nextSibling));
+        node.nodeValue = val.substr(0, pos);
+      }
+    }
+    else if (!jQuery(node).is("button, select, textarea")) {
+      jQuery.each(node.childNodes, function() {
+        highlight(this);
+      });
+    }
+  }
+  return this.each(function() {
+    highlight(this);
+  });
+};
+
+/**
+ * Small JavaScript module for the documentation.
+ */
+var Documentation = {
+
+  init : function() {
+    this.fixFirefoxAnchorBug();
+    this.highlightSearchWords();
+    this.initIndexTable();
+  },
+
+  /**
+   * i18n support
+   */
+  TRANSLATIONS : {},
+  PLURAL_EXPR : function(n) { return n == 1 ? 0 : 1; },
+  LOCALE : 'unknown',
+
+  // gettext and ngettext don't access this so that the functions
+  // can safely bound to a different name (_ = Documentation.gettext)
+  gettext : function(string) {
+    var translated = Documentation.TRANSLATIONS[string];
+    if (typeof translated == 'undefined')
+      return string;
+    return (typeof translated == 'string') ? translated : translated[0];
+  },
+
+  ngettext : function(singular, plural, n) {
+    var translated = Documentation.TRANSLATIONS[singular];
+    if (typeof translated == 'undefined')
+      return (n == 1) ? singular : plural;
+    return translated[Documentation.PLURALEXPR(n)];
+  },
+
+  addTranslations : function(catalog) {
+    for (var key in catalog.messages)
+      this.TRANSLATIONS[key] = catalog.messages[key];
+    this.PLURAL_EXPR = new Function('n', 'return +(' + catalog.plural_expr + ')');
+    this.LOCALE = catalog.locale;
+  },
+
+  /**
+   * add context elements like header anchor links
+   */
+  addContextElements : function() {
+    $('div[id] > :header:first').each(function() {
+      $('<a class="headerlink">\u00B6</a>').
+      attr('href', '#' + this.id).
+      attr('title', _('Permalink to this headline')).
+      appendTo(this);
+    });
+    $('dt[id]').each(function() {
+      $('<a class="headerlink">\u00B6</a>').
+      attr('href', '#' + this.id).
+      attr('title', _('Permalink to this definition')).
+      appendTo(this);
+    });
+  },
+
+  /**
+   * workaround a firefox stupidity
+   */
+  fixFirefoxAnchorBug : function() {
+    if (document.location.hash && $.browser.mozilla)
+      window.setTimeout(function() {
+        document.location.href += '';
+      }, 10);
+  },
+
+  /**
+   * highlight the search words provided in the url in the text
+   */
+  highlightSearchWords : function() {
+    var params = $.getQueryParameters();
+    var terms = (params.highlight) ? params.highlight[0].split(/\s+/) : [];
+    if (terms.length) {
+      var body = $('div.body');
+      if (!body.length) {
+        body = $('body');
+      }
+      window.setTimeout(function() {
+        $.each(terms, function() {
+          body.highlightText(this.toLowerCase(), 'highlighted');
+        });
+      }, 10);
+      $('<p class="highlight-link"><a href="javascript:Documentation.' +
+        'hideSearchWords()">' + _('Hide Search Matches') + '</a></p>')
+          .appendTo($('#searchbox'));
+    }
+  },
+
+  /**
+   * init the domain index toggle buttons
+   */
+  initIndexTable : function() {
+    var togglers = $('img.toggler').click(function() {
+      var src = $(this).attr('src');
+      var idnum = $(this).attr('id').substr(7);
+      $('tr.cg-' + idnum).toggle();
+      if (src.substr(-9) == 'minus.png')
+        $(this).attr('src', src.substr(0, src.length-9) + 'plus.png');
+      else
+        $(this).attr('src', src.substr(0, src.length-8) + 'minus.png');
+    }).css('display', '');
+    if (DOCUMENTATION_OPTIONS.COLLAPSE_INDEX) {
+        togglers.click();
+    }
+  },
+
+  /**
+   * helper function to hide the search marks again
+   */
+  hideSearchWords : function() {
+    $('#searchbox .highlight-link').fadeOut(300);
+    $('span.highlighted').removeClass('highlighted');
+  },
+
+  /**
+   * make the url absolute
+   */
+  makeURL : function(relativeURL) {
+    return DOCUMENTATION_OPTIONS.URL_ROOT + '/' + relativeURL;
+  },
+
+  /**
+   * get the current relative url
+   */
+  getCurrentURL : function() {
+    var path = document.location.pathname;
+    var parts = path.split(/\//);
+    $.each(DOCUMENTATION_OPTIONS.URL_ROOT.split(/\//), function() {
+      if (this == '..')
+        parts.pop();
+    });
+    var url = parts.join('/');
+    return path.substring(url.lastIndexOf('/') + 1, path.length - 1);
+  }
+};
+
+// quick alias for translations
+_ = Documentation.gettext;
+
+$(document).ready(function() {
+  Documentation.init();
+});

Added: www-releases/trunk/3.9.0/docs/_static/down-pressed.png
URL: http://llvm.org/viewvc/llvm-project/www-releases/trunk/3.9.0/docs/_static/down-pressed.png?rev=280493&view=auto
==============================================================================
Binary file - no diff available.

Propchange: www-releases/trunk/3.9.0/docs/_static/down-pressed.png
------------------------------------------------------------------------------
    svn:mime-type = application/octet-stream

Added: www-releases/trunk/3.9.0/docs/_static/down.png
URL: http://llvm.org/viewvc/llvm-project/www-releases/trunk/3.9.0/docs/_static/down.png?rev=280493&view=auto
==============================================================================
Binary file - no diff available.

Propchange: www-releases/trunk/3.9.0/docs/_static/down.png
------------------------------------------------------------------------------
    svn:mime-type = application/octet-stream

Added: www-releases/trunk/3.9.0/docs/_static/file.png
URL: http://llvm.org/viewvc/llvm-project/www-releases/trunk/3.9.0/docs/_static/file.png?rev=280493&view=auto
==============================================================================
Binary file - no diff available.

Propchange: www-releases/trunk/3.9.0/docs/_static/file.png
------------------------------------------------------------------------------
    svn:mime-type = application/octet-stream

Added: www-releases/trunk/3.9.0/docs/_static/jquery.js
URL: http://llvm.org/viewvc/llvm-project/www-releases/trunk/3.9.0/docs/_static/jquery.js?rev=280493&view=auto
==============================================================================
--- www-releases/trunk/3.9.0/docs/_static/jquery.js (added)
+++ www-releases/trunk/3.9.0/docs/_static/jquery.js Fri Sep  2 10:56:46 2016
@@ -0,0 +1,9404 @@
+/*!
+ * jQuery JavaScript Library v1.7.2
+ * http://jquery.com/
+ *
+ * Copyright 2011, John Resig
+ * Dual licensed under the MIT or GPL Version 2 licenses.
+ * http://jquery.org/license
+ *
+ * Includes Sizzle.js
+ * http://sizzlejs.com/
+ * Copyright 2011, The Dojo Foundation
+ * Released under the MIT, BSD, and GPL Licenses.
+ *
+ * Date: Fri Jul  5 14:07:58 UTC 2013
+ */
+(function( window, undefined ) {
+
+// Use the correct document accordingly with window argument (sandbox)
+var document = window.document,
+	navigator = window.navigator,
+	location = window.location;
+var jQuery = (function() {
+
+// Define a local copy of jQuery
+var jQuery = function( selector, context ) {
+		// The jQuery object is actually just the init constructor 'enhanced'
+		return new jQuery.fn.init( selector, context, rootjQuery );
+	},
+
+	// Map over jQuery in case of overwrite
+	_jQuery = window.jQuery,
+
+	// Map over the $ in case of overwrite
+	_$ = window.$,
+
+	// A central reference to the root jQuery(document)
+	rootjQuery,
+
+	// A simple way to check for HTML strings or ID strings
+	// Prioritize #id over <tag> to avoid XSS via location.hash (#9521)
+	quickExpr = /^(?:[^#<]*(<[\w\W]+>)[^>]*$|#([\w\-]*)$)/,
+
+	// Check if a string has a non-whitespace character in it
+	rnotwhite = /\S/,
+
+	// Used for trimming whitespace
+	trimLeft = /^\s+/,
+	trimRight = /\s+$/,
+
+	// Match a standalone tag
+	rsingleTag = /^<(\w+)\s*\/?>(?:<\/\1>)?$/,
+
+	// JSON RegExp
+	rvalidchars = /^[\],:{}\s]*$/,
+	rvalidescape = /\\(?:["\\\/bfnrt]|u[0-9a-fA-F]{4})/g,
+	rvalidtokens = /"[^"\\\n\r]*"|true|false|null|-?\d+(?:\.\d*)?(?:[eE][+\-]?\d+)?/g,
+	rvalidbraces = /(?:^|:|,)(?:\s*\[)+/g,
+
+	// Useragent RegExp
+	rwebkit = /(webkit)[ \/]([\w.]+)/,
+	ropera = /(opera)(?:.*version)?[ \/]([\w.]+)/,
+	rmsie = /(msie) ([\w.]+)/,
+	rmozilla = /(mozilla)(?:.*? rv:([\w.]+))?/,
+
+	// Matches dashed string for camelizing
+	rdashAlpha = /-([a-z]|[0-9])/ig,
+	rmsPrefix = /^-ms-/,
+
+	// Used by jQuery.camelCase as callback to replace()
+	fcamelCase = function( all, letter ) {
+		return ( letter + "" ).toUpperCase();
+	},
+
+	// Keep a UserAgent string for use with jQuery.browser
+	userAgent = navigator.userAgent,
+
+	// For matching the engine and version of the browser
+	browserMatch,
+
+	// The deferred used on DOM ready
+	readyList,
+
+	// The ready event handler
+	DOMContentLoaded,
+
+	// Save a reference to some core methods
+	toString = Object.prototype.toString,
+	hasOwn = Object.prototype.hasOwnProperty,
+	push = Array.prototype.push,
+	slice = Array.prototype.slice,
+	trim = String.prototype.trim,
+	indexOf = Array.prototype.indexOf,
+
+	// [[Class]] -> type pairs
+	class2type = {};
+
+jQuery.fn = jQuery.prototype = {
+	constructor: jQuery,
+	init: function( selector, context, rootjQuery ) {
+		var match, elem, ret, doc;
+
+		// Handle $(""), $(null), or $(undefined)
+		if ( !selector ) {
+			return this;
+		}
+
+		// Handle $(DOMElement)
+		if ( selector.nodeType ) {
+			this.context = this[0] = selector;
+			this.length = 1;
+			return this;
+		}
+
+		// The body element only exists once, optimize finding it
+		if ( selector === "body" && !context && document.body ) {
+			this.context = document;
+			this[0] = document.body;
+			this.selector = selector;
+			this.length = 1;
+			return this;
+		}
+
+		// Handle HTML strings
+		if ( typeof selector === "string" ) {
+			// Are we dealing with HTML string or an ID?
+			if ( selector.charAt(0) === "<" && selector.charAt( selector.length - 1 ) === ">" && selector.length >= 3 ) {
+				// Assume that strings that start and end with <> are HTML and skip the regex check
+				match = [ null, selector, null ];
+
+			} else {
+				match = quickExpr.exec( selector );
+			}
+
+			// Verify a match, and that no context was specified for #id
+			if ( match && (match[1] || !context) ) {
+
+				// HANDLE: $(html) -> $(array)
+				if ( match[1] ) {
+					context = context instanceof jQuery ? context[0] : context;
+					doc = ( context ? context.ownerDocument || context : document );
+
+					// If a single string is passed in and it's a single tag
+					// just do a createElement and skip the rest
+					ret = rsingleTag.exec( selector );
+
+					if ( ret ) {
+						if ( jQuery.isPlainObject( context ) ) {
+							selector = [ document.createElement( ret[1] ) ];
+							jQuery.fn.attr.call( selector, context, true );
+
+						} else {
+							selector = [ doc.createElement( ret[1] ) ];
+						}
+
+					} else {
+						ret = jQuery.buildFragment( [ match[1] ], [ doc ] );
+						selector = ( ret.cacheable ? jQuery.clone(ret.fragment) : ret.fragment ).childNodes;
+					}
+
+					return jQuery.merge( this, selector );
+
+				// HANDLE: $("#id")
+				} else {
+					elem = document.getElementById( match[2] );
+
+					// Check parentNode to catch when Blackberry 4.6 returns
+					// nodes that are no longer in the document #6963
+					if ( elem && elem.parentNode ) {
+						// Handle the case where IE and Opera return items
+						// by name instead of ID
+						if ( elem.id !== match[2] ) {
+							return rootjQuery.find( selector );
+						}
+
+						// Otherwise, we inject the element directly into the jQuery object
+						this.length = 1;
+						this[0] = elem;
+					}
+
+					this.context = document;
+					this.selector = selector;
+					return this;
+				}
+
+			// HANDLE: $(expr, $(...))
+			} else if ( !context || context.jquery ) {
+				return ( context || rootjQuery ).find( selector );
+
+			// HANDLE: $(expr, context)
+			// (which is just equivalent to: $(context).find(expr)
+			} else {
+				return this.constructor( context ).find( selector );
+			}
+
+		// HANDLE: $(function)
+		// Shortcut for document ready
+		} else if ( jQuery.isFunction( selector ) ) {
+			return rootjQuery.ready( selector );
+		}
+
+		if ( selector.selector !== undefined ) {
+			this.selector = selector.selector;
+			this.context = selector.context;
+		}
+
+		return jQuery.makeArray( selector, this );
+	},
+
+	// Start with an empty selector
+	selector: "",
+
+	// The current version of jQuery being used
+	jquery: "1.7.2",
+
+	// The default length of a jQuery object is 0
+	length: 0,
+
+	// The number of elements contained in the matched element set
+	size: function() {
+		return this.length;
+	},
+
+	toArray: function() {
+		return slice.call( this, 0 );
+	},
+
+	// Get the Nth element in the matched element set OR
+	// Get the whole matched element set as a clean array
+	get: function( num ) {
+		return num == null ?
+
+			// Return a 'clean' array
+			this.toArray() :
+
+			// Return just the object
+			( num < 0 ? this[ this.length + num ] : this[ num ] );
+	},
+
+	// Take an array of elements and push it onto the stack
+	// (returning the new matched element set)
+	pushStack: function( elems, name, selector ) {
+		// Build a new jQuery matched element set
+		var ret = this.constructor();
+
+		if ( jQuery.isArray( elems ) ) {
+			push.apply( ret, elems );
+
+		} else {
+			jQuery.merge( ret, elems );
+		}
+
+		// Add the old object onto the stack (as a reference)
+		ret.prevObject = this;
+
+		ret.context = this.context;
+
+		if ( name === "find" ) {
+			ret.selector = this.selector + ( this.selector ? " " : "" ) + selector;
+		} else if ( name ) {
+			ret.selector = this.selector + "." + name + "(" + selector + ")";
+		}
+
+		// Return the newly-formed element set
+		return ret;
+	},
+
+	// Execute a callback for every element in the matched set.
+	// (You can seed the arguments with an array of args, but this is
+	// only used internally.)
+	each: function( callback, args ) {
+		return jQuery.each( this, callback, args );
+	},
+
+	ready: function( fn ) {
+		// Attach the listeners
+		jQuery.bindReady();
+
+		// Add the callback
+		readyList.add( fn );
+
+		return this;
+	},
+
+	eq: function( i ) {
+		i = +i;
+		return i === -1 ?
+			this.slice( i ) :
+			this.slice( i, i + 1 );
+	},
+
+	first: function() {
+		return this.eq( 0 );
+	},
+
+	last: function() {
+		return this.eq( -1 );
+	},
+
+	slice: function() {
+		return this.pushStack( slice.apply( this, arguments ),
+			"slice", slice.call(arguments).join(",") );
+	},
+
+	map: function( callback ) {
+		return this.pushStack( jQuery.map(this, function( elem, i ) {
+			return callback.call( elem, i, elem );
+		}));
+	},
+
+	end: function() {
+		return this.prevObject || this.constructor(null);
+	},
+
+	// For internal use only.
+	// Behaves like an Array's method, not like a jQuery method.
+	push: push,
+	sort: [].sort,
+	splice: [].splice
+};
+
+// Give the init function the jQuery prototype for later instantiation
+jQuery.fn.init.prototype = jQuery.fn;
+
+jQuery.extend = jQuery.fn.extend = function() {
+	var options, name, src, copy, copyIsArray, clone,
+		target = arguments[0] || {},
+		i = 1,
+		length = arguments.length,
+		deep = false;
+
+	// Handle a deep copy situation
+	if ( typeof target === "boolean" ) {
+		deep = target;
+		target = arguments[1] || {};
+		// skip the boolean and the target
+		i = 2;
+	}
+
+	// Handle case when target is a string or something (possible in deep copy)
+	if ( typeof target !== "object" && !jQuery.isFunction(target) ) {
+		target = {};
+	}
+
+	// extend jQuery itself if only one argument is passed
+	if ( length === i ) {
+		target = this;
+		--i;
+	}
+
+	for ( ; i < length; i++ ) {
+		// Only deal with non-null/undefined values
+		if ( (options = arguments[ i ]) != null ) {
+			// Extend the base object
+			for ( name in options ) {
+				src = target[ name ];
+				copy = options[ name ];
+
+				// Prevent never-ending loop
+				if ( target === copy ) {
+					continue;
+				}
+
+				// Recurse if we're merging plain objects or arrays
+				if ( deep && copy && ( jQuery.isPlainObject(copy) || (copyIsArray = jQuery.isArray(copy)) ) ) {
+					if ( copyIsArray ) {
+						copyIsArray = false;
+						clone = src && jQuery.isArray(src) ? src : [];
+
+					} else {
+						clone = src && jQuery.isPlainObject(src) ? src : {};
+					}
+
+					// Never move original objects, clone them
+					target[ name ] = jQuery.extend( deep, clone, copy );
+
+				// Don't bring in undefined values
+				} else if ( copy !== undefined ) {
+					target[ name ] = copy;
+				}
+			}
+		}
+	}
+
+	// Return the modified object
+	return target;
+};
+
+jQuery.extend({
+	noConflict: function( deep ) {
+		if ( window.$ === jQuery ) {
+			window.$ = _$;
+		}
+
+		if ( deep && window.jQuery === jQuery ) {
+			window.jQuery = _jQuery;
+		}
+
+		return jQuery;
+	},
+
+	// Is the DOM ready to be used? Set to true once it occurs.
+	isReady: false,
+
+	// A counter to track how many items to wait for before
+	// the ready event fires. See #6781
+	readyWait: 1,
+
+	// Hold (or release) the ready event
+	holdReady: function( hold ) {
+		if ( hold ) {
+			jQuery.readyWait++;
+		} else {
+			jQuery.ready( true );
+		}
+	},
+
+	// Handle when the DOM is ready
+	ready: function( wait ) {
+		// Either a released hold or an DOMready/load event and not yet ready
+		if ( (wait === true && !--jQuery.readyWait) || (wait !== true && !jQuery.isReady) ) {
+			// Make sure body exists, at least, in case IE gets a little overzealous (ticket #5443).
+			if ( !document.body ) {
+				return setTimeout( jQuery.ready, 1 );
+			}
+
+			// Remember that the DOM is ready
+			jQuery.isReady = true;
+
+			// If a normal DOM Ready event fired, decrement, and wait if need be
+			if ( wait !== true && --jQuery.readyWait > 0 ) {
+				return;
+			}
+
+			// If there are functions bound, to execute
+			readyList.fireWith( document, [ jQuery ] );
+
+			// Trigger any bound ready events
+			if ( jQuery.fn.trigger ) {
+				jQuery( document ).trigger( "ready" ).off( "ready" );
+			}
+		}
+	},
+
+	bindReady: function() {
+		if ( readyList ) {
+			return;
+		}
+
+		readyList = jQuery.Callbacks( "once memory" );
+
+		// Catch cases where $(document).ready() is called after the
+		// browser event has already occurred.
+		if ( document.readyState === "complete" ) {
+			// Handle it asynchronously to allow scripts the opportunity to delay ready
+			return setTimeout( jQuery.ready, 1 );
+		}
+
+		// Mozilla, Opera and webkit nightlies currently support this event
+		if ( document.addEventListener ) {
+			// Use the handy event callback
+			document.addEventListener( "DOMContentLoaded", DOMContentLoaded, false );
+
+			// A fallback to window.onload, that will always work
+			window.addEventListener( "load", jQuery.ready, false );
+
+		// If IE event model is used
+		} else if ( document.attachEvent ) {
+			// ensure firing before onload,
+			// maybe late but safe also for iframes
+			document.attachEvent( "onreadystatechange", DOMContentLoaded );
+
+			// A fallback to window.onload, that will always work
+			window.attachEvent( "onload", jQuery.ready );
+
+			// If IE and not a frame
+			// continually check to see if the document is ready
+			var toplevel = false;
+
+			try {
+				toplevel = window.frameElement == null;
+			} catch(e) {}
+
+			if ( document.documentElement.doScroll && toplevel ) {
+				doScrollCheck();
+			}
+		}
+	},
+
+	// See test/unit/core.js for details concerning isFunction.
+	// Since version 1.3, DOM methods and functions like alert
+	// aren't supported. They return false on IE (#2968).
+	isFunction: function( obj ) {
+		return jQuery.type(obj) === "function";
+	},
+
+	isArray: Array.isArray || function( obj ) {
+		return jQuery.type(obj) === "array";
+	},
+
+	isWindow: function( obj ) {
+		return obj != null && obj == obj.window;
+	},
+
+	isNumeric: function( obj ) {
+		return !isNaN( parseFloat(obj) ) && isFinite( obj );
+	},
+
+	type: function( obj ) {
+		return obj == null ?
+			String( obj ) :
+			class2type[ toString.call(obj) ] || "object";
+	},
+
+	isPlainObject: function( obj ) {
+		// Must be an Object.
+		// Because of IE, we also have to check the presence of the constructor property.
+		// Make sure that DOM nodes and window objects don't pass through, as well
+		if ( !obj || jQuery.type(obj) !== "object" || obj.nodeType || jQuery.isWindow( obj ) ) {
+			return false;
+		}
+
+		try {
+			// Not own constructor property must be Object
+			if ( obj.constructor &&
+				!hasOwn.call(obj, "constructor") &&
+				!hasOwn.call(obj.constructor.prototype, "isPrototypeOf") ) {
+				return false;
+			}
+		} catch ( e ) {
+			// IE8,9 Will throw exceptions on certain host objects #9897
+			return false;
+		}
+
+		// Own properties are enumerated firstly, so to speed up,
+		// if last one is own, then all properties are own.
+
+		var key;
+		for ( key in obj ) {}
+
+		return key === undefined || hasOwn.call( obj, key );
+	},
+
+	isEmptyObject: function( obj ) {
+		for ( var name in obj ) {
+			return false;
+		}
+		return true;
+	},
+
+	error: function( msg ) {
+		throw new Error( msg );
+	},
+
+	parseJSON: function( data ) {
+		if ( typeof data !== "string" || !data ) {
+			return null;
+		}
+
+		// Make sure leading/trailing whitespace is removed (IE can't handle it)
+		data = jQuery.trim( data );
+
+		// Attempt to parse using the native JSON parser first
+		if ( window.JSON && window.JSON.parse ) {
+			return window.JSON.parse( data );
+		}
+
+		// Make sure the incoming data is actual JSON
+		// Logic borrowed from http://json.org/json2.js
+		if ( rvalidchars.test( data.replace( rvalidescape, "@" )
+			.replace( rvalidtokens, "]" )
+			.replace( rvalidbraces, "")) ) {
+
+			return ( new Function( "return " + data ) )();
+
+		}
+		jQuery.error( "Invalid JSON: " + data );
+	},
+
+	// Cross-browser xml parsing
+	parseXML: function( data ) {
+		if ( typeof data !== "string" || !data ) {
+			return null;
+		}
+		var xml, tmp;
+		try {
+			if ( window.DOMParser ) { // Standard
+				tmp = new DOMParser();
+				xml = tmp.parseFromString( data , "text/xml" );
+			} else { // IE
+				xml = new ActiveXObject( "Microsoft.XMLDOM" );
+				xml.async = "false";
+				xml.loadXML( data );
+			}
+		} catch( e ) {
+			xml = undefined;
+		}
+		if ( !xml || !xml.documentElement || xml.getElementsByTagName( "parsererror" ).length ) {
+			jQuery.error( "Invalid XML: " + data );
+		}
+		return xml;
+	},
+
+	noop: function() {},
+
+	// Evaluates a script in a global context
+	// Workarounds based on findings by Jim Driscoll
+	// http://weblogs.java.net/blog/driscoll/archive/2009/09/08/eval-javascript-global-context
+	globalEval: function( data ) {
+		if ( data && rnotwhite.test( data ) ) {
+			// We use execScript on Internet Explorer
+			// We use an anonymous function so that context is window
+			// rather than jQuery in Firefox
+			( window.execScript || function( data ) {
+				window[ "eval" ].call( window, data );
+			} )( data );
+		}
+	},
+
+	// Convert dashed to camelCase; used by the css and data modules
+	// Microsoft forgot to hump their vendor prefix (#9572)
+	camelCase: function( string ) {
+		return string.replace( rmsPrefix, "ms-" ).replace( rdashAlpha, fcamelCase );
+	},
+
+	nodeName: function( elem, name ) {
+		return elem.nodeName && elem.nodeName.toUpperCase() === name.toUpperCase();
+	},
+
+	// args is for internal usage only
+	each: function( object, callback, args ) {
+		var name, i = 0,
+			length = object.length,
+			isObj = length === undefined || jQuery.isFunction( object );
+
+		if ( args ) {
+			if ( isObj ) {
+				for ( name in object ) {
+					if ( callback.apply( object[ name ], args ) === false ) {
+						break;
+					}
+				}
+			} else {
+				for ( ; i < length; ) {
+					if ( callback.apply( object[ i++ ], args ) === false ) {
+						break;
+					}
+				}
+			}
+
+		// A special, fast, case for the most common use of each
+		} else {
+			if ( isObj ) {
+				for ( name in object ) {
+					if ( callback.call( object[ name ], name, object[ name ] ) === false ) {
+						break;
+					}
+				}
+			} else {
+				for ( ; i < length; ) {
+					if ( callback.call( object[ i ], i, object[ i++ ] ) === false ) {
+						break;
+					}
+				}
+			}
+		}
+
+		return object;
+	},
+
+	// Use native String.trim function wherever possible
+	trim: trim ?
+		function( text ) {
+			return text == null ?
+				"" :
+				trim.call( text );
+		} :
+
+		// Otherwise use our own trimming functionality
+		function( text ) {
+			return text == null ?
+				"" :
+				text.toString().replace( trimLeft, "" ).replace( trimRight, "" );
+		},
+
+	// results is for internal usage only
+	makeArray: function( array, results ) {
+		var ret = results || [];
+
+		if ( array != null ) {
+			// The window, strings (and functions) also have 'length'
+			// Tweaked logic slightly to handle Blackberry 4.7 RegExp issues #6930
+			var type = jQuery.type( array );
+
+			if ( array.length == null || type === "string" || type === "function" || type === "regexp" || jQuery.isWindow( array ) ) {
+				push.call( ret, array );
+			} else {
+				jQuery.merge( ret, array );
+			}
+		}
+
+		return ret;
+	},
+
+	inArray: function( elem, array, i ) {
+		var len;
+
+		if ( array ) {
+			if ( indexOf ) {
+				return indexOf.call( array, elem, i );
+			}
+
+			len = array.length;
+			i = i ? i < 0 ? Math.max( 0, len + i ) : i : 0;
+
+			for ( ; i < len; i++ ) {
+				// Skip accessing in sparse arrays
+				if ( i in array && array[ i ] === elem ) {
+					return i;
+				}
+			}
+		}
+
+		return -1;
+	},
+
+	merge: function( first, second ) {
+		var i = first.length,
+			j = 0;
+
+		if ( typeof second.length === "number" ) {
+			for ( var l = second.length; j < l; j++ ) {
+				first[ i++ ] = second[ j ];
+			}
+
+		} else {
+			while ( second[j] !== undefined ) {
+				first[ i++ ] = second[ j++ ];
+			}
+		}
+
+		first.length = i;
+
+		return first;
+	},
+
+	grep: function( elems, callback, inv ) {
+		var ret = [], retVal;
+		inv = !!inv;
+
+		// Go through the array, only saving the items
+		// that pass the validator function
+		for ( var i = 0, length = elems.length; i < length; i++ ) {
+			retVal = !!callback( elems[ i ], i );
+			if ( inv !== retVal ) {
+				ret.push( elems[ i ] );
+			}
+		}
+
+		return ret;
+	},
+
+	// arg is for internal usage only
+	map: function( elems, callback, arg ) {
+		var value, key, ret = [],
+			i = 0,
+			length = elems.length,
+			// jquery objects are treated as arrays
+			isArray = elems instanceof jQuery || length !== undefined && typeof length === "number" && ( ( length > 0 && elems[ 0 ] && elems[ length -1 ] ) || length === 0 || jQuery.isArray( elems ) ) ;
+
+		// Go through the array, translating each of the items to their
+		if ( isArray ) {
+			for ( ; i < length; i++ ) {
+				value = callback( elems[ i ], i, arg );
+
+				if ( value != null ) {
+					ret[ ret.length ] = value;
+				}
+			}
+
+		// Go through every key on the object,
+		} else {
+			for ( key in elems ) {
+				value = callback( elems[ key ], key, arg );
+
+				if ( value != null ) {
+					ret[ ret.length ] = value;
+				}
+			}
+		}
+
+		// Flatten any nested arrays
+		return ret.concat.apply( [], ret );
+	},
+
+	// A global GUID counter for objects
+	guid: 1,
+
+	// Bind a function to a context, optionally partially applying any
+	// arguments.
+	proxy: function( fn, context ) {
+		if ( typeof context === "string" ) {
+			var tmp = fn[ context ];
+			context = fn;
+			fn = tmp;
+		}
+
+		// Quick check to determine if target is callable, in the spec
+		// this throws a TypeError, but we will just return undefined.
+		if ( !jQuery.isFunction( fn ) ) {
+			return undefined;
+		}
+
+		// Simulated bind
+		var args = slice.call( arguments, 2 ),
+			proxy = function() {
+				return fn.apply( context, args.concat( slice.call( arguments ) ) );
+			};
+
+		// Set the guid of unique handler to the same of original handler, so it can be removed
+		proxy.guid = fn.guid = fn.guid || proxy.guid || jQuery.guid++;
+
+		return proxy;
+	},
+
+	// Mutifunctional method to get and set values to a collection
+	// The value/s can optionally be executed if it's a function
+	access: function( elems, fn, key, value, chainable, emptyGet, pass ) {
+		var exec,
+			bulk = key == null,
+			i = 0,
+			length = elems.length;
+
+		// Sets many values
+		if ( key && typeof key === "object" ) {
+			for ( i in key ) {
+				jQuery.access( elems, fn, i, key[i], 1, emptyGet, value );
+			}
+			chainable = 1;
+
+		// Sets one value
+		} else if ( value !== undefined ) {
+			// Optionally, function values get executed if exec is true
+			exec = pass === undefined && jQuery.isFunction( value );
+
+			if ( bulk ) {
+				// Bulk operations only iterate when executing function values
+				if ( exec ) {
+					exec = fn;
+					fn = function( elem, key, value ) {
+						return exec.call( jQuery( elem ), value );
+					};
+
+				// Otherwise they run against the entire set
+				} else {
+					fn.call( elems, value );
+					fn = null;
+				}
+			}
+
+			if ( fn ) {
+				for (; i < length; i++ ) {
+					fn( elems[i], key, exec ? value.call( elems[i], i, fn( elems[i], key ) ) : value, pass );
+				}
+			}
+
+			chainable = 1;
+		}
+
+		return chainable ?
+			elems :
+
+			// Gets
+			bulk ?
+				fn.call( elems ) :
+				length ? fn( elems[0], key ) : emptyGet;
+	},
+
+	now: function() {
+		return ( new Date() ).getTime();
+	},
+
+	// Use of jQuery.browser is frowned upon.
+	// More details: http://docs.jquery.com/Utilities/jQuery.browser
+	uaMatch: function( ua ) {
+		ua = ua.toLowerCase();
+
+		var match = rwebkit.exec( ua ) ||
+			ropera.exec( ua ) ||
+			rmsie.exec( ua ) ||
+			ua.indexOf("compatible") < 0 && rmozilla.exec( ua ) ||
+			[];
+
+		return { browser: match[1] || "", version: match[2] || "0" };
+	},
+
+	sub: function() {
+		function jQuerySub( selector, context ) {
+			return new jQuerySub.fn.init( selector, context );
+		}
+		jQuery.extend( true, jQuerySub, this );
+		jQuerySub.superclass = this;
+		jQuerySub.fn = jQuerySub.prototype = this();
+		jQuerySub.fn.constructor = jQuerySub;
+		jQuerySub.sub = this.sub;
+		jQuerySub.fn.init = function init( selector, context ) {
+			if ( context && context instanceof jQuery && !(context instanceof jQuerySub) ) {
+				context = jQuerySub( context );
+			}
+
+			return jQuery.fn.init.call( this, selector, context, rootjQuerySub );
+		};
+		jQuerySub.fn.init.prototype = jQuerySub.fn;
+		var rootjQuerySub = jQuerySub(document);
+		return jQuerySub;
+	},
+
+	browser: {}
+});
+
+// Populate the class2type map
+jQuery.each("Boolean Number String Function Array Date RegExp Object".split(" "), function(i, name) {
+	class2type[ "[object " + name + "]" ] = name.toLowerCase();
+});
+
+browserMatch = jQuery.uaMatch( userAgent );
+if ( browserMatch.browser ) {
+	jQuery.browser[ browserMatch.browser ] = true;
+	jQuery.browser.version = browserMatch.version;
+}
+
+// Deprecated, use jQuery.browser.webkit instead
+if ( jQuery.browser.webkit ) {
+	jQuery.browser.safari = true;
+}
+
+// IE doesn't match non-breaking spaces with \s
+if ( rnotwhite.test( "\xA0" ) ) {
+	trimLeft = /^[\s\xA0]+/;
+	trimRight = /[\s\xA0]+$/;
+}
+
+// All jQuery objects should point back to these
+rootjQuery = jQuery(document);
+
+// Cleanup functions for the document ready method
+if ( document.addEventListener ) {
+	DOMContentLoaded = function() {
+		document.removeEventListener( "DOMContentLoaded", DOMContentLoaded, false );
+		jQuery.ready();
+	};
+
+} else if ( document.attachEvent ) {
+	DOMContentLoaded = function() {
+		// Make sure body exists, at least, in case IE gets a little overzealous (ticket #5443).
+		if ( document.readyState === "complete" ) {
+			document.detachEvent( "onreadystatechange", DOMContentLoaded );
+			jQuery.ready();
+		}
+	};
+}
+
+// The DOM ready check for Internet Explorer
+function doScrollCheck() {
+	if ( jQuery.isReady ) {
+		return;
+	}
+
+	try {
+		// If IE is used, use the trick by Diego Perini
+		// http://javascript.nwbox.com/IEContentLoaded/
+		document.documentElement.doScroll("left");
+	} catch(e) {
+		setTimeout( doScrollCheck, 1 );
+		return;
+	}
+
+	// and execute any waiting functions
+	jQuery.ready();
+}
+
+return jQuery;
+
+})();
+
+
+// String to Object flags format cache
+var flagsCache = {};
+
+// Convert String-formatted flags into Object-formatted ones and store in cache
+function createFlags( flags ) {
+	var object = flagsCache[ flags ] = {},
+		i, length;
+	flags = flags.split( /\s+/ );
+	for ( i = 0, length = flags.length; i < length; i++ ) {
+		object[ flags[i] ] = true;
+	}
+	return object;
+}
+
+/*
+ * Create a callback list using the following parameters:
+ *
+ *	flags:	an optional list of space-separated flags that will change how
+ *			the callback list behaves
+ *
+ * By default a callback list will act like an event callback list and can be
+ * "fired" multiple times.
+ *
+ * Possible flags:
+ *
+ *	once:			will ensure the callback list can only be fired once (like a Deferred)
+ *
+ *	memory:			will keep track of previous values and will call any callback added
+ *					after the list has been fired right away with the latest "memorized"
+ *					values (like a Deferred)
+ *
+ *	unique:			will ensure a callback can only be added once (no duplicate in the list)
+ *
+ *	stopOnFalse:	interrupt callings when a callback returns false
+ *
+ */
+jQuery.Callbacks = function( flags ) {
+
+	// Convert flags from String-formatted to Object-formatted
+	// (we check in cache first)
+	flags = flags ? ( flagsCache[ flags ] || createFlags( flags ) ) : {};
+
+	var // Actual callback list
+		list = [],
+		// Stack of fire calls for repeatable lists
+		stack = [],
+		// Last fire value (for non-forgettable lists)
+		memory,
+		// Flag to know if list was already fired
+		fired,
+		// Flag to know if list is currently firing
+		firing,
+		// First callback to fire (used internally by add and fireWith)
+		firingStart,
+		// End of the loop when firing
+		firingLength,
+		// Index of currently firing callback (modified by remove if needed)
+		firingIndex,
+		// Add one or several callbacks to the list
+		add = function( args ) {
+			var i,
+				length,
+				elem,
+				type,
+				actual;
+			for ( i = 0, length = args.length; i < length; i++ ) {
+				elem = args[ i ];
+				type = jQuery.type( elem );
+				if ( type === "array" ) {
+					// Inspect recursively
+					add( elem );
+				} else if ( type === "function" ) {
+					// Add if not in unique mode and callback is not in
+					if ( !flags.unique || !self.has( elem ) ) {
+						list.push( elem );
+					}
+				}
+			}
+		},
+		// Fire callbacks
+		fire = function( context, args ) {
+			args = args || [];
+			memory = !flags.memory || [ context, args ];
+			fired = true;
+			firing = true;
+			firingIndex = firingStart || 0;
+			firingStart = 0;
+			firingLength = list.length;
+			for ( ; list && firingIndex < firingLength; firingIndex++ ) {
+				if ( list[ firingIndex ].apply( context, args ) === false && flags.stopOnFalse ) {
+					memory = true; // Mark as halted
+					break;
+				}
+			}
+			firing = false;
+			if ( list ) {
+				if ( !flags.once ) {
+					if ( stack && stack.length ) {
+						memory = stack.shift();
+						self.fireWith( memory[ 0 ], memory[ 1 ] );
+					}
+				} else if ( memory === true ) {
+					self.disable();
+				} else {
+					list = [];
+				}
+			}
+		},
+		// Actual Callbacks object
+		self = {
+			// Add a callback or a collection of callbacks to the list
+			add: function() {
+				if ( list ) {
+					var length = list.length;
+					add( arguments );
+					// Do we need to add the callbacks to the
+					// current firing batch?
+					if ( firing ) {
+						firingLength = list.length;
+					// With memory, if we're not firing then
+					// we should call right away, unless previous
+					// firing was halted (stopOnFalse)
+					} else if ( memory && memory !== true ) {
+						firingStart = length;
+						fire( memory[ 0 ], memory[ 1 ] );
+					}
+				}
+				return this;
+			},
+			// Remove a callback from the list
+			remove: function() {
+				if ( list ) {
+					var args = arguments,
+						argIndex = 0,
+						argLength = args.length;
+					for ( ; argIndex < argLength ; argIndex++ ) {
+						for ( var i = 0; i < list.length; i++ ) {
+							if ( args[ argIndex ] === list[ i ] ) {
+								// Handle firingIndex and firingLength
+								if ( firing ) {
+									if ( i <= firingLength ) {
+										firingLength--;
+										if ( i <= firingIndex ) {
+											firingIndex--;
+										}
+									}
+								}
+								// Remove the element
+								list.splice( i--, 1 );
+								// If we have some unicity property then
+								// we only need to do this once
+								if ( flags.unique ) {
+									break;
+								}
+							}
+						}
+					}
+				}
+				return this;
+			},
+			// Control if a given callback is in the list
+			has: function( fn ) {
+				if ( list ) {
+					var i = 0,
+						length = list.length;
+					for ( ; i < length; i++ ) {
+						if ( fn === list[ i ] ) {
+							return true;
+						}
+					}
+				}
+				return false;
+			},
+			// Remove all callbacks from the list
+			empty: function() {
+				list = [];
+				return this;
+			},
+			// Have the list do nothing anymore
+			disable: function() {
+				list = stack = memory = undefined;
+				return this;
+			},
+			// Is it disabled?
+			disabled: function() {
+				return !list;
+			},
+			// Lock the list in its current state
+			lock: function() {
+				stack = undefined;
+				if ( !memory || memory === true ) {
+					self.disable();
+				}
+				return this;
+			},
+			// Is it locked?
+			locked: function() {
+				return !stack;
+			},
+			// Call all callbacks with the given context and arguments
+			fireWith: function( context, args ) {
+				if ( stack ) {
+					if ( firing ) {
+						if ( !flags.once ) {
+							stack.push( [ context, args ] );
+						}
+					} else if ( !( flags.once && memory ) ) {
+						fire( context, args );
+					}
+				}
+				return this;
+			},
+			// Call all the callbacks with the given arguments
+			fire: function() {
+				self.fireWith( this, arguments );
+				return this;
+			},
+			// To know if the callbacks have already been called at least once
+			fired: function() {
+				return !!fired;
+			}
+		};
+
+	return self;
+};
+
+
+
+
+var // Static reference to slice
+	sliceDeferred = [].slice;
+
+jQuery.extend({
+
+	Deferred: function( func ) {
+		var doneList = jQuery.Callbacks( "once memory" ),
+			failList = jQuery.Callbacks( "once memory" ),
+			progressList = jQuery.Callbacks( "memory" ),
+			state = "pending",
+			lists = {
+				resolve: doneList,
+				reject: failList,
+				notify: progressList
+			},
+			promise = {
+				done: doneList.add,
+				fail: failList.add,
+				progress: progressList.add,
+
+				state: function() {
+					return state;
+				},
+
+				// Deprecated
+				isResolved: doneList.fired,
+				isRejected: failList.fired,
+
+				then: function( doneCallbacks, failCallbacks, progressCallbacks ) {
+					deferred.done( doneCallbacks ).fail( failCallbacks ).progress( progressCallbacks );
+					return this;
+				},
+				always: function() {
+					deferred.done.apply( deferred, arguments ).fail.apply( deferred, arguments );
+					return this;
+				},
+				pipe: function( fnDone, fnFail, fnProgress ) {
+					return jQuery.Deferred(function( newDefer ) {
+						jQuery.each( {
+							done: [ fnDone, "resolve" ],
+							fail: [ fnFail, "reject" ],
+							progress: [ fnProgress, "notify" ]
+						}, function( handler, data ) {
+							var fn = data[ 0 ],
+								action = data[ 1 ],
+								returned;
+							if ( jQuery.isFunction( fn ) ) {
+								deferred[ handler ](function() {
+									returned = fn.apply( this, arguments );
+									if ( returned && jQuery.isFunction( returned.promise ) ) {
+										returned.promise().then( newDefer.resolve, newDefer.reject, newDefer.notify );
+									} else {
+										newDefer[ action + "With" ]( this === deferred ? newDefer : this, [ returned ] );
+									}
+								});
+							} else {
+								deferred[ handler ]( newDefer[ action ] );
+							}
+						});
+					}).promise();
+				},
+				// Get a promise for this deferred
+				// If obj is provided, the promise aspect is added to the object
+				promise: function( obj ) {
+					if ( obj == null ) {
+						obj = promise;
+					} else {
+						for ( var key in promise ) {
+							obj[ key ] = promise[ key ];
+						}
+					}
+					return obj;
+				}
+			},
+			deferred = promise.promise({}),
+			key;
+
+		for ( key in lists ) {
+			deferred[ key ] = lists[ key ].fire;
+			deferred[ key + "With" ] = lists[ key ].fireWith;
+		}
+
+		// Handle state
+		deferred.done( function() {
+			state = "resolved";
+		}, failList.disable, progressList.lock ).fail( function() {
+			state = "rejected";
+		}, doneList.disable, progressList.lock );
+
+		// Call given func if any
+		if ( func ) {
+			func.call( deferred, deferred );
+		}
+
+		// All done!
+		return deferred;
+	},
+
+	// Deferred helper
+	when: function( firstParam ) {
+		var args = sliceDeferred.call( arguments, 0 ),
+			i = 0,
+			length = args.length,
+			pValues = new Array( length ),
+			count = length,
+			pCount = length,
+			deferred = length <= 1 && firstParam && jQuery.isFunction( firstParam.promise ) ?
+				firstParam :
+				jQuery.Deferred(),
+			promise = deferred.promise();
+		function resolveFunc( i ) {
+			return function( value ) {
+				args[ i ] = arguments.length > 1 ? sliceDeferred.call( arguments, 0 ) : value;
+				if ( !( --count ) ) {
+					deferred.resolveWith( deferred, args );
+				}
+			};
+		}
+		function progressFunc( i ) {
+			return function( value ) {
+				pValues[ i ] = arguments.length > 1 ? sliceDeferred.call( arguments, 0 ) : value;
+				deferred.notifyWith( promise, pValues );
+			};
+		}
+		if ( length > 1 ) {
+			for ( ; i < length; i++ ) {
+				if ( args[ i ] && args[ i ].promise && jQuery.isFunction( args[ i ].promise ) ) {
+					args[ i ].promise().then( resolveFunc(i), deferred.reject, progressFunc(i) );
+				} else {
+					--count;
+				}
+			}
+			if ( !count ) {
+				deferred.resolveWith( deferred, args );
+			}
+		} else if ( deferred !== firstParam ) {
+			deferred.resolveWith( deferred, length ? [ firstParam ] : [] );
+		}
+		return promise;
+	}
+});
+
+
+
+
+jQuery.support = (function() {
+
+	var support,
+		all,
+		a,
+		select,
+		opt,
+		input,
+		fragment,
+		tds,
+		events,
+		eventName,
+		i,
+		isSupported,
+		div = document.createElement( "div" ),
+		documentElement = document.documentElement;
+
+	// Preliminary tests
+	div.setAttribute("className", "t");
+	div.innerHTML = "   <link/><table></table><a href='/a' style='top:1px;float:left;opacity:.55;'>a</a><input type='checkbox'/>";
+
+	all = div.getElementsByTagName( "*" );
+	a = div.getElementsByTagName( "a" )[ 0 ];
+
+	// Can't get basic test support
+	if ( !all || !all.length || !a ) {
+		return {};
+	}
+
+	// First batch of supports tests
+	select = document.createElement( "select" );
+	opt = select.appendChild( document.createElement("option") );
+	input = div.getElementsByTagName( "input" )[ 0 ];
+
+	support = {
+		// IE strips leading whitespace when .innerHTML is used
+		leadingWhitespace: ( div.firstChild.nodeType === 3 ),
+
+		// Make sure that tbody elements aren't automatically inserted
+		// IE will insert them into empty tables
+		tbody: !div.getElementsByTagName("tbody").length,
+
+		// Make sure that link elements get serialized correctly by innerHTML
+		// This requires a wrapper element in IE
+		htmlSerialize: !!div.getElementsByTagName("link").length,
+
+		// Get the style information from getAttribute
+		// (IE uses .cssText instead)
+		style: /top/.test( a.getAttribute("style") ),
+
+		// Make sure that URLs aren't manipulated
+		// (IE normalizes it by default)
+		hrefNormalized: ( a.getAttribute("href") === "/a" ),
+
+		// Make sure that element opacity exists
+		// (IE uses filter instead)
+		// Use a regex to work around a WebKit issue. See #5145
+		opacity: /^0.55/.test( a.style.opacity ),
+
+		// Verify style float existence
+		// (IE uses styleFloat instead of cssFloat)
+		cssFloat: !!a.style.cssFloat,
+
+		// Make sure that if no value is specified for a checkbox
+		// that it defaults to "on".
+		// (WebKit defaults to "" instead)
+		checkOn: ( input.value === "on" ),
+
+		// Make sure that a selected-by-default option has a working selected property.
+		// (WebKit defaults to false instead of true, IE too, if it's in an optgroup)
+		optSelected: opt.selected,
+
+		// Test setAttribute on camelCase class. If it works, we need attrFixes when doing get/setAttribute (ie6/7)
+		getSetAttribute: div.className !== "t",
+
+		// Tests for enctype support on a form(#6743)
+		enctype: !!document.createElement("form").enctype,
+
+		// Makes sure cloning an html5 element does not cause problems
+		// Where outerHTML is undefined, this still works
+		html5Clone: document.createElement("nav").cloneNode( true ).outerHTML !== "<:nav></:nav>",
+
+		// Will be defined later
+		submitBubbles: true,
+		changeBubbles: true,
+		focusinBubbles: false,
+		deleteExpando: true,
+		noCloneEvent: true,
+		inlineBlockNeedsLayout: false,
+		shrinkWrapBlocks: false,
+		reliableMarginRight: true,
+		pixelMargin: true
+	};
+
+	// jQuery.boxModel DEPRECATED in 1.3, use jQuery.support.boxModel instead
+	jQuery.boxModel = support.boxModel = (document.compatMode === "CSS1Compat");
+
+	// Make sure checked status is properly cloned
+	input.checked = true;
+	support.noCloneChecked = input.cloneNode( true ).checked;
+
+	// Make sure that the options inside disabled selects aren't marked as disabled
+	// (WebKit marks them as disabled)
+	select.disabled = true;
+	support.optDisabled = !opt.disabled;
+
+	// Test to see if it's possible to delete an expando from an element
+	// Fails in Internet Explorer
+	try {
+		delete div.test;
+	} catch( e ) {
+		support.deleteExpando = false;
+	}
+
+	if ( !div.addEventListener && div.attachEvent && div.fireEvent ) {
+		div.attachEvent( "onclick", function() {
+			// Cloning a node shouldn't copy over any
+			// bound event handlers (IE does this)
+			support.noCloneEvent = false;
+		});
+		div.cloneNode( true ).fireEvent( "onclick" );
+	}
+
+	// Check if a radio maintains its value
+	// after being appended to the DOM
+	input = document.createElement("input");
+	input.value = "t";
+	input.setAttribute("type", "radio");
+	support.radioValue = input.value === "t";
+
+	input.setAttribute("checked", "checked");
+
+	// #11217 - WebKit loses check when the name is after the checked attribute
+	input.setAttribute( "name", "t" );
+
+	div.appendChild( input );
+	fragment = document.createDocumentFragment();
+	fragment.appendChild( div.lastChild );
+
+	// WebKit doesn't clone checked state correctly in fragments
+	support.checkClone = fragment.cloneNode( true ).cloneNode( true ).lastChild.checked;
+
+	// Check if a disconnected checkbox will retain its checked
+	// value of true after appended to the DOM (IE6/7)
+	support.appendChecked = input.checked;
+
+	fragment.removeChild( input );
+	fragment.appendChild( div );
+
+	// Technique from Juriy Zaytsev
+	// http://perfectionkills.com/detecting-event-support-without-browser-sniffing/
+	// We only care about the case where non-standard event systems
+	// are used, namely in IE. Short-circuiting here helps us to
+	// avoid an eval call (in setAttribute) which can cause CSP
+	// to go haywire. See: https://developer.mozilla.org/en/Security/CSP
+	if ( div.attachEvent ) {
+		for ( i in {
+			submit: 1,
+			change: 1,
+			focusin: 1
+		}) {
+			eventName = "on" + i;
+			isSupported = ( eventName in div );
+			if ( !isSupported ) {
+				div.setAttribute( eventName, "return;" );
+				isSupported = ( typeof div[ eventName ] === "function" );
+			}
+			support[ i + "Bubbles" ] = isSupported;
+		}
+	}
+
+	fragment.removeChild( div );
+
+	// Null elements to avoid leaks in IE
+	fragment = select = opt = div = input = null;
+
+	// Run tests that need a body at doc ready
+	jQuery(function() {
+		var container, outer, inner, table, td, offsetSupport,
+			marginDiv, conMarginTop, style, html, positionTopLeftWidthHeight,
+			paddingMarginBorderVisibility, paddingMarginBorder,
+			body = document.getElementsByTagName("body")[0];
+
+		if ( !body ) {
+			// Return for frameset docs that don't have a body
+			return;
+		}
+
+		conMarginTop = 1;
+		paddingMarginBorder = "padding:0;margin:0;border:";
+		positionTopLeftWidthHeight = "position:absolute;top:0;left:0;width:1px;height:1px;";
+		paddingMarginBorderVisibility = paddingMarginBorder + "0;visibility:hidden;";
+		style = "style='" + positionTopLeftWidthHeight + paddingMarginBorder + "5px solid #000;";
+		html = "<div " + style + "display:block;'><div style='" + paddingMarginBorder + "0;display:block;overflow:hidden;'></div></div>" +
+			"<table " + style + "' cellpadding='0' cellspacing='0'>" +
+			"<tr><td></td></tr></table>";
+
+		container = document.createElement("div");
+		container.style.cssText = paddingMarginBorderVisibility + "width:0;height:0;position:static;top:0;margin-top:" + conMarginTop + "px";
+		body.insertBefore( container, body.firstChild );
+
+		// Construct the test element
+		div = document.createElement("div");
+		container.appendChild( div );
+
+		// Check if table cells still have offsetWidth/Height when they are set
+		// to display:none and there are still other visible table cells in a
+		// table row; if so, offsetWidth/Height are not reliable for use when
+		// determining if an element has been hidden directly using
+		// display:none (it is still safe to use offsets if a parent element is
+		// hidden; don safety goggles and see bug #4512 for more information).
+		// (only IE 8 fails this test)
+		div.innerHTML = "<table><tr><td style='" + paddingMarginBorder + "0;display:none'></td><td>t</td></tr></table>";
+		tds = div.getElementsByTagName( "td" );
+		isSupported = ( tds[ 0 ].offsetHeight === 0 );
+
+		tds[ 0 ].style.display = "";
+		tds[ 1 ].style.display = "none";
+
+		// Check if empty table cells still have offsetWidth/Height
+		// (IE <= 8 fail this test)
+		support.reliableHiddenOffsets = isSupported && ( tds[ 0 ].offsetHeight === 0 );
+
+		// Check if div with explicit width and no margin-right incorrectly
+		// gets computed margin-right based on width of container. For more
+		// info see bug #3333
+		// Fails in WebKit before Feb 2011 nightlies
+		// WebKit Bug 13343 - getComputedStyle returns wrong value for margin-right
+		if ( window.getComputedStyle ) {
+			div.innerHTML = "";
+			marginDiv = document.createElement( "div" );
+			marginDiv.style.width = "0";
+			marginDiv.style.marginRight = "0";
+			div.style.width = "2px";
+			div.appendChild( marginDiv );
+			support.reliableMarginRight =
+				( parseInt( ( window.getComputedStyle( marginDiv, null ) || { marginRight: 0 } ).marginRight, 10 ) || 0 ) === 0;
+		}
+
+		if ( typeof div.style.zoom !== "undefined" ) {
+			// Check if natively block-level elements act like inline-block
+			// elements when setting their display to 'inline' and giving
+			// them layout
+			// (IE < 8 does this)
+			div.innerHTML = "";
+			div.style.width = div.style.padding = "1px";
+			div.style.border = 0;
+			div.style.overflow = "hidden";
+			div.style.display = "inline";
+			div.style.zoom = 1;
+			support.inlineBlockNeedsLayout = ( div.offsetWidth === 3 );
+
+			// Check if elements with layout shrink-wrap their children
+			// (IE 6 does this)
+			div.style.display = "block";
+			div.style.overflow = "visible";
+			div.innerHTML = "<div style='width:5px;'></div>";
+			support.shrinkWrapBlocks = ( div.offsetWidth !== 3 );
+		}
+
+		div.style.cssText = positionTopLeftWidthHeight + paddingMarginBorderVisibility;
+		div.innerHTML = html;
+
+		outer = div.firstChild;
+		inner = outer.firstChild;
+		td = outer.nextSibling.firstChild.firstChild;
+
+		offsetSupport = {
+			doesNotAddBorder: ( inner.offsetTop !== 5 ),
+			doesAddBorderForTableAndCells: ( td.offsetTop === 5 )
+		};
+
+		inner.style.position = "fixed";
+		inner.style.top = "20px";
+
+		// safari subtracts parent border width here which is 5px
+		offsetSupport.fixedPosition = ( inner.offsetTop === 20 || inner.offsetTop === 15 );
+		inner.style.position = inner.style.top = "";
+
+		outer.style.overflow = "hidden";
+		outer.style.position = "relative";
+
+		offsetSupport.subtractsBorderForOverflowNotVisible = ( inner.offsetTop === -5 );
+		offsetSupport.doesNotIncludeMarginInBodyOffset = ( body.offsetTop !== conMarginTop );
+
+		if ( window.getComputedStyle ) {
+			div.style.marginTop = "1%";
+			support.pixelMargin = ( window.getComputedStyle( div, null ) || { marginTop: 0 } ).marginTop !== "1%";
+		}
+
+		if ( typeof container.style.zoom !== "undefined" ) {
+			container.style.zoom = 1;
+		}
+
+		body.removeChild( container );
+		marginDiv = div = container = null;
+
+		jQuery.extend( support, offsetSupport );
+	});
+
+	return support;
+})();
+
+
+
+
+var rbrace = /^(?:\{.*\}|\[.*\])$/,
+	rmultiDash = /([A-Z])/g;
+
+jQuery.extend({
+	cache: {},
+
+	// Please use with caution
+	uuid: 0,
+
+	// Unique for each copy of jQuery on the page
+	// Non-digits removed to match rinlinejQuery
+	expando: "jQuery" + ( jQuery.fn.jquery + Math.random() ).replace( /\D/g, "" ),
+
+	// The following elements throw uncatchable exceptions if you
+	// attempt to add expando properties to them.
+	noData: {
+		"embed": true,
+		// Ban all objects except for Flash (which handle expandos)
+		"object": "clsid:D27CDB6E-AE6D-11cf-96B8-444553540000",
+		"applet": true
+	},
+
+	hasData: function( elem ) {
+		elem = elem.nodeType ? jQuery.cache[ elem[jQuery.expando] ] : elem[ jQuery.expando ];
+		return !!elem && !isEmptyDataObject( elem );
+	},
+
+	data: function( elem, name, data, pvt /* Internal Use Only */ ) {
+		if ( !jQuery.acceptData( elem ) ) {
+			return;
+		}
+
+		var privateCache, thisCache, ret,
+			internalKey = jQuery.expando,
+			getByName = typeof name === "string",
+
+			// We have to handle DOM nodes and JS objects differently because IE6-7
+			// can't GC object references properly across the DOM-JS boundary
+			isNode = elem.nodeType,
+
+			// Only DOM nodes need the global jQuery cache; JS object data is
+			// attached directly to the object so GC can occur automatically
+			cache = isNode ? jQuery.cache : elem,
+
+			// Only defining an ID for JS objects if its cache already exists allows
+			// the code to shortcut on the same path as a DOM node with no cache
+			id = isNode ? elem[ internalKey ] : elem[ internalKey ] && internalKey,
+			isEvents = name === "events";
+
+		// Avoid doing any more work than we need to when trying to get data on an
+		// object that has no data at all
+		if ( (!id || !cache[id] || (!isEvents && !pvt && !cache[id].data)) && getByName && data === undefined ) {
+			return;
+		}
+
+		if ( !id ) {
+			// Only DOM nodes need a new unique ID for each element since their data
+			// ends up in the global cache
+			if ( isNode ) {
+				elem[ internalKey ] = id = ++jQuery.uuid;
+			} else {
+				id = internalKey;
+			}
+		}
+
+		if ( !cache[ id ] ) {
+			cache[ id ] = {};
+
+			// Avoids exposing jQuery metadata on plain JS objects when the object
+			// is serialized using JSON.stringify
+			if ( !isNode ) {
+				cache[ id ].toJSON = jQuery.noop;
+			}
+		}
+
+		// An object can be passed to jQuery.data instead of a key/value pair; this gets
+		// shallow copied over onto the existing cache
+		if ( typeof name === "object" || typeof name === "function" ) {
+			if ( pvt ) {
+				cache[ id ] = jQuery.extend( cache[ id ], name );
+			} else {
+				cache[ id ].data = jQuery.extend( cache[ id ].data, name );
+			}
+		}
+
+		privateCache = thisCache = cache[ id ];
+
+		// jQuery data() is stored in a separate object inside the object's internal data
+		// cache in order to avoid key collisions between internal data and user-defined
+		// data.
+		if ( !pvt ) {
+			if ( !thisCache.data ) {
+				thisCache.data = {};
+			}
+
+			thisCache = thisCache.data;
+		}
+
+		if ( data !== undefined ) {
+			thisCache[ jQuery.camelCase( name ) ] = data;
+		}
+
+		// Users should not attempt to inspect the internal events object using jQuery.data,
+		// it is undocumented and subject to change. But does anyone listen? No.
+		if ( isEvents && !thisCache[ name ] ) {
+			return privateCache.events;
+		}
+
+		// Check for both converted-to-camel and non-converted data property names
+		// If a data property was specified
+		if ( getByName ) {
+
+			// First Try to find as-is property data
+			ret = thisCache[ name ];
+
+			// Test for null|undefined property data
+			if ( ret == null ) {
+
+				// Try to find the camelCased property
+				ret = thisCache[ jQuery.camelCase( name ) ];
+			}
+		} else {
+			ret = thisCache;
+		}
+
+		return ret;
+	},
+
+	removeData: function( elem, name, pvt /* Internal Use Only */ ) {
+		if ( !jQuery.acceptData( elem ) ) {
+			return;
+		}
+
+		var thisCache, i, l,
+
+			// Reference to internal data cache key
+			internalKey = jQuery.expando,
+
+			isNode = elem.nodeType,
+
+			// See jQuery.data for more information
+			cache = isNode ? jQuery.cache : elem,
+
+			// See jQuery.data for more information
+			id = isNode ? elem[ internalKey ] : internalKey;
+
+		// If there is already no cache entry for this object, there is no
+		// purpose in continuing
+		if ( !cache[ id ] ) {
+			return;
+		}
+
+		if ( name ) {
+
+			thisCache = pvt ? cache[ id ] : cache[ id ].data;
+
+			if ( thisCache ) {
+
+				// Support array or space separated string names for data keys
+				if ( !jQuery.isArray( name ) ) {
+
+					// try the string as a key before any manipulation
+					if ( name in thisCache ) {
+						name = [ name ];
+					} else {
+
+						// split the camel cased version by spaces unless a key with the spaces exists
+						name = jQuery.camelCase( name );
+						if ( name in thisCache ) {
+							name = [ name ];
+						} else {
+							name = name.split( " " );
+						}
+					}
+				}
+
+				for ( i = 0, l = name.length; i < l; i++ ) {
+					delete thisCache[ name[i] ];
+				}
+
+				// If there is no data left in the cache, we want to continue
+				// and let the cache object itself get destroyed
+				if ( !( pvt ? isEmptyDataObject : jQuery.isEmptyObject )( thisCache ) ) {
+					return;
+				}
+			}
+		}
+
+		// See jQuery.data for more information
+		if ( !pvt ) {
+			delete cache[ id ].data;
+
+			// Don't destroy the parent cache unless the internal data object
+			// had been the only thing left in it
+			if ( !isEmptyDataObject(cache[ id ]) ) {
+				return;
+			}
+		}
+
+		// Browsers that fail expando deletion also refuse to delete expandos on
+		// the window, but it will allow it on all other JS objects; other browsers
+		// don't care
+		// Ensure that `cache` is not a window object #10080
+		if ( jQuery.support.deleteExpando || !cache.setInterval ) {
+			delete cache[ id ];
+		} else {
+			cache[ id ] = null;
+		}
+
+		// We destroyed the cache and need to eliminate the expando on the node to avoid
+		// false lookups in the cache for entries that no longer exist
+		if ( isNode ) {
+			// IE does not allow us to delete expando properties from nodes,
+			// nor does it have a removeAttribute function on Document nodes;
+			// we must handle all of these cases
+			if ( jQuery.support.deleteExpando ) {
+				delete elem[ internalKey ];
+			} else if ( elem.removeAttribute ) {
+				elem.removeAttribute( internalKey );
+			} else {
+				elem[ internalKey ] = null;
+			}
+		}
+	},
+
+	// For internal use only.
+	_data: function( elem, name, data ) {
+		return jQuery.data( elem, name, data, true );
+	},
+
+	// A method for determining if a DOM node can handle the data expando
+	acceptData: function( elem ) {
+		if ( elem.nodeName ) {
+			var match = jQuery.noData[ elem.nodeName.toLowerCase() ];
+
+			if ( match ) {
+				return !(match === true || elem.getAttribute("classid") !== match);
+			}
+		}
+
+		return true;
+	}
+});
+
+jQuery.fn.extend({
+	data: function( key, value ) {
+		var parts, part, attr, name, l,
+			elem = this[0],
+			i = 0,
+			data = null;
+
+		// Gets all values
+		if ( key === undefined ) {
+			if ( this.length ) {
+				data = jQuery.data( elem );
+
+				if ( elem.nodeType === 1 && !jQuery._data( elem, "parsedAttrs" ) ) {
+					attr = elem.attributes;
+					for ( l = attr.length; i < l; i++ ) {
+						name = attr[i].name;
+
+						if ( name.indexOf( "data-" ) === 0 ) {
+							name = jQuery.camelCase( name.substring(5) );
+
+							dataAttr( elem, name, data[ name ] );
+						}
+					}
+					jQuery._data( elem, "parsedAttrs", true );
+				}
+			}
+
+			return data;
+		}
+
+		// Sets multiple values
+		if ( typeof key === "object" ) {
+			return this.each(function() {
+				jQuery.data( this, key );
+			});
+		}
+
+		parts = key.split( ".", 2 );
+		parts[1] = parts[1] ? "." + parts[1] : "";
+		part = parts[1] + "!";
+
+		return jQuery.access( this, function( value ) {
+
+			if ( value === undefined ) {
+				data = this.triggerHandler( "getData" + part, [ parts[0] ] );
+
+				// Try to fetch any internally stored data first
+				if ( data === undefined && elem ) {
+					data = jQuery.data( elem, key );
+					data = dataAttr( elem, key, data );
+				}
+
+				return data === undefined && parts[1] ?
+					this.data( parts[0] ) :
+					data;
+			}
+
+			parts[1] = value;
+			this.each(function() {
+				var self = jQuery( this );
+
+				self.triggerHandler( "setData" + part, parts );
+				jQuery.data( this, key, value );
+				self.triggerHandler( "changeData" + part, parts );
+			});
+		}, null, value, arguments.length > 1, null, false );
+	},
+
+	removeData: function( key ) {
+		return this.each(function() {
+			jQuery.removeData( this, key );
+		});
+	}
+});
+
+function dataAttr( elem, key, data ) {
+	// If nothing was found internally, try to fetch any
+	// data from the HTML5 data-* attribute
+	if ( data === undefined && elem.nodeType === 1 ) {
+
+		var name = "data-" + key.replace( rmultiDash, "-$1" ).toLowerCase();
+
+		data = elem.getAttribute( name );
+
+		if ( typeof data === "string" ) {
+			try {
+				data = data === "true" ? true :
+				data === "false" ? false :
+				data === "null" ? null :
+				jQuery.isNumeric( data ) ? +data :
+					rbrace.test( data ) ? jQuery.parseJSON( data ) :
+					data;
+			} catch( e ) {}
+
+			// Make sure we set the data so it isn't changed later
+			jQuery.data( elem, key, data );
+
+		} else {
+			data = undefined;
+		}
+	}
+
+	return data;
+}
+
+// checks a cache object for emptiness
+function isEmptyDataObject( obj ) {
+	for ( var name in obj ) {
+
+		// if the public data object is empty, the private is still empty
+		if ( name === "data" && jQuery.isEmptyObject( obj[name] ) ) {
+			continue;
+		}
+		if ( name !== "toJSON" ) {
+			return false;
+		}
+	}
+
+	return true;
+}
+
+
+
+
+function handleQueueMarkDefer( elem, type, src ) {
+	var deferDataKey = type + "defer",
+		queueDataKey = type + "queue",
+		markDataKey = type + "mark",
+		defer = jQuery._data( elem, deferDataKey );
+	if ( defer &&
+		( src === "queue" || !jQuery._data(elem, queueDataKey) ) &&
+		( src === "mark" || !jQuery._data(elem, markDataKey) ) ) {
+		// Give room for hard-coded callbacks to fire first
+		// and eventually mark/queue something else on the element
+		setTimeout( function() {
+			if ( !jQuery._data( elem, queueDataKey ) &&
+				!jQuery._data( elem, markDataKey ) ) {
+				jQuery.removeData( elem, deferDataKey, true );
+				defer.fire();
+			}
+		}, 0 );
+	}
+}
+
+jQuery.extend({
+
+	_mark: function( elem, type ) {
+		if ( elem ) {
+			type = ( type || "fx" ) + "mark";
+			jQuery._data( elem, type, (jQuery._data( elem, type ) || 0) + 1 );
+		}
+	},
+
+	_unmark: function( force, elem, type ) {
+		if ( force !== true ) {
+			type = elem;
+			elem = force;
+			force = false;
+		}
+		if ( elem ) {
+			type = type || "fx";
+			var key = type + "mark",
+				count = force ? 0 : ( (jQuery._data( elem, key ) || 1) - 1 );
+			if ( count ) {
+				jQuery._data( elem, key, count );
+			} else {
+				jQuery.removeData( elem, key, true );
+				handleQueueMarkDefer( elem, type, "mark" );
+			}
+		}
+	},
+
+	queue: function( elem, type, data ) {
+		var q;
+		if ( elem ) {
+			type = ( type || "fx" ) + "queue";
+			q = jQuery._data( elem, type );
+
+			// Speed up dequeue by getting out quickly if this is just a lookup
+			if ( data ) {
+				if ( !q || jQuery.isArray(data) ) {
+					q = jQuery._data( elem, type, jQuery.makeArray(data) );
+				} else {
+					q.push( data );
+				}
+			}
+			return q || [];
+		}
+	},
+
+	dequeue: function( elem, type ) {
+		type = type || "fx";
+
+		var queue = jQuery.queue( elem, type ),
+			fn = queue.shift(),
+			hooks = {};
+
+		// If the fx queue is dequeued, always remove the progress sentinel
+		if ( fn === "inprogress" ) {
+			fn = queue.shift();
+		}
+
+		if ( fn ) {
+			// Add a progress sentinel to prevent the fx queue from being
+			// automatically dequeued
+			if ( type === "fx" ) {
+				queue.unshift( "inprogress" );
+			}
+
+			jQuery._data( elem, type + ".run", hooks );
+			fn.call( elem, function() {
+				jQuery.dequeue( elem, type );
+			}, hooks );
+		}
+
+		if ( !queue.length ) {
+			jQuery.removeData( elem, type + "queue " + type + ".run", true );
+			handleQueueMarkDefer( elem, type, "queue" );
+		}
+	}
+});
+
+jQuery.fn.extend({
+	queue: function( type, data ) {
+		var setter = 2;
+
+		if ( typeof type !== "string" ) {
+			data = type;
+			type = "fx";
+			setter--;
+		}
+
+		if ( arguments.length < setter ) {
+			return jQuery.queue( this[0], type );
+		}
+
+		return data === undefined ?
+			this :
+			this.each(function() {
+				var queue = jQuery.queue( this, type, data );
+
+				if ( type === "fx" && queue[0] !== "inprogress" ) {
+					jQuery.dequeue( this, type );
+				}
+			});
+	},
+	dequeue: function( type ) {
+		return this.each(function() {
+			jQuery.dequeue( this, type );
+		});
+	},
+	// Based off of the plugin by Clint Helfers, with permission.
+	// http://blindsignals.com/index.php/2009/07/jquery-delay/
+	delay: function( time, type ) {
+		time = jQuery.fx ? jQuery.fx.speeds[ time ] || time : time;
+		type = type || "fx";
+
+		return this.queue( type, function( next, hooks ) {
+			var timeout = setTimeout( next, time );
+			hooks.stop = function() {
+				clearTimeout( timeout );
+			};
+		});
+	},
+	clearQueue: function( type ) {
+		return this.queue( type || "fx", [] );
+	},
+	// Get a promise resolved when queues of a certain type
+	// are emptied (fx is the type by default)
+	promise: function( type, object ) {
+		if ( typeof type !== "string" ) {
+			object = type;
+			type = undefined;
+		}
+		type = type || "fx";
+		var defer = jQuery.Deferred(),
+			elements = this,
+			i = elements.length,
+			count = 1,
+			deferDataKey = type + "defer",
+			queueDataKey = type + "queue",
+			markDataKey = type + "mark",
+			tmp;
+		function resolve() {
+			if ( !( --count ) ) {
+				defer.resolveWith( elements, [ elements ] );
+			}
+		}
+		while( i-- ) {
+			if (( tmp = jQuery.data( elements[ i ], deferDataKey, undefined, true ) ||
+					( jQuery.data( elements[ i ], queueDataKey, undefined, true ) ||
+						jQuery.data( elements[ i ], markDataKey, undefined, true ) ) &&
+					jQuery.data( elements[ i ], deferDataKey, jQuery.Callbacks( "once memory" ), true ) )) {
+				count++;
+				tmp.add( resolve );
+			}
+		}
+		resolve();
+		return defer.promise( object );
+	}
+});
+
+
+
+
+var rclass = /[\n\t\r]/g,
+	rspace = /\s+/,
+	rreturn = /\r/g,
+	rtype = /^(?:button|input)$/i,
+	rfocusable = /^(?:button|input|object|select|textarea)$/i,
+	rclickable = /^a(?:rea)?$/i,
+	rboolean = /^(?:autofocus|autoplay|async|checked|controls|defer|disabled|hidden|loop|multiple|open|readonly|required|scoped|selected)$/i,
+	getSetAttribute = jQuery.support.getSetAttribute,
+	nodeHook, boolHook, fixSpecified;
+
+jQuery.fn.extend({
+	attr: function( name, value ) {
+		return jQuery.access( this, jQuery.attr, name, value, arguments.length > 1 );
+	},
+
+	removeAttr: function( name ) {
+		return this.each(function() {
+			jQuery.removeAttr( this, name );
+		});
+	},
+
+	prop: function( name, value ) {
+		return jQuery.access( this, jQuery.prop, name, value, arguments.length > 1 );
+	},
+
+	removeProp: function( name ) {
+		name = jQuery.propFix[ name ] || name;
+		return this.each(function() {
+			// try/catch handles cases where IE balks (such as removing a property on window)
+			try {
+				this[ name ] = undefined;
+				delete this[ name ];
+			} catch( e ) {}
+		});
+	},
+
+	addClass: function( value ) {
+		var classNames, i, l, elem,
+			setClass, c, cl;
+
+		if ( jQuery.isFunction( value ) ) {
+			return this.each(function( j ) {
+				jQuery( this ).addClass( value.call(this, j, this.className) );
+			});
+		}
+
+		if ( value && typeof value === "string" ) {
+			classNames = value.split( rspace );
+
+			for ( i = 0, l = this.length; i < l; i++ ) {
+				elem = this[ i ];
+
+				if ( elem.nodeType === 1 ) {
+					if ( !elem.className && classNames.length === 1 ) {
+						elem.className = value;
+
+					} else {
+						setClass = " " + elem.className + " ";
+
+						for ( c = 0, cl = classNames.length; c < cl; c++ ) {
+							if ( !~setClass.indexOf( " " + classNames[ c ] + " " ) ) {
+								setClass += classNames[ c ] + " ";
+							}
+						}
+						elem.className = jQuery.trim( setClass );
+					}
+				}
+			}
+		}
+
+		return this;
+	},
+
+	removeClass: function( value ) {
+		var classNames, i, l, elem, className, c, cl;
+
+		if ( jQuery.isFunction( value ) ) {
+			return this.each(function( j ) {
+				jQuery( this ).removeClass( value.call(this, j, this.className) );
+			});
+		}
+
+		if ( (value && typeof value === "string") || value === undefined ) {
+			classNames = ( value || "" ).split( rspace );
+
+			for ( i = 0, l = this.length; i < l; i++ ) {
+				elem = this[ i ];
+
+				if ( elem.nodeType === 1 && elem.className ) {
+					if ( value ) {
+						className = (" " + elem.className + " ").replace( rclass, " " );
+						for ( c = 0, cl = classNames.length; c < cl; c++ ) {
+							className = className.replace(" " + classNames[ c ] + " ", " ");
+						}
+						elem.className = jQuery.trim( className );
+
+					} else {
+						elem.className = "";
+					}
+				}
+			}
+		}
+
+		return this;
+	},
+
+	toggleClass: function( value, stateVal ) {
+		var type = typeof value,
+			isBool = typeof stateVal === "boolean";
+
+		if ( jQuery.isFunction( value ) ) {
+			return this.each(function( i ) {
+				jQuery( this ).toggleClass( value.call(this, i, this.className, stateVal), stateVal );
+			});
+		}
+
+		return this.each(function() {
+			if ( type === "string" ) {
+				// toggle individual class names
+				var className,
+					i = 0,
+					self = jQuery( this ),
+					state = stateVal,
+					classNames = value.split( rspace );
+
+				while ( (className = classNames[ i++ ]) ) {
+					// check each className given, space seperated list
+					state = isBool ? state : !self.hasClass( className );
+					self[ state ? "addClass" : "removeClass" ]( className );
+				}
+
+			} else if ( type === "undefined" || type === "boolean" ) {
+				if ( this.className ) {
+					// store className if set
+					jQuery._data( this, "__className__", this.className );
+				}
+
+				// toggle whole className
+				this.className = this.className || value === false ? "" : jQuery._data( this, "__className__" ) || "";
+			}
+		});
+	},
+
+	hasClass: function( selector ) {
+		var className = " " + selector + " ",
+			i = 0,
+			l = this.length;
+		for ( ; i < l; i++ ) {
+			if ( this[i].nodeType === 1 && (" " + this[i].className + " ").replace(rclass, " ").indexOf( className ) > -1 ) {
+				return true;
+			}
+		}
+
+		return false;
+	},
+
+	val: function( value ) {
+		var hooks, ret, isFunction,
+			elem = this[0];
+
+		if ( !arguments.length ) {
+			if ( elem ) {
+				hooks = jQuery.valHooks[ elem.type ] || jQuery.valHooks[ elem.nodeName.toLowerCase() ];
+
+				if ( hooks && "get" in hooks && (ret = hooks.get( elem, "value" )) !== undefined ) {
+					return ret;
+				}
+
+				ret = elem.value;
+
+				return typeof ret === "string" ?
+					// handle most common string cases
+					ret.replace(rreturn, "") :
+					// handle cases where value is null/undef or number
+					ret == null ? "" : ret;
+			}
+
+			return;
+		}
+
+		isFunction = jQuery.isFunction( value );
+
+		return this.each(function( i ) {
+			var self = jQuery(this), val;
+
+			if ( this.nodeType !== 1 ) {
+				return;
+			}
+
+			if ( isFunction ) {
+				val = value.call( this, i, self.val() );
+			} else {
+				val = value;
+			}
+
+			// Treat null/undefined as ""; convert numbers to string
+			if ( val == null ) {
+				val = "";
+			} else if ( typeof val === "number" ) {
+				val += "";
+			} else if ( jQuery.isArray( val ) ) {
+				val = jQuery.map(val, function ( value ) {
+					return value == null ? "" : value + "";
+				});
+			}
+
+			hooks = jQuery.valHooks[ this.type ] || jQuery.valHooks[ this.nodeName.toLowerCase() ];
+
+			// If set returns undefined, fall back to normal setting
+			if ( !hooks || !("set" in hooks) || hooks.set( this, val, "value" ) === undefined ) {
+				this.value = val;
+			}
+		});
+	}
+});
+
+jQuery.extend({
+	valHooks: {
+		option: {
+			get: function( elem ) {
+				// attributes.value is undefined in Blackberry 4.7 but
+				// uses .value. See #6932
+				var val = elem.attributes.value;
+				return !val || val.specified ? elem.value : elem.text;
+			}
+		},
+		select: {
+			get: function( elem ) {
+				var value, i, max, option,
+					index = elem.selectedIndex,
+					values = [],
+					options = elem.options,
+					one = elem.type === "select-one";
+
+				// Nothing was selected
+				if ( index < 0 ) {
+					return null;
+				}
+
+				// Loop through all the selected options
+				i = one ? index : 0;
+				max = one ? index + 1 : options.length;
+				for ( ; i < max; i++ ) {
+					option = options[ i ];
+
+					// Don't return options that are disabled or in a disabled optgroup
+					if ( option.selected && (jQuery.support.optDisabled ? !option.disabled : option.getAttribute("disabled") === null) &&
+							(!option.parentNode.disabled || !jQuery.nodeName( option.parentNode, "optgroup" )) ) {
+
+						// Get the specific value for the option
+						value = jQuery( option ).val();
+
+						// We don't need an array for one selects
+						if ( one ) {
+							return value;
+						}
+
+						// Multi-Selects return an array
+						values.push( value );
+					}
+				}
+
+				// Fixes Bug #2551 -- select.val() broken in IE after form.reset()
+				if ( one && !values.length && options.length ) {
+					return jQuery( options[ index ] ).val();
+				}
+
+				return values;
+			},
+
+			set: function( elem, value ) {
+				var values = jQuery.makeArray( value );
+
+				jQuery(elem).find("option").each(function() {
+					this.selected = jQuery.inArray( jQuery(this).val(), values ) >= 0;
+				});
+
+				if ( !values.length ) {
+					elem.selectedIndex = -1;
+				}
+				return values;
+			}
+		}
+	},
+
+	attrFn: {
+		val: true,
+		css: true,
+		html: true,
+		text: true,
+		data: true,
+		width: true,
+		height: true,
+		offset: true
+	},
+
+	attr: function( elem, name, value, pass ) {
+		var ret, hooks, notxml,
+			nType = elem.nodeType;
+
+		// don't get/set attributes on text, comment and attribute nodes
+		if ( !elem || nType === 3 || nType === 8 || nType === 2 ) {
+			return;
+		}
+
+		if ( pass && name in jQuery.attrFn ) {
+			return jQuery( elem )[ name ]( value );
+		}
+
+		// Fallback to prop when attributes are not supported
+		if ( typeof elem.getAttribute === "undefined" ) {
+			return jQuery.prop( elem, name, value );
+		}
+
+		notxml = nType !== 1 || !jQuery.isXMLDoc( elem );
+
+		// All attributes are lowercase
+		// Grab necessary hook if one is defined
+		if ( notxml ) {
+			name = name.toLowerCase();
+			hooks = jQuery.attrHooks[ name ] || ( rboolean.test( name ) ? boolHook : nodeHook );
+		}
+
+		if ( value !== undefined ) {
+
+			if ( value === null ) {
+				jQuery.removeAttr( elem, name );
+				return;
+
+			} else if ( hooks && "set" in hooks && notxml && (ret = hooks.set( elem, value, name )) !== undefined ) {
+				return ret;
+
+			} else {
+				elem.setAttribute( name, "" + value );
+				return value;
+			}
+
+		} else if ( hooks && "get" in hooks && notxml && (ret = hooks.get( elem, name )) !== null ) {
+			return ret;
+
+		} else {
+
+			ret = elem.getAttribute( name );
+
+			// Non-existent attributes return null, we normalize to undefined
+			return ret === null ?
+				undefined :
+				ret;
+		}
+	},
+
+	removeAttr: function( elem, value ) {
+		var propName, attrNames, name, l, isBool,
+			i = 0;
+
+		if ( value && elem.nodeType === 1 ) {
+			attrNames = value.toLowerCase().split( rspace );
+			l = attrNames.length;
+
+			for ( ; i < l; i++ ) {
+				name = attrNames[ i ];
+
+				if ( name ) {
+					propName = jQuery.propFix[ name ] || name;
+					isBool = rboolean.test( name );
+
+					// See #9699 for explanation of this approach (setting first, then removal)
+					// Do not do this for boolean attributes (see #10870)
+					if ( !isBool ) {
+						jQuery.attr( elem, name, "" );
+					}
+					elem.removeAttribute( getSetAttribute ? name : propName );
+
+					// Set corresponding property to false for boolean attributes
+					if ( isBool && propName in elem ) {
+						elem[ propName ] = false;
+					}
+				}
+			}
+		}
+	},
+
+	attrHooks: {
+		type: {
+			set: function( elem, value ) {
+				// We can't allow the type property to be changed (since it causes problems in IE)
+				if ( rtype.test( elem.nodeName ) && elem.parentNode ) {
+					jQuery.error( "type property can't be changed" );
+				} else if ( !jQuery.support.radioValue && value === "radio" && jQuery.nodeName(elem, "input") ) {
+					// Setting the type on a radio button after the value resets the value in IE6-9
+					// Reset value to it's default in case type is set after value
+					// This is for element creation
+					var val = elem.value;
+					elem.setAttribute( "type", value );
+					if ( val ) {
+						elem.value = val;
+					}
+					return value;
+				}
+			}
+		},
+		// Use the value property for back compat
+		// Use the nodeHook for button elements in IE6/7 (#1954)
+		value: {
+			get: function( elem, name ) {
+				if ( nodeHook && jQuery.nodeName( elem, "button" ) ) {
+					return nodeHook.get( elem, name );
+				}
+				return name in elem ?
+					elem.value :
+					null;
+			},
+			set: function( elem, value, name ) {
+				if ( nodeHook && jQuery.nodeName( elem, "button" ) ) {
+					return nodeHook.set( elem, value, name );
+				}
+				// Does not return so that setAttribute is also used
+				elem.value = value;
+			}
+		}
+	},
+
+	propFix: {
+		tabindex: "tabIndex",
+		readonly: "readOnly",
+		"for": "htmlFor",
+		"class": "className",
+		maxlength: "maxLength",
+		cellspacing: "cellSpacing",
+		cellpadding: "cellPadding",
+		rowspan: "rowSpan",
+		colspan: "colSpan",
+		usemap: "useMap",
+		frameborder: "frameBorder",
+		contenteditable: "contentEditable"
+	},
+
+	prop: function( elem, name, value ) {
+		var ret, hooks, notxml,
+			nType = elem.nodeType;
+
+		// don't get/set properties on text, comment and attribute nodes
+		if ( !elem || nType === 3 || nType === 8 || nType === 2 ) {
+			return;
+		}
+
+		notxml = nType !== 1 || !jQuery.isXMLDoc( elem );
+
+		if ( notxml ) {
+			// Fix name and attach hooks
+			name = jQuery.propFix[ name ] || name;
+			hooks = jQuery.propHooks[ name ];
+		}
+
+		if ( value !== undefined ) {
+			if ( hooks && "set" in hooks && (ret = hooks.set( elem, value, name )) !== undefined ) {
+				return ret;
+
+			} else {
+				return ( elem[ name ] = value );
+			}
+
+		} else {
+			if ( hooks && "get" in hooks && (ret = hooks.get( elem, name )) !== null ) {
+				return ret;
+
+			} else {
+				return elem[ name ];
+			}
+		}
+	},
+
+	propHooks: {
+		tabIndex: {
+			get: function( elem ) {
+				// elem.tabIndex doesn't always return the correct value when it hasn't been explicitly set
+				// http://fluidproject.org/blog/2008/01/09/getting-setting-and-removing-tabindex-values-with-javascript/
+				var attributeNode = elem.getAttributeNode("tabindex");
+
+				return attributeNode && attributeNode.specified ?
+					parseInt( attributeNode.value, 10 ) :
+					rfocusable.test( elem.nodeName ) || rclickable.test( elem.nodeName ) && elem.href ?
+						0 :
+						undefined;
+			}
+		}
+	}
+});
+
+// Add the tabIndex propHook to attrHooks for back-compat (different case is intentional)
+jQuery.attrHooks.tabindex = jQuery.propHooks.tabIndex;
+
+// Hook for boolean attributes
+boolHook = {
+	get: function( elem, name ) {
+		// Align boolean attributes with corresponding properties
+		// Fall back to attribute presence where some booleans are not supported
+		var attrNode,
+			property = jQuery.prop( elem, name );
+		return property === true || typeof property !== "boolean" && ( attrNode = elem.getAttributeNode(name) ) && attrNode.nodeValue !== false ?
+			name.toLowerCase() :
+			undefined;
+	},
+	set: function( elem, value, name ) {
+		var propName;
+		if ( value === false ) {
+			// Remove boolean attributes when set to false
+			jQuery.removeAttr( elem, name );
+		} else {
+			// value is true since we know at this point it's type boolean and not false
+			// Set boolean attributes to the same name and set the DOM property
+			propName = jQuery.propFix[ name ] || name;
+			if ( propName in elem ) {
+				// Only set the IDL specifically if it already exists on the element
+				elem[ propName ] = true;
+			}
+
+			elem.setAttribute( name, name.toLowerCase() );
+		}
+		return name;
+	}
+};
+
+// IE6/7 do not support getting/setting some attributes with get/setAttribute
+if ( !getSetAttribute ) {
+
+	fixSpecified = {
+		name: true,
+		id: true,
+		coords: true
+	};
+
+	// Use this for any attribute in IE6/7
+	// This fixes almost every IE6/7 issue
+	nodeHook = jQuery.valHooks.button = {
+		get: function( elem, name ) {
+			var ret;
+			ret = elem.getAttributeNode( name );
+			return ret && ( fixSpecified[ name ] ? ret.nodeValue !== "" : ret.specified ) ?
+				ret.nodeValue :
+				undefined;
+		},
+		set: function( elem, value, name ) {
+			// Set the existing or create a new attribute node
+			var ret = elem.getAttributeNode( name );
+			if ( !ret ) {
+				ret = document.createAttribute( name );
+				elem.setAttributeNode( ret );
+			}
+			return ( ret.nodeValue = value + "" );
+		}
+	};
+
+	// Apply the nodeHook to tabindex
+	jQuery.attrHooks.tabindex.set = nodeHook.set;
+
+	// Set width and height to auto instead of 0 on empty string( Bug #8150 )
+	// This is for removals
+	jQuery.each([ "width", "height" ], function( i, name ) {
+		jQuery.attrHooks[ name ] = jQuery.extend( jQuery.attrHooks[ name ], {
+			set: function( elem, value ) {
+				if ( value === "" ) {
+					elem.setAttribute( name, "auto" );
+					return value;
+				}
+			}
+		});
+	});
+
+	// Set contenteditable to false on removals(#10429)
+	// Setting to empty string throws an error as an invalid value
+	jQuery.attrHooks.contenteditable = {
+		get: nodeHook.get,
+		set: function( elem, value, name ) {
+			if ( value === "" ) {
+				value = "false";
+			}
+			nodeHook.set( elem, value, name );
+		}
+	};
+}
+
+
+// Some attributes require a special call on IE
+if ( !jQuery.support.hrefNormalized ) {
+	jQuery.each([ "href", "src", "width", "height" ], function( i, name ) {
+		jQuery.attrHooks[ name ] = jQuery.extend( jQuery.attrHooks[ name ], {
+			get: function( elem ) {
+				var ret = elem.getAttribute( name, 2 );
+				return ret === null ? undefined : ret;
+			}
+		});
+	});
+}
+
+if ( !jQuery.support.style ) {
+	jQuery.attrHooks.style = {
+		get: function( elem ) {
+			// Return undefined in the case of empty string
+			// Normalize to lowercase since IE uppercases css property names
+			return elem.style.cssText.toLowerCase() || undefined;
+		},
+		set: function( elem, value ) {
+			return ( elem.style.cssText = "" + value );
+		}
+	};
+}
+
+// Safari mis-reports the default selected property of an option
+// Accessing the parent's selectedIndex property fixes it
+if ( !jQuery.support.optSelected ) {
+	jQuery.propHooks.selected = jQuery.extend( jQuery.propHooks.selected, {
+		get: function( elem ) {
+			var parent = elem.parentNode;
+
+			if ( parent ) {
+				parent.selectedIndex;
+
+				// Make sure that it also works with optgroups, see #5701
+				if ( parent.parentNode ) {
+					parent.parentNode.selectedIndex;
+				}
+			}
+			return null;
+		}
+	});
+}
+
+// IE6/7 call enctype encoding
+if ( !jQuery.support.enctype ) {
+	jQuery.propFix.enctype = "encoding";
+}
+
+// Radios and checkboxes getter/setter
+if ( !jQuery.support.checkOn ) {
+	jQuery.each([ "radio", "checkbox" ], function() {
+		jQuery.valHooks[ this ] = {
+			get: function( elem ) {
+				// Handle the case where in Webkit "" is returned instead of "on" if a value isn't specified
+				return elem.getAttribute("value") === null ? "on" : elem.value;
+			}
+		};
+	});
+}
+jQuery.each([ "radio", "checkbox" ], function() {
+	jQuery.valHooks[ this ] = jQuery.extend( jQuery.valHooks[ this ], {
+		set: function( elem, value ) {
+			if ( jQuery.isArray( value ) ) {
+				return ( elem.checked = jQuery.inArray( jQuery(elem).val(), value ) >= 0 );
+			}
+		}
+	});
+});
+
+
+
+
+var rformElems = /^(?:textarea|input|select)$/i,
+	rtypenamespace = /^([^\.]*)?(?:\.(.+))?$/,
+	rhoverHack = /(?:^|\s)hover(\.\S+)?\b/,
+	rkeyEvent = /^key/,
+	rmouseEvent = /^(?:mouse|contextmenu)|click/,
+	rfocusMorph = /^(?:focusinfocus|focusoutblur)$/,
+	rquickIs = /^(\w*)(?:#([\w\-]+))?(?:\.([\w\-]+))?$/,
+	quickParse = function( selector ) {
+		var quick = rquickIs.exec( selector );
+		if ( quick ) {
+			//   0  1    2   3
+			// [ _, tag, id, class ]
+			quick[1] = ( quick[1] || "" ).toLowerCase();
+			quick[3] = quick[3] && new RegExp( "(?:^|\\s)" + quick[3] + "(?:\\s|$)" );
+		}
+		return quick;
+	},
+	quickIs = function( elem, m ) {
+		var attrs = elem.attributes || {};
+		return (
+			(!m[1] || elem.nodeName.toLowerCase() === m[1]) &&
+			(!m[2] || (attrs.id || {}).value === m[2]) &&
+			(!m[3] || m[3].test( (attrs[ "class" ] || {}).value ))
+		);
+	},
+	hoverHack = function( events ) {
+		return jQuery.event.special.hover ? events : events.replace( rhoverHack, "mouseenter$1 mouseleave$1" );
+	};
+
+/*
+ * Helper functions for managing events -- not part of the public interface.
+ * Props to Dean Edwards' addEvent library for many of the ideas.
+ */
+jQuery.event = {
+
+	add: function( elem, types, handler, data, selector ) {
+
+		var elemData, eventHandle, events,
+			t, tns, type, namespaces, handleObj,
+			handleObjIn, quick, handlers, special;
+
+		// Don't attach events to noData or text/comment nodes (allow plain objects tho)
+		if ( elem.nodeType === 3 || elem.nodeType === 8 || !types || !handler || !(elemData = jQuery._data( elem )) ) {
+			return;
+		}
+
+		// Caller can pass in an object of custom data in lieu of the handler
+		if ( handler.handler ) {
+			handleObjIn = handler;
+			handler = handleObjIn.handler;
+			selector = handleObjIn.selector;
+		}
+
+		// Make sure that the handler has a unique ID, used to find/remove it later
+		if ( !handler.guid ) {
+			handler.guid = jQuery.guid++;
+		}
+
+		// Init the element's event structure and main handler, if this is the first
+		events = elemData.events;
+		if ( !events ) {
+			elemData.events = events = {};
+		}
+		eventHandle = elemData.handle;
+		if ( !eventHandle ) {
+			elemData.handle = eventHandle = function( e ) {
+				// Discard the second event of a jQuery.event.trigger() and
+				// when an event is called after a page has unloaded
+				return typeof jQuery !== "undefined" && (!e || jQuery.event.triggered !== e.type) ?
+					jQuery.event.dispatch.apply( eventHandle.elem, arguments ) :
+					undefined;
+			};
+			// Add elem as a property of the handle fn to prevent a memory leak with IE non-native events
+			eventHandle.elem = elem;
+		}
+
+		// Handle multiple events separated by a space
+		// jQuery(...).bind("mouseover mouseout", fn);
+		types = jQuery.trim( hoverHack(types) ).split( " " );
+		for ( t = 0; t < types.length; t++ ) {
+
+			tns = rtypenamespace.exec( types[t] ) || [];
+			type = tns[1];
+			namespaces = ( tns[2] || "" ).split( "." ).sort();
+
+			// If event changes its type, use the special event handlers for the changed type
+			special = jQuery.event.special[ type ] || {};
+
+			// If selector defined, determine special event api type, otherwise given type
+			type = ( selector ? special.delegateType : special.bindType ) || type;
+
+			// Update special based on newly reset type
+			special = jQuery.event.special[ type ] || {};
+
+			// handleObj is passed to all event handlers
+			handleObj = jQuery.extend({
+				type: type,
+				origType: tns[1],
+				data: data,
+				handler: handler,
+				guid: handler.guid,
+				selector: selector,
+				quick: selector && quickParse( selector ),
+				namespace: namespaces.join(".")
+			}, handleObjIn );
+
+			// Init the event handler queue if we're the first
+			handlers = events[ type ];
+			if ( !handlers ) {
+				handlers = events[ type ] = [];
+				handlers.delegateCount = 0;
+
+				// Only use addEventListener/attachEvent if the special events handler returns false
+				if ( !special.setup || special.setup.call( elem, data, namespaces, eventHandle ) === false ) {
+					// Bind the global event handler to the element
+					if ( elem.addEventListener ) {
+						elem.addEventListener( type, eventHandle, false );
+
+					} else if ( elem.attachEvent ) {
+						elem.attachEvent( "on" + type, eventHandle );
+					}
+				}
+			}
+
+			if ( special.add ) {
+				special.add.call( elem, handleObj );
+
+				if ( !handleObj.handler.guid ) {
+					handleObj.handler.guid = handler.guid;
+				}
+			}
+
+			// Add to the element's handler list, delegates in front
+			if ( selector ) {
+				handlers.splice( handlers.delegateCount++, 0, handleObj );
+			} else {
+				handlers.push( handleObj );
+			}
+
+			// Keep track of which events have ever been used, for event optimization
+			jQuery.event.global[ type ] = true;
+		}
+
+		// Nullify elem to prevent memory leaks in IE
+		elem = null;
+	},
+
+	global: {},
+
+	// Detach an event or set of events from an element
+	remove: function( elem, types, handler, selector, mappedTypes ) {
+
+		var elemData = jQuery.hasData( elem ) && jQuery._data( elem ),
+			t, tns, type, origType, namespaces, origCount,
+			j, events, special, handle, eventType, handleObj;
+
+		if ( !elemData || !(events = elemData.events) ) {
+			return;
+		}
+
+		// Once for each type.namespace in types; type may be omitted
+		types = jQuery.trim( hoverHack( types || "" ) ).split(" ");
+		for ( t = 0; t < types.length; t++ ) {
+			tns = rtypenamespace.exec( types[t] ) || [];
+			type = origType = tns[1];
+			namespaces = tns[2];
+
+			// Unbind all events (on this namespace, if provided) for the element
+			if ( !type ) {
+				for ( type in events ) {
+					jQuery.event.remove( elem, type + types[ t ], handler, selector, true );
+				}
+				continue;
+			}
+
+			special = jQuery.event.special[ type ] || {};
+			type = ( selector? special.delegateType : special.bindType ) || type;
+			eventType = events[ type ] || [];
+			origCount = eventType.length;
+			namespaces = namespaces ? new RegExp("(^|\\.)" + namespaces.split(".").sort().join("\\.(?:.*\\.)?") + "(\\.|$)") : null;
+
+			// Remove matching events
+			for ( j = 0; j < eventType.length; j++ ) {
+				handleObj = eventType[ j ];
+
+				if ( ( mappedTypes || origType === handleObj.origType ) &&
+					 ( !handler || handler.guid === handleObj.guid ) &&
+					 ( !namespaces || namespaces.test( handleObj.namespace ) ) &&
+					 ( !selector || selector === handleObj.selector || selector === "**" && handleObj.selector ) ) {
+					eventType.splice( j--, 1 );
+
+					if ( handleObj.selector ) {
+						eventType.delegateCount--;
+					}
+					if ( special.remove ) {
+						special.remove.call( elem, handleObj );
+					}
+				}
+			}
+
+			// Remove generic event handler if we removed something and no more handlers exist
+			// (avoids potential for endless recursion during removal of special event handlers)
+			if ( eventType.length === 0 && origCount !== eventType.length ) {
+				if ( !special.teardown || special.teardown.call( elem, namespaces ) === false ) {
+					jQuery.removeEvent( elem, type, elemData.handle );
+				}
+
+				delete events[ type ];
+			}
+		}
+
+		// Remove the expando if it's no longer used
+		if ( jQuery.isEmptyObject( events ) ) {
+			handle = elemData.handle;
+			if ( handle ) {
+				handle.elem = null;
+			}
+
+			// removeData also checks for emptiness and clears the expando if empty
+			// so use it instead of delete
+			jQuery.removeData( elem, [ "events", "handle" ], true );
+		}
+	},
+
+	// Events that are safe to short-circuit if no handlers are attached.
+	// Native DOM events should not be added, they may have inline handlers.
+	customEvent: {
+		"getData": true,
+		"setData": true,
+		"changeData": true
+	},
+
+	trigger: function( event, data, elem, onlyHandlers ) {
+		// Don't do events on text and comment nodes
+		if ( elem && (elem.nodeType === 3 || elem.nodeType === 8) ) {
+			return;
+		}
+
+		// Event object or event type
+		var type = event.type || event,
+			namespaces = [],
+			cache, exclusive, i, cur, old, ontype, special, handle, eventPath, bubbleType;
+
+		// focus/blur morphs to focusin/out; ensure we're not firing them right now
+		if ( rfocusMorph.test( type + jQuery.event.triggered ) ) {
+			return;
+		}
+
+		if ( type.indexOf( "!" ) >= 0 ) {
+			// Exclusive events trigger only for the exact event (no namespaces)
+			type = type.slice(0, -1);
+			exclusive = true;
+		}
+
+		if ( type.indexOf( "." ) >= 0 ) {
+			// Namespaced trigger; create a regexp to match event type in handle()
+			namespaces = type.split(".");
+			type = namespaces.shift();
+			namespaces.sort();
+		}
+
+		if ( (!elem || jQuery.event.customEvent[ type ]) && !jQuery.event.global[ type ] ) {
+			// No jQuery handlers for this event type, and it can't have inline handlers
+			return;
+		}
+
+		// Caller can pass in an Event, Object, or just an event type string
+		event = typeof event === "object" ?
+			// jQuery.Event object
+			event[ jQuery.expando ] ? event :
+			// Object literal
+			new jQuery.Event( type, event ) :
+			// Just the event type (string)
+			new jQuery.Event( type );
+
+		event.type = type;
+		event.isTrigger = true;
+		event.exclusive = exclusive;
+		event.namespace = namespaces.join( "." );
+		event.namespace_re = event.namespace? new RegExp("(^|\\.)" + namespaces.join("\\.(?:.*\\.)?") + "(\\.|$)") : null;
+		ontype = type.indexOf( ":" ) < 0 ? "on" + type : "";
+
+		// Handle a global trigger
+		if ( !elem ) {
+
+			// TODO: Stop taunting the data cache; remove global events and always attach to document
+			cache = jQuery.cache;
+			for ( i in cache ) {
+				if ( cache[ i ].events && cache[ i ].events[ type ] ) {
+					jQuery.event.trigger( event, data, cache[ i ].handle.elem, true );
+				}
+			}
+			return;
+		}
+
+		// Clean up the event in case it is being reused
+		event.result = undefined;
+		if ( !event.target ) {
+			event.target = elem;
+		}
+
+		// Clone any incoming data and prepend the event, creating the handler arg list
+		data = data != null ? jQuery.makeArray( data ) : [];
+		data.unshift( event );
+
+		// Allow special events to draw outside the lines
+		special = jQuery.event.special[ type ] || {};
+		if ( special.trigger && special.trigger.apply( elem, data ) === false ) {
+			return;
+		}
+
+		// Determine event propagation path in advance, per W3C events spec (#9951)
+		// Bubble up to document, then to window; watch for a global ownerDocument var (#9724)
+		eventPath = [[ elem, special.bindType || type ]];
+		if ( !onlyHandlers && !special.noBubble && !jQuery.isWindow( elem ) ) {
+
+			bubbleType = special.delegateType || type;
+			cur = rfocusMorph.test( bubbleType + type ) ? elem : elem.parentNode;
+			old = null;
+			for ( ; cur; cur = cur.parentNode ) {
+				eventPath.push([ cur, bubbleType ]);
+				old = cur;
+			}
+
+			// Only add window if we got to document (e.g., not plain obj or detached DOM)
+			if ( old && old === elem.ownerDocument ) {
+				eventPath.push([ old.defaultView || old.parentWindow || window, bubbleType ]);
+			}
+		}
+
+		// Fire handlers on the event path
+		for ( i = 0; i < eventPath.length && !event.isPropagationStopped(); i++ ) {
+
+			cur = eventPath[i][0];
+			event.type = eventPath[i][1];
+
+			handle = ( jQuery._data( cur, "events" ) || {} )[ event.type ] && jQuery._data( cur, "handle" );
+			if ( handle ) {
+				handle.apply( cur, data );
+			}
+			// Note that this is a bare JS function and not a jQuery handler
+			handle = ontype && cur[ ontype ];
+			if ( handle && jQuery.acceptData( cur ) && handle.apply( cur, data ) === false ) {
+				event.preventDefault();
+			}
+		}
+		event.type = type;
+
+		// If nobody prevented the default action, do it now
+		if ( !onlyHandlers && !event.isDefaultPrevented() ) {
+
+			if ( (!special._default || special._default.apply( elem.ownerDocument, data ) === false) &&
+				!(type === "click" && jQuery.nodeName( elem, "a" )) && jQuery.acceptData( elem ) ) {
+
+				// Call a native DOM method on the target with the same name name as the event.
+				// Can't use an .isFunction() check here because IE6/7 fails that test.
+				// Don't do default actions on window, that's where global variables be (#6170)
+				// IE<9 dies on focus/blur to hidden element (#1486)
+				if ( ontype && elem[ type ] && ((type !== "focus" && type !== "blur") || event.target.offsetWidth !== 0) && !jQuery.isWindow( elem ) ) {
+
+					// Don't re-trigger an onFOO event when we call its FOO() method
+					old = elem[ ontype ];
+
+					if ( old ) {
+						elem[ ontype ] = null;
+					}
+
+					// Prevent re-triggering of the same event, since we already bubbled it above
+					jQuery.event.triggered = type;
+					elem[ type ]();
+					jQuery.event.triggered = undefined;
+
+					if ( old ) {
+						elem[ ontype ] = old;
+					}
+				}
+			}
+		}
+
+		return event.result;
+	},
+
+	dispatch: function( event ) {
+
+		// Make a writable jQuery.Event from the native event object
+		event = jQuery.event.fix( event || window.event );
+
+		var handlers = ( (jQuery._data( this, "events" ) || {} )[ event.type ] || []),
+			delegateCount = handlers.delegateCount,
+			args = [].slice.call( arguments, 0 ),
+			run_all = !event.exclusive && !event.namespace,
+			special = jQuery.event.special[ event.type ] || {},
+			handlerQueue = [],
+			i, j, cur, jqcur, ret, selMatch, matched, matches, handleObj, sel, related;
+
+		// Use the fix-ed jQuery.Event rather than the (read-only) native event
+		args[0] = event;
+		event.delegateTarget = this;
+
+		// Call the preDispatch hook for the mapped type, and let it bail if desired
+		if ( special.preDispatch && special.preDispatch.call( this, event ) === false ) {
+			return;
+		}
+
+		// Determine handlers that should run if there are delegated events
+		// Avoid non-left-click bubbling in Firefox (#3861)
+		if ( delegateCount && !(event.button && event.type === "click") ) {
+
+			// Pregenerate a single jQuery object for reuse with .is()
+			jqcur = jQuery(this);
+			jqcur.context = this.ownerDocument || this;
+
+			for ( cur = event.target; cur != this; cur = cur.parentNode || this ) {
+
+				// Don't process events on disabled elements (#6911, #8165)
+				if ( cur.disabled !== true ) {
+					selMatch = {};
+					matches = [];
+					jqcur[0] = cur;
+					for ( i = 0; i < delegateCount; i++ ) {
+						handleObj = handlers[ i ];
+						sel = handleObj.selector;
+
+						if ( selMatch[ sel ] === undefined ) {
+							selMatch[ sel ] = (
+								handleObj.quick ? quickIs( cur, handleObj.quick ) : jqcur.is( sel )
+							);
+						}
+						if ( selMatch[ sel ] ) {
+							matches.push( handleObj );
+						}
+					}
+					if ( matches.length ) {
+						handlerQueue.push({ elem: cur, matches: matches });
+					}
+				}
+			}
+		}
+
+		// Add the remaining (directly-bound) handlers
+		if ( handlers.length > delegateCount ) {
+			handlerQueue.push({ elem: this, matches: handlers.slice( delegateCount ) });
+		}
+
+		// Run delegates first; they may want to stop propagation beneath us
+		for ( i = 0; i < handlerQueue.length && !event.isPropagationStopped(); i++ ) {
+			matched = handlerQueue[ i ];
+			event.currentTarget = matched.elem;
+
+			for ( j = 0; j < matched.matches.length && !event.isImmediatePropagationStopped(); j++ ) {
+				handleObj = matched.matches[ j ];
+
+				// Triggered event must either 1) be non-exclusive and have no namespace, or
+				// 2) have namespace(s) a subset or equal to those in the bound event (both can have no namespace).
+				if ( run_all || (!event.namespace && !handleObj.namespace) || event.namespace_re && event.namespace_re.test( handleObj.namespace ) ) {
+
+					event.data = handleObj.data;
+					event.handleObj = handleObj;
+
+					ret = ( (jQuery.event.special[ handleObj.origType ] || {}).handle || handleObj.handler )
+							.apply( matched.elem, args );
+
+					if ( ret !== undefined ) {
+						event.result = ret;
+						if ( ret === false ) {
+							event.preventDefault();
+							event.stopPropagation();
+						}
+					}
+				}
+			}
+		}
+
+		// Call the postDispatch hook for the mapped type
+		if ( special.postDispatch ) {
+			special.postDispatch.call( this, event );
+		}
+
+		return event.result;
+	},
+
+	// Includes some event props shared by KeyEvent and MouseEvent
+	// *** attrChange attrName relatedNode srcElement  are not normalized, non-W3C, deprecated, will be removed in 1.8 ***
+	props: "attrChange attrName relatedNode srcElement altKey bubbles cancelable ctrlKey currentTarget eventPhase metaKey relatedTarget shiftKey target timeStamp view which".split(" "),
+
+	fixHooks: {},
+
+	keyHooks: {
+		props: "char charCode key keyCode".split(" "),
+		filter: function( event, original ) {
+
+			// Add which for key events
+			if ( event.which == null ) {
+				event.which = original.charCode != null ? original.charCode : original.keyCode;
+			}
+
+			return event;
+		}
+	},
+
+	mouseHooks: {
+		props: "button buttons clientX clientY fromElement offsetX offsetY pageX pageY screenX screenY toElement".split(" "),
+		filter: function( event, original ) {
+			var eventDoc, doc, body,
+				button = original.button,
+				fromElement = original.fromElement;
+
+			// Calculate pageX/Y if missing and clientX/Y available
+			if ( event.pageX == null && original.clientX != null ) {
+				eventDoc = event.target.ownerDocument || document;
+				doc = eventDoc.documentElement;
+				body = eventDoc.body;
+
+				event.pageX = original.clientX + ( doc && doc.scrollLeft || body && body.scrollLeft || 0 ) - ( doc && doc.clientLeft || body && body.clientLeft || 0 );
+				event.pageY = original.clientY + ( doc && doc.scrollTop  || body && body.scrollTop  || 0 ) - ( doc && doc.clientTop  || body && body.clientTop  || 0 );
+			}
+
+			// Add relatedTarget, if necessary
+			if ( !event.relatedTarget && fromElement ) {
+				event.relatedTarget = fromElement === event.target ? original.toElement : fromElement;
+			}
+
+			// Add which for click: 1 === left; 2 === middle; 3 === right
+			// Note: button is not normalized, so don't use it
+			if ( !event.which && button !== undefined ) {
+				event.which = ( button & 1 ? 1 : ( button & 2 ? 3 : ( button & 4 ? 2 : 0 ) ) );
+			}
+
+			return event;
+		}
+	},
+
+	fix: function( event ) {
+		if ( event[ jQuery.expando ] ) {
+			return event;
+		}
+
+		// Create a writable copy of the event object and normalize some properties
+		var i, prop,
+			originalEvent = event,
+			fixHook = jQuery.event.fixHooks[ event.type ] || {},
+			copy = fixHook.props ? this.props.concat( fixHook.props ) : this.props;
+
+		event = jQuery.Event( originalEvent );
+
+		for ( i = copy.length; i; ) {
+			prop = copy[ --i ];
+			event[ prop ] = originalEvent[ prop ];
+		}
+
+		// Fix target property, if necessary (#1925, IE 6/7/8 & Safari2)
+		if ( !event.target ) {
+			event.target = originalEvent.srcElement || document;
+		}
+
+		// Target should not be a text node (#504, Safari)
+		if ( event.target.nodeType === 3 ) {
+			event.target = event.target.parentNode;
+		}
+
+		// For mouse/key events; add metaKey if it's not there (#3368, IE6/7/8)
+		if ( event.metaKey === undefined ) {
+			event.metaKey = event.ctrlKey;
+		}
+
+		return fixHook.filter? fixHook.filter( event, originalEvent ) : event;
+	},
+
+	special: {
+		ready: {
+			// Make sure the ready event is setup
+			setup: jQuery.bindReady
+		},
+
+		load: {
+			// Prevent triggered image.load events from bubbling to window.load
+			noBubble: true
+		},
+
+		focus: {
+			delegateType: "focusin"
+		},
+		blur: {
+			delegateType: "focusout"
+		},
+
+		beforeunload: {
+			setup: function( data, namespaces, eventHandle ) {
+				// We only want to do this special case on windows
+				if ( jQuery.isWindow( this ) ) {
+					this.onbeforeunload = eventHandle;
+				}
+			},
+
+			teardown: function( namespaces, eventHandle ) {
+				if ( this.onbeforeunload === eventHandle ) {
+					this.onbeforeunload = null;
+				}
+			}
+		}
+	},
+
+	simulate: function( type, elem, event, bubble ) {
+		// Piggyback on a donor event to simulate a different one.
+		// Fake originalEvent to avoid donor's stopPropagation, but if the
+		// simulated event prevents default then we do the same on the donor.
+		var e = jQuery.extend(
+			new jQuery.Event(),
+			event,
+			{ type: type,
+				isSimulated: true,
+				originalEvent: {}
+			}
+		);
+		if ( bubble ) {
+			jQuery.event.trigger( e, null, elem );
+		} else {
+			jQuery.event.dispatch.call( elem, e );
+		}
+		if ( e.isDefaultPrevented() ) {
+			event.preventDefault();
+		}
+	}
+};
+
+// Some plugins are using, but it's undocumented/deprecated and will be removed.
+// The 1.7 special event interface should provide all the hooks needed now.
+jQuery.event.handle = jQuery.event.dispatch;
+
+jQuery.removeEvent = document.removeEventListener ?
+	function( elem, type, handle ) {
+		if ( elem.removeEventListener ) {
+			elem.removeEventListener( type, handle, false );
+		}
+	} :
+	function( elem, type, handle ) {
+		if ( elem.detachEvent ) {
+			elem.detachEvent( "on" + type, handle );
+		}
+	};
+
+jQuery.Event = function( src, props ) {
+	// Allow instantiation without the 'new' keyword
+	if ( !(this instanceof jQuery.Event) ) {
+		return new jQuery.Event( src, props );
+	}
+
+	// Event object
+	if ( src && src.type ) {
+		this.originalEvent = src;
+		this.type = src.type;
+
+		// Events bubbling up the document may have been marked as prevented
+		// by a handler lower down the tree; reflect the correct value.
+		this.isDefaultPrevented = ( src.defaultPrevented || src.returnValue === false ||
+			src.getPreventDefault && src.getPreventDefault() ) ? returnTrue : returnFalse;
+
+	// Event type
+	} else {
+		this.type = src;
+	}
+
+	// Put explicitly provided properties onto the event object
+	if ( props ) {
+		jQuery.extend( this, props );
+	}
+
+	// Create a timestamp if incoming event doesn't have one
+	this.timeStamp = src && src.timeStamp || jQuery.now();
+
+	// Mark it as fixed
+	this[ jQuery.expando ] = true;
+};
+
+function returnFalse() {
+	return false;
+}
+function returnTrue() {
+	return true;
+}
+
+// jQuery.Event is based on DOM3 Events as specified by the ECMAScript Language Binding
+// http://www.w3.org/TR/2003/WD-DOM-Level-3-Events-20030331/ecma-script-binding.html
+jQuery.Event.prototype = {
+	preventDefault: function() {
+		this.isDefaultPrevented = returnTrue;
+
+		var e = this.originalEvent;
+		if ( !e ) {
+			return;
+		}
+
+		// if preventDefault exists run it on the original event
+		if ( e.preventDefault ) {
+			e.preventDefault();
+
+		// otherwise set the returnValue property of the original event to false (IE)
+		} else {
+			e.returnValue = false;
+		}
+	},
+	stopPropagation: function() {
+		this.isPropagationStopped = returnTrue;
+
+		var e = this.originalEvent;
+		if ( !e ) {
+			return;
+		}
+		// if stopPropagation exists run it on the original event
+		if ( e.stopPropagation ) {
+			e.stopPropagation();
+		}
+		// otherwise set the cancelBubble property of the original event to true (IE)
+		e.cancelBubble = true;
+	},
+	stopImmediatePropagation: function() {
+		this.isImmediatePropagationStopped = returnTrue;
+		this.stopPropagation();
+	},
+	isDefaultPrevented: returnFalse,
+	isPropagationStopped: returnFalse,
+	isImmediatePropagationStopped: returnFalse
+};
+
+// Create mouseenter/leave events using mouseover/out and event-time checks
+jQuery.each({
+	mouseenter: "mouseover",
+	mouseleave: "mouseout"
+}, function( orig, fix ) {
+	jQuery.event.special[ orig ] = {
+		delegateType: fix,
+		bindType: fix,
+
+		handle: function( event ) {
+			var target = this,
+				related = event.relatedTarget,
+				handleObj = event.handleObj,
+				selector = handleObj.selector,
+				ret;
+
+			// For mousenter/leave call the handler if related is outside the target.
+			// NB: No relatedTarget if the mouse left/entered the browser window
+			if ( !related || (related !== target && !jQuery.contains( target, related )) ) {
+				event.type = handleObj.origType;
+				ret = handleObj.handler.apply( this, arguments );
+				event.type = fix;
+			}
+			return ret;
+		}
+	};
+});
+
+// IE submit delegation
+if ( !jQuery.support.submitBubbles ) {
+
+	jQuery.event.special.submit = {
+		setup: function() {
+			// Only need this for delegated form submit events
+			if ( jQuery.nodeName( this, "form" ) ) {
+				return false;
+			}
+
+			// Lazy-add a submit handler when a descendant form may potentially be submitted
+			jQuery.event.add( this, "click._submit keypress._submit", function( e ) {
+				// Node name check avoids a VML-related crash in IE (#9807)
+				var elem = e.target,
+					form = jQuery.nodeName( elem, "input" ) || jQuery.nodeName( elem, "button" ) ? elem.form : undefined;
+				if ( form && !form._submit_attached ) {
+					jQuery.event.add( form, "submit._submit", function( event ) {
+						event._submit_bubble = true;
+					});
+					form._submit_attached = true;
+				}
+			});
+			// return undefined since we don't need an event listener
+		},
+		
+		postDispatch: function( event ) {
+			// If form was submitted by the user, bubble the event up the tree
+			if ( event._submit_bubble ) {
+				delete event._submit_bubble;
+				if ( this.parentNode && !event.isTrigger ) {
+					jQuery.event.simulate( "submit", this.parentNode, event, true );
+				}
+			}
+		},
+
+		teardown: function() {
+			// Only need this for delegated form submit events
+			if ( jQuery.nodeName( this, "form" ) ) {
+				return false;
+			}
+
+			// Remove delegated handlers; cleanData eventually reaps submit handlers attached above
+			jQuery.event.remove( this, "._submit" );
+		}
+	};
+}
+
+// IE change delegation and checkbox/radio fix
+if ( !jQuery.support.changeBubbles ) {
+
+	jQuery.event.special.change = {
+
+		setup: function() {
+
+			if ( rformElems.test( this.nodeName ) ) {
+				// IE doesn't fire change on a check/radio until blur; trigger it on click
+				// after a propertychange. Eat the blur-change in special.change.handle.
+				// This still fires onchange a second time for check/radio after blur.
+				if ( this.type === "checkbox" || this.type === "radio" ) {
+					jQuery.event.add( this, "propertychange._change", function( event ) {
+						if ( event.originalEvent.propertyName === "checked" ) {
+							this._just_changed = true;
+						}
+					});
+					jQuery.event.add( this, "click._change", function( event ) {
+						if ( this._just_changed && !event.isTrigger ) {
+							this._just_changed = false;
+							jQuery.event.simulate( "change", this, event, true );
+						}
+					});
+				}
+				return false;
+			}
+			// Delegated event; lazy-add a change handler on descendant inputs
+			jQuery.event.add( this, "beforeactivate._change", function( e ) {
+				var elem = e.target;
+
+				if ( rformElems.test( elem.nodeName ) && !elem._change_attached ) {
+					jQuery.event.add( elem, "change._change", function( event ) {
+						if ( this.parentNode && !event.isSimulated && !event.isTrigger ) {
+							jQuery.event.simulate( "change", this.parentNode, event, true );
+						}
+					});
+					elem._change_attached = true;
+				}
+			});
+		},
+
+		handle: function( event ) {
+			var elem = event.target;
+
+			// Swallow native change events from checkbox/radio, we already triggered them above
+			if ( this !== elem || event.isSimulated || event.isTrigger || (elem.type !== "radio" && elem.type !== "checkbox") ) {
+				return event.handleObj.handler.apply( this, arguments );
+			}
+		},
+
+		teardown: function() {
+			jQuery.event.remove( this, "._change" );
+
+			return rformElems.test( this.nodeName );
+		}
+	};
+}
+
+// Create "bubbling" focus and blur events
+if ( !jQuery.support.focusinBubbles ) {
+	jQuery.each({ focus: "focusin", blur: "focusout" }, function( orig, fix ) {
+
+		// Attach a single capturing handler while someone wants focusin/focusout
+		var attaches = 0,
+			handler = function( event ) {
+				jQuery.event.simulate( fix, event.target, jQuery.event.fix( event ), true );
+			};
+
+		jQuery.event.special[ fix ] = {
+			setup: function() {
+				if ( attaches++ === 0 ) {
+					document.addEventListener( orig, handler, true );
+				}
+			},
+			teardown: function() {
+				if ( --attaches === 0 ) {
+					document.removeEventListener( orig, handler, true );
+				}
+			}
+		};
+	});
+}
+
+jQuery.fn.extend({
+
+	on: function( types, selector, data, fn, /*INTERNAL*/ one ) {
+		var origFn, type;
+
+		// Types can be a map of types/handlers
+		if ( typeof types === "object" ) {
+			// ( types-Object, selector, data )
+			if ( typeof selector !== "string" ) { // && selector != null
+				// ( types-Object, data )
+				data = data || selector;
+				selector = undefined;
+			}
+			for ( type in types ) {
+				this.on( type, selector, data, types[ type ], one );
+			}
+			return this;
+		}
+
+		if ( data == null && fn == null ) {
+			// ( types, fn )
+			fn = selector;
+			data = selector = undefined;
+		} else if ( fn == null ) {
+			if ( typeof selector === "string" ) {
+				// ( types, selector, fn )
+				fn = data;
+				data = undefined;
+			} else {
+				// ( types, data, fn )
+				fn = data;
+				data = selector;
+				selector = undefined;
+			}
+		}
+		if ( fn === false ) {
+			fn = returnFalse;
+		} else if ( !fn ) {
+			return this;
+		}
+
+		if ( one === 1 ) {
+			origFn = fn;
+			fn = function( event ) {
+				// Can use an empty set, since event contains the info
+				jQuery().off( event );
+				return origFn.apply( this, arguments );
+			};
+			// Use same guid so caller can remove using origFn
+			fn.guid = origFn.guid || ( origFn.guid = jQuery.guid++ );
+		}
+		return this.each( function() {
+			jQuery.event.add( this, types, fn, data, selector );
+		});
+	},
+	one: function( types, selector, data, fn ) {
+		return this.on( types, selector, data, fn, 1 );
+	},
+	off: function( types, selector, fn ) {
+		if ( types && types.preventDefault && types.handleObj ) {
+			// ( event )  dispatched jQuery.Event
+			var handleObj = types.handleObj;
+			jQuery( types.delegateTarget ).off(
+				handleObj.namespace ? handleObj.origType + "." + handleObj.namespace : handleObj.origType,
+				handleObj.selector,
+				handleObj.handler
+			);
+			return this;
+		}
+		if ( typeof types === "object" ) {
+			// ( types-object [, selector] )
+			for ( var type in types ) {
+				this.off( type, selector, types[ type ] );
+			}
+			return this;
+		}
+		if ( selector === false || typeof selector === "function" ) {
+			// ( types [, fn] )
+			fn = selector;
+			selector = undefined;
+		}
+		if ( fn === false ) {
+			fn = returnFalse;
+		}
+		return this.each(function() {
+			jQuery.event.remove( this, types, fn, selector );
+		});
+	},
+
+	bind: function( types, data, fn ) {
+		return this.on( types, null, data, fn );
+	},
+	unbind: function( types, fn ) {
+		return this.off( types, null, fn );
+	},
+
+	live: function( types, data, fn ) {
+		jQuery( this.context ).on( types, this.selector, data, fn );
+		return this;
+	},
+	die: function( types, fn ) {
+		jQuery( this.context ).off( types, this.selector || "**", fn );
+		return this;
+	},
+
+	delegate: function( selector, types, data, fn ) {
+		return this.on( types, selector, data, fn );
+	},
+	undelegate: function( selector, types, fn ) {
+		// ( namespace ) or ( selector, types [, fn] )
+		return arguments.length == 1? this.off( selector, "**" ) : this.off( types, selector, fn );
+	},
+
+	trigger: function( type, data ) {
+		return this.each(function() {
+			jQuery.event.trigger( type, data, this );
+		});
+	},
+	triggerHandler: function( type, data ) {
+		if ( this[0] ) {
+			return jQuery.event.trigger( type, data, this[0], true );
+		}
+	},
+
+	toggle: function( fn ) {
+		// Save reference to arguments for access in closure
+		var args = arguments,
+			guid = fn.guid || jQuery.guid++,
+			i = 0,
+			toggler = function( event ) {
+				// Figure out which function to execute
+				var lastToggle = ( jQuery._data( this, "lastToggle" + fn.guid ) || 0 ) % i;
+				jQuery._data( this, "lastToggle" + fn.guid, lastToggle + 1 );
+
+				// Make sure that clicks stop
+				event.preventDefault();
+
+				// and execute the function
+				return args[ lastToggle ].apply( this, arguments ) || false;
+			};
+
+		// link all the functions, so any of them can unbind this click handler
+		toggler.guid = guid;
+		while ( i < args.length ) {
+			args[ i++ ].guid = guid;
+		}
+
+		return this.click( toggler );
+	},
+
+	hover: function( fnOver, fnOut ) {
+		return this.mouseenter( fnOver ).mouseleave( fnOut || fnOver );
+	}
+});
+
+jQuery.each( ("blur focus focusin focusout load resize scroll unload click dblclick " +
+	"mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave " +
+	"change select submit keydown keypress keyup error contextmenu").split(" "), function( i, name ) {
+
+	// Handle event binding
+	jQuery.fn[ name ] = function( data, fn ) {
+		if ( fn == null ) {
+			fn = data;
+			data = null;
+		}
+
+		return arguments.length > 0 ?
+			this.on( name, null, data, fn ) :
+			this.trigger( name );
+	};
+
+	if ( jQuery.attrFn ) {
+		jQuery.attrFn[ name ] = true;
+	}
+
+	if ( rkeyEvent.test( name ) ) {
+		jQuery.event.fixHooks[ name ] = jQuery.event.keyHooks;
+	}
+
+	if ( rmouseEvent.test( name ) ) {
+		jQuery.event.fixHooks[ name ] = jQuery.event.mouseHooks;
+	}
+});
+
+
+
+/*!
+ * Sizzle CSS Selector Engine
+ *  Copyright 2011, The Dojo Foundation
+ *  Released under the MIT, BSD, and GPL Licenses.
+ *  More information: http://sizzlejs.com/
+ */
+(function(){
+
+var chunker = /((?:\((?:\([^()]+\)|[^()]+)+\)|\[(?:\[[^\[\]]*\]|['"][^'"]*['"]|[^\[\]'"]+)+\]|\\.|[^ >+~,(\[\\]+)+|[>+~])(\s*,\s*)?((?:.|\r|\n)*)/g,
+	expando = "sizcache" + (Math.random() + '').replace('.', ''),
+	done = 0,
+	toString = Object.prototype.toString,
+	hasDuplicate = false,
+	baseHasDuplicate = true,
+	rBackslash = /\\/g,
+	rReturn = /\r\n/g,
+	rNonWord = /\W/;
+
+// Here we check if the JavaScript engine is using some sort of
+// optimization where it does not always call our comparision
+// function. If that is the case, discard the hasDuplicate value.
+//   Thus far that includes Google Chrome.
+[0, 0].sort(function() {
+	baseHasDuplicate = false;
+	return 0;
+});
+
+var Sizzle = function( selector, context, results, seed ) {
+	results = results || [];
+	context = context || document;
+
+	var origContext = context;
+
+	if ( context.nodeType !== 1 && context.nodeType !== 9 ) {
+		return [];
+	}
+
+	if ( !selector || typeof selector !== "string" ) {
+		return results;
+	}
+
+	var m, set, checkSet, extra, ret, cur, pop, i,
+		prune = true,
+		contextXML = Sizzle.isXML( context ),
+		parts = [],
+		soFar = selector;
+
+	// Reset the position of the chunker regexp (start from head)
+	do {
+		chunker.exec( "" );
+		m = chunker.exec( soFar );
+
+		if ( m ) {
+			soFar = m[3];
+
+			parts.push( m[1] );
+
+			if ( m[2] ) {
+				extra = m[3];
+				break;
+			}
+		}
+	} while ( m );
+
+	if ( parts.length > 1 && origPOS.exec( selector ) ) {
+
+		if ( parts.length === 2 && Expr.relative[ parts[0] ] ) {
+			set = posProcess( parts[0] + parts[1], context, seed );
+
+		} else {
+			set = Expr.relative[ parts[0] ] ?
+				[ context ] :
+				Sizzle( parts.shift(), context );
+
+			while ( parts.length ) {
+				selector = parts.shift();
+
+				if ( Expr.relative[ selector ] ) {
+					selector += parts.shift();
+				}
+
+				set = posProcess( selector, set, seed );
+			}
+		}
+
+	} else {
+		// Take a shortcut and set the context if the root selector is an ID
+		// (but not if it'll be faster if the inner selector is an ID)
+		if ( !seed && parts.length > 1 && context.nodeType === 9 && !contextXML &&
+				Expr.match.ID.test(parts[0]) && !Expr.match.ID.test(parts[parts.length - 1]) ) {
+
+			ret = Sizzle.find( parts.shift(), context, contextXML );
+			context = ret.expr ?
+				Sizzle.filter( ret.expr, ret.set )[0] :
+				ret.set[0];
+		}
+
+		if ( context ) {
+			ret = seed ?
+				{ expr: parts.pop(), set: makeArray(seed) } :
+				Sizzle.find( parts.pop(), parts.length === 1 && (parts[0] === "~" || parts[0] === "+") && context.parentNode ? context.parentNode : context, contextXML );
+
+			set = ret.expr ?
+				Sizzle.filter( ret.expr, ret.set ) :
+				ret.set;
+
+			if ( parts.length > 0 ) {
+				checkSet = makeArray( set );
+
+			} else {
+				prune = false;
+			}
+
+			while ( parts.length ) {
+				cur = parts.pop();
+				pop = cur;
+
+				if ( !Expr.relative[ cur ] ) {
+					cur = "";
+				} else {
+					pop = parts.pop();
+				}
+
+				if ( pop == null ) {
+					pop = context;
+				}
+
+				Expr.relative[ cur ]( checkSet, pop, contextXML );
+			}
+
+		} else {
+			checkSet = parts = [];
+		}
+	}
+
+	if ( !checkSet ) {
+		checkSet = set;
+	}
+
+	if ( !checkSet ) {
+		Sizzle.error( cur || selector );
+	}
+
+	if ( toString.call(checkSet) === "[object Array]" ) {
+		if ( !prune ) {
+			results.push.apply( results, checkSet );
+
+		} else if ( context && context.nodeType === 1 ) {
+			for ( i = 0; checkSet[i] != null; i++ ) {
+				if ( checkSet[i] && (checkSet[i] === true || checkSet[i].nodeType === 1 && Sizzle.contains(context, checkSet[i])) ) {
+					results.push( set[i] );
+				}
+			}
+
+		} else {
+			for ( i = 0; checkSet[i] != null; i++ ) {
+				if ( checkSet[i] && checkSet[i].nodeType === 1 ) {
+					results.push( set[i] );
+				}
+			}
+		}
+
+	} else {
+		makeArray( checkSet, results );
+	}
+
+	if ( extra ) {
+		Sizzle( extra, origContext, results, seed );
+		Sizzle.uniqueSort( results );
+	}
+
+	return results;
+};
+
+Sizzle.uniqueSort = function( results ) {
+	if ( sortOrder ) {
+		hasDuplicate = baseHasDuplicate;
+		results.sort( sortOrder );
+
+		if ( hasDuplicate ) {
+			for ( var i = 1; i < results.length; i++ ) {
+				if ( results[i] === results[ i - 1 ] ) {
+					results.splice( i--, 1 );
+				}
+			}
+		}
+	}
+
+	return results;
+};
+
+Sizzle.matches = function( expr, set ) {
+	return Sizzle( expr, null, null, set );
+};
+
+Sizzle.matchesSelector = function( node, expr ) {
+	return Sizzle( expr, null, null, [node] ).length > 0;
+};
+
+Sizzle.find = function( expr, context, isXML ) {
+	var set, i, len, match, type, left;
+
+	if ( !expr ) {
+		return [];
+	}
+
+	for ( i = 0, len = Expr.order.length; i < len; i++ ) {
+		type = Expr.order[i];
+
+		if ( (match = Expr.leftMatch[ type ].exec( expr )) ) {
+			left = match[1];
+			match.splice( 1, 1 );
+
+			if ( left.substr( left.length - 1 ) !== "\\" ) {
+				match[1] = (match[1] || "").replace( rBackslash, "" );
+				set = Expr.find[ type ]( match, context, isXML );
+
+				if ( set != null ) {
+					expr = expr.replace( Expr.match[ type ], "" );
+					break;
+				}
+			}
+		}
+	}
+
+	if ( !set ) {
+		set = typeof context.getElementsByTagName !== "undefined" ?
+			context.getElementsByTagName( "*" ) :
+			[];
+	}
+
+	return { set: set, expr: expr };
+};
+
+Sizzle.filter = function( expr, set, inplace, not ) {
+	var match, anyFound,
+		type, found, item, filter, left,
+		i, pass,
+		old = expr,
+		result = [],
+		curLoop = set,
+		isXMLFilter = set && set[0] && Sizzle.isXML( set[0] );
+
+	while ( expr && set.length ) {
+		for ( type in Expr.filter ) {
+			if ( (match = Expr.leftMatch[ type ].exec( expr )) != null && match[2] ) {
+				filter = Expr.filter[ type ];
+				left = match[1];
+
+				anyFound = false;
+
+				match.splice(1,1);
+
+				if ( left.substr( left.length - 1 ) === "\\" ) {
+					continue;
+				}
+
+				if ( curLoop === result ) {
+					result = [];
+				}
+
+				if ( Expr.preFilter[ type ] ) {
+					match = Expr.preFilter[ type ]( match, curLoop, inplace, result, not, isXMLFilter );
+
+					if ( !match ) {
+						anyFound = found = true;
+
+					} else if ( match === true ) {
+						continue;
+					}
+				}
+
+				if ( match ) {
+					for ( i = 0; (item = curLoop[i]) != null; i++ ) {
+						if ( item ) {
+							found = filter( item, match, i, curLoop );
+							pass = not ^ found;
+
+							if ( inplace && found != null ) {
+								if ( pass ) {
+									anyFound = true;
+
+								} else {
+									curLoop[i] = false;
+								}
+
+							} else if ( pass ) {
+								result.push( item );
+								anyFound = true;
+							}
+						}
+					}
+				}
+
+				if ( found !== undefined ) {
+					if ( !inplace ) {
+						curLoop = result;
+					}
+
+					expr = expr.replace( Expr.match[ type ], "" );
+
+					if ( !anyFound ) {
+						return [];
+					}
+
+					break;
+				}
+			}
+		}
+
+		// Improper expression
+		if ( expr === old ) {
+			if ( anyFound == null ) {
+				Sizzle.error( expr );
+
+			} else {
+				break;
+			}
+		}
+
+		old = expr;
+	}
+
+	return curLoop;
+};
+
+Sizzle.error = function( msg ) {
+	throw new Error( "Syntax error, unrecognized expression: " + msg );
+};
+
+/**
+ * Utility function for retreiving the text value of an array of DOM nodes
+ * @param {Array|Element} elem
+ */
+var getText = Sizzle.getText = function( elem ) {
+    var i, node,
+		nodeType = elem.nodeType,
+		ret = "";
+
+	if ( nodeType ) {
+		if ( nodeType === 1 || nodeType === 9 || nodeType === 11 ) {
+			// Use textContent || innerText for elements
+			if ( typeof elem.textContent === 'string' ) {
+				return elem.textContent;
+			} else if ( typeof elem.innerText === 'string' ) {
+				// Replace IE's carriage returns
+				return elem.innerText.replace( rReturn, '' );
+			} else {
+				// Traverse it's children
+				for ( elem = elem.firstChild; elem; elem = elem.nextSibling) {
+					ret += getText( elem );
+				}
+			}
+		} else if ( nodeType === 3 || nodeType === 4 ) {
+			return elem.nodeValue;
+		}
+	} else {
+
+		// If no nodeType, this is expected to be an array
+		for ( i = 0; (node = elem[i]); i++ ) {
+			// Do not traverse comment nodes
+			if ( node.nodeType !== 8 ) {
+				ret += getText( node );
+			}
+		}
+	}
+	return ret;
+};
+
+var Expr = Sizzle.selectors = {
+	order: [ "ID", "NAME", "TAG" ],
+
+	match: {
+		ID: /#((?:[\w\u00c0-\uFFFF\-]|\\.)+)/,
+		CLASS: /\.((?:[\w\u00c0-\uFFFF\-]|\\.)+)/,
+		NAME: /\[name=['"]*((?:[\w\u00c0-\uFFFF\-]|\\.)+)['"]*\]/,
+		ATTR: /\[\s*((?:[\w\u00c0-\uFFFF\-]|\\.)+)\s*(?:(\S?=)\s*(?:(['"])(.*?)\3|(#?(?:[\w\u00c0-\uFFFF\-]|\\.)*)|)|)\s*\]/,
+		TAG: /^((?:[\w\u00c0-\uFFFF\*\-]|\\.)+)/,
+		CHILD: /:(only|nth|last|first)-child(?:\(\s*(even|odd|(?:[+\-]?\d+|(?:[+\-]?\d*)?n\s*(?:[+\-]\s*\d+)?))\s*\))?/,
+		POS: /:(nth|eq|gt|lt|first|last|even|odd)(?:\((\d*)\))?(?=[^\-]|$)/,
+		PSEUDO: /:((?:[\w\u00c0-\uFFFF\-]|\\.)+)(?:\((['"]?)((?:\([^\)]+\)|[^\(\)]*)+)\2\))?/
+	},
+
+	leftMatch: {},
+
+	attrMap: {
+		"class": "className",
+		"for": "htmlFor"
+	},
+
+	attrHandle: {
+		href: function( elem ) {
+			return elem.getAttribute( "href" );
+		},
+		type: function( elem ) {
+			return elem.getAttribute( "type" );
+		}
+	},
+
+	relative: {
+		"+": function(checkSet, part){
+			var isPartStr = typeof part === "string",
+				isTag = isPartStr && !rNonWord.test( part ),
+				isPartStrNotTag = isPartStr && !isTag;
+
+			if ( isTag ) {
+				part = part.toLowerCase();
+			}
+
+			for ( var i = 0, l = checkSet.length, elem; i < l; i++ ) {
+				if ( (elem = checkSet[i]) ) {
+					while ( (elem = elem.previousSibling) && elem.nodeType !== 1 ) {}
+
+					checkSet[i] = isPartStrNotTag || elem && elem.nodeName.toLowerCase() === part ?
+						elem || false :
+						elem === part;
+				}
+			}
+
+			if ( isPartStrNotTag ) {
+				Sizzle.filter( part, checkSet, true );
+			}
+		},
+
+		">": function( checkSet, part ) {
+			var elem,
+				isPartStr = typeof part === "string",
+				i = 0,
+				l = checkSet.length;
+
+			if ( isPartStr && !rNonWord.test( part ) ) {
+				part = part.toLowerCase();
+
+				for ( ; i < l; i++ ) {
+					elem = checkSet[i];
+
+					if ( elem ) {
+						var parent = elem.parentNode;
+						checkSet[i] = parent.nodeName.toLowerCase() === part ? parent : false;
+					}
+				}
+
+			} else {
+				for ( ; i < l; i++ ) {
+					elem = checkSet[i];
+
+					if ( elem ) {
+						checkSet[i] = isPartStr ?
+							elem.parentNode :
+							elem.parentNode === part;
+					}
+				}
+
+				if ( isPartStr ) {
+					Sizzle.filter( part, checkSet, true );
+				}
+			}
+		},
+
+		"": function(checkSet, part, isXML){
+			var nodeCheck,
+				doneName = done++,
+				checkFn = dirCheck;
+
+			if ( typeof part === "string" && !rNonWord.test( part ) ) {
+				part = part.toLowerCase();
+				nodeCheck = part;
+				checkFn = dirNodeCheck;
+			}
+
+			checkFn( "parentNode", part, doneName, checkSet, nodeCheck, isXML );
+		},
+
+		"~": function( checkSet, part, isXML ) {
+			var nodeCheck,
+				doneName = done++,
+				checkFn = dirCheck;
+
+			if ( typeof part === "string" && !rNonWord.test( part ) ) {
+				part = part.toLowerCase();
+				nodeCheck = part;
+				checkFn = dirNodeCheck;
+			}
+
+			checkFn( "previousSibling", part, doneName, checkSet, nodeCheck, isXML );
+		}
+	},
+
+	find: {
+		ID: function( match, context, isXML ) {
+			if ( typeof context.getElementById !== "undefined" && !isXML ) {
+				var m = context.getElementById(match[1]);
+				// Check parentNode to catch when Blackberry 4.6 returns
+				// nodes that are no longer in the document #6963
+				return m && m.parentNode ? [m] : [];
+			}
+		},
+
+		NAME: function( match, context ) {
+			if ( typeof context.getElementsByName !== "undefined" ) {
+				var ret = [],
+					results = context.getElementsByName( match[1] );
+
+				for ( var i = 0, l = results.length; i < l; i++ ) {
+					if ( results[i].getAttribute("name") === match[1] ) {
+						ret.push( results[i] );
+					}
+				}
+
+				return ret.length === 0 ? null : ret;
+			}
+		},
+
+		TAG: function( match, context ) {
+			if ( typeof context.getElementsByTagName !== "undefined" ) {
+				return context.getElementsByTagName( match[1] );
+			}
+		}
+	},
+	preFilter: {
+		CLASS: function( match, curLoop, inplace, result, not, isXML ) {
+			match = " " + match[1].replace( rBackslash, "" ) + " ";
+
+			if ( isXML ) {
+				return match;
+			}
+
+			for ( var i = 0, elem; (elem = curLoop[i]) != null; i++ ) {
+				if ( elem ) {
+					if ( not ^ (elem.className && (" " + elem.className + " ").replace(/[\t\n\r]/g, " ").indexOf(match) >= 0) ) {
+						if ( !inplace ) {
+							result.push( elem );
+						}
+
+					} else if ( inplace ) {
+						curLoop[i] = false;
+					}
+				}
+			}
+
+			return false;
+		},
+
+		ID: function( match ) {
+			return match[1].replace( rBackslash, "" );
+		},
+
+		TAG: function( match, curLoop ) {
+			return match[1].replace( rBackslash, "" ).toLowerCase();
+		},
+
+		CHILD: function( match ) {
+			if ( match[1] === "nth" ) {
+				if ( !match[2] ) {
+					Sizzle.error( match[0] );
+				}
+
+				match[2] = match[2].replace(/^\+|\s*/g, '');
+
+				// parse equations like 'even', 'odd', '5', '2n', '3n+2', '4n-1', '-n+6'
+				var test = /(-?)(\d*)(?:n([+\-]?\d*))?/.exec(
+					match[2] === "even" && "2n" || match[2] === "odd" && "2n+1" ||
+					!/\D/.test( match[2] ) && "0n+" + match[2] || match[2]);
+
+				// calculate the numbers (first)n+(last) including if they are negative
+				match[2] = (test[1] + (test[2] || 1)) - 0;
+				match[3] = test[3] - 0;
+			}
+			else if ( match[2] ) {
+				Sizzle.error( match[0] );
+			}
+
+			// TODO: Move to normal caching system
+			match[0] = done++;
+
+			return match;
+		},
+
+		ATTR: function( match, curLoop, inplace, result, not, isXML ) {
+			var name = match[1] = match[1].replace( rBackslash, "" );
+
+			if ( !isXML && Expr.attrMap[name] ) {
+				match[1] = Expr.attrMap[name];
+			}
+
+			// Handle if an un-quoted value was used
+			match[4] = ( match[4] || match[5] || "" ).replace( rBackslash, "" );
+
+			if ( match[2] === "~=" ) {
+				match[4] = " " + match[4] + " ";
+			}
+
+			return match;
+		},
+
+		PSEUDO: function( match, curLoop, inplace, result, not ) {
+			if ( match[1] === "not" ) {
+				// If we're dealing with a complex expression, or a simple one
+				if ( ( chunker.exec(match[3]) || "" ).length > 1 || /^\w/.test(match[3]) ) {
+					match[3] = Sizzle(match[3], null, null, curLoop);
+
+				} else {
+					var ret = Sizzle.filter(match[3], curLoop, inplace, true ^ not);
+
+					if ( !inplace ) {
+						result.push.apply( result, ret );
+					}
+
+					return false;
+				}
+
+			} else if ( Expr.match.POS.test( match[0] ) || Expr.match.CHILD.test( match[0] ) ) {
+				return true;
+			}
+
+			return match;
+		},
+
+		POS: function( match ) {
+			match.unshift( true );
+
+			return match;
+		}
+	},
+
+	filters: {
+		enabled: function( elem ) {
+			return elem.disabled === false && elem.type !== "hidden";
+		},
+
+		disabled: function( elem ) {
+			return elem.disabled === true;
+		},
+
+		checked: function( elem ) {
+			return elem.checked === true;
+		},
+
+		selected: function( elem ) {
+			// Accessing this property makes selected-by-default
+			// options in Safari work properly
+			if ( elem.parentNode ) {
+				elem.parentNode.selectedIndex;
+			}
+
+			return elem.selected === true;
+		},
+
+		parent: function( elem ) {
+			return !!elem.firstChild;
+		},
+
+		empty: function( elem ) {
+			return !elem.firstChild;
+		},
+
+		has: function( elem, i, match ) {
+			return !!Sizzle( match[3], elem ).length;
+		},
+
+		header: function( elem ) {
+			return (/h\d/i).test( elem.nodeName );
+		},
+
+		text: function( elem ) {
+			var attr = elem.getAttribute( "type" ), type = elem.type;
+			// IE6 and 7 will map elem.type to 'text' for new HTML5 types (search, etc)
+			// use getAttribute instead to test this case
+			return elem.nodeName.toLowerCase() === "input" && "text" === type && ( attr === type || attr === null );
+		},
+
+		radio: function( elem ) {
+			return elem.nodeName.toLowerCase() === "input" && "radio" === elem.type;
+		},
+
+		checkbox: function( elem ) {
+			return elem.nodeName.toLowerCase() === "input" && "checkbox" === elem.type;
+		},
+
+		file: function( elem ) {
+			return elem.nodeName.toLowerCase() === "input" && "file" === elem.type;
+		},
+
+		password: function( elem ) {
+			return elem.nodeName.toLowerCase() === "input" && "password" === elem.type;
+		},
+
+		submit: function( elem ) {
+			var name = elem.nodeName.toLowerCase();
+			return (name === "input" || name === "button") && "submit" === elem.type;
+		},
+
+		image: function( elem ) {
+			return elem.nodeName.toLowerCase() === "input" && "image" === elem.type;
+		},
+
+		reset: function( elem ) {
+			var name = elem.nodeName.toLowerCase();
+			return (name === "input" || name === "button") && "reset" === elem.type;
+		},
+
+		button: function( elem ) {
+			var name = elem.nodeName.toLowerCase();
+			return name === "input" && "button" === elem.type || name === "button";
+		},
+
+		input: function( elem ) {
+			return (/input|select|textarea|button/i).test( elem.nodeName );
+		},
+
+		focus: function( elem ) {
+			return elem === elem.ownerDocument.activeElement;
+		}
+	},
+	setFilters: {
+		first: function( elem, i ) {
+			return i === 0;
+		},
+
+		last: function( elem, i, match, array ) {
+			return i === array.length - 1;
+		},
+
+		even: function( elem, i ) {
+			return i % 2 === 0;
+		},
+
+		odd: function( elem, i ) {
+			return i % 2 === 1;
+		},
+
+		lt: function( elem, i, match ) {
+			return i < match[3] - 0;
+		},
+
+		gt: function( elem, i, match ) {
+			return i > match[3] - 0;
+		},
+
+		nth: function( elem, i, match ) {
+			return match[3] - 0 === i;
+		},
+
+		eq: function( elem, i, match ) {
+			return match[3] - 0 === i;
+		}
+	},
+	filter: {
+		PSEUDO: function( elem, match, i, array ) {
+			var name = match[1],
+				filter = Expr.filters[ name ];
+
+			if ( filter ) {
+				return filter( elem, i, match, array );
+
+			} else if ( name === "contains" ) {
+				return (elem.textContent || elem.innerText || getText([ elem ]) || "").indexOf(match[3]) >= 0;
+
+			} else if ( name === "not" ) {
+				var not = match[3];
+
+				for ( var j = 0, l = not.length; j < l; j++ ) {
+					if ( not[j] === elem ) {
+						return false;
+					}
+				}
+
+				return true;
+
+			} else {
+				Sizzle.error( name );
+			}
+		},
+
+		CHILD: function( elem, match ) {
+			var first, last,
+				doneName, parent, cache,
+				count, diff,
+				type = match[1],
+				node = elem;
+
+			switch ( type ) {
+				case "only":
+				case "first":
+					while ( (node = node.previousSibling) ) {
+						if ( node.nodeType === 1 ) {
+							return false;
+						}
+					}
+
+					if ( type === "first" ) {
+						return true;
+					}
+
+					node = elem;
+
+					/* falls through */
+				case "last":
+					while ( (node = node.nextSibling) ) {
+						if ( node.nodeType === 1 ) {
+							return false;
+						}
+					}
+
+					return true;
+
+				case "nth":
+					first = match[2];
+					last = match[3];
+
+					if ( first === 1 && last === 0 ) {
+						return true;
+					}
+
+					doneName = match[0];
+					parent = elem.parentNode;
+
+					if ( parent && (parent[ expando ] !== doneName || !elem.nodeIndex) ) {
+						count = 0;
+
+						for ( node = parent.firstChild; node; node = node.nextSibling ) {
+							if ( node.nodeType === 1 ) {
+								node.nodeIndex = ++count;
+							}
+						}
+
+						parent[ expando ] = doneName;
+					}
+
+					diff = elem.nodeIndex - last;
+
+					if ( first === 0 ) {
+						return diff === 0;
+
+					} else {
+						return ( diff % first === 0 && diff / first >= 0 );
+					}
+			}
+		},
+
+		ID: function( elem, match ) {
+			return elem.nodeType === 1 && elem.getAttribute("id") === match;
+		},
+
+		TAG: function( elem, match ) {
+			return (match === "*" && elem.nodeType === 1) || !!elem.nodeName && elem.nodeName.toLowerCase() === match;
+		},
+
+		CLASS: function( elem, match ) {
+			return (" " + (elem.className || elem.getAttribute("class")) + " ")
+				.indexOf( match ) > -1;
+		},
+
+		ATTR: function( elem, match ) {
+			var name = match[1],
+				result = Sizzle.attr ?
+					Sizzle.attr( elem, name ) :
+					Expr.attrHandle[ name ] ?
+					Expr.attrHandle[ name ]( elem ) :
+					elem[ name ] != null ?
+						elem[ name ] :
+						elem.getAttribute( name ),
+				value = result + "",
+				type = match[2],
+				check = match[4];
+
+			return result == null ?
+				type === "!=" :
+				!type && Sizzle.attr ?
+				result != null :
+				type === "=" ?
+				value === check :
+				type === "*=" ?
+				value.indexOf(check) >= 0 :
+				type === "~=" ?
+				(" " + value + " ").indexOf(check) >= 0 :
+				!check ?
+				value && result !== false :
+				type === "!=" ?
+				value !== check :
+				type === "^=" ?
+				value.indexOf(check) === 0 :
+				type === "$=" ?
+				value.substr(value.length - check.length) === check :
+				type === "|=" ?
+				value === check || value.substr(0, check.length + 1) === check + "-" :
+				false;
+		},
+
+		POS: function( elem, match, i, array ) {
+			var name = match[2],
+				filter = Expr.setFilters[ name ];
+
+			if ( filter ) {
+				return filter( elem, i, match, array );
+			}
+		}
+	}
+};
+
+var origPOS = Expr.match.POS,
+	fescape = function(all, num){
+		return "\\" + (num - 0 + 1);
+	};
+
+for ( var type in Expr.match ) {
+	Expr.match[ type ] = new RegExp( Expr.match[ type ].source + (/(?![^\[]*\])(?![^\(]*\))/.source) );
+	Expr.leftMatch[ type ] = new RegExp( /(^(?:.|\r|\n)*?)/.source + Expr.match[ type ].source.replace(/\\(\d+)/g, fescape) );
+}
+// Expose origPOS
+// "global" as in regardless of relation to brackets/parens
+Expr.match.globalPOS = origPOS;
+
+var makeArray = function( array, results ) {
+	array = Array.prototype.slice.call( array, 0 );
+
+	if ( results ) {
+		results.push.apply( results, array );
+		return results;
+	}
+
+	return array;
+};
+
+// Perform a simple check to determine if the browser is capable of
+// converting a NodeList to an array using builtin methods.
+// Also verifies that the returned array holds DOM nodes
+// (which is not the case in the Blackberry browser)
+try {
+	Array.prototype.slice.call( document.documentElement.childNodes, 0 )[0].nodeType;
+
+// Provide a fallback method if it does not work
+} catch( e ) {
+	makeArray = function( array, results ) {
+		var i = 0,
+			ret = results || [];
+
+		if ( toString.call(array) === "[object Array]" ) {
+			Array.prototype.push.apply( ret, array );
+
+		} else {
+			if ( typeof array.length === "number" ) {
+				for ( var l = array.length; i < l; i++ ) {
+					ret.push( array[i] );
+				}
+
+			} else {
+				for ( ; array[i]; i++ ) {
+					ret.push( array[i] );
+				}
+			}
+		}
+
+		return ret;
+	};
+}
+
+var sortOrder, siblingCheck;
+
+if ( document.documentElement.compareDocumentPosition ) {
+	sortOrder = function( a, b ) {
+		if ( a === b ) {
+			hasDuplicate = true;
+			return 0;
+		}
+
+		if ( !a.compareDocumentPosition || !b.compareDocumentPosition ) {
+			return a.compareDocumentPosition ? -1 : 1;
+		}
+
+		return a.compareDocumentPosition(b) & 4 ? -1 : 1;
+	};
+
+} else {
+	sortOrder = function( a, b ) {
+		// The nodes are identical, we can exit early
+		if ( a === b ) {
+			hasDuplicate = true;
+			return 0;
+
+		// Fallback to using sourceIndex (in IE) if it's available on both nodes
+		} else if ( a.sourceIndex && b.sourceIndex ) {
+			return a.sourceIndex - b.sourceIndex;
+		}
+
+		var al, bl,
+			ap = [],
+			bp = [],
+			aup = a.parentNode,
+			bup = b.parentNode,
+			cur = aup;
+
+		// If the nodes are siblings (or identical) we can do a quick check
+		if ( aup === bup ) {
+			return siblingCheck( a, b );
+
+		// If no parents were found then the nodes are disconnected
+		} else if ( !aup ) {
+			return -1;
+
+		} else if ( !bup ) {
+			return 1;
+		}
+
+		// Otherwise they're somewhere else in the tree so we need
+		// to build up a full list of the parentNodes for comparison
+		while ( cur ) {
+			ap.unshift( cur );
+			cur = cur.parentNode;
+		}
+
+		cur = bup;
+
+		while ( cur ) {
+			bp.unshift( cur );
+			cur = cur.parentNode;
+		}
+
+		al = ap.length;
+		bl = bp.length;
+
+		// Start walking down the tree looking for a discrepancy
+		for ( var i = 0; i < al && i < bl; i++ ) {
+			if ( ap[i] !== bp[i] ) {
+				return siblingCheck( ap[i], bp[i] );
+			}
+		}
+
+		// We ended someplace up the tree so do a sibling check
+		return i === al ?
+			siblingCheck( a, bp[i], -1 ) :
+			siblingCheck( ap[i], b, 1 );
+	};
+
+	siblingCheck = function( a, b, ret ) {
+		if ( a === b ) {
+			return ret;
+		}
+
+		var cur = a.nextSibling;
+
+		while ( cur ) {
+			if ( cur === b ) {
+				return -1;
+			}
+
+			cur = cur.nextSibling;
+		}
+
+		return 1;
+	};
+}
+
+// Check to see if the browser returns elements by name when
+// querying by getElementById (and provide a workaround)
+(function(){
+	// We're going to inject a fake input element with a specified name
+	var form = document.createElement("div"),
+		id = "script" + (new Date()).getTime(),
+		root = document.documentElement;
+
+	form.innerHTML = "<a name='" + id + "'/>";
+
+	// Inject it into the root element, check its status, and remove it quickly
+	root.insertBefore( form, root.firstChild );
+
+	// The workaround has to do additional checks after a getElementById
+	// Which slows things down for other browsers (hence the branching)
+	if ( document.getElementById( id ) ) {
+		Expr.find.ID = function( match, context, isXML ) {
+			if ( typeof context.getElementById !== "undefined" && !isXML ) {
+				var m = context.getElementById(match[1]);
+
+				return m ?
+					m.id === match[1] || typeof m.getAttributeNode !== "undefined" && m.getAttributeNode("id").nodeValue === match[1] ?
+						[m] :
+						undefined :
+					[];
+			}
+		};
+
+		Expr.filter.ID = function( elem, match ) {
+			var node = typeof elem.getAttributeNode !== "undefined" && elem.getAttributeNode("id");
+
+			return elem.nodeType === 1 && node && node.nodeValue === match;
+		};
+	}
+
+	root.removeChild( form );
+
+	// release memory in IE
+	root = form = null;
+})();
+
+(function(){
+	// Check to see if the browser returns only elements
+	// when doing getElementsByTagName("*")
+
+	// Create a fake element
+	var div = document.createElement("div");
+	div.appendChild( document.createComment("") );
+
+	// Make sure no comments are found
+	if ( div.getElementsByTagName("*").length > 0 ) {
+		Expr.find.TAG = function( match, context ) {
+			var results = context.getElementsByTagName( match[1] );
+
+			// Filter out possible comments
+			if ( match[1] === "*" ) {
+				var tmp = [];
+
+				for ( var i = 0; results[i]; i++ ) {
+					if ( results[i].nodeType === 1 ) {
+						tmp.push( results[i] );
+					}
+				}
+
+				results = tmp;
+			}
+
+			return results;
+		};
+	}
+
+	// Check to see if an attribute returns normalized href attributes
+	div.innerHTML = "<a href='#'></a>";
+
+	if ( div.firstChild && typeof div.firstChild.getAttribute !== "undefined" &&
+			div.firstChild.getAttribute("href") !== "#" ) {
+
+		Expr.attrHandle.href = function( elem ) {
+			return elem.getAttribute( "href", 2 );
+		};
+	}
+
+	// release memory in IE
+	div = null;
+})();
+
+if ( document.querySelectorAll ) {
+	(function(){
+		var oldSizzle = Sizzle,
+			div = document.createElement("div"),
+			id = "__sizzle__";
+
+		div.innerHTML = "<p class='TEST'></p>";
+
+		// Safari can't handle uppercase or unicode characters when
+		// in quirks mode.
+		if ( div.querySelectorAll && div.querySelectorAll(".TEST").length === 0 ) {
+			return;
+		}
+
+		Sizzle = function( query, context, extra, seed ) {
+			context = context || document;
+
+			// Only use querySelectorAll on non-XML documents
+			// (ID selectors don't work in non-HTML documents)
+			if ( !seed && !Sizzle.isXML(context) ) {
+				// See if we find a selector to speed up
+				var match = /^(\w+$)|^\.([\w\-]+$)|^#([\w\-]+$)/.exec( query );
+
+				if ( match && (context.nodeType === 1 || context.nodeType === 9) ) {
+					// Speed-up: Sizzle("TAG")
+					if ( match[1] ) {
+						return makeArray( context.getElementsByTagName( query ), extra );
+
+					// Speed-up: Sizzle(".CLASS")
+					} else if ( match[2] && Expr.find.CLASS && context.getElementsByClassName ) {
+						return makeArray( context.getElementsByClassName( match[2] ), extra );
+					}
+				}
+
+				if ( context.nodeType === 9 ) {
+					// Speed-up: Sizzle("body")
+					// The body element only exists once, optimize finding it
+					if ( query === "body" && context.body ) {
+						return makeArray( [ context.body ], extra );
+
+					// Speed-up: Sizzle("#ID")
+					} else if ( match && match[3] ) {
+						var elem = context.getElementById( match[3] );
+
+						// Check parentNode to catch when Blackberry 4.6 returns
+						// nodes that are no longer in the document #6963
+						if ( elem && elem.parentNode ) {
+							// Handle the case where IE and Opera return items
+							// by name instead of ID
+							if ( elem.id === match[3] ) {
+								return makeArray( [ elem ], extra );
+							}
+
+						} else {
+							return makeArray( [], extra );
+						}
+					}
+
+					try {
+						return makeArray( context.querySelectorAll(query), extra );
+					} catch(qsaError) {}
+
+				// qSA works strangely on Element-rooted queries
+				// We can work around this by specifying an extra ID on the root
+				// and working up from there (Thanks to Andrew Dupont for the technique)
+				// IE 8 doesn't work on object elements
+				} else if ( context.nodeType === 1 && context.nodeName.toLowerCase() !== "object" ) {
+					var oldContext = context,
+						old = context.getAttribute( "id" ),
+						nid = old || id,
+						hasParent = context.parentNode,
+						relativeHierarchySelector = /^\s*[+~]/.test( query );
+
+					if ( !old ) {
+						context.setAttribute( "id", nid );
+					} else {
+						nid = nid.replace( /'/g, "\\$&" );
+					}
+					if ( relativeHierarchySelector && hasParent ) {
+						context = context.parentNode;
+					}
+
+					try {
+						if ( !relativeHierarchySelector || hasParent ) {
+							return makeArray( context.querySelectorAll( "[id='" + nid + "'] " + query ), extra );
+						}
+
+					} catch(pseudoError) {
+					} finally {
+						if ( !old ) {
+							oldContext.removeAttribute( "id" );
+						}
+					}
+				}
+			}
+
+			return oldSizzle(query, context, extra, seed);
+		};
+
+		for ( var prop in oldSizzle ) {
+			Sizzle[ prop ] = oldSizzle[ prop ];
+		}
+
+		// release memory in IE
+		div = null;
+	})();
+}
+
+(function(){
+	var html = document.documentElement,
+		matches = html.matchesSelector || html.mozMatchesSelector || html.webkitMatchesSelector || html.msMatchesSelector;
+
+	if ( matches ) {
+		// Check to see if it's possible to do matchesSelector
+		// on a disconnected node (IE 9 fails this)
+		var disconnectedMatch = !matches.call( document.createElement( "div" ), "div" ),
+			pseudoWorks = false;
+
+		try {
+			// This should fail with an exception
+			// Gecko does not error, returns false instead
+			matches.call( document.documentElement, "[test!='']:sizzle" );
+
+		} catch( pseudoError ) {
+			pseudoWorks = true;
+		}
+
+		Sizzle.matchesSelector = function( node, expr ) {
+			// Make sure that attribute selectors are quoted
+			expr = expr.replace(/\=\s*([^'"\]]*)\s*\]/g, "='$1']");
+
+			if ( !Sizzle.isXML( node ) ) {
+				try {
+					if ( pseudoWorks || !Expr.match.PSEUDO.test( expr ) && !/!=/.test( expr ) ) {
+						var ret = matches.call( node, expr );
+
+						// IE 9's matchesSelector returns false on disconnected nodes
+						if ( ret || !disconnectedMatch ||
+								// As well, disconnected nodes are said to be in a document
+								// fragment in IE 9, so check for that
+								node.document && node.document.nodeType !== 11 ) {
+							return ret;
+						}
+					}
+				} catch(e) {}
+			}
+
+			return Sizzle(expr, null, null, [node]).length > 0;
+		};
+	}
+})();
+
+(function(){
+	var div = document.createElement("div");
+
+	div.innerHTML = "<div class='test e'></div><div class='test'></div>";
+
+	// Opera can't find a second classname (in 9.6)
+	// Also, make sure that getElementsByClassName actually exists
+	if ( !div.getElementsByClassName || div.getElementsByClassName("e").length === 0 ) {
+		return;
+	}
+
+	// Safari caches class attributes, doesn't catch changes (in 3.2)
+	div.lastChild.className = "e";
+
+	if ( div.getElementsByClassName("e").length === 1 ) {
+		return;
+	}
+
+	Expr.order.splice(1, 0, "CLASS");
+	Expr.find.CLASS = function( match, context, isXML ) {
+		if ( typeof context.getElementsByClassName !== "undefined" && !isXML ) {
+			return context.getElementsByClassName(match[1]);
+		}
+	};
+
+	// release memory in IE
+	div = null;
+})();
+
+function dirNodeCheck( dir, cur, doneName, checkSet, nodeCheck, isXML ) {
+	for ( var i = 0, l = checkSet.length; i < l; i++ ) {
+		var elem = checkSet[i];
+
+		if ( elem ) {
+			var match = false;
+
+			elem = elem[dir];
+
+			while ( elem ) {
+				if ( elem[ expando ] === doneName ) {
+					match = checkSet[elem.sizset];
+					break;
+				}
+
+				if ( elem.nodeType === 1 && !isXML ){
+					elem[ expando ] = doneName;
+					elem.sizset = i;
+				}
+
+				if ( elem.nodeName.toLowerCase() === cur ) {
+					match = elem;
+					break;
+				}
+
+				elem = elem[dir];
+			}
+
+			checkSet[i] = match;
+		}
+	}
+}
+
+function dirCheck( dir, cur, doneName, checkSet, nodeCheck, isXML ) {
+	for ( var i = 0, l = checkSet.length; i < l; i++ ) {
+		var elem = checkSet[i];
+
+		if ( elem ) {
+			var match = false;
+
+			elem = elem[dir];
+
+			while ( elem ) {
+				if ( elem[ expando ] === doneName ) {
+					match = checkSet[elem.sizset];
+					break;
+				}
+
+				if ( elem.nodeType === 1 ) {
+					if ( !isXML ) {
+						elem[ expando ] = doneName;
+						elem.sizset = i;
+					}
+
+					if ( typeof cur !== "string" ) {
+						if ( elem === cur ) {
+							match = true;
+							break;
+						}
+
+					} else if ( Sizzle.filter( cur, [elem] ).length > 0 ) {
+						match = elem;
+						break;
+					}
+				}
+
+				elem = elem[dir];
+			}
+
+			checkSet[i] = match;
+		}
+	}
+}
+
+if ( document.documentElement.contains ) {
+	Sizzle.contains = function( a, b ) {
+		return a !== b && (a.contains ? a.contains(b) : true);
+	};
+
+} else if ( document.documentElement.compareDocumentPosition ) {
+	Sizzle.contains = function( a, b ) {
+		return !!(a.compareDocumentPosition(b) & 16);
+	};
+
+} else {
+	Sizzle.contains = function() {
+		return false;
+	};
+}
+
+Sizzle.isXML = function( elem ) {
+	// documentElement is verified for cases where it doesn't yet exist
+	// (such as loading iframes in IE - #4833)
+	var documentElement = (elem ? elem.ownerDocument || elem : 0).documentElement;
+
+	return documentElement ? documentElement.nodeName !== "HTML" : false;
+};
+
+var posProcess = function( selector, context, seed ) {
+	var match,
+		tmpSet = [],
+		later = "",
+		root = context.nodeType ? [context] : context;
+
+	// Position selectors must be done after the filter
+	// And so must :not(positional) so we move all PSEUDOs to the end
+	while ( (match = Expr.match.PSEUDO.exec( selector )) ) {
+		later += match[0];
+		selector = selector.replace( Expr.match.PSEUDO, "" );
+	}
+
+	selector = Expr.relative[selector] ? selector + "*" : selector;
+
+	for ( var i = 0, l = root.length; i < l; i++ ) {
+		Sizzle( selector, root[i], tmpSet, seed );
+	}
+
+	return Sizzle.filter( later, tmpSet );
+};
+
+// EXPOSE
+// Override sizzle attribute retrieval
+Sizzle.attr = jQuery.attr;
+Sizzle.selectors.attrMap = {};
+jQuery.find = Sizzle;
+jQuery.expr = Sizzle.selectors;
+jQuery.expr[":"] = jQuery.expr.filters;
+jQuery.unique = Sizzle.uniqueSort;
+jQuery.text = Sizzle.getText;
+jQuery.isXMLDoc = Sizzle.isXML;
+jQuery.contains = Sizzle.contains;
+
+
+})();
+
+
+var runtil = /Until$/,
+	rparentsprev = /^(?:parents|prevUntil|prevAll)/,
+	// Note: This RegExp should be improved, or likely pulled from Sizzle
+	rmultiselector = /,/,
+	isSimple = /^.[^:#\[\.,]*$/,
+	slice = Array.prototype.slice,
+	POS = jQuery.expr.match.globalPOS,
+	// methods guaranteed to produce a unique set when starting from a unique set
+	guaranteedUnique = {
+		children: true,
+		contents: true,
+		next: true,
+		prev: true
+	};
+
+jQuery.fn.extend({
+	find: function( selector ) {
+		var self = this,
+			i, l;
+
+		if ( typeof selector !== "string" ) {
+			return jQuery( selector ).filter(function() {
+				for ( i = 0, l = self.length; i < l; i++ ) {
+					if ( jQuery.contains( self[ i ], this ) ) {
+						return true;
+					}
+				}
+			});
+		}
+
+		var ret = this.pushStack( "", "find", selector ),
+			length, n, r;
+
+		for ( i = 0, l = this.length; i < l; i++ ) {
+			length = ret.length;
+			jQuery.find( selector, this[i], ret );
+
+			if ( i > 0 ) {
+				// Make sure that the results are unique
+				for ( n = length; n < ret.length; n++ ) {
+					for ( r = 0; r < length; r++ ) {
+						if ( ret[r] === ret[n] ) {
+							ret.splice(n--, 1);
+							break;
+						}
+					}
+				}
+			}
+		}
+
+		return ret;
+	},
+
+	has: function( target ) {
+		var targets = jQuery( target );
+		return this.filter(function() {
+			for ( var i = 0, l = targets.length; i < l; i++ ) {
+				if ( jQuery.contains( this, targets[i] ) ) {
+					return true;
+				}
+			}
+		});
+	},
+
+	not: function( selector ) {
+		return this.pushStack( winnow(this, selector, false), "not", selector);
+	},
+
+	filter: function( selector ) {
+		return this.pushStack( winnow(this, selector, true), "filter", selector );
+	},
+
+	is: function( selector ) {
+		return !!selector && (
+			typeof selector === "string" ?
+				// If this is a positional selector, check membership in the returned set
+				// so $("p:first").is("p:last") won't return true for a doc with two "p".
+				POS.test( selector ) ?
+					jQuery( selector, this.context ).index( this[0] ) >= 0 :
+					jQuery.filter( selector, this ).length > 0 :
+				this.filter( selector ).length > 0 );
+	},
+
+	closest: function( selectors, context ) {
+		var ret = [], i, l, cur = this[0];
+
+		// Array (deprecated as of jQuery 1.7)
+		if ( jQuery.isArray( selectors ) ) {
+			var level = 1;
+
+			while ( cur && cur.ownerDocument && cur !== context ) {
+				for ( i = 0; i < selectors.length; i++ ) {
+
+					if ( jQuery( cur ).is( selectors[ i ] ) ) {
+						ret.push({ selector: selectors[ i ], elem: cur, level: level });
+					}
+				}
+
+				cur = cur.parentNode;
+				level++;
+			}
+
+			return ret;
+		}
+
+		// String
+		var pos = POS.test( selectors ) || typeof selectors !== "string" ?
+				jQuery( selectors, context || this.context ) :
+				0;
+
+		for ( i = 0, l = this.length; i < l; i++ ) {
+			cur = this[i];
+
+			while ( cur ) {
+				if ( pos ? pos.index(cur) > -1 : jQuery.find.matchesSelector(cur, selectors) ) {
+					ret.push( cur );
+					break;
+
+				} else {
+					cur = cur.parentNode;
+					if ( !cur || !cur.ownerDocument || cur === context || cur.nodeType === 11 ) {
+						break;
+					}
+				}
+			}
+		}
+
+		ret = ret.length > 1 ? jQuery.unique( ret ) : ret;
+
+		return this.pushStack( ret, "closest", selectors );
+	},
+
+	// Determine the position of an element within
+	// the matched set of elements
+	index: function( elem ) {
+
+		// No argument, return index in parent
+		if ( !elem ) {
+			return ( this[0] && this[0].parentNode ) ? this.prevAll().length : -1;
+		}
+
+		// index in selector
+		if ( typeof elem === "string" ) {
+			return jQuery.inArray( this[0], jQuery( elem ) );
+		}
+
+		// Locate the position of the desired element
+		return jQuery.inArray(
+			// If it receives a jQuery object, the first element is used
+			elem.jquery ? elem[0] : elem, this );
+	},
+
+	add: function( selector, context ) {
+		var set = typeof selector === "string" ?
+				jQuery( selector, context ) :
+				jQuery.makeArray( selector && selector.nodeType ? [ selector ] : selector ),
+			all = jQuery.merge( this.get(), set );
+
+		return this.pushStack( isDisconnected( set[0] ) || isDisconnected( all[0] ) ?
+			all :
+			jQuery.unique( all ) );
+	},
+
+	andSelf: function() {
+		return this.add( this.prevObject );
+	}
+});
+
+// A painfully simple check to see if an element is disconnected
+// from a document (should be improved, where feasible).
+function isDisconnected( node ) {
+	return !node || !node.parentNode || node.parentNode.nodeType === 11;
+}
+
+jQuery.each({
+	parent: function( elem ) {
+		var parent = elem.parentNode;
+		return parent && parent.nodeType !== 11 ? parent : null;
+	},
+	parents: function( elem ) {
+		return jQuery.dir( elem, "parentNode" );
+	},
+	parentsUntil: function( elem, i, until ) {
+		return jQuery.dir( elem, "parentNode", until );
+	},
+	next: function( elem ) {
+		return jQuery.nth( elem, 2, "nextSibling" );
+	},
+	prev: function( elem ) {
+		return jQuery.nth( elem, 2, "previousSibling" );
+	},
+	nextAll: function( elem ) {
+		return jQuery.dir( elem, "nextSibling" );
+	},
+	prevAll: function( elem ) {
+		return jQuery.dir( elem, "previousSibling" );
+	},
+	nextUntil: function( elem, i, until ) {
+		return jQuery.dir( elem, "nextSibling", until );
+	},
+	prevUntil: function( elem, i, until ) {
+		return jQuery.dir( elem, "previousSibling", until );
+	},
+	siblings: function( elem ) {
+		return jQuery.sibling( ( elem.parentNode || {} ).firstChild, elem );
+	},
+	children: function( elem ) {
+		return jQuery.sibling( elem.firstChild );
+	},
+	contents: function( elem ) {
+		return jQuery.nodeName( elem, "iframe" ) ?
+			elem.contentDocument || elem.contentWindow.document :
+			jQuery.makeArray( elem.childNodes );
+	}
+}, function( name, fn ) {
+	jQuery.fn[ name ] = function( until, selector ) {
+		var ret = jQuery.map( this, fn, until );
+
+		if ( !runtil.test( name ) ) {
+			selector = until;
+		}
+
+		if ( selector && typeof selector === "string" ) {
+			ret = jQuery.filter( selector, ret );
+		}
+
+		ret = this.length > 1 && !guaranteedUnique[ name ] ? jQuery.unique( ret ) : ret;
+
+		if ( (this.length > 1 || rmultiselector.test( selector )) && rparentsprev.test( name ) ) {
+			ret = ret.reverse();
+		}
+
+		return this.pushStack( ret, name, slice.call( arguments ).join(",") );
+	};
+});
+
+jQuery.extend({
+	filter: function( expr, elems, not ) {
+		if ( not ) {
+			expr = ":not(" + expr + ")";
+		}
+
+		return elems.length === 1 ?
+			jQuery.find.matchesSelector(elems[0], expr) ? [ elems[0] ] : [] :
+			jQuery.find.matches(expr, elems);
+	},
+
+	dir: function( elem, dir, until ) {
+		var matched = [],
+			cur = elem[ dir ];
+
+		while ( cur && cur.nodeType !== 9 && (until === undefined || cur.nodeType !== 1 || !jQuery( cur ).is( until )) ) {
+			if ( cur.nodeType === 1 ) {
+				matched.push( cur );
+			}
+			cur = cur[dir];
+		}
+		return matched;
+	},
+
+	nth: function( cur, result, dir, elem ) {
+		result = result || 1;
+		var num = 0;
+
+		for ( ; cur; cur = cur[dir] ) {
+			if ( cur.nodeType === 1 && ++num === result ) {
+				break;
+			}
+		}
+
+		return cur;
+	},
+
+	sibling: function( n, elem ) {
+		var r = [];
+
+		for ( ; n; n = n.nextSibling ) {
+			if ( n.nodeType === 1 && n !== elem ) {
+				r.push( n );
+			}
+		}
+
+		return r;
+	}
+});
+
+// Implement the identical functionality for filter and not
+function winnow( elements, qualifier, keep ) {
+
+	// Can't pass null or undefined to indexOf in Firefox 4
+	// Set to 0 to skip string check
+	qualifier = qualifier || 0;
+
+	if ( jQuery.isFunction( qualifier ) ) {
+		return jQuery.grep(elements, function( elem, i ) {
+			var retVal = !!qualifier.call( elem, i, elem );
+			return retVal === keep;
+		});
+
+	} else if ( qualifier.nodeType ) {
+		return jQuery.grep(elements, function( elem, i ) {
+			return ( elem === qualifier ) === keep;
+		});
+
+	} else if ( typeof qualifier === "string" ) {
+		var filtered = jQuery.grep(elements, function( elem ) {
+			return elem.nodeType === 1;
+		});
+
+		if ( isSimple.test( qualifier ) ) {
+			return jQuery.filter(qualifier, filtered, !keep);
+		} else {
+			qualifier = jQuery.filter( qualifier, filtered );
+		}
+	}
+
+	return jQuery.grep(elements, function( elem, i ) {
+		return ( jQuery.inArray( elem, qualifier ) >= 0 ) === keep;
+	});
+}
+
+
+
+
+function createSafeFragment( document ) {
+	var list = nodeNames.split( "|" ),
+	safeFrag = document.createDocumentFragment();
+
+	if ( safeFrag.createElement ) {
+		while ( list.length ) {
+			safeFrag.createElement(
+				list.pop()
+			);
+		}
+	}
+	return safeFrag;
+}
+
+var nodeNames = "abbr|article|aside|audio|bdi|canvas|data|datalist|details|figcaption|figure|footer|" +
+		"header|hgroup|mark|meter|nav|output|progress|section|summary|time|video",
+	rinlinejQuery = / jQuery\d+="(?:\d+|null)"/g,
+	rleadingWhitespace = /^\s+/,
+	rxhtmlTag = /<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\w:]+)[^>]*)\/>/ig,
+	rtagName = /<([\w:]+)/,
+	rtbody = /<tbody/i,
+	rhtml = /<|&#?\w+;/,
+	rnoInnerhtml = /<(?:script|style)/i,
+	rnocache = /<(?:script|object|embed|option|style)/i,
+	rnoshimcache = new RegExp("<(?:" + nodeNames + ")[\\s/>]", "i"),
+	// checked="checked" or checked
+	rchecked = /checked\s*(?:[^=]|=\s*.checked.)/i,
+	rscriptType = /\/(java|ecma)script/i,
+	rcleanScript = /^\s*<!(?:\[CDATA\[|\-\-)/,
+	wrapMap = {
+		option: [ 1, "<select multiple='multiple'>", "</select>" ],
+		legend: [ 1, "<fieldset>", "</fieldset>" ],
+		thead: [ 1, "<table>", "</table>" ],
+		tr: [ 2, "<table><tbody>", "</tbody></table>" ],
+		td: [ 3, "<table><tbody><tr>", "</tr></tbody></table>" ],
+		col: [ 2, "<table><tbody></tbody><colgroup>", "</colgroup></table>" ],
+		area: [ 1, "<map>", "</map>" ],
+		_default: [ 0, "", "" ]
+	},
+	safeFragment = createSafeFragment( document );
+
+wrapMap.optgroup = wrapMap.option;
+wrapMap.tbody = wrapMap.tfoot = wrapMap.colgroup = wrapMap.caption = wrapMap.thead;
+wrapMap.th = wrapMap.td;
+
+// IE can't serialize <link> and <script> tags normally
+if ( !jQuery.support.htmlSerialize ) {
+	wrapMap._default = [ 1, "div<div>", "</div>" ];
+}
+
+jQuery.fn.extend({
+	text: function( value ) {
+		return jQuery.access( this, function( value ) {
+			return value === undefined ?
+				jQuery.text( this ) :
+				this.empty().append( ( this[0] && this[0].ownerDocument || document ).createTextNode( value ) );
+		}, null, value, arguments.length );
+	},
+
+	wrapAll: function( html ) {
+		if ( jQuery.isFunction( html ) ) {
+			return this.each(function(i) {
+				jQuery(this).wrapAll( html.call(this, i) );
+			});
+		}
+
+		if ( this[0] ) {
+			// The elements to wrap the target around
+			var wrap = jQuery( html, this[0].ownerDocument ).eq(0).clone(true);
+
+			if ( this[0].parentNode ) {
+				wrap.insertBefore( this[0] );
+			}
+
+			wrap.map(function() {
+				var elem = this;
+
+				while ( elem.firstChild && elem.firstChild.nodeType === 1 ) {
+					elem = elem.firstChild;
+				}
+
+				return elem;
+			}).append( this );
+		}
+
+		return this;
+	},
+
+	wrapInner: function( html ) {
+		if ( jQuery.isFunction( html ) ) {
+			return this.each(function(i) {
+				jQuery(this).wrapInner( html.call(this, i) );
+			});
+		}
+
+		return this.each(function() {
+			var self = jQuery( this ),
+				contents = self.contents();
+
+			if ( contents.length ) {
+				contents.wrapAll( html );
+
+			} else {
+				self.append( html );
+			}
+		});
+	},
+
+	wrap: function( html ) {
+		var isFunction = jQuery.isFunction( html );
+
+		return this.each(function(i) {
+			jQuery( this ).wrapAll( isFunction ? html.call(this, i) : html );
+		});
+	},
+
+	unwrap: function() {
+		return this.parent().each(function() {
+			if ( !jQuery.nodeName( this, "body" ) ) {
+				jQuery( this ).replaceWith( this.childNodes );
+			}
+		}).end();
+	},
+
+	append: function() {
+		return this.domManip(arguments, true, function( elem ) {
+			if ( this.nodeType === 1 ) {
+				this.appendChild( elem );
+			}
+		});
+	},
+
+	prepend: function() {
+		return this.domManip(arguments, true, function( elem ) {
+			if ( this.nodeType === 1 ) {
+				this.insertBefore( elem, this.firstChild );
+			}
+		});
+	},
+
+	before: function() {
+		if ( this[0] && this[0].parentNode ) {
+			return this.domManip(arguments, false, function( elem ) {
+				this.parentNode.insertBefore( elem, this );
+			});
+		} else if ( arguments.length ) {
+			var set = jQuery.clean( arguments );
+			set.push.apply( set, this.toArray() );
+			return this.pushStack( set, "before", arguments );
+		}
+	},
+
+	after: function() {
+		if ( this[0] && this[0].parentNode ) {
+			return this.domManip(arguments, false, function( elem ) {
+				this.parentNode.insertBefore( elem, this.nextSibling );
+			});
+		} else if ( arguments.length ) {
+			var set = this.pushStack( this, "after", arguments );
+			set.push.apply( set, jQuery.clean(arguments) );
+			return set;
+		}
+	},
+
+	// keepData is for internal use only--do not document
+	remove: function( selector, keepData ) {
+		for ( var i = 0, elem; (elem = this[i]) != null; i++ ) {
+			if ( !selector || jQuery.filter( selector, [ elem ] ).length ) {
+				if ( !keepData && elem.nodeType === 1 ) {
+					jQuery.cleanData( elem.getElementsByTagName("*") );
+					jQuery.cleanData( [ elem ] );
+				}
+
+				if ( elem.parentNode ) {
+					elem.parentNode.removeChild( elem );
+				}
+			}
+		}
+
+		return this;
+	},
+
+	empty: function() {
+		for ( var i = 0, elem; (elem = this[i]) != null; i++ ) {
+			// Remove element nodes and prevent memory leaks
+			if ( elem.nodeType === 1 ) {
+				jQuery.cleanData( elem.getElementsByTagName("*") );
+			}
+
+			// Remove any remaining nodes
+			while ( elem.firstChild ) {
+				elem.removeChild( elem.firstChild );
+			}
+		}
+
+		return this;
+	},
+
+	clone: function( dataAndEvents, deepDataAndEvents ) {
+		dataAndEvents = dataAndEvents == null ? false : dataAndEvents;
+		deepDataAndEvents = deepDataAndEvents == null ? dataAndEvents : deepDataAndEvents;
+
+		return this.map( function () {
+			return jQuery.clone( this, dataAndEvents, deepDataAndEvents );
+		});
+	},
+
+	html: function( value ) {
+		return jQuery.access( this, function( value ) {
+			var elem = this[0] || {},
+				i = 0,
+				l = this.length;
+
+			if ( value === undefined ) {
+				return elem.nodeType === 1 ?
+					elem.innerHTML.replace( rinlinejQuery, "" ) :
+					null;
+			}
+
+
+			if ( typeof value === "string" && !rnoInnerhtml.test( value ) &&
+				( jQuery.support.leadingWhitespace || !rleadingWhitespace.test( value ) ) &&
+				!wrapMap[ ( rtagName.exec( value ) || ["", ""] )[1].toLowerCase() ] ) {
+
+				value = value.replace( rxhtmlTag, "<$1></$2>" );
+
+				try {
+					for (; i < l; i++ ) {
+						// Remove element nodes and prevent memory leaks
+						elem = this[i] || {};
+						if ( elem.nodeType === 1 ) {
+							jQuery.cleanData( elem.getElementsByTagName( "*" ) );
+							elem.innerHTML = value;
+						}
+					}
+
+					elem = 0;
+
+				// If using innerHTML throws an exception, use the fallback method
+				} catch(e) {}
+			}
+
+			if ( elem ) {
+				this.empty().append( value );
+			}
+		}, null, value, arguments.length );
+	},
+
+	replaceWith: function( value ) {
+		if ( this[0] && this[0].parentNode ) {
+			// Make sure that the elements are removed from the DOM before they are inserted
+			// this can help fix replacing a parent with child elements
+			if ( jQuery.isFunction( value ) ) {
+				return this.each(function(i) {
+					var self = jQuery(this), old = self.html();
+					self.replaceWith( value.call( this, i, old ) );
+				});
+			}
+
+			if ( typeof value !== "string" ) {
+				value = jQuery( value ).detach();
+			}
+
+			return this.each(function() {
+				var next = this.nextSibling,
+					parent = this.parentNode;
+
+				jQuery( this ).remove();
+
+				if ( next ) {
+					jQuery(next).before( value );
+				} else {
+					jQuery(parent).append( value );
+				}
+			});
+		} else {
+			return this.length ?
+				this.pushStack( jQuery(jQuery.isFunction(value) ? value() : value), "replaceWith", value ) :
+				this;
+		}
+	},
+
+	detach: function( selector ) {
+		return this.remove( selector, true );
+	},
+
+	domManip: function( args, table, callback ) {
+		var results, first, fragment, parent,
+			value = args[0],
+			scripts = [];
+
+		// We can't cloneNode fragments that contain checked, in WebKit
+		if ( !jQuery.support.checkClone && arguments.length === 3 && typeof value === "string" && rchecked.test( value ) ) {
+			return this.each(function() {
+				jQuery(this).domManip( args, table, callback, true );
+			});
+		}
+
+		if ( jQuery.isFunction(value) ) {
+			return this.each(function(i) {
+				var self = jQuery(this);
+				args[0] = value.call(this, i, table ? self.html() : undefined);
+				self.domManip( args, table, callback );
+			});
+		}
+
+		if ( this[0] ) {
+			parent = value && value.parentNode;
+
+			// If we're in a fragment, just use that instead of building a new one
+			if ( jQuery.support.parentNode && parent && parent.nodeType === 11 && parent.childNodes.length === this.length ) {
+				results = { fragment: parent };
+
+			} else {
+				results = jQuery.buildFragment( args, this, scripts );
+			}
+
+			fragment = results.fragment;
+
+			if ( fragment.childNodes.length === 1 ) {
+				first = fragment = fragment.firstChild;
+			} else {
+				first = fragment.firstChild;
+			}
+
+			if ( first ) {
+				table = table && jQuery.nodeName( first, "tr" );
+
+				for ( var i = 0, l = this.length, lastIndex = l - 1; i < l; i++ ) {
+					callback.call(
+						table ?
+							root(this[i], first) :
+							this[i],
+						// Make sure that we do not leak memory by inadvertently discarding
+						// the original fragment (which might have attached data) instead of
+						// using it; in addition, use the original fragment object for the last
+						// item instead of first because it can end up being emptied incorrectly
+						// in certain situations (Bug #8070).
+						// Fragments from the fragment cache must always be cloned and never used
+						// in place.
+						results.cacheable || ( l > 1 && i < lastIndex ) ?
+							jQuery.clone( fragment, true, true ) :
+							fragment
+					);
+				}
+			}
+
+			if ( scripts.length ) {
+				jQuery.each( scripts, function( i, elem ) {
+					if ( elem.src ) {
+						jQuery.ajax({
+							type: "GET",
+							global: false,
+							url: elem.src,
+							async: false,
+							dataType: "script"
+						});
+					} else {
+						jQuery.globalEval( ( elem.text || elem.textContent || elem.innerHTML || "" ).replace( rcleanScript, "/*$0*/" ) );
+					}
+
+					if ( elem.parentNode ) {
+						elem.parentNode.removeChild( elem );
+					}
+				});
+			}
+		}
+
+		return this;
+	}
+});
+
+function root( elem, cur ) {
+	return jQuery.nodeName(elem, "table") ?
+		(elem.getElementsByTagName("tbody")[0] ||
+		elem.appendChild(elem.ownerDocument.createElement("tbody"))) :
+		elem;
+}
+
+function cloneCopyEvent( src, dest ) {
+
+	if ( dest.nodeType !== 1 || !jQuery.hasData( src ) ) {
+		return;
+	}
+
+	var type, i, l,
+		oldData = jQuery._data( src ),
+		curData = jQuery._data( dest, oldData ),
+		events = oldData.events;
+
+	if ( events ) {
+		delete curData.handle;
+		curData.events = {};
+
+		for ( type in events ) {
+			for ( i = 0, l = events[ type ].length; i < l; i++ ) {
+				jQuery.event.add( dest, type, events[ type ][ i ] );
+			}
+		}
+	}
+
+	// make the cloned public data object a copy from the original
+	if ( curData.data ) {
+		curData.data = jQuery.extend( {}, curData.data );
+	}
+}
+
+function cloneFixAttributes( src, dest ) {
+	var nodeName;
+
+	// We do not need to do anything for non-Elements
+	if ( dest.nodeType !== 1 ) {
+		return;
+	}
+
+	// clearAttributes removes the attributes, which we don't want,
+	// but also removes the attachEvent events, which we *do* want
+	if ( dest.clearAttributes ) {
+		dest.clearAttributes();
+	}
+
+	// mergeAttributes, in contrast, only merges back on the
+	// original attributes, not the events
+	if ( dest.mergeAttributes ) {
+		dest.mergeAttributes( src );
+	}
+
+	nodeName = dest.nodeName.toLowerCase();
+
+	// IE6-8 fail to clone children inside object elements that use
+	// the proprietary classid attribute value (rather than the type
+	// attribute) to identify the type of content to display
+	if ( nodeName === "object" ) {
+		dest.outerHTML = src.outerHTML;
+
+	} else if ( nodeName === "input" && (src.type === "checkbox" || src.type === "radio") ) {
+		// IE6-8 fails to persist the checked state of a cloned checkbox
+		// or radio button. Worse, IE6-7 fail to give the cloned element
+		// a checked appearance if the defaultChecked value isn't also set
+		if ( src.checked ) {
+			dest.defaultChecked = dest.checked = src.checked;
+		}
+
+		// IE6-7 get confused and end up setting the value of a cloned
+		// checkbox/radio button to an empty string instead of "on"
+		if ( dest.value !== src.value ) {
+			dest.value = src.value;
+		}
+
+	// IE6-8 fails to return the selected option to the default selected
+	// state when cloning options
+	} else if ( nodeName === "option" ) {
+		dest.selected = src.defaultSelected;
+
+	// IE6-8 fails to set the defaultValue to the correct value when
+	// cloning other types of input fields
+	} else if ( nodeName === "input" || nodeName === "textarea" ) {
+		dest.defaultValue = src.defaultValue;
+
+	// IE blanks contents when cloning scripts
+	} else if ( nodeName === "script" && dest.text !== src.text ) {
+		dest.text = src.text;
+	}
+
+	// Event data gets referenced instead of copied if the expando
+	// gets copied too
+	dest.removeAttribute( jQuery.expando );
+
+	// Clear flags for bubbling special change/submit events, they must
+	// be reattached when the newly cloned events are first activated
+	dest.removeAttribute( "_submit_attached" );
+	dest.removeAttribute( "_change_attached" );
+}
+
+jQuery.buildFragment = function( args, nodes, scripts ) {
+	var fragment, cacheable, cacheresults, doc,
+	first = args[ 0 ];
+
+	// nodes may contain either an explicit document object,
+	// a jQuery collection or context object.
+	// If nodes[0] contains a valid object to assign to doc
+	if ( nodes && nodes[0] ) {
+		doc = nodes[0].ownerDocument || nodes[0];
+	}
+
+	// Ensure that an attr object doesn't incorrectly stand in as a document object
+	// Chrome and Firefox seem to allow this to occur and will throw exception
+	// Fixes #8950
+	if ( !doc.createDocumentFragment ) {
+		doc = document;
+	}
+
+	// Only cache "small" (1/2 KB) HTML strings that are associated with the main document
+	// Cloning options loses the selected state, so don't cache them
+	// IE 6 doesn't like it when you put <object> or <embed> elements in a fragment
+	// Also, WebKit does not clone 'checked' attributes on cloneNode, so don't cache
+	// Lastly, IE6,7,8 will not correctly reuse cached fragments that were created from unknown elems #10501
+	if ( args.length === 1 && typeof first === "string" && first.length < 512 && doc === document &&
+		first.charAt(0) === "<" && !rnocache.test( first ) &&
+		(jQuery.support.checkClone || !rchecked.test( first )) &&
+		(jQuery.support.html5Clone || !rnoshimcache.test( first )) ) {
+
+		cacheable = true;
+
+		cacheresults = jQuery.fragments[ first ];
+		if ( cacheresults && cacheresults !== 1 ) {
+			fragment = cacheresults;
+		}
+	}
+
+	if ( !fragment ) {
+		fragment = doc.createDocumentFragment();
+		jQuery.clean( args, doc, fragment, scripts );
+	}
+
+	if ( cacheable ) {
+		jQuery.fragments[ first ] = cacheresults ? fragment : 1;
+	}
+
+	return { fragment: fragment, cacheable: cacheable };
+};
+
+jQuery.fragments = {};
+
+jQuery.each({
+	appendTo: "append",
+	prependTo: "prepend",
+	insertBefore: "before",
+	insertAfter: "after",
+	replaceAll: "replaceWith"
+}, function( name, original ) {
+	jQuery.fn[ name ] = function( selector ) {
+		var ret = [],
+			insert = jQuery( selector ),
+			parent = this.length === 1 && this[0].parentNode;
+
+		if ( parent && parent.nodeType === 11 && parent.childNodes.length === 1 && insert.length === 1 ) {
+			insert[ original ]( this[0] );
+			return this;
+
+		} else {
+			for ( var i = 0, l = insert.length; i < l; i++ ) {
+				var elems = ( i > 0 ? this.clone(true) : this ).get();
+				jQuery( insert[i] )[ original ]( elems );
+				ret = ret.concat( elems );
+			}
+
+			return this.pushStack( ret, name, insert.selector );
+		}
+	};
+});
+
+function getAll( elem ) {
+	if ( typeof elem.getElementsByTagName !== "undefined" ) {
+		return elem.getElementsByTagName( "*" );
+
+	} else if ( typeof elem.querySelectorAll !== "undefined" ) {
+		return elem.querySelectorAll( "*" );
+
+	} else {
+		return [];
+	}
+}
+
+// Used in clean, fixes the defaultChecked property
+function fixDefaultChecked( elem ) {
+	if ( elem.type === "checkbox" || elem.type === "radio" ) {
+		elem.defaultChecked = elem.checked;
+	}
+}
+// Finds all inputs and passes them to fixDefaultChecked
+function findInputs( elem ) {
+	var nodeName = ( elem.nodeName || "" ).toLowerCase();
+	if ( nodeName === "input" ) {
+		fixDefaultChecked( elem );
+	// Skip scripts, get other children
+	} else if ( nodeName !== "script" && typeof elem.getElementsByTagName !== "undefined" ) {
+		jQuery.grep( elem.getElementsByTagName("input"), fixDefaultChecked );
+	}
+}
+
+// Derived From: http://www.iecss.com/shimprove/javascript/shimprove.1-0-1.js
+function shimCloneNode( elem ) {
+	var div = document.createElement( "div" );
+	safeFragment.appendChild( div );
+
+	div.innerHTML = elem.outerHTML;
+	return div.firstChild;
+}
+
+jQuery.extend({
+	clone: function( elem, dataAndEvents, deepDataAndEvents ) {
+		var srcElements,
+			destElements,
+			i,
+			// IE<=8 does not properly clone detached, unknown element nodes
+			clone = jQuery.support.html5Clone || jQuery.isXMLDoc(elem) || !rnoshimcache.test( "<" + elem.nodeName + ">" ) ?
+				elem.cloneNode( true ) :
+				shimCloneNode( elem );
+
+		if ( (!jQuery.support.noCloneEvent || !jQuery.support.noCloneChecked) &&
+				(elem.nodeType === 1 || elem.nodeType === 11) && !jQuery.isXMLDoc(elem) ) {
+			// IE copies events bound via attachEvent when using cloneNode.
+			// Calling detachEvent on the clone will also remove the events
+			// from the original. In order to get around this, we use some
+			// proprietary methods to clear the events. Thanks to MooTools
+			// guys for this hotness.
+
+			cloneFixAttributes( elem, clone );
+
+			// Using Sizzle here is crazy slow, so we use getElementsByTagName instead
+			srcElements = getAll( elem );
+			destElements = getAll( clone );
+
+			// Weird iteration because IE will replace the length property
+			// with an element if you are cloning the body and one of the
+			// elements on the page has a name or id of "length"
+			for ( i = 0; srcElements[i]; ++i ) {
+				// Ensure that the destination node is not null; Fixes #9587
+				if ( destElements[i] ) {
+					cloneFixAttributes( srcElements[i], destElements[i] );
+				}
+			}
+		}
+
+		// Copy the events from the original to the clone
+		if ( dataAndEvents ) {
+			cloneCopyEvent( elem, clone );
+
+			if ( deepDataAndEvents ) {
+				srcElements = getAll( elem );
+				destElements = getAll( clone );
+
+				for ( i = 0; srcElements[i]; ++i ) {
+					cloneCopyEvent( srcElements[i], destElements[i] );
+				}
+			}
+		}
+
+		srcElements = destElements = null;
+
+		// Return the cloned set
+		return clone;
+	},
+
+	clean: function( elems, context, fragment, scripts ) {
+		var checkScriptType, script, j,
+				ret = [];
+
+		context = context || document;
+
+		// !context.createElement fails in IE with an error but returns typeof 'object'
+		if ( typeof context.createElement === "undefined" ) {
+			context = context.ownerDocument || context[0] && context[0].ownerDocument || document;
+		}
+
+		for ( var i = 0, elem; (elem = elems[i]) != null; i++ ) {
+			if ( typeof elem === "number" ) {
+				elem += "";
+			}
+
+			if ( !elem ) {
+				continue;
+			}
+
+			// Convert html string into DOM nodes
+			if ( typeof elem === "string" ) {
+				if ( !rhtml.test( elem ) ) {
+					elem = context.createTextNode( elem );
+				} else {
+					// Fix "XHTML"-style tags in all browsers
+					elem = elem.replace(rxhtmlTag, "<$1></$2>");
+
+					// Trim whitespace, otherwise indexOf won't work as expected
+					var tag = ( rtagName.exec( elem ) || ["", ""] )[1].toLowerCase(),
+						wrap = wrapMap[ tag ] || wrapMap._default,
+						depth = wrap[0],
+						div = context.createElement("div"),
+						safeChildNodes = safeFragment.childNodes,
+						remove;
+
+					// Append wrapper element to unknown element safe doc fragment
+					if ( context === document ) {
+						// Use the fragment we've already created for this document
+						safeFragment.appendChild( div );
+					} else {
+						// Use a fragment created with the owner document
+						createSafeFragment( context ).appendChild( div );
+					}
+
+					// Go to html and back, then peel off extra wrappers
+					div.innerHTML = wrap[1] + elem + wrap[2];
+
+					// Move to the right depth
+					while ( depth-- ) {
+						div = div.lastChild;
+					}
+
+					// Remove IE's autoinserted <tbody> from table fragments
+					if ( !jQuery.support.tbody ) {
+
+						// String was a <table>, *may* have spurious <tbody>
+						var hasBody = rtbody.test(elem),
+							tbody = tag === "table" && !hasBody ?
+								div.firstChild && div.firstChild.childNodes :
+
+								// String was a bare <thead> or <tfoot>
+								wrap[1] === "<table>" && !hasBody ?
+									div.childNodes :
+									[];
+
+						for ( j = tbody.length - 1; j >= 0 ; --j ) {
+							if ( jQuery.nodeName( tbody[ j ], "tbody" ) && !tbody[ j ].childNodes.length ) {
+								tbody[ j ].parentNode.removeChild( tbody[ j ] );
+							}
+						}
+					}
+
+					// IE completely kills leading whitespace when innerHTML is used
+					if ( !jQuery.support.leadingWhitespace && rleadingWhitespace.test( elem ) ) {
+						div.insertBefore( context.createTextNode( rleadingWhitespace.exec(elem)[0] ), div.firstChild );
+					}
+
+					elem = div.childNodes;
+
+					// Clear elements from DocumentFragment (safeFragment or otherwise)
+					// to avoid hoarding elements. Fixes #11356
+					if ( div ) {
+						div.parentNode.removeChild( div );
+
+						// Guard against -1 index exceptions in FF3.6
+						if ( safeChildNodes.length > 0 ) {
+							remove = safeChildNodes[ safeChildNodes.length - 1 ];
+
+							if ( remove && remove.parentNode ) {
+								remove.parentNode.removeChild( remove );
+							}
+						}
+					}
+				}
+			}
+
+			// Resets defaultChecked for any radios and checkboxes
+			// about to be appended to the DOM in IE 6/7 (#8060)
+			var len;
+			if ( !jQuery.support.appendChecked ) {
+				if ( elem[0] && typeof (len = elem.length) === "number" ) {
+					for ( j = 0; j < len; j++ ) {
+						findInputs( elem[j] );
+					}
+				} else {
+					findInputs( elem );
+				}
+			}
+
+			if ( elem.nodeType ) {
+				ret.push( elem );
+			} else {
+				ret = jQuery.merge( ret, elem );
+			}
+		}
+
+		if ( fragment ) {
+			checkScriptType = function( elem ) {
+				return !elem.type || rscriptType.test( elem.type );
+			};
+			for ( i = 0; ret[i]; i++ ) {
+				script = ret[i];
+				if ( scripts && jQuery.nodeName( script, "script" ) && (!script.type || rscriptType.test( script.type )) ) {
+					scripts.push( script.parentNode ? script.parentNode.removeChild( script ) : script );
+
+				} else {
+					if ( script.nodeType === 1 ) {
+						var jsTags = jQuery.grep( script.getElementsByTagName( "script" ), checkScriptType );
+
+						ret.splice.apply( ret, [i + 1, 0].concat( jsTags ) );
+					}
+					fragment.appendChild( script );
+				}
+			}
+		}
+
+		return ret;
+	},
+
+	cleanData: function( elems ) {
+		var data, id,
+			cache = jQuery.cache,
+			special = jQuery.event.special,
+			deleteExpando = jQuery.support.deleteExpando;
+
+		for ( var i = 0, elem; (elem = elems[i]) != null; i++ ) {
+			if ( elem.nodeName && jQuery.noData[elem.nodeName.toLowerCase()] ) {
+				continue;
+			}
+
+			id = elem[ jQuery.expando ];
+
+			if ( id ) {
+				data = cache[ id ];
+
+				if ( data && data.events ) {
+					for ( var type in data.events ) {
+						if ( special[ type ] ) {
+							jQuery.event.remove( elem, type );
+
+						// This is a shortcut to avoid jQuery.event.remove's overhead
+						} else {
+							jQuery.removeEvent( elem, type, data.handle );
+						}
+					}
+
+					// Null the DOM reference to avoid IE6/7/8 leak (#7054)
+					if ( data.handle ) {
+						data.handle.elem = null;
+					}
+				}
+
+				if ( deleteExpando ) {
+					delete elem[ jQuery.expando ];
+
+				} else if ( elem.removeAttribute ) {
+					elem.removeAttribute( jQuery.expando );
+				}
+
+				delete cache[ id ];
+			}
+		}
+	}
+});
+
+
+
+
+var ralpha = /alpha\([^)]*\)/i,
+	ropacity = /opacity=([^)]*)/,
+	// fixed for IE9, see #8346
+	rupper = /([A-Z]|^ms)/g,
+	rnum = /^[\-+]?(?:\d*\.)?\d+$/i,
+	rnumnonpx = /^-?(?:\d*\.)?\d+(?!px)[^\d\s]+$/i,
+	rrelNum = /^([\-+])=([\-+.\de]+)/,
+	rmargin = /^margin/,
+
+	cssShow = { position: "absolute", visibility: "hidden", display: "block" },
+
+	// order is important!
+	cssExpand = [ "Top", "Right", "Bottom", "Left" ],
+
+	curCSS,
+
+	getComputedStyle,
+	currentStyle;
+
+jQuery.fn.css = function( name, value ) {
+	return jQuery.access( this, function( elem, name, value ) {
+		return value !== undefined ?
+			jQuery.style( elem, name, value ) :
+			jQuery.css( elem, name );
+	}, name, value, arguments.length > 1 );
+};
+
+jQuery.extend({
+	// Add in style property hooks for overriding the default
+	// behavior of getting and setting a style property
+	cssHooks: {
+		opacity: {
+			get: function( elem, computed ) {
+				if ( computed ) {
+					// We should always get a number back from opacity
+					var ret = curCSS( elem, "opacity" );
+					return ret === "" ? "1" : ret;
+
+				} else {
+					return elem.style.opacity;
+				}
+			}
+		}
+	},
+
+	// Exclude the following css properties to add px
+	cssNumber: {
+		"fillOpacity": true,
+		"fontWeight": true,
+		"lineHeight": true,
+		"opacity": true,
+		"orphans": true,
+		"widows": true,
+		"zIndex": true,
+		"zoom": true
+	},
+
+	// Add in properties whose names you wish to fix before
+	// setting or getting the value
+	cssProps: {
+		// normalize float css property
+		"float": jQuery.support.cssFloat ? "cssFloat" : "styleFloat"
+	},
+
+	// Get and set the style property on a DOM Node
+	style: function( elem, name, value, extra ) {
+		// Don't set styles on text and comment nodes
+		if ( !elem || elem.nodeType === 3 || elem.nodeType === 8 || !elem.style ) {
+			return;
+		}
+
+		// Make sure that we're working with the right name
+		var ret, type, origName = jQuery.camelCase( name ),
+			style = elem.style, hooks = jQuery.cssHooks[ origName ];
+
+		name = jQuery.cssProps[ origName ] || origName;
+
+		// Check if we're setting a value
+		if ( value !== undefined ) {
+			type = typeof value;
+
+			// convert relative number strings (+= or -=) to relative numbers. #7345
+			if ( type === "string" && (ret = rrelNum.exec( value )) ) {
+				value = ( +( ret[1] + 1) * +ret[2] ) + parseFloat( jQuery.css( elem, name ) );
+				// Fixes bug #9237
+				type = "number";
+			}
+
+			// Make sure that NaN and null values aren't set. See: #7116
+			if ( value == null || type === "number" && isNaN( value ) ) {
+				return;
+			}
+
+			// If a number was passed in, add 'px' to the (except for certain CSS properties)
+			if ( type === "number" && !jQuery.cssNumber[ origName ] ) {
+				value += "px";
+			}
+
+			// If a hook was provided, use that value, otherwise just set the specified value
+			if ( !hooks || !("set" in hooks) || (value = hooks.set( elem, value )) !== undefined ) {
+				// Wrapped to prevent IE from throwing errors when 'invalid' values are provided
+				// Fixes bug #5509
+				try {
+					style[ name ] = value;
+				} catch(e) {}
+			}
+
+		} else {
+			// If a hook was provided get the non-computed value from there
+			if ( hooks && "get" in hooks && (ret = hooks.get( elem, false, extra )) !== undefined ) {
+				return ret;
+			}
+
+			// Otherwise just get the value from the style object
+			return style[ name ];
+		}
+	},
+
+	css: function( elem, name, extra ) {
+		var ret, hooks;
+
+		// Make sure that we're working with the right name
+		name = jQuery.camelCase( name );
+		hooks = jQuery.cssHooks[ name ];
+		name = jQuery.cssProps[ name ] || name;
+
+		// cssFloat needs a special treatment
+		if ( name === "cssFloat" ) {
+			name = "float";
+		}
+
+		// If a hook was provided get the computed value from there
+		if ( hooks && "get" in hooks && (ret = hooks.get( elem, true, extra )) !== undefined ) {
+			return ret;
+
+		// Otherwise, if a way to get the computed value exists, use that
+		} else if ( curCSS ) {
+			return curCSS( elem, name );
+		}
+	},
+
+	// A method for quickly swapping in/out CSS properties to get correct calculations
+	swap: function( elem, options, callback ) {
+		var old = {},
+			ret, name;
+
+		// Remember the old values, and insert the new ones
+		for ( name in options ) {
+			old[ name ] = elem.style[ name ];
+			elem.style[ name ] = options[ name ];
+		}
+
+		ret = callback.call( elem );
+
+		// Revert the old values
+		for ( name in options ) {
+			elem.style[ name ] = old[ name ];
+		}
+
+		return ret;
+	}
+});
+
+// DEPRECATED in 1.3, Use jQuery.css() instead
+jQuery.curCSS = jQuery.css;
+
+if ( document.defaultView && document.defaultView.getComputedStyle ) {
+	getComputedStyle = function( elem, name ) {
+		var ret, defaultView, computedStyle, width,
+			style = elem.style;
+
+		name = name.replace( rupper, "-$1" ).toLowerCase();
+
+		if ( (defaultView = elem.ownerDocument.defaultView) &&
+				(computedStyle = defaultView.getComputedStyle( elem, null )) ) {
+
+			ret = computedStyle.getPropertyValue( name );
+			if ( ret === "" && !jQuery.contains( elem.ownerDocument.documentElement, elem ) ) {
+				ret = jQuery.style( elem, name );
+			}
+		}
+
+		// A tribute to the "awesome hack by Dean Edwards"
+		// WebKit uses "computed value (percentage if specified)" instead of "used value" for margins
+		// which is against the CSSOM draft spec: http://dev.w3.org/csswg/cssom/#resolved-values
+		if ( !jQuery.support.pixelMargin && computedStyle && rmargin.test( name ) && rnumnonpx.test( ret ) ) {
+			width = style.width;
+			style.width = ret;
+			ret = computedStyle.width;
+			style.width = width;
+		}
+
+		return ret;
+	};
+}
+
+if ( document.documentElement.currentStyle ) {
+	currentStyle = function( elem, name ) {
+		var left, rsLeft, uncomputed,
+			ret = elem.currentStyle && elem.currentStyle[ name ],
+			style = elem.style;
+
+		// Avoid setting ret to empty string here
+		// so we don't default to auto
+		if ( ret == null && style && (uncomputed = style[ name ]) ) {
+			ret = uncomputed;
+		}
+
+		// From the awesome hack by Dean Edwards
+		// http://erik.eae.net/archives/2007/07/27/18.54.15/#comment-102291
+
+		// If we're not dealing with a regular pixel number
+		// but a number that has a weird ending, we need to convert it to pixels
+		if ( rnumnonpx.test( ret ) ) {
+
+			// Remember the original values
+			left = style.left;
+			rsLeft = elem.runtimeStyle && elem.runtimeStyle.left;
+
+			// Put in the new values to get a computed value out
+			if ( rsLeft ) {
+				elem.runtimeStyle.left = elem.currentStyle.left;
+			}
+			style.left = name === "fontSize" ? "1em" : ret;
+			ret = style.pixelLeft + "px";
+
+			// Revert the changed values
+			style.left = left;
+			if ( rsLeft ) {
+				elem.runtimeStyle.left = rsLeft;
+			}
+		}
+
+		return ret === "" ? "auto" : ret;
+	};
+}
+
+curCSS = getComputedStyle || currentStyle;
+
+function getWidthOrHeight( elem, name, extra ) {
+
+	// Start with offset property
+	var val = name === "width" ? elem.offsetWidth : elem.offsetHeight,
+		i = name === "width" ? 1 : 0,
+		len = 4;
+
+	if ( val > 0 ) {
+		if ( extra !== "border" ) {
+			for ( ; i < len; i += 2 ) {
+				if ( !extra ) {
+					val -= parseFloat( jQuery.css( elem, "padding" + cssExpand[ i ] ) ) || 0;
+				}
+				if ( extra === "margin" ) {
+					val += parseFloat( jQuery.css( elem, extra + cssExpand[ i ] ) ) || 0;
+				} else {
+					val -= parseFloat( jQuery.css( elem, "border" + cssExpand[ i ] + "Width" ) ) || 0;
+				}
+			}
+		}
+
+		return val + "px";
+	}
+
+	// Fall back to computed then uncomputed css if necessary
+	val = curCSS( elem, name );
+	if ( val < 0 || val == null ) {
+		val = elem.style[ name ];
+	}
+
+	// Computed unit is not pixels. Stop here and return.
+	if ( rnumnonpx.test(val) ) {
+		return val;
+	}
+
+	// Normalize "", auto, and prepare for extra
+	val = parseFloat( val ) || 0;
+
+	// Add padding, border, margin
+	if ( extra ) {
+		for ( ; i < len; i += 2 ) {
+			val += parseFloat( jQuery.css( elem, "padding" + cssExpand[ i ] ) ) || 0;
+			if ( extra !== "padding" ) {
+				val += parseFloat( jQuery.css( elem, "border" + cssExpand[ i ] + "Width" ) ) || 0;
+			}
+			if ( extra === "margin" ) {
+				val += parseFloat( jQuery.css( elem, extra + cssExpand[ i ]) ) || 0;
+			}
+		}
+	}
+
+	return val + "px";
+}
+
+jQuery.each([ "height", "width" ], function( i, name ) {
+	jQuery.cssHooks[ name ] = {
+		get: function( elem, computed, extra ) {
+			if ( computed ) {
+				if ( elem.offsetWidth !== 0 ) {
+					return getWidthOrHeight( elem, name, extra );
+				} else {
+					return jQuery.swap( elem, cssShow, function() {
+						return getWidthOrHeight( elem, name, extra );
+					});
+				}
+			}
+		},
+
+		set: function( elem, value ) {
+			return rnum.test( value ) ?
+				value + "px" :
+				value;
+		}
+	};
+});
+
+if ( !jQuery.support.opacity ) {
+	jQuery.cssHooks.opacity = {
+		get: function( elem, computed ) {
+			// IE uses filters for opacity
+			return ropacity.test( (computed && elem.currentStyle ? elem.currentStyle.filter : elem.style.filter) || "" ) ?
+				( parseFloat( RegExp.$1 ) / 100 ) + "" :
+				computed ? "1" : "";
+		},
+
+		set: function( elem, value ) {
+			var style = elem.style,
+				currentStyle = elem.currentStyle,
+				opacity = jQuery.isNumeric( value ) ? "alpha(opacity=" + value * 100 + ")" : "",
+				filter = currentStyle && currentStyle.filter || style.filter || "";
+
+			// IE has trouble with opacity if it does not have layout
+			// Force it by setting the zoom level
+			style.zoom = 1;
+
+			// if setting opacity to 1, and no other filters exist - attempt to remove filter attribute #6652
+			if ( value >= 1 && jQuery.trim( filter.replace( ralpha, "" ) ) === "" ) {
+
+				// Setting style.filter to null, "" & " " still leave "filter:" in the cssText
+				// if "filter:" is present at all, clearType is disabled, we want to avoid this
+				// style.removeAttribute is IE Only, but so apparently is this code path...
+				style.removeAttribute( "filter" );
+
+				// if there there is no filter style applied in a css rule, we are done
+				if ( currentStyle && !currentStyle.filter ) {
+					return;
+				}
+			}
+
+			// otherwise, set new filter values
+			style.filter = ralpha.test( filter ) ?
+				filter.replace( ralpha, opacity ) :
+				filter + " " + opacity;
+		}
+	};
+}
+
+jQuery(function() {
+	// This hook cannot be added until DOM ready because the support test
+	// for it is not run until after DOM ready
+	if ( !jQuery.support.reliableMarginRight ) {
+		jQuery.cssHooks.marginRight = {
+			get: function( elem, computed ) {
+				// WebKit Bug 13343 - getComputedStyle returns wrong value for margin-right
+				// Work around by temporarily setting element display to inline-block
+				return jQuery.swap( elem, { "display": "inline-block" }, function() {
+					if ( computed ) {
+						return curCSS( elem, "margin-right" );
+					} else {
+						return elem.style.marginRight;
+					}
+				});
+			}
+		};
+	}
+});
+
+if ( jQuery.expr && jQuery.expr.filters ) {
+	jQuery.expr.filters.hidden = function( elem ) {
+		var width = elem.offsetWidth,
+			height = elem.offsetHeight;
+
+		return ( width === 0 && height === 0 ) || (!jQuery.support.reliableHiddenOffsets && ((elem.style && elem.style.display) || jQuery.css( elem, "display" )) === "none");
+	};
+
+	jQuery.expr.filters.visible = function( elem ) {
+		return !jQuery.expr.filters.hidden( elem );
+	};
+}
+
+// These hooks are used by animate to expand properties
+jQuery.each({
+	margin: "",
+	padding: "",
+	border: "Width"
+}, function( prefix, suffix ) {
+
+	jQuery.cssHooks[ prefix + suffix ] = {
+		expand: function( value ) {
+			var i,
+
+				// assumes a single number if not a string
+				parts = typeof value === "string" ? value.split(" ") : [ value ],
+				expanded = {};
+
+			for ( i = 0; i < 4; i++ ) {
+				expanded[ prefix + cssExpand[ i ] + suffix ] =
+					parts[ i ] || parts[ i - 2 ] || parts[ 0 ];
+			}
+
+			return expanded;
+		}
+	};
+});
+
+
+
+
+var r20 = /%20/g,
+	rbracket = /\[\]$/,
+	rCRLF = /\r?\n/g,
+	rhash = /#.*$/,
+	rheaders = /^(.*?):[ \t]*([^\r\n]*)\r?$/mg, // IE leaves an \r character at EOL
+	rinput = /^(?:color|date|datetime|datetime-local|email|hidden|month|number|password|range|search|tel|text|time|url|week)$/i,
+	// #7653, #8125, #8152: local protocol detection
+	rlocalProtocol = /^(?:about|app|app\-storage|.+\-extension|file|res|widget):$/,
+	rnoContent = /^(?:GET|HEAD)$/,
+	rprotocol = /^\/\//,
+	rquery = /\?/,
+	rscript = /<script\b[^<]*(?:(?!<\/script>)<[^<]*)*<\/script>/gi,
+	rselectTextarea = /^(?:select|textarea)/i,
+	rspacesAjax = /\s+/,
+	rts = /([?&])_=[^&]*/,
+	rurl = /^([\w\+\.\-]+:)(?:\/\/([^\/?#:]*)(?::(\d+))?)?/,
+
+	// Keep a copy of the old load method
+	_load = jQuery.fn.load,
+
+	/* Prefilters
+	 * 1) They are useful to introduce custom dataTypes (see ajax/jsonp.js for an example)
+	 * 2) These are called:
+	 *    - BEFORE asking for a transport
+	 *    - AFTER param serialization (s.data is a string if s.processData is true)
+	 * 3) key is the dataType
+	 * 4) the catchall symbol "*" can be used
+	 * 5) execution will start with transport dataType and THEN continue down to "*" if needed
+	 */
+	prefilters = {},
+
+	/* Transports bindings
+	 * 1) key is the dataType
+	 * 2) the catchall symbol "*" can be used
+	 * 3) selection will start with transport dataType and THEN go to "*" if needed
+	 */
+	transports = {},
+
+	// Document location
+	ajaxLocation,
+
+	// Document location segments
+	ajaxLocParts,
+
+	// Avoid comment-prolog char sequence (#10098); must appease lint and evade compression
+	allTypes = ["*/"] + ["*"];
+
+// #8138, IE may throw an exception when accessing
+// a field from window.location if document.domain has been set
+try {
+	ajaxLocation = location.href;
+} catch( e ) {
+	// Use the href attribute of an A element
+	// since IE will modify it given document.location
+	ajaxLocation = document.createElement( "a" );
+	ajaxLocation.href = "";
+	ajaxLocation = ajaxLocation.href;
+}
+
+// Segment location into parts
+ajaxLocParts = rurl.exec( ajaxLocation.toLowerCase() ) || [];
+
+// Base "constructor" for jQuery.ajaxPrefilter and jQuery.ajaxTransport
+function addToPrefiltersOrTransports( structure ) {
+
+	// dataTypeExpression is optional and defaults to "*"
+	return function( dataTypeExpression, func ) {
+
+		if ( typeof dataTypeExpression !== "string" ) {
+			func = dataTypeExpression;
+			dataTypeExpression = "*";
+		}
+
+		if ( jQuery.isFunction( func ) ) {
+			var dataTypes = dataTypeExpression.toLowerCase().split( rspacesAjax ),
+				i = 0,
+				length = dataTypes.length,
+				dataType,
+				list,
+				placeBefore;
+
+			// For each dataType in the dataTypeExpression
+			for ( ; i < length; i++ ) {
+				dataType = dataTypes[ i ];
+				// We control if we're asked to add before
+				// any existing element
+				placeBefore = /^\+/.test( dataType );
+				if ( placeBefore ) {
+					dataType = dataType.substr( 1 ) || "*";
+				}
+				list = structure[ dataType ] = structure[ dataType ] || [];
+				// then we add to the structure accordingly
+				list[ placeBefore ? "unshift" : "push" ]( func );
+			}
+		}
+	};
+}
+
+// Base inspection function for prefilters and transports
+function inspectPrefiltersOrTransports( structure, options, originalOptions, jqXHR,
+		dataType /* internal */, inspected /* internal */ ) {
+
+	dataType = dataType || options.dataTypes[ 0 ];
+	inspected = inspected || {};
+
+	inspected[ dataType ] = true;
+
+	var list = structure[ dataType ],
+		i = 0,
+		length = list ? list.length : 0,
+		executeOnly = ( structure === prefilters ),
+		selection;
+
+	for ( ; i < length && ( executeOnly || !selection ); i++ ) {
+		selection = list[ i ]( options, originalOptions, jqXHR );
+		// If we got redirected to another dataType
+		// we try there if executing only and not done already
+		if ( typeof selection === "string" ) {
+			if ( !executeOnly || inspected[ selection ] ) {
+				selection = undefined;
+			} else {
+				options.dataTypes.unshift( selection );
+				selection = inspectPrefiltersOrTransports(
+						structure, options, originalOptions, jqXHR, selection, inspected );
+			}
+		}
+	}
+	// If we're only executing or nothing was selected
+	// we try the catchall dataType if not done already
+	if ( ( executeOnly || !selection ) && !inspected[ "*" ] ) {
+		selection = inspectPrefiltersOrTransports(
+				structure, options, originalOptions, jqXHR, "*", inspected );
+	}
+	// unnecessary when only executing (prefilters)
+	// but it'll be ignored by the caller in that case
+	return selection;
+}
+
+// A special extend for ajax options
+// that takes "flat" options (not to be deep extended)
+// Fixes #9887
+function ajaxExtend( target, src ) {
+	var key, deep,
+		flatOptions = jQuery.ajaxSettings.flatOptions || {};
+	for ( key in src ) {
+		if ( src[ key ] !== undefined ) {
+			( flatOptions[ key ] ? target : ( deep || ( deep = {} ) ) )[ key ] = src[ key ];
+		}
+	}
+	if ( deep ) {
+		jQuery.extend( true, target, deep );
+	}
+}
+
+jQuery.fn.extend({
+	load: function( url, params, callback ) {
+		if ( typeof url !== "string" && _load ) {
+			return _load.apply( this, arguments );
+
+		// Don't do a request if no elements are being requested
+		} else if ( !this.length ) {
+			return this;
+		}
+
+		var off = url.indexOf( " " );
+		if ( off >= 0 ) {
+			var selector = url.slice( off, url.length );
+			url = url.slice( 0, off );
+		}
+
+		// Default to a GET request
+		var type = "GET";
+
+		// If the second parameter was provided
+		if ( params ) {
+			// If it's a function
+			if ( jQuery.isFunction( params ) ) {
+				// We assume that it's the callback
+				callback = params;
+				params = undefined;
+
+			// Otherwise, build a param string
+			} else if ( typeof params === "object" ) {
+				params = jQuery.param( params, jQuery.ajaxSettings.traditional );
+				type = "POST";
+			}
+		}
+
+		var self = this;
+
+		// Request the remote document
+		jQuery.ajax({
+			url: url,
+			type: type,
+			dataType: "html",
+			data: params,
+			// Complete callback (responseText is used internally)
+			complete: function( jqXHR, status, responseText ) {
+				// Store the response as specified by the jqXHR object
+				responseText = jqXHR.responseText;
+				// If successful, inject the HTML into all the matched elements
+				if ( jqXHR.isResolved() ) {
+					// #4825: Get the actual response in case
+					// a dataFilter is present in ajaxSettings
+					jqXHR.done(function( r ) {
+						responseText = r;
+					});
+					// See if a selector was specified
+					self.html( selector ?
+						// Create a dummy div to hold the results
+						jQuery("<div>")
+							// inject the contents of the document in, removing the scripts
+							// to avoid any 'Permission Denied' errors in IE
+							.append(responseText.replace(rscript, ""))
+
+							// Locate the specified elements
+							.find(selector) :
+
+						// If not, just inject the full result
+						responseText );
+				}
+
+				if ( callback ) {
+					self.each( callback, [ responseText, status, jqXHR ] );
+				}
+			}
+		});
+
+		return this;
+	},
+
+	serialize: function() {
+		return jQuery.param( this.serializeArray() );
+	},
+
+	serializeArray: function() {
+		return this.map(function(){
+			return this.elements ? jQuery.makeArray( this.elements ) : this;
+		})
+		.filter(function(){
+			return this.name && !this.disabled &&
+				( this.checked || rselectTextarea.test( this.nodeName ) ||
+					rinput.test( this.type ) );
+		})
+		.map(function( i, elem ){
+			var val = jQuery( this ).val();
+
+			return val == null ?
+				null :
+				jQuery.isArray( val ) ?
+					jQuery.map( val, function( val, i ){
+						return { name: elem.name, value: val.replace( rCRLF, "\r\n" ) };
+					}) :
+					{ name: elem.name, value: val.replace( rCRLF, "\r\n" ) };
+		}).get();
+	}
+});
+
+// Attach a bunch of functions for handling common AJAX events
+jQuery.each( "ajaxStart ajaxStop ajaxComplete ajaxError ajaxSuccess ajaxSend".split( " " ), function( i, o ){
+	jQuery.fn[ o ] = function( f ){
+		return this.on( o, f );
+	};
+});
+
+jQuery.each( [ "get", "post" ], function( i, method ) {
+	jQuery[ method ] = function( url, data, callback, type ) {
+		// shift arguments if data argument was omitted
+		if ( jQuery.isFunction( data ) ) {
+			type = type || callback;
+			callback = data;
+			data = undefined;
+		}
+
+		return jQuery.ajax({
+			type: method,
+			url: url,
+			data: data,
+			success: callback,
+			dataType: type
+		});
+	};
+});
+
+jQuery.extend({
+
+	getScript: function( url, callback ) {
+		return jQuery.get( url, undefined, callback, "script" );
+	},
+
+	getJSON: function( url, data, callback ) {
+		return jQuery.get( url, data, callback, "json" );
+	},
+
+	// Creates a full fledged settings object into target
+	// with both ajaxSettings and settings fields.
+	// If target is omitted, writes into ajaxSettings.
+	ajaxSetup: function( target, settings ) {
+		if ( settings ) {
+			// Building a settings object
+			ajaxExtend( target, jQuery.ajaxSettings );
+		} else {
+			// Extending ajaxSettings
+			settings = target;
+			target = jQuery.ajaxSettings;
+		}
+		ajaxExtend( target, settings );
+		return target;
+	},
+
+	ajaxSettings: {
+		url: ajaxLocation,
+		isLocal: rlocalProtocol.test( ajaxLocParts[ 1 ] ),
+		global: true,
+		type: "GET",
+		contentType: "application/x-www-form-urlencoded; charset=UTF-8",
+		processData: true,
+		async: true,
+		/*
+		timeout: 0,
+		data: null,
+		dataType: null,
+		username: null,
+		password: null,
+		cache: null,
+		traditional: false,
+		headers: {},
+		*/
+
+		accepts: {
+			xml: "application/xml, text/xml",
+			html: "text/html",
+			text: "text/plain",
+			json: "application/json, text/javascript",
+			"*": allTypes
+		},
+
+		contents: {
+			xml: /xml/,
+			html: /html/,
+			json: /json/
+		},
+
+		responseFields: {
+			xml: "responseXML",
+			text: "responseText"
+		},
+
+		// List of data converters
+		// 1) key format is "source_type destination_type" (a single space in-between)
+		// 2) the catchall symbol "*" can be used for source_type
+		converters: {
+
+			// Convert anything to text
+			"* text": window.String,
+
+			// Text to html (true = no transformation)
+			"text html": true,
+
+			// Evaluate text as a json expression
+			"text json": jQuery.parseJSON,
+
+			// Parse text as xml
+			"text xml": jQuery.parseXML
+		},
+
+		// For options that shouldn't be deep extended:
+		// you can add your own custom options here if
+		// and when you create one that shouldn't be
+		// deep extended (see ajaxExtend)
+		flatOptions: {
+			context: true,
+			url: true
+		}
+	},
+
+	ajaxPrefilter: addToPrefiltersOrTransports( prefilters ),
+	ajaxTransport: addToPrefiltersOrTransports( transports ),
+
+	// Main method
+	ajax: function( url, options ) {
+
+		// If url is an object, simulate pre-1.5 signature
+		if ( typeof url === "object" ) {
+			options = url;
+			url = undefined;
+		}
+
+		// Force options to be an object
+		options = options || {};
+
+		var // Create the final options object
+			s = jQuery.ajaxSetup( {}, options ),
+			// Callbacks context
+			callbackContext = s.context || s,
+			// Context for global events
+			// It's the callbackContext if one was provided in the options
+			// and if it's a DOM node or a jQuery collection
+			globalEventContext = callbackContext !== s &&
+				( callbackContext.nodeType || callbackContext instanceof jQuery ) ?
+						jQuery( callbackContext ) : jQuery.event,
+			// Deferreds
+			deferred = jQuery.Deferred(),
+			completeDeferred = jQuery.Callbacks( "once memory" ),
+			// Status-dependent callbacks
+			statusCode = s.statusCode || {},
+			// ifModified key
+			ifModifiedKey,
+			// Headers (they are sent all at once)
+			requestHeaders = {},
+			requestHeadersNames = {},
+			// Response headers
+			responseHeadersString,
+			responseHeaders,
+			// transport
+			transport,
+			// timeout handle
+			timeoutTimer,
+			// Cross-domain detection vars
+			parts,
+			// The jqXHR state
+			state = 0,
+			// To know if global events are to be dispatched
+			fireGlobals,
+			// Loop variable
+			i,
+			// Fake xhr
+			jqXHR = {
+
+				readyState: 0,
+
+				// Caches the header
+				setRequestHeader: function( name, value ) {
+					if ( !state ) {
+						var lname = name.toLowerCase();
+						name = requestHeadersNames[ lname ] = requestHeadersNames[ lname ] || name;
+						requestHeaders[ name ] = value;
+					}
+					return this;
+				},
+
+				// Raw string
+				getAllResponseHeaders: function() {
+					return state === 2 ? responseHeadersString : null;
+				},
+
+				// Builds headers hashtable if needed
+				getResponseHeader: function( key ) {
+					var match;
+					if ( state === 2 ) {
+						if ( !responseHeaders ) {
+							responseHeaders = {};
+							while( ( match = rheaders.exec( responseHeadersString ) ) ) {
+								responseHeaders[ match[1].toLowerCase() ] = match[ 2 ];
+							}
+						}
+						match = responseHeaders[ key.toLowerCase() ];
+					}
+					return match === undefined ? null : match;
+				},
+
+				// Overrides response content-type header
+				overrideMimeType: function( type ) {
+					if ( !state ) {
+						s.mimeType = type;
+					}
+					return this;
+				},
+
+				// Cancel the request
+				abort: function( statusText ) {
+					statusText = statusText || "abort";
+					if ( transport ) {
+						transport.abort( statusText );
+					}
+					done( 0, statusText );
+					return this;
+				}
+			};
+
+		// Callback for when everything is done
+		// It is defined here because jslint complains if it is declared
+		// at the end of the function (which would be more logical and readable)
+		function done( status, nativeStatusText, responses, headers ) {
+
+			// Called once
+			if ( state === 2 ) {
+				return;
+			}
+
+			// State is "done" now
+			state = 2;
+
+			// Clear timeout if it exists
+			if ( timeoutTimer ) {
+				clearTimeout( timeoutTimer );
+			}
+
+			// Dereference transport for early garbage collection
+			// (no matter how long the jqXHR object will be used)
+			transport = undefined;
+
+			// Cache response headers
+			responseHeadersString = headers || "";
+
+			// Set readyState
+			jqXHR.readyState = status > 0 ? 4 : 0;
+
+			var isSuccess,
+				success,
+				error,
+				statusText = nativeStatusText,
+				response = responses ? ajaxHandleResponses( s, jqXHR, responses ) : undefined,
+				lastModified,
+				etag;
+
+			// If successful, handle type chaining
+			if ( status >= 200 && status < 300 || status === 304 ) {
+
+				// Set the If-Modified-Since and/or If-None-Match header, if in ifModified mode.
+				if ( s.ifModified ) {
+
+					if ( ( lastModified = jqXHR.getResponseHeader( "Last-Modified" ) ) ) {
+						jQuery.lastModified[ ifModifiedKey ] = lastModified;
+					}
+					if ( ( etag = jqXHR.getResponseHeader( "Etag" ) ) ) {
+						jQuery.etag[ ifModifiedKey ] = etag;
+					}
+				}
+
+				// If not modified
+				if ( status === 304 ) {
+
+					statusText = "notmodified";
+					isSuccess = true;
+
+				// If we have data
+				} else {
+
+					try {
+						success = ajaxConvert( s, response );
+						statusText = "success";
+						isSuccess = true;
+					} catch(e) {
+						// We have a parsererror
+						statusText = "parsererror";
+						error = e;
+					}
+				}
+			} else {
+				// We extract error from statusText
+				// then normalize statusText and status for non-aborts
+				error = statusText;
+				if ( !statusText || status ) {
+					statusText = "error";
+					if ( status < 0 ) {
+						status = 0;
+					}
+				}
+			}
+
+			// Set data for the fake xhr object
+			jqXHR.status = status;
+			jqXHR.statusText = "" + ( nativeStatusText || statusText );
+
+			// Success/Error
+			if ( isSuccess ) {
+				deferred.resolveWith( callbackContext, [ success, statusText, jqXHR ] );
+			} else {
+				deferred.rejectWith( callbackContext, [ jqXHR, statusText, error ] );
+			}
+
+			// Status-dependent callbacks
+			jqXHR.statusCode( statusCode );
+			statusCode = undefined;
+
+			if ( fireGlobals ) {
+				globalEventContext.trigger( "ajax" + ( isSuccess ? "Success" : "Error" ),
+						[ jqXHR, s, isSuccess ? success : error ] );
+			}
+
+			// Complete
+			completeDeferred.fireWith( callbackContext, [ jqXHR, statusText ] );
+
+			if ( fireGlobals ) {
+				globalEventContext.trigger( "ajaxComplete", [ jqXHR, s ] );
+				// Handle the global AJAX counter
+				if ( !( --jQuery.active ) ) {
+					jQuery.event.trigger( "ajaxStop" );
+				}
+			}
+		}
+
+		// Attach deferreds
+		deferred.promise( jqXHR );
+		jqXHR.success = jqXHR.done;
+		jqXHR.error = jqXHR.fail;
+		jqXHR.complete = completeDeferred.add;
+
+		// Status-dependent callbacks
+		jqXHR.statusCode = function( map ) {
+			if ( map ) {
+				var tmp;
+				if ( state < 2 ) {
+					for ( tmp in map ) {
+						statusCode[ tmp ] = [ statusCode[tmp], map[tmp] ];
+					}
+				} else {
+					tmp = map[ jqXHR.status ];
+					jqXHR.then( tmp, tmp );
+				}
+			}
+			return this;
+		};
+
+		// Remove hash character (#7531: and string promotion)
+		// Add protocol if not provided (#5866: IE7 issue with protocol-less urls)
+		// We also use the url parameter if available
+		s.url = ( ( url || s.url ) + "" ).replace( rhash, "" ).replace( rprotocol, ajaxLocParts[ 1 ] + "//" );
+
+		// Extract dataTypes list
+		s.dataTypes = jQuery.trim( s.dataType || "*" ).toLowerCase().split( rspacesAjax );
+
+		// Determine if a cross-domain request is in order
+		if ( s.crossDomain == null ) {
+			parts = rurl.exec( s.url.toLowerCase() );
+			s.crossDomain = !!( parts &&
+				( parts[ 1 ] != ajaxLocParts[ 1 ] || parts[ 2 ] != ajaxLocParts[ 2 ] ||
+					( parts[ 3 ] || ( parts[ 1 ] === "http:" ? 80 : 443 ) ) !=
+						( ajaxLocParts[ 3 ] || ( ajaxLocParts[ 1 ] === "http:" ? 80 : 443 ) ) )
+			);
+		}
+
+		// Convert data if not already a string
+		if ( s.data && s.processData && typeof s.data !== "string" ) {
+			s.data = jQuery.param( s.data, s.traditional );
+		}
+
+		// Apply prefilters
+		inspectPrefiltersOrTransports( prefilters, s, options, jqXHR );
+
+		// If request was aborted inside a prefilter, stop there
+		if ( state === 2 ) {
+			return false;
+		}
+
+		// We can fire global events as of now if asked to
+		fireGlobals = s.global;
+
+		// Uppercase the type
+		s.type = s.type.toUpperCase();
+
+		// Determine if request has content
+		s.hasContent = !rnoContent.test( s.type );
+
+		// Watch for a new set of requests
+		if ( fireGlobals && jQuery.active++ === 0 ) {
+			jQuery.event.trigger( "ajaxStart" );
+		}
+
+		// More options handling for requests with no content
+		if ( !s.hasContent ) {
+
+			// If data is available, append data to url
+			if ( s.data ) {
+				s.url += ( rquery.test( s.url ) ? "&" : "?" ) + s.data;
+				// #9682: remove data so that it's not used in an eventual retry
+				delete s.data;
+			}
+
+			// Get ifModifiedKey before adding the anti-cache parameter
+			ifModifiedKey = s.url;
+
+			// Add anti-cache in url if needed
+			if ( s.cache === false ) {
+
+				var ts = jQuery.now(),
+					// try replacing _= if it is there
+					ret = s.url.replace( rts, "$1_=" + ts );
+
+				// if nothing was replaced, add timestamp to the end
+				s.url = ret + ( ( ret === s.url ) ? ( rquery.test( s.url ) ? "&" : "?" ) + "_=" + ts : "" );
+			}
+		}
+
+		// Set the correct header, if data is being sent
+		if ( s.data && s.hasContent && s.contentType !== false || options.contentType ) {
+			jqXHR.setRequestHeader( "Content-Type", s.contentType );
+		}
+
+		// Set the If-Modified-Since and/or If-None-Match header, if in ifModified mode.
+		if ( s.ifModified ) {
+			ifModifiedKey = ifModifiedKey || s.url;
+			if ( jQuery.lastModified[ ifModifiedKey ] ) {
+				jqXHR.setRequestHeader( "If-Modified-Since", jQuery.lastModified[ ifModifiedKey ] );
+			}
+			if ( jQuery.etag[ ifModifiedKey ] ) {
+				jqXHR.setRequestHeader( "If-None-Match", jQuery.etag[ ifModifiedKey ] );
+			}
+		}
+
+		// Set the Accepts header for the server, depending on the dataType
+		jqXHR.setRequestHeader(
+			"Accept",
+			s.dataTypes[ 0 ] && s.accepts[ s.dataTypes[0] ] ?
+				s.accepts[ s.dataTypes[0] ] + ( s.dataTypes[ 0 ] !== "*" ? ", " + allTypes + "; q=0.01" : "" ) :
+				s.accepts[ "*" ]
+		);
+
+		// Check for headers option
+		for ( i in s.headers ) {
+			jqXHR.setRequestHeader( i, s.headers[ i ] );
+		}
+
+		// Allow custom headers/mimetypes and early abort
+		if ( s.beforeSend && ( s.beforeSend.call( callbackContext, jqXHR, s ) === false || state === 2 ) ) {
+				// Abort if not done already
+				jqXHR.abort();
+				return false;
+
+		}
+
+		// Install callbacks on deferreds
+		for ( i in { success: 1, error: 1, complete: 1 } ) {
+			jqXHR[ i ]( s[ i ] );
+		}
+
+		// Get transport
+		transport = inspectPrefiltersOrTransports( transports, s, options, jqXHR );
+
+		// If no transport, we auto-abort
+		if ( !transport ) {
+			done( -1, "No Transport" );
+		} else {
+			jqXHR.readyState = 1;
+			// Send global event
+			if ( fireGlobals ) {
+				globalEventContext.trigger( "ajaxSend", [ jqXHR, s ] );
+			}
+			// Timeout
+			if ( s.async && s.timeout > 0 ) {
+				timeoutTimer = setTimeout( function(){
+					jqXHR.abort( "timeout" );
+				}, s.timeout );
+			}
+
+			try {
+				state = 1;
+				transport.send( requestHeaders, done );
+			} catch (e) {
+				// Propagate exception as error if not done
+				if ( state < 2 ) {
+					done( -1, e );
+				// Simply rethrow otherwise
+				} else {
+					throw e;
+				}
+			}
+		}
+
+		return jqXHR;
+	},
+
+	// Serialize an array of form elements or a set of
+	// key/values into a query string
+	param: function( a, traditional ) {
+		var s = [],
+			add = function( key, value ) {
+				// If value is a function, invoke it and return its value
+				value = jQuery.isFunction( value ) ? value() : value;
+				s[ s.length ] = encodeURIComponent( key ) + "=" + encodeURIComponent( value );
+			};
+
+		// Set traditional to true for jQuery <= 1.3.2 behavior.
+		if ( traditional === undefined ) {
+			traditional = jQuery.ajaxSettings.traditional;
+		}
+
+		// If an array was passed in, assume that it is an array of form elements.
+		if ( jQuery.isArray( a ) || ( a.jquery && !jQuery.isPlainObject( a ) ) ) {
+			// Serialize the form elements
+			jQuery.each( a, function() {
+				add( this.name, this.value );
+			});
+
+		} else {
+			// If traditional, encode the "old" way (the way 1.3.2 or older
+			// did it), otherwise encode params recursively.
+			for ( var prefix in a ) {
+				buildParams( prefix, a[ prefix ], traditional, add );
+			}
+		}
+
+		// Return the resulting serialization
+		return s.join( "&" ).replace( r20, "+" );
+	}
+});
+
+function buildParams( prefix, obj, traditional, add ) {
+	if ( jQuery.isArray( obj ) ) {
+		// Serialize array item.
+		jQuery.each( obj, function( i, v ) {
+			if ( traditional || rbracket.test( prefix ) ) {
+				// Treat each array item as a scalar.
+				add( prefix, v );
+
+			} else {
+				// If array item is non-scalar (array or object), encode its
+				// numeric index to resolve deserialization ambiguity issues.
+				// Note that rack (as of 1.0.0) can't currently deserialize
+				// nested arrays properly, and attempting to do so may cause
+				// a server error. Possible fixes are to modify rack's
+				// deserialization algorithm or to provide an option or flag
+				// to force array serialization to be shallow.
+				buildParams( prefix + "[" + ( typeof v === "object" ? i : "" ) + "]", v, traditional, add );
+			}
+		});
+
+	} else if ( !traditional && jQuery.type( obj ) === "object" ) {
+		// Serialize object item.
+		for ( var name in obj ) {
+			buildParams( prefix + "[" + name + "]", obj[ name ], traditional, add );
+		}
+
+	} else {
+		// Serialize scalar item.
+		add( prefix, obj );
+	}
+}
+
+// This is still on the jQuery object... for now
+// Want to move this to jQuery.ajax some day
+jQuery.extend({
+
+	// Counter for holding the number of active queries
+	active: 0,
+
+	// Last-Modified header cache for next request
+	lastModified: {},
+	etag: {}
+
+});
+
+/* Handles responses to an ajax request:
+ * - sets all responseXXX fields accordingly
+ * - finds the right dataType (mediates between content-type and expected dataType)
+ * - returns the corresponding response
+ */
+function ajaxHandleResponses( s, jqXHR, responses ) {
+
+	var contents = s.contents,
+		dataTypes = s.dataTypes,
+		responseFields = s.responseFields,
+		ct,
+		type,
+		finalDataType,
+		firstDataType;
+
+	// Fill responseXXX fields
+	for ( type in responseFields ) {
+		if ( type in responses ) {
+			jqXHR[ responseFields[type] ] = responses[ type ];
+		}
+	}
+
+	// Remove auto dataType and get content-type in the process
+	while( dataTypes[ 0 ] === "*" ) {
+		dataTypes.shift();
+		if ( ct === undefined ) {
+			ct = s.mimeType || jqXHR.getResponseHeader( "content-type" );
+		}
+	}
+
+	// Check if we're dealing with a known content-type
+	if ( ct ) {
+		for ( type in contents ) {
+			if ( contents[ type ] && contents[ type ].test( ct ) ) {
+				dataTypes.unshift( type );
+				break;
+			}
+		}
+	}
+
+	// Check to see if we have a response for the expected dataType
+	if ( dataTypes[ 0 ] in responses ) {
+		finalDataType = dataTypes[ 0 ];
+	} else {
+		// Try convertible dataTypes
+		for ( type in responses ) {
+			if ( !dataTypes[ 0 ] || s.converters[ type + " " + dataTypes[0] ] ) {
+				finalDataType = type;
+				break;
+			}
+			if ( !firstDataType ) {
+				firstDataType = type;
+			}
+		}
+		// Or just use first one
+		finalDataType = finalDataType || firstDataType;
+	}
+
+	// If we found a dataType
+	// We add the dataType to the list if needed
+	// and return the corresponding response
+	if ( finalDataType ) {
+		if ( finalDataType !== dataTypes[ 0 ] ) {
+			dataTypes.unshift( finalDataType );
+		}
+		return responses[ finalDataType ];
+	}
+}
+
+// Chain conversions given the request and the original response
+function ajaxConvert( s, response ) {
+
+	// Apply the dataFilter if provided
+	if ( s.dataFilter ) {
+		response = s.dataFilter( response, s.dataType );
+	}
+
+	var dataTypes = s.dataTypes,
+		converters = {},
+		i,
+		key,
+		length = dataTypes.length,
+		tmp,
+		// Current and previous dataTypes
+		current = dataTypes[ 0 ],
+		prev,
+		// Conversion expression
+		conversion,
+		// Conversion function
+		conv,
+		// Conversion functions (transitive conversion)
+		conv1,
+		conv2;
+
+	// For each dataType in the chain
+	for ( i = 1; i < length; i++ ) {
+
+		// Create converters map
+		// with lowercased keys
+		if ( i === 1 ) {
+			for ( key in s.converters ) {
+				if ( typeof key === "string" ) {
+					converters[ key.toLowerCase() ] = s.converters[ key ];
+				}
+			}
+		}
+
+		// Get the dataTypes
+		prev = current;
+		current = dataTypes[ i ];
+
+		// If current is auto dataType, update it to prev
+		if ( current === "*" ) {
+			current = prev;
+		// If no auto and dataTypes are actually different
+		} else if ( prev !== "*" && prev !== current ) {
+
+			// Get the converter
+			conversion = prev + " " + current;
+			conv = converters[ conversion ] || converters[ "* " + current ];
+
+			// If there is no direct converter, search transitively
+			if ( !conv ) {
+				conv2 = undefined;
+				for ( conv1 in converters ) {
+					tmp = conv1.split( " " );
+					if ( tmp[ 0 ] === prev || tmp[ 0 ] === "*" ) {
+						conv2 = converters[ tmp[1] + " " + current ];
+						if ( conv2 ) {
+							conv1 = converters[ conv1 ];
+							if ( conv1 === true ) {
+								conv = conv2;
+							} else if ( conv2 === true ) {
+								conv = conv1;
+							}
+							break;
+						}
+					}
+				}
+			}
+			// If we found no converter, dispatch an error
+			if ( !( conv || conv2 ) ) {
+				jQuery.error( "No conversion from " + conversion.replace(" "," to ") );
+			}
+			// If found converter is not an equivalence
+			if ( conv !== true ) {
+				// Convert with 1 or 2 converters accordingly
+				response = conv ? conv( response ) : conv2( conv1(response) );
+			}
+		}
+	}
+	return response;
+}
+
+
+
+
+var jsc = jQuery.now(),
+	jsre = /(\=)\?(&|$)|\?\?/i;
+
+// Default jsonp settings
+jQuery.ajaxSetup({
+	jsonp: "callback",
+	jsonpCallback: function() {
+		return jQuery.expando + "_" + ( jsc++ );
+	}
+});
+
+// Detect, normalize options and install callbacks for jsonp requests
+jQuery.ajaxPrefilter( "json jsonp", function( s, originalSettings, jqXHR ) {
+
+	var inspectData = ( typeof s.data === "string" ) && /^application\/x\-www\-form\-urlencoded/.test( s.contentType );
+
+	if ( s.dataTypes[ 0 ] === "jsonp" ||
+		s.jsonp !== false && ( jsre.test( s.url ) ||
+				inspectData && jsre.test( s.data ) ) ) {
+
+		var responseContainer,
+			jsonpCallback = s.jsonpCallback =
+				jQuery.isFunction( s.jsonpCallback ) ? s.jsonpCallback() : s.jsonpCallback,
+			previous = window[ jsonpCallback ],
+			url = s.url,
+			data = s.data,
+			replace = "$1" + jsonpCallback + "$2";
+
+		if ( s.jsonp !== false ) {
+			url = url.replace( jsre, replace );
+			if ( s.url === url ) {
+				if ( inspectData ) {
+					data = data.replace( jsre, replace );
+				}
+				if ( s.data === data ) {
+					// Add callback manually
+					url += (/\?/.test( url ) ? "&" : "?") + s.jsonp + "=" + jsonpCallback;
+				}
+			}
+		}
+
+		s.url = url;
+		s.data = data;
+
+		// Install callback
+		window[ jsonpCallback ] = function( response ) {
+			responseContainer = [ response ];
+		};
+
+		// Clean-up function
+		jqXHR.always(function() {
+			// Set callback back to previous value
+			window[ jsonpCallback ] = previous;
+			// Call if it was a function and we have a response
+			if ( responseContainer && jQuery.isFunction( previous ) ) {
+				window[ jsonpCallback ]( responseContainer[ 0 ] );
+			}
+		});
+
+		// Use data converter to retrieve json after script execution
+		s.converters["script json"] = function() {
+			if ( !responseContainer ) {
+				jQuery.error( jsonpCallback + " was not called" );
+			}
+			return responseContainer[ 0 ];
+		};
+
+		// force json dataType
+		s.dataTypes[ 0 ] = "json";
+
+		// Delegate to script
+		return "script";
+	}
+});
+
+
+
+
+// Install script dataType
+jQuery.ajaxSetup({
+	accepts: {
+		script: "text/javascript, application/javascript, application/ecmascript, application/x-ecmascript"
+	},
+	contents: {
+		script: /javascript|ecmascript/
+	},
+	converters: {
+		"text script": function( text ) {
+			jQuery.globalEval( text );
+			return text;
+		}
+	}
+});
+
+// Handle cache's special case and global
+jQuery.ajaxPrefilter( "script", function( s ) {
+	if ( s.cache === undefined ) {
+		s.cache = false;
+	}
+	if ( s.crossDomain ) {
+		s.type = "GET";
+		s.global = false;
+	}
+});
+
+// Bind script tag hack transport
+jQuery.ajaxTransport( "script", function(s) {
+
+	// This transport only deals with cross domain requests
+	if ( s.crossDomain ) {
+
+		var script,
+			head = document.head || document.getElementsByTagName( "head" )[0] || document.documentElement;
+
+		return {
+
+			send: function( _, callback ) {
+
+				script = document.createElement( "script" );
+
+				script.async = "async";
+
+				if ( s.scriptCharset ) {
+					script.charset = s.scriptCharset;
+				}
+
+				script.src = s.url;
+
+				// Attach handlers for all browsers
+				script.onload = script.onreadystatechange = function( _, isAbort ) {
+
+					if ( isAbort || !script.readyState || /loaded|complete/.test( script.readyState ) ) {
+
+						// Handle memory leak in IE
+						script.onload = script.onreadystatechange = null;
+
+						// Remove the script
+						if ( head && script.parentNode ) {
+							head.removeChild( script );
+						}
+
+						// Dereference the script
+						script = undefined;
+
+						// Callback if not abort
+						if ( !isAbort ) {
+							callback( 200, "success" );
+						}
+					}
+				};
+				// Use insertBefore instead of appendChild  to circumvent an IE6 bug.
+				// This arises when a base node is used (#2709 and #4378).
+				head.insertBefore( script, head.firstChild );
+			},
+
+			abort: function() {
+				if ( script ) {
+					script.onload( 0, 1 );
+				}
+			}
+		};
+	}
+});
+
+
+
+
+var // #5280: Internet Explorer will keep connections alive if we don't abort on unload
+	xhrOnUnloadAbort = window.ActiveXObject ? function() {
+		// Abort all pending requests
+		for ( var key in xhrCallbacks ) {
+			xhrCallbacks[ key ]( 0, 1 );
+		}
+	} : false,
+	xhrId = 0,
+	xhrCallbacks;
+
+// Functions to create xhrs
+function createStandardXHR() {
+	try {
+		return new window.XMLHttpRequest();
+	} catch( e ) {}
+}
+
+function createActiveXHR() {
+	try {
+		return new window.ActiveXObject( "Microsoft.XMLHTTP" );
+	} catch( e ) {}
+}
+
+// Create the request object
+// (This is still attached to ajaxSettings for backward compatibility)
+jQuery.ajaxSettings.xhr = window.ActiveXObject ?
+	/* Microsoft failed to properly
+	 * implement the XMLHttpRequest in IE7 (can't request local files),
+	 * so we use the ActiveXObject when it is available
+	 * Additionally XMLHttpRequest can be disabled in IE7/IE8 so
+	 * we need a fallback.
+	 */
+	function() {
+		return !this.isLocal && createStandardXHR() || createActiveXHR();
+	} :
+	// For all other browsers, use the standard XMLHttpRequest object
+	createStandardXHR;
+
+// Determine support properties
+(function( xhr ) {
+	jQuery.extend( jQuery.support, {
+		ajax: !!xhr,
+		cors: !!xhr && ( "withCredentials" in xhr )
+	});
+})( jQuery.ajaxSettings.xhr() );
+
+// Create transport if the browser can provide an xhr
+if ( jQuery.support.ajax ) {
+
+	jQuery.ajaxTransport(function( s ) {
+		// Cross domain only allowed if supported through XMLHttpRequest
+		if ( !s.crossDomain || jQuery.support.cors ) {
+
+			var callback;
+
+			return {
+				send: function( headers, complete ) {
+
+					// Get a new xhr
+					var xhr = s.xhr(),
+						handle,
+						i;
+
+					// Open the socket
+					// Passing null username, generates a login popup on Opera (#2865)
+					if ( s.username ) {
+						xhr.open( s.type, s.url, s.async, s.username, s.password );
+					} else {
+						xhr.open( s.type, s.url, s.async );
+					}
+
+					// Apply custom fields if provided
+					if ( s.xhrFields ) {
+						for ( i in s.xhrFields ) {
+							xhr[ i ] = s.xhrFields[ i ];
+						}
+					}
+
+					// Override mime type if needed
+					if ( s.mimeType && xhr.overrideMimeType ) {
+						xhr.overrideMimeType( s.mimeType );
+					}
+
+					// X-Requested-With header
+					// For cross-domain requests, seeing as conditions for a preflight are
+					// akin to a jigsaw puzzle, we simply never set it to be sure.
+					// (it can always be set on a per-request basis or even using ajaxSetup)
+					// For same-domain requests, won't change header if already provided.
+					if ( !s.crossDomain && !headers["X-Requested-With"] ) {
+						headers[ "X-Requested-With" ] = "XMLHttpRequest";
+					}
+
+					// Need an extra try/catch for cross domain requests in Firefox 3
+					try {
+						for ( i in headers ) {
+							xhr.setRequestHeader( i, headers[ i ] );
+						}
+					} catch( _ ) {}
+
+					// Do send the request
+					// This may raise an exception which is actually
+					// handled in jQuery.ajax (so no try/catch here)
+					xhr.send( ( s.hasContent && s.data ) || null );
+
+					// Listener
+					callback = function( _, isAbort ) {
+
+						var status,
+							statusText,
+							responseHeaders,
+							responses,
+							xml;
+
+						// Firefox throws exceptions when accessing properties
+						// of an xhr when a network error occured
+						// http://helpful.knobs-dials.com/index.php/Component_returned_failure_code:_0x80040111_(NS_ERROR_NOT_AVAILABLE)
+						try {
+
+							// Was never called and is aborted or complete
+							if ( callback && ( isAbort || xhr.readyState === 4 ) ) {
+
+								// Only called once
+								callback = undefined;
+
+								// Do not keep as active anymore
+								if ( handle ) {
+									xhr.onreadystatechange = jQuery.noop;
+									if ( xhrOnUnloadAbort ) {
+										delete xhrCallbacks[ handle ];
+									}
+								}
+
+								// If it's an abort
+								if ( isAbort ) {
+									// Abort it manually if needed
+									if ( xhr.readyState !== 4 ) {
+										xhr.abort();
+									}
+								} else {
+									status = xhr.status;
+									responseHeaders = xhr.getAllResponseHeaders();
+									responses = {};
+									xml = xhr.responseXML;
+
+									// Construct response list
+									if ( xml && xml.documentElement /* #4958 */ ) {
+										responses.xml = xml;
+									}
+
+									// When requesting binary data, IE6-9 will throw an exception
+									// on any attempt to access responseText (#11426)
+									try {
+										responses.text = xhr.responseText;
+									} catch( _ ) {
+									}
+
+									// Firefox throws an exception when accessing
+									// statusText for faulty cross-domain requests
+									try {
+										statusText = xhr.statusText;
+									} catch( e ) {
+										// We normalize with Webkit giving an empty statusText
+										statusText = "";
+									}
+
+									// Filter status for non standard behaviors
+
+									// If the request is local and we have data: assume a success
+									// (success with no data won't get notified, that's the best we
+									// can do given current implementations)
+									if ( !status && s.isLocal && !s.crossDomain ) {
+										status = responses.text ? 200 : 404;
+									// IE - #1450: sometimes returns 1223 when it should be 204
+									} else if ( status === 1223 ) {
+										status = 204;
+									}
+								}
+							}
+						} catch( firefoxAccessException ) {
+							if ( !isAbort ) {
+								complete( -1, firefoxAccessException );
+							}
+						}
+
+						// Call complete if needed
+						if ( responses ) {
+							complete( status, statusText, responses, responseHeaders );
+						}
+					};
+
+					// if we're in sync mode or it's in cache
+					// and has been retrieved directly (IE6 & IE7)
+					// we need to manually fire the callback
+					if ( !s.async || xhr.readyState === 4 ) {
+						callback();
+					} else {
+						handle = ++xhrId;
+						if ( xhrOnUnloadAbort ) {
+							// Create the active xhrs callbacks list if needed
+							// and attach the unload handler
+							if ( !xhrCallbacks ) {
+								xhrCallbacks = {};
+								jQuery( window ).unload( xhrOnUnloadAbort );
+							}
+							// Add to list of active xhrs callbacks
+							xhrCallbacks[ handle ] = callback;
+						}
+						xhr.onreadystatechange = callback;
+					}
+				},
+
+				abort: function() {
+					if ( callback ) {
+						callback(0,1);
+					}
+				}
+			};
+		}
+	});
+}
+
+
+
+
+var elemdisplay = {},
+	iframe, iframeDoc,
+	rfxtypes = /^(?:toggle|show|hide)$/,
+	rfxnum = /^([+\-]=)?([\d+.\-]+)([a-z%]*)$/i,
+	timerId,
+	fxAttrs = [
+		// height animations
+		[ "height", "marginTop", "marginBottom", "paddingTop", "paddingBottom" ],
+		// width animations
+		[ "width", "marginLeft", "marginRight", "paddingLeft", "paddingRight" ],
+		// opacity animations
+		[ "opacity" ]
+	],
+	fxNow;
+
+jQuery.fn.extend({
+	show: function( speed, easing, callback ) {
+		var elem, display;
+
+		if ( speed || speed === 0 ) {
+			return this.animate( genFx("show", 3), speed, easing, callback );
+
+		} else {
+			for ( var i = 0, j = this.length; i < j; i++ ) {
+				elem = this[ i ];
+
+				if ( elem.style ) {
+					display = elem.style.display;
+
+					// Reset the inline display of this element to learn if it is
+					// being hidden by cascaded rules or not
+					if ( !jQuery._data(elem, "olddisplay") && display === "none" ) {
+						display = elem.style.display = "";
+					}
+
+					// Set elements which have been overridden with display: none
+					// in a stylesheet to whatever the default browser style is
+					// for such an element
+					if ( (display === "" && jQuery.css(elem, "display") === "none") ||
+						!jQuery.contains( elem.ownerDocument.documentElement, elem ) ) {
+						jQuery._data( elem, "olddisplay", defaultDisplay(elem.nodeName) );
+					}
+				}
+			}
+
+			// Set the display of most of the elements in a second loop
+			// to avoid the constant reflow
+			for ( i = 0; i < j; i++ ) {
+				elem = this[ i ];
+
+				if ( elem.style ) {
+					display = elem.style.display;
+
+					if ( display === "" || display === "none" ) {
+						elem.style.display = jQuery._data( elem, "olddisplay" ) || "";
+					}
+				}
+			}
+
+			return this;
+		}
+	},
+
+	hide: function( speed, easing, callback ) {
+		if ( speed || speed === 0 ) {
+			return this.animate( genFx("hide", 3), speed, easing, callback);
+
+		} else {
+			var elem, display,
+				i = 0,
+				j = this.length;
+
+			for ( ; i < j; i++ ) {
+				elem = this[i];
+				if ( elem.style ) {
+					display = jQuery.css( elem, "display" );
+
+					if ( display !== "none" && !jQuery._data( elem, "olddisplay" ) ) {
+						jQuery._data( elem, "olddisplay", display );
+					}
+				}
+			}
+
+			// Set the display of the elements in a second loop
+			// to avoid the constant reflow
+			for ( i = 0; i < j; i++ ) {
+				if ( this[i].style ) {
+					this[i].style.display = "none";
+				}
+			}
+
+			return this;
+		}
+	},
+
+	// Save the old toggle function
+	_toggle: jQuery.fn.toggle,
+
+	toggle: function( fn, fn2, callback ) {
+		var bool = typeof fn === "boolean";
+
+		if ( jQuery.isFunction(fn) && jQuery.isFunction(fn2) ) {
+			this._toggle.apply( this, arguments );
+
+		} else if ( fn == null || bool ) {
+			this.each(function() {
+				var state = bool ? fn : jQuery(this).is(":hidden");
+				jQuery(this)[ state ? "show" : "hide" ]();
+			});
+
+		} else {
+			this.animate(genFx("toggle", 3), fn, fn2, callback);
+		}
+
+		return this;
+	},
+
+	fadeTo: function( speed, to, easing, callback ) {
+		return this.filter(":hidden").css("opacity", 0).show().end()
+					.animate({opacity: to}, speed, easing, callback);
+	},
+
+	animate: function( prop, speed, easing, callback ) {
+		var optall = jQuery.speed( speed, easing, callback );
+
+		if ( jQuery.isEmptyObject( prop ) ) {
+			return this.each( optall.complete, [ false ] );
+		}
+
+		// Do not change referenced properties as per-property easing will be lost
+		prop = jQuery.extend( {}, prop );
+
+		function doAnimation() {
+			// XXX 'this' does not always have a nodeName when running the
+			// test suite
+
+			if ( optall.queue === false ) {
+				jQuery._mark( this );
+			}
+
+			var opt = jQuery.extend( {}, optall ),
+				isElement = this.nodeType === 1,
+				hidden = isElement && jQuery(this).is(":hidden"),
+				name, val, p, e, hooks, replace,
+				parts, start, end, unit,
+				method;
+
+			// will store per property easing and be used to determine when an animation is complete
+			opt.animatedProperties = {};
+
+			// first pass over propertys to expand / normalize
+			for ( p in prop ) {
+				name = jQuery.camelCase( p );
+				if ( p !== name ) {
+					prop[ name ] = prop[ p ];
+					delete prop[ p ];
+				}
+
+				if ( ( hooks = jQuery.cssHooks[ name ] ) && "expand" in hooks ) {
+					replace = hooks.expand( prop[ name ] );
+					delete prop[ name ];
+
+					// not quite $.extend, this wont overwrite keys already present.
+					// also - reusing 'p' from above because we have the correct "name"
+					for ( p in replace ) {
+						if ( ! ( p in prop ) ) {
+							prop[ p ] = replace[ p ];
+						}
+					}
+				}
+			}
+
+			for ( name in prop ) {
+				val = prop[ name ];
+				// easing resolution: per property > opt.specialEasing > opt.easing > 'swing' (default)
+				if ( jQuery.isArray( val ) ) {
+					opt.animatedProperties[ name ] = val[ 1 ];
+					val = prop[ name ] = val[ 0 ];
+				} else {
+					opt.animatedProperties[ name ] = opt.specialEasing && opt.specialEasing[ name ] || opt.easing || 'swing';
+				}
+
+				if ( val === "hide" && hidden || val === "show" && !hidden ) {
+					return opt.complete.call( this );
+				}
+
+				if ( isElement && ( name === "height" || name === "width" ) ) {
+					// Make sure that nothing sneaks out
+					// Record all 3 overflow attributes because IE does not
+					// change the overflow attribute when overflowX and
+					// overflowY are set to the same value
+					opt.overflow = [ this.style.overflow, this.style.overflowX, this.style.overflowY ];
+
+					// Set display property to inline-block for height/width
+					// animations on inline elements that are having width/height animated
+					if ( jQuery.css( this, "display" ) === "inline" &&
+							jQuery.css( this, "float" ) === "none" ) {
+
+						// inline-level elements accept inline-block;
+						// block-level elements need to be inline with layout
+						if ( !jQuery.support.inlineBlockNeedsLayout || defaultDisplay( this.nodeName ) === "inline" ) {
+							this.style.display = "inline-block";
+
+						} else {
+							this.style.zoom = 1;
+						}
+					}
+				}
+			}
+
+			if ( opt.overflow != null ) {
+				this.style.overflow = "hidden";
+			}
+
+			for ( p in prop ) {
+				e = new jQuery.fx( this, opt, p );
+				val = prop[ p ];
+
+				if ( rfxtypes.test( val ) ) {
+
+					// Tracks whether to show or hide based on private
+					// data attached to the element
+					method = jQuery._data( this, "toggle" + p ) || ( val === "toggle" ? hidden ? "show" : "hide" : 0 );
+					if ( method ) {
+						jQuery._data( this, "toggle" + p, method === "show" ? "hide" : "show" );
+						e[ method ]();
+					} else {
+						e[ val ]();
+					}
+
+				} else {
+					parts = rfxnum.exec( val );
+					start = e.cur();
+
+					if ( parts ) {
+						end = parseFloat( parts[2] );
+						unit = parts[3] || ( jQuery.cssNumber[ p ] ? "" : "px" );
+
+						// We need to compute starting value
+						if ( unit !== "px" ) {
+							jQuery.style( this, p, (end || 1) + unit);
+							start = ( (end || 1) / e.cur() ) * start;
+							jQuery.style( this, p, start + unit);
+						}
+
+						// If a +=/-= token was provided, we're doing a relative animation
+						if ( parts[1] ) {
+							end = ( (parts[ 1 ] === "-=" ? -1 : 1) * end ) + start;
+						}
+
+						e.custom( start, end, unit );
+
+					} else {
+						e.custom( start, val, "" );
+					}
+				}
+			}
+
+			// For JS strict compliance
+			return true;
+		}
+
+		return optall.queue === false ?
+			this.each( doAnimation ) :
+			this.queue( optall.queue, doAnimation );
+	},
+
+	stop: function( type, clearQueue, gotoEnd ) {
+		if ( typeof type !== "string" ) {
+			gotoEnd = clearQueue;
+			clearQueue = type;
+			type = undefined;
+		}
+		if ( clearQueue && type !== false ) {
+			this.queue( type || "fx", [] );
+		}
+
+		return this.each(function() {
+			var index,
+				hadTimers = false,
+				timers = jQuery.timers,
+				data = jQuery._data( this );
+
+			// clear marker counters if we know they won't be
+			if ( !gotoEnd ) {
+				jQuery._unmark( true, this );
+			}
+
+			function stopQueue( elem, data, index ) {
+				var hooks = data[ index ];
+				jQuery.removeData( elem, index, true );
+				hooks.stop( gotoEnd );
+			}
+
+			if ( type == null ) {
+				for ( index in data ) {
+					if ( data[ index ] && data[ index ].stop && index.indexOf(".run") === index.length - 4 ) {
+						stopQueue( this, data, index );
+					}
+				}
+			} else if ( data[ index = type + ".run" ] && data[ index ].stop ){
+				stopQueue( this, data, index );
+			}
+
+			for ( index = timers.length; index--; ) {
+				if ( timers[ index ].elem === this && (type == null || timers[ index ].queue === type) ) {
+					if ( gotoEnd ) {
+
+						// force the next step to be the last
+						timers[ index ]( true );
+					} else {
+						timers[ index ].saveState();
+					}
+					hadTimers = true;
+					timers.splice( index, 1 );
+				}
+			}
+
+			// start the next in the queue if the last step wasn't forced
+			// timers currently will call their complete callbacks, which will dequeue
+			// but only if they were gotoEnd
+			if ( !( gotoEnd && hadTimers ) ) {
+				jQuery.dequeue( this, type );
+			}
+		});
+	}
+
+});
+
+// Animations created synchronously will run synchronously
+function createFxNow() {
+	setTimeout( clearFxNow, 0 );
+	return ( fxNow = jQuery.now() );
+}
+
+function clearFxNow() {
+	fxNow = undefined;
+}
+
+// Generate parameters to create a standard animation
+function genFx( type, num ) {
+	var obj = {};
+
+	jQuery.each( fxAttrs.concat.apply([], fxAttrs.slice( 0, num )), function() {
+		obj[ this ] = type;
+	});
+
+	return obj;
+}
+
+// Generate shortcuts for custom animations
+jQuery.each({
+	slideDown: genFx( "show", 1 ),
+	slideUp: genFx( "hide", 1 ),
+	slideToggle: genFx( "toggle", 1 ),
+	fadeIn: { opacity: "show" },
+	fadeOut: { opacity: "hide" },
+	fadeToggle: { opacity: "toggle" }
+}, function( name, props ) {
+	jQuery.fn[ name ] = function( speed, easing, callback ) {
+		return this.animate( props, speed, easing, callback );
+	};
+});
+
+jQuery.extend({
+	speed: function( speed, easing, fn ) {
+		var opt = speed && typeof speed === "object" ? jQuery.extend( {}, speed ) : {
+			complete: fn || !fn && easing ||
+				jQuery.isFunction( speed ) && speed,
+			duration: speed,
+			easing: fn && easing || easing && !jQuery.isFunction( easing ) && easing
+		};
+
+		opt.duration = jQuery.fx.off ? 0 : typeof opt.duration === "number" ? opt.duration :
+			opt.duration in jQuery.fx.speeds ? jQuery.fx.speeds[ opt.duration ] : jQuery.fx.speeds._default;
+
+		// normalize opt.queue - true/undefined/null -> "fx"
+		if ( opt.queue == null || opt.queue === true ) {
+			opt.queue = "fx";
+		}
+
+		// Queueing
+		opt.old = opt.complete;
+
+		opt.complete = function( noUnmark ) {
+			if ( jQuery.isFunction( opt.old ) ) {
+				opt.old.call( this );
+			}
+
+			if ( opt.queue ) {
+				jQuery.dequeue( this, opt.queue );
+			} else if ( noUnmark !== false ) {
+				jQuery._unmark( this );
+			}
+		};
+
+		return opt;
+	},
+
+	easing: {
+		linear: function( p ) {
+			return p;
+		},
+		swing: function( p ) {
+			return ( -Math.cos( p*Math.PI ) / 2 ) + 0.5;
+		}
+	},
+
+	timers: [],
+
+	fx: function( elem, options, prop ) {
+		this.options = options;
+		this.elem = elem;
+		this.prop = prop;
+
+		options.orig = options.orig || {};
+	}
+
+});
+
+jQuery.fx.prototype = {
+	// Simple function for setting a style value
+	update: function() {
+		if ( this.options.step ) {
+			this.options.step.call( this.elem, this.now, this );
+		}
+
+		( jQuery.fx.step[ this.prop ] || jQuery.fx.step._default )( this );
+	},
+
+	// Get the current size
+	cur: function() {
+		if ( this.elem[ this.prop ] != null && (!this.elem.style || this.elem.style[ this.prop ] == null) ) {
+			return this.elem[ this.prop ];
+		}
+
+		var parsed,
+			r = jQuery.css( this.elem, this.prop );
+		// Empty strings, null, undefined and "auto" are converted to 0,
+		// complex values such as "rotate(1rad)" are returned as is,
+		// simple values such as "10px" are parsed to Float.
+		return isNaN( parsed = parseFloat( r ) ) ? !r || r === "auto" ? 0 : r : parsed;
+	},
+
+	// Start an animation from one number to another
+	custom: function( from, to, unit ) {
+		var self = this,
+			fx = jQuery.fx;
+
+		this.startTime = fxNow || createFxNow();
+		this.end = to;
+		this.now = this.start = from;
+		this.pos = this.state = 0;
+		this.unit = unit || this.unit || ( jQuery.cssNumber[ this.prop ] ? "" : "px" );
+
+		function t( gotoEnd ) {
+			return self.step( gotoEnd );
+		}
+
+		t.queue = this.options.queue;
+		t.elem = this.elem;
+		t.saveState = function() {
+			if ( jQuery._data( self.elem, "fxshow" + self.prop ) === undefined ) {
+				if ( self.options.hide ) {
+					jQuery._data( self.elem, "fxshow" + self.prop, self.start );
+				} else if ( self.options.show ) {
+					jQuery._data( self.elem, "fxshow" + self.prop, self.end );
+				}
+			}
+		};
+
+		if ( t() && jQuery.timers.push(t) && !timerId ) {
+			timerId = setInterval( fx.tick, fx.interval );
+		}
+	},
+
+	// Simple 'show' function
+	show: function() {
+		var dataShow = jQuery._data( this.elem, "fxshow" + this.prop );
+
+		// Remember where we started, so that we can go back to it later
+		this.options.orig[ this.prop ] = dataShow || jQuery.style( this.elem, this.prop );
+		this.options.show = true;
+
+		// Begin the animation
+		// Make sure that we start at a small width/height to avoid any flash of content
+		if ( dataShow !== undefined ) {
+			// This show is picking up where a previous hide or show left off
+			this.custom( this.cur(), dataShow );
+		} else {
+			this.custom( this.prop === "width" || this.prop === "height" ? 1 : 0, this.cur() );
+		}
+
+		// Start by showing the element
+		jQuery( this.elem ).show();
+	},
+
+	// Simple 'hide' function
+	hide: function() {
+		// Remember where we started, so that we can go back to it later
+		this.options.orig[ this.prop ] = jQuery._data( this.elem, "fxshow" + this.prop ) || jQuery.style( this.elem, this.prop );
+		this.options.hide = true;
+
+		// Begin the animation
+		this.custom( this.cur(), 0 );
+	},
+
+	// Each step of an animation
+	step: function( gotoEnd ) {
+		var p, n, complete,
+			t = fxNow || createFxNow(),
+			done = true,
+			elem = this.elem,
+			options = this.options;
+
+		if ( gotoEnd || t >= options.duration + this.startTime ) {
+			this.now = this.end;
+			this.pos = this.state = 1;
+			this.update();
+
+			options.animatedProperties[ this.prop ] = true;
+
+			for ( p in options.animatedProperties ) {
+				if ( options.animatedProperties[ p ] !== true ) {
+					done = false;
+				}
+			}
+
+			if ( done ) {
+				// Reset the overflow
+				if ( options.overflow != null && !jQuery.support.shrinkWrapBlocks ) {
+
+					jQuery.each( [ "", "X", "Y" ], function( index, value ) {
+						elem.style[ "overflow" + value ] = options.overflow[ index ];
+					});
+				}
+
+				// Hide the element if the "hide" operation was done
+				if ( options.hide ) {
+					jQuery( elem ).hide();
+				}
+
+				// Reset the properties, if the item has been hidden or shown
+				if ( options.hide || options.show ) {
+					for ( p in options.animatedProperties ) {
+						jQuery.style( elem, p, options.orig[ p ] );
+						jQuery.removeData( elem, "fxshow" + p, true );
+						// Toggle data is no longer needed
+						jQuery.removeData( elem, "toggle" + p, true );
+					}
+				}
+
+				// Execute the complete function
+				// in the event that the complete function throws an exception
+				// we must ensure it won't be called twice. #5684
+
+				complete = options.complete;
+				if ( complete ) {
+
+					options.complete = false;
+					complete.call( elem );
+				}
+			}
+
+			return false;
+
+		} else {
+			// classical easing cannot be used with an Infinity duration
+			if ( options.duration == Infinity ) {
+				this.now = t;
+			} else {
+				n = t - this.startTime;
+				this.state = n / options.duration;
+
+				// Perform the easing function, defaults to swing
+				this.pos = jQuery.easing[ options.animatedProperties[this.prop] ]( this.state, n, 0, 1, options.duration );
+				this.now = this.start + ( (this.end - this.start) * this.pos );
+			}
+			// Perform the next step of the animation
+			this.update();
+		}
+
+		return true;
+	}
+};
+
+jQuery.extend( jQuery.fx, {
+	tick: function() {
+		var timer,
+			timers = jQuery.timers,
+			i = 0;
+
+		for ( ; i < timers.length; i++ ) {
+			timer = timers[ i ];
+			// Checks the timer has not already been removed
+			if ( !timer() && timers[ i ] === timer ) {
+				timers.splice( i--, 1 );
+			}
+		}
+
+		if ( !timers.length ) {
+			jQuery.fx.stop();
+		}
+	},
+
+	interval: 13,
+
+	stop: function() {
+		clearInterval( timerId );
+		timerId = null;
+	},
+
+	speeds: {
+		slow: 600,
+		fast: 200,
+		// Default speed
+		_default: 400
+	},
+
+	step: {
+		opacity: function( fx ) {
+			jQuery.style( fx.elem, "opacity", fx.now );
+		},
+
+		_default: function( fx ) {
+			if ( fx.elem.style && fx.elem.style[ fx.prop ] != null ) {
+				fx.elem.style[ fx.prop ] = fx.now + fx.unit;
+			} else {
+				fx.elem[ fx.prop ] = fx.now;
+			}
+		}
+	}
+});
+
+// Ensure props that can't be negative don't go there on undershoot easing
+jQuery.each( fxAttrs.concat.apply( [], fxAttrs ), function( i, prop ) {
+	// exclude marginTop, marginLeft, marginBottom and marginRight from this list
+	if ( prop.indexOf( "margin" ) ) {
+		jQuery.fx.step[ prop ] = function( fx ) {
+			jQuery.style( fx.elem, prop, Math.max(0, fx.now) + fx.unit );
+		};
+	}
+});
+
+if ( jQuery.expr && jQuery.expr.filters ) {
+	jQuery.expr.filters.animated = function( elem ) {
+		return jQuery.grep(jQuery.timers, function( fn ) {
+			return elem === fn.elem;
+		}).length;
+	};
+}
+
+// Try to restore the default display value of an element
+function defaultDisplay( nodeName ) {
+
+	if ( !elemdisplay[ nodeName ] ) {
+
+		var body = document.body,
+			elem = jQuery( "<" + nodeName + ">" ).appendTo( body ),
+			display = elem.css( "display" );
+		elem.remove();
+
+		// If the simple way fails,
+		// get element's real default display by attaching it to a temp iframe
+		if ( display === "none" || display === "" ) {
+			// No iframe to use yet, so create it
+			if ( !iframe ) {
+				iframe = document.createElement( "iframe" );
+				iframe.frameBorder = iframe.width = iframe.height = 0;
+			}
+
+			body.appendChild( iframe );
+
+			// Create a cacheable copy of the iframe document on first call.
+			// IE and Opera will allow us to reuse the iframeDoc without re-writing the fake HTML
+			// document to it; WebKit & Firefox won't allow reusing the iframe document.
+			if ( !iframeDoc || !iframe.createElement ) {
+				iframeDoc = ( iframe.contentWindow || iframe.contentDocument ).document;
+				iframeDoc.write( ( jQuery.support.boxModel ? "<!doctype html>" : "" ) + "<html><body>" );
+				iframeDoc.close();
+			}
+
+			elem = iframeDoc.createElement( nodeName );
+
+			iframeDoc.body.appendChild( elem );
+
+			display = jQuery.css( elem, "display" );
+			body.removeChild( iframe );
+		}
+
+		// Store the correct default display
+		elemdisplay[ nodeName ] = display;
+	}
+
+	return elemdisplay[ nodeName ];
+}
+
+
+
+
+var getOffset,
+	rtable = /^t(?:able|d|h)$/i,
+	rroot = /^(?:body|html)$/i;
+
+if ( "getBoundingClientRect" in document.documentElement ) {
+	getOffset = function( elem, doc, docElem, box ) {
+		try {
+			box = elem.getBoundingClientRect();
+		} catch(e) {}
+
+		// Make sure we're not dealing with a disconnected DOM node
+		if ( !box || !jQuery.contains( docElem, elem ) ) {
+			return box ? { top: box.top, left: box.left } : { top: 0, left: 0 };
+		}
+
+		var body = doc.body,
+			win = getWindow( doc ),
+			clientTop  = docElem.clientTop  || body.clientTop  || 0,
+			clientLeft = docElem.clientLeft || body.clientLeft || 0,
+			scrollTop  = win.pageYOffset || jQuery.support.boxModel && docElem.scrollTop  || body.scrollTop,
+			scrollLeft = win.pageXOffset || jQuery.support.boxModel && docElem.scrollLeft || body.scrollLeft,
+			top  = box.top  + scrollTop  - clientTop,
+			left = box.left + scrollLeft - clientLeft;
+
+		return { top: top, left: left };
+	};
+
+} else {
+	getOffset = function( elem, doc, docElem ) {
+		var computedStyle,
+			offsetParent = elem.offsetParent,
+			prevOffsetParent = elem,
+			body = doc.body,
+			defaultView = doc.defaultView,
+			prevComputedStyle = defaultView ? defaultView.getComputedStyle( elem, null ) : elem.currentStyle,
+			top = elem.offsetTop,
+			left = elem.offsetLeft;
+
+		while ( (elem = elem.parentNode) && elem !== body && elem !== docElem ) {
+			if ( jQuery.support.fixedPosition && prevComputedStyle.position === "fixed" ) {
+				break;
+			}
+
+			computedStyle = defaultView ? defaultView.getComputedStyle(elem, null) : elem.currentStyle;
+			top  -= elem.scrollTop;
+			left -= elem.scrollLeft;
+
+			if ( elem === offsetParent ) {
+				top  += elem.offsetTop;
+				left += elem.offsetLeft;
+
+				if ( jQuery.support.doesNotAddBorder && !(jQuery.support.doesAddBorderForTableAndCells && rtable.test(elem.nodeName)) ) {
+					top  += parseFloat( computedStyle.borderTopWidth  ) || 0;
+					left += parseFloat( computedStyle.borderLeftWidth ) || 0;
+				}
+
+				prevOffsetParent = offsetParent;
+				offsetParent = elem.offsetParent;
+			}
+
+			if ( jQuery.support.subtractsBorderForOverflowNotVisible && computedStyle.overflow !== "visible" ) {
+				top  += parseFloat( computedStyle.borderTopWidth  ) || 0;
+				left += parseFloat( computedStyle.borderLeftWidth ) || 0;
+			}
+
+			prevComputedStyle = computedStyle;
+		}
+
+		if ( prevComputedStyle.position === "relative" || prevComputedStyle.position === "static" ) {
+			top  += body.offsetTop;
+			left += body.offsetLeft;
+		}
+
+		if ( jQuery.support.fixedPosition && prevComputedStyle.position === "fixed" ) {
+			top  += Math.max( docElem.scrollTop, body.scrollTop );
+			left += Math.max( docElem.scrollLeft, body.scrollLeft );
+		}
+
+		return { top: top, left: left };
+	};
+}
+
+jQuery.fn.offset = function( options ) {
+	if ( arguments.length ) {
+		return options === undefined ?
+			this :
+			this.each(function( i ) {
+				jQuery.offset.setOffset( this, options, i );
+			});
+	}
+
+	var elem = this[0],
+		doc = elem && elem.ownerDocument;
+
+	if ( !doc ) {
+		return null;
+	}
+
+	if ( elem === doc.body ) {
+		return jQuery.offset.bodyOffset( elem );
+	}
+
+	return getOffset( elem, doc, doc.documentElement );
+};
+
+jQuery.offset = {
+
+	bodyOffset: function( body ) {
+		var top = body.offsetTop,
+			left = body.offsetLeft;
+
+		if ( jQuery.support.doesNotIncludeMarginInBodyOffset ) {
+			top  += parseFloat( jQuery.css(body, "marginTop") ) || 0;
+			left += parseFloat( jQuery.css(body, "marginLeft") ) || 0;
+		}
+
+		return { top: top, left: left };
+	},
+
+	setOffset: function( elem, options, i ) {
+		var position = jQuery.css( elem, "position" );
+
+		// set position first, in-case top/left are set even on static elem
+		if ( position === "static" ) {
+			elem.style.position = "relative";
+		}
+
+		var curElem = jQuery( elem ),
+			curOffset = curElem.offset(),
+			curCSSTop = jQuery.css( elem, "top" ),
+			curCSSLeft = jQuery.css( elem, "left" ),
+			calculatePosition = ( position === "absolute" || position === "fixed" ) && jQuery.inArray("auto", [curCSSTop, curCSSLeft]) > -1,
+			props = {}, curPosition = {}, curTop, curLeft;
+
+		// need to be able to calculate position if either top or left is auto and position is either absolute or fixed
+		if ( calculatePosition ) {
+			curPosition = curElem.position();
+			curTop = curPosition.top;
+			curLeft = curPosition.left;
+		} else {
+			curTop = parseFloat( curCSSTop ) || 0;
+			curLeft = parseFloat( curCSSLeft ) || 0;
+		}
+
+		if ( jQuery.isFunction( options ) ) {
+			options = options.call( elem, i, curOffset );
+		}
+
+		if ( options.top != null ) {
+			props.top = ( options.top - curOffset.top ) + curTop;
+		}
+		if ( options.left != null ) {
+			props.left = ( options.left - curOffset.left ) + curLeft;
+		}
+
+		if ( "using" in options ) {
+			options.using.call( elem, props );
+		} else {
+			curElem.css( props );
+		}
+	}
+};
+
+
+jQuery.fn.extend({
+
+	position: function() {
+		if ( !this[0] ) {
+			return null;
+		}
+
+		var elem = this[0],
+
+		// Get *real* offsetParent
+		offsetParent = this.offsetParent(),
+
+		// Get correct offsets
+		offset       = this.offset(),
+		parentOffset = rroot.test(offsetParent[0].nodeName) ? { top: 0, left: 0 } : offsetParent.offset();
+
+		// Subtract element margins
+		// note: when an element has margin: auto the offsetLeft and marginLeft
+		// are the same in Safari causing offset.left to incorrectly be 0
+		offset.top  -= parseFloat( jQuery.css(elem, "marginTop") ) || 0;
+		offset.left -= parseFloat( jQuery.css(elem, "marginLeft") ) || 0;
+
+		// Add offsetParent borders
+		parentOffset.top  += parseFloat( jQuery.css(offsetParent[0], "borderTopWidth") ) || 0;
+		parentOffset.left += parseFloat( jQuery.css(offsetParent[0], "borderLeftWidth") ) || 0;
+
+		// Subtract the two offsets
+		return {
+			top:  offset.top  - parentOffset.top,
+			left: offset.left - parentOffset.left
+		};
+	},
+
+	offsetParent: function() {
+		return this.map(function() {
+			var offsetParent = this.offsetParent || document.body;
+			while ( offsetParent && (!rroot.test(offsetParent.nodeName) && jQuery.css(offsetParent, "position") === "static") ) {
+				offsetParent = offsetParent.offsetParent;
+			}
+			return offsetParent;
+		});
+	}
+});
+
+
+// Create scrollLeft and scrollTop methods
+jQuery.each( {scrollLeft: "pageXOffset", scrollTop: "pageYOffset"}, function( method, prop ) {
+	var top = /Y/.test( prop );
+
+	jQuery.fn[ method ] = function( val ) {
+		return jQuery.access( this, function( elem, method, val ) {
+			var win = getWindow( elem );
+
+			if ( val === undefined ) {
+				return win ? (prop in win) ? win[ prop ] :
+					jQuery.support.boxModel && win.document.documentElement[ method ] ||
+						win.document.body[ method ] :
+					elem[ method ];
+			}
+
+			if ( win ) {
+				win.scrollTo(
+					!top ? val : jQuery( win ).scrollLeft(),
+					 top ? val : jQuery( win ).scrollTop()
+				);
+
+			} else {
+				elem[ method ] = val;
+			}
+		}, method, val, arguments.length, null );
+	};
+});
+
+function getWindow( elem ) {
+	return jQuery.isWindow( elem ) ?
+		elem :
+		elem.nodeType === 9 ?
+			elem.defaultView || elem.parentWindow :
+			false;
+}
+
+
+
+
+// Create width, height, innerHeight, innerWidth, outerHeight and outerWidth methods
+jQuery.each( { Height: "height", Width: "width" }, function( name, type ) {
+	var clientProp = "client" + name,
+		scrollProp = "scroll" + name,
+		offsetProp = "offset" + name;
+
+	// innerHeight and innerWidth
+	jQuery.fn[ "inner" + name ] = function() {
+		var elem = this[0];
+		return elem ?
+			elem.style ?
+			parseFloat( jQuery.css( elem, type, "padding" ) ) :
+			this[ type ]() :
+			null;
+	};
+
+	// outerHeight and outerWidth
+	jQuery.fn[ "outer" + name ] = function( margin ) {
+		var elem = this[0];
+		return elem ?
+			elem.style ?
+			parseFloat( jQuery.css( elem, type, margin ? "margin" : "border" ) ) :
+			this[ type ]() :
+			null;
+	};
+
+	jQuery.fn[ type ] = function( value ) {
+		return jQuery.access( this, function( elem, type, value ) {
+			var doc, docElemProp, orig, ret;
+
+			if ( jQuery.isWindow( elem ) ) {
+				// 3rd condition allows Nokia support, as it supports the docElem prop but not CSS1Compat
+				doc = elem.document;
+				docElemProp = doc.documentElement[ clientProp ];
+				return jQuery.support.boxModel && docElemProp ||
+					doc.body && doc.body[ clientProp ] || docElemProp;
+			}
+
+			// Get document width or height
+			if ( elem.nodeType === 9 ) {
+				// Either scroll[Width/Height] or offset[Width/Height], whichever is greater
+				doc = elem.documentElement;
+
+				// when a window > document, IE6 reports a offset[Width/Height] > client[Width/Height]
+				// so we can't use max, as it'll choose the incorrect offset[Width/Height]
+				// instead we use the correct client[Width/Height]
+				// support:IE6
+				if ( doc[ clientProp ] >= doc[ scrollProp ] ) {
+					return doc[ clientProp ];
+				}
+
+				return Math.max(
+					elem.body[ scrollProp ], doc[ scrollProp ],
+					elem.body[ offsetProp ], doc[ offsetProp ]
+				);
+			}
+
+			// Get width or height on the element
+			if ( value === undefined ) {
+				orig = jQuery.css( elem, type );
+				ret = parseFloat( orig );
+				return jQuery.isNumeric( ret ) ? ret : orig;
+			}
+
+			// Set the width or height on the element
+			jQuery( elem ).css( type, value );
+		}, type, value, arguments.length, null );
+	};
+});
+
+
+
+
+// Expose jQuery to the global object
+window.jQuery = window.$ = jQuery;
+
+// Expose jQuery as an AMD module, but only for AMD loaders that
+// understand the issues with loading multiple versions of jQuery
+// in a page that all might call define(). The loader will indicate
+// they have special allowances for multiple jQuery versions by
+// specifying define.amd.jQuery = true. Register as a named module,
+// since jQuery can be concatenated with other files that may use define,
+// but not use a proper concatenation script that understands anonymous
+// AMD modules. A named AMD is safest and most robust way to register.
+// Lowercase jquery is used because AMD module names are derived from
+// file names, and jQuery is normally delivered in a lowercase file name.
+// Do this after creating the global so that if an AMD module wants to call
+// noConflict to hide this version of jQuery, it will work.
+if ( typeof define === "function" && define.amd && define.amd.jQuery ) {
+	define( "jquery", [], function () { return jQuery; } );
+}
+
+
+
+})( window );

Added: www-releases/trunk/3.9.0/docs/_static/lines.gif
URL: http://llvm.org/viewvc/llvm-project/www-releases/trunk/3.9.0/docs/_static/lines.gif?rev=280493&view=auto
==============================================================================
Binary file - no diff available.

Propchange: www-releases/trunk/3.9.0/docs/_static/lines.gif
------------------------------------------------------------------------------
    svn:mime-type = application/octet-stream

Added: www-releases/trunk/3.9.0/docs/_static/llvm-theme.css
URL: http://llvm.org/viewvc/llvm-project/www-releases/trunk/3.9.0/docs/_static/llvm-theme.css?rev=280493&view=auto
==============================================================================
--- www-releases/trunk/3.9.0/docs/_static/llvm-theme.css (added)
+++ www-releases/trunk/3.9.0/docs/_static/llvm-theme.css Fri Sep  2 10:56:46 2016
@@ -0,0 +1,371 @@
+/*
+ * sphinxdoc.css_t
+ * ~~~~~~~~~~~~~~~
+ *
+ * Sphinx stylesheet -- sphinxdoc theme.  Originally created by
+ * Armin Ronacher for Werkzeug.
+ *
+ * :copyright: Copyright 2007-2010 by the Sphinx team, see AUTHORS.
+ * :license: BSD, see LICENSE for details.
+ *
+ */
+
+ at import url("basic.css");
+
+/* -- page layout ----------------------------------------------------------- */
+
+body {
+    font-family: 'Lucida Grande', 'Lucida Sans Unicode', 'Geneva',
+                 'Verdana', sans-serif;
+    font-size: 14px;
+    line-height: 150%;
+    text-align: center;
+    background-color: #BFD1D4;
+    color: black;
+    padding: 0;
+    border: 1px solid #aaa;
+
+    margin: 0px 80px 0px 80px;
+    min-width: 740px;
+}
+
+div.logo {
+    background-color: white;
+    text-align: left;
+    padding: 10px 10px 15px 15px;
+}
+
+div.document {
+    background-color: white;
+    text-align: left;
+    background-image: url(contents.png);
+    background-repeat: repeat-x;
+}
+
+div.bodywrapper {
+    margin: 0 240px 0 0;
+    border-right: 1px solid #ccc;
+}
+
+div.body {
+    margin: 0;
+    padding: 0.5em 20px 20px 20px;
+}
+
+div.related {
+    font-size: 1em;
+}
+
+div.related ul {
+    background-image: url(navigation.png);
+    height: 2em;
+    border-top: 1px solid #ddd;
+    border-bottom: 1px solid #ddd;
+}
+
+div.related ul li {
+    margin: 0;
+    padding: 0;
+    height: 2em;
+    float: left;
+}
+
+div.related ul li.right {
+    float: right;
+    margin-right: 5px;
+}
+
+div.related ul li a {
+    margin: 0;
+    padding: 0 5px 0 5px;
+    line-height: 1.75em;
+    color: #EE9816;
+}
+
+div.related ul li a:hover {
+    color: #3CA8E7;
+}
+
+div.sphinxsidebarwrapper {
+    padding: 0;
+}
+
+div.sphinxsidebar {
+    margin: 0;
+    padding: 0.5em 15px 15px 0;
+    width: 210px;
+    float: right;
+    font-size: 1em;
+    text-align: left;
+}
+
+div.sphinxsidebar h3, div.sphinxsidebar h4 {
+    margin: 1em 0 0.5em 0;
+    font-size: 1em;
+    padding: 0.1em 0 0.1em 0.5em;
+    color: white;
+    border: 1px solid #86989B;
+    background-color: #AFC1C4;
+}
+
+div.sphinxsidebar h3 a {
+    color: white;
+}
+
+div.sphinxsidebar ul {
+    padding-left: 1.5em;
+    margin-top: 7px;
+    padding: 0;
+    line-height: 130%;
+}
+
+div.sphinxsidebar ul ul {
+    margin-left: 20px;
+}
+
+div.footer {
+    background-color: #E3EFF1;
+    color: #86989B;
+    padding: 3px 8px 3px 0;
+    clear: both;
+    font-size: 0.8em;
+    text-align: right;
+}
+
+div.footer a {
+    color: #86989B;
+    text-decoration: underline;
+}
+
+/* -- body styles ----------------------------------------------------------- */
+
+p {
+    margin: 0.8em 0 0.5em 0;
+}
+
+a {
+    color: #CA7900;
+    text-decoration: none;
+}
+
+a:hover {
+    color: #2491CF;
+}
+
+div.body p a{
+    text-decoration: underline;
+}
+
+h1 {
+    margin: 0;
+    padding: 0.7em 0 0.3em 0;
+    font-size: 1.5em;
+    color: #11557C;
+}
+
+h2 {
+    margin: 1.3em 0 0.2em 0;
+    font-size: 1.35em;
+    padding: 0;
+}
+
+h3 {
+    margin: 1em 0 -0.3em 0;
+    font-size: 1.2em;
+}
+
+h3 a:hover {
+    text-decoration: underline;
+}
+
+div.body h1 a, div.body h2 a, div.body h3 a, div.body h4 a, div.body h5 a, div.body h6 a {
+    color: black!important;
+}
+
+div.body h1,
+div.body h2,
+div.body h3,
+div.body h4,
+div.body h5,
+div.body h6 {
+    background-color: #f2f2f2;
+    font-weight: normal;
+    color: #20435c;
+    border-bottom: 1px solid #ccc;
+    margin: 20px -20px 10px -20px;
+    padding: 3px 0 3px 10px;
+}
+
+div.body h1 { margin-top: 0; font-size: 200%; }
+div.body h2 { font-size: 160%; }
+div.body h3 { font-size: 140%; }
+div.body h4 { font-size: 120%; }
+div.body h5 { font-size: 110%; }
+div.body h6 { font-size: 100%; }
+
+h1 a.anchor, h2 a.anchor, h3 a.anchor, h4 a.anchor, h5 a.anchor, h6 a.anchor {
+    display: none;
+    margin: 0 0 0 0.3em;
+    padding: 0 0.2em 0 0.2em;
+    color: #aaa!important;
+}
+
+h1:hover a.anchor, h2:hover a.anchor, h3:hover a.anchor, h4:hover a.anchor,
+h5:hover a.anchor, h6:hover a.anchor {
+    display: inline;
+}
+
+h1 a.anchor:hover, h2 a.anchor:hover, h3 a.anchor:hover, h4 a.anchor:hover,
+h5 a.anchor:hover, h6 a.anchor:hover {
+    color: #777;
+    background-color: #eee;
+}
+
+a.headerlink {
+    color: #c60f0f!important;
+    font-size: 1em;
+    margin-left: 6px;
+    padding: 0 4px 0 4px;
+    text-decoration: none!important;
+}
+
+a.headerlink:hover {
+    background-color: #ccc;
+    color: white!important;
+}
+
+cite, code, tt {
+    font-family: 'Consolas', 'Deja Vu Sans Mono',
+                 'Bitstream Vera Sans Mono', monospace;
+    font-size: 0.95em;
+}
+
+:not(a.reference) > tt {
+    background-color: #f2f2f2;
+    border-bottom: 1px solid #ddd;
+    color: #333;
+}
+
+tt.descname, tt.descclassname, tt.xref {
+    border: 0;
+}
+
+hr {
+    border: 1px solid #abc;
+    margin: 2em;
+}
+
+p a tt {
+    border: 0;
+    color: #CA7900;
+}
+
+p a tt:hover {
+    color: #2491CF;
+}
+
+a tt {
+    border: none;
+}
+
+pre {
+    font-family: 'Consolas', 'Deja Vu Sans Mono',
+                 'Bitstream Vera Sans Mono', monospace;
+    font-size: 0.95em;
+    line-height: 120%;
+    padding: 0.5em;
+    border: 1px solid #ccc;
+    background-color: #f8f8f8;
+}
+
+pre a {
+    color: inherit;
+    text-decoration: underline;
+}
+
+td.linenos pre {
+    padding: 0.5em 0;
+}
+
+div.quotebar {
+    background-color: #f8f8f8;
+    max-width: 250px;
+    float: right;
+    padding: 2px 7px;
+    border: 1px solid #ccc;
+}
+
+div.topic {
+    background-color: #f8f8f8;
+}
+
+table {
+    border-collapse: collapse;
+    margin: 0 -0.5em 0 -0.5em;
+}
+
+table td, table th {
+    padding: 0.2em 0.5em 0.2em 0.5em;
+}
+
+div.admonition, div.warning {
+    font-size: 0.9em;
+    margin: 1em 0 1em 0;
+    border: 1px solid #86989B;
+    background-color: #f7f7f7;
+    padding: 0;
+}
+
+div.admonition p, div.warning p {
+    margin: 0.5em 1em 0.5em 1em;
+    padding: 0;
+}
+
+div.admonition pre, div.warning pre {
+    margin: 0.4em 1em 0.4em 1em;
+}
+
+div.admonition p.admonition-title,
+div.warning p.admonition-title {
+    margin: 0;
+    padding: 0.1em 0 0.1em 0.5em;
+    color: white;
+    border-bottom: 1px solid #86989B;
+    font-weight: bold;
+    background-color: #AFC1C4;
+}
+
+div.warning {
+    border: 1px solid #940000;
+}
+
+div.warning p.admonition-title {
+    background-color: #CF0000;
+    border-bottom-color: #940000;
+}
+
+div.admonition ul, div.admonition ol,
+div.warning ul, div.warning ol {
+    margin: 0.1em 0.5em 0.5em 3em;
+    padding: 0;
+}
+
+div.versioninfo {
+    margin: 1em 0 0 0;
+    border: 1px solid #ccc;
+    background-color: #DDEAF0;
+    padding: 8px;
+    line-height: 1.3em;
+    font-size: 0.9em;
+}
+
+.viewcode-back {
+    font-family: 'Lucida Grande', 'Lucida Sans Unicode', 'Geneva',
+                 'Verdana', sans-serif;
+}
+
+div.viewcode-block:target {
+    background-color: #f4debf;
+    border-top: 1px solid #ac9;
+    border-bottom: 1px solid #ac9;
+}

Added: www-releases/trunk/3.9.0/docs/_static/llvm.css
URL: http://llvm.org/viewvc/llvm-project/www-releases/trunk/3.9.0/docs/_static/llvm.css?rev=280493&view=auto
==============================================================================
--- www-releases/trunk/3.9.0/docs/_static/llvm.css (added)
+++ www-releases/trunk/3.9.0/docs/_static/llvm.css Fri Sep  2 10:56:46 2016
@@ -0,0 +1,112 @@
+/*
+ * LLVM documentation style sheet
+ */
+
+/* Common styles */
+.body { color: black; background: white; margin: 0 0 0 0 }
+
+/* No borders on image links */
+a:link img, a:visited img { border-style: none }
+
+address img { float: right; width: 88px; height: 31px; }
+address     { clear: right; }
+
+table       { text-align: center; border: 2px solid black;
+              border-collapse: collapse; margin-top: 1em; margin-left: 1em;
+              margin-right: 1em; margin-bottom: 1em; }
+tr, td      { border: 2px solid gray; padding: 4pt 4pt 2pt 2pt; }
+th          { border: 2px solid gray; font-weight: bold; font-size: 105%;
+              background: url("lines.gif");
+              font-family: "Georgia,Palatino,Times,Roman,SanSerif";
+              text-align: center; vertical-align: middle; }
+/*
+ * Documentation
+ */
+/* Common for title and header */
+.doc_title, .doc_section, .doc_subsection, h1, h2, h3 {
+  color: black; background: url("lines.gif");
+  font-family: "Georgia,Palatino,Times,Roman,SanSerif"; font-weight: bold;
+  border-width: 1px;
+  border-style: solid none solid none;
+  text-align: center;
+  vertical-align: middle;
+  padding-left: 8pt;
+  padding-top: 1px;
+  padding-bottom: 2px
+}
+
+h1, .doc_title, .title { text-align: left;   font-size: 25pt }
+
+h2, .doc_section   { text-align: center; font-size: 22pt;
+                     margin: 20pt 0pt 5pt 0pt; }
+
+h3, .doc_subsection { width: 75%;
+                      text-align: left;  font-size: 12pt;
+                      padding: 4pt 4pt 4pt 4pt;
+                      margin: 1.5em 0.5em 0.5em 0.5em }
+
+h4, .doc_subsubsection { margin: 2.0em 0.5em 0.5em 0.5em;
+                         font-weight: bold; font-style: oblique;
+                         border-bottom: 1px solid #999999; font-size: 12pt;
+                         width: 75%; }
+
+.doc_author     { text-align: left; font-weight: bold; padding-left: 20pt }
+.doc_text       { text-align: left; padding-left: 20pt; padding-right: 10pt }
+
+.doc_footer     { text-align: left; padding: 0 0 0 0 }
+
+.doc_hilite     { color: blue; font-weight: bold; }
+
+.doc_table      { text-align: center; width: 90%;
+                  padding: 1px 1px 1px 1px; border: 1px; }
+
+.doc_warning    { color: red; font-weight: bold }
+
+/* <div class="doc_code"> would use this class, and <div> adds more padding */
+.doc_code, .literal-block
+                { border: solid 1px gray; background: #eeeeee;
+                  margin: 0 1em 0 1em;
+                  padding: 0 1em 0 1em;
+                  display: table;
+                }
+
+blockquote pre {
+        padding: 1em 2em 1em 1em;
+        border: solid 1px gray;
+        background: #eeeeee;
+        margin: 0 1em 0 1em;
+        display: table;
+}
+
+h2+div, h2+p {text-align: left; padding-left: 20pt; padding-right: 10pt;}
+h3+div, h3+p {text-align: left; padding-left: 20pt; padding-right: 10pt;}
+h4+div, h4+p {text-align: left; padding-left: 20pt; padding-right: 10pt;}
+
+/* It is preferrable to use <pre class="doc_code"> everywhere instead of the
+ * <div class="doc_code"><pre>...</ptr></div> construct.
+ *
+ * Once all docs use <pre> for code regions, this style can  be merged with the
+ * one above, and we can drop the [pre] qualifier.
+ */
+pre.doc_code, .literal-block { padding: 1em 2em 1em 1em }
+
+.doc_notes      { background: #fafafa; border: 1px solid #cecece;
+                  display: table; padding: 0 1em 0 .1em }
+
+table.layout    { text-align: left; border: none; border-collapse: collapse;
+                  padding: 4px 4px 4px 4px; }
+tr.layout, td.layout, td.left, td.right
+                { border: none; padding: 4pt 4pt 2pt 2pt; vertical-align: top; }
+td.left         { text-align: left }
+td.right        { text-align: right }
+th.layout       { border: none; font-weight: bold; font-size: 105%;
+                  text-align: center; vertical-align: middle; }
+
+/* Left align table cell */
+.td_left        { border: 2px solid gray; text-align: left; }
+
+/* ReST-specific */
+.title { margin-top: 0 }
+.topic-title{ display: none }
+div.contents ul { list-style-type: decimal }
+.toc-backref    { color: black; text-decoration: none; }

Added: www-releases/trunk/3.9.0/docs/_static/logo.png
URL: http://llvm.org/viewvc/llvm-project/www-releases/trunk/3.9.0/docs/_static/logo.png?rev=280493&view=auto
==============================================================================
Binary file - no diff available.

Propchange: www-releases/trunk/3.9.0/docs/_static/logo.png
------------------------------------------------------------------------------
    svn:mime-type = application/octet-stream

Added: www-releases/trunk/3.9.0/docs/_static/minus.png
URL: http://llvm.org/viewvc/llvm-project/www-releases/trunk/3.9.0/docs/_static/minus.png?rev=280493&view=auto
==============================================================================
Binary file - no diff available.

Propchange: www-releases/trunk/3.9.0/docs/_static/minus.png
------------------------------------------------------------------------------
    svn:mime-type = application/octet-stream

Added: www-releases/trunk/3.9.0/docs/_static/navigation.png
URL: http://llvm.org/viewvc/llvm-project/www-releases/trunk/3.9.0/docs/_static/navigation.png?rev=280493&view=auto
==============================================================================
Binary file - no diff available.

Propchange: www-releases/trunk/3.9.0/docs/_static/navigation.png
------------------------------------------------------------------------------
    svn:mime-type = application/octet-stream

Added: www-releases/trunk/3.9.0/docs/_static/plus.png
URL: http://llvm.org/viewvc/llvm-project/www-releases/trunk/3.9.0/docs/_static/plus.png?rev=280493&view=auto
==============================================================================
Binary file - no diff available.

Propchange: www-releases/trunk/3.9.0/docs/_static/plus.png
------------------------------------------------------------------------------
    svn:mime-type = application/octet-stream

Added: www-releases/trunk/3.9.0/docs/_static/pygments.css
URL: http://llvm.org/viewvc/llvm-project/www-releases/trunk/3.9.0/docs/_static/pygments.css?rev=280493&view=auto
==============================================================================
--- www-releases/trunk/3.9.0/docs/_static/pygments.css (added)
+++ www-releases/trunk/3.9.0/docs/_static/pygments.css Fri Sep  2 10:56:46 2016
@@ -0,0 +1,62 @@
+.highlight .hll { background-color: #ffffcc }
+.highlight  { background: #f0f0f0; }
+.highlight .c { color: #60a0b0; font-style: italic } /* Comment */
+.highlight .err { border: 1px solid #FF0000 } /* Error */
+.highlight .k { color: #007020; font-weight: bold } /* Keyword */
+.highlight .o { color: #666666 } /* Operator */
+.highlight .cm { color: #60a0b0; font-style: italic } /* Comment.Multiline */
+.highlight .cp { color: #007020 } /* Comment.Preproc */
+.highlight .c1 { color: #60a0b0; font-style: italic } /* Comment.Single */
+.highlight .cs { color: #60a0b0; background-color: #fff0f0 } /* Comment.Special */
+.highlight .gd { color: #A00000 } /* Generic.Deleted */
+.highlight .ge { font-style: italic } /* Generic.Emph */
+.highlight .gr { color: #FF0000 } /* Generic.Error */
+.highlight .gh { color: #000080; font-weight: bold } /* Generic.Heading */
+.highlight .gi { color: #00A000 } /* Generic.Inserted */
+.highlight .go { color: #888888 } /* Generic.Output */
+.highlight .gp { color: #c65d09; font-weight: bold } /* Generic.Prompt */
+.highlight .gs { font-weight: bold } /* Generic.Strong */
+.highlight .gu { color: #800080; font-weight: bold } /* Generic.Subheading */
+.highlight .gt { color: #0044DD } /* Generic.Traceback */
+.highlight .kc { color: #007020; font-weight: bold } /* Keyword.Constant */
+.highlight .kd { color: #007020; font-weight: bold } /* Keyword.Declaration */
+.highlight .kn { color: #007020; font-weight: bold } /* Keyword.Namespace */
+.highlight .kp { color: #007020 } /* Keyword.Pseudo */
+.highlight .kr { color: #007020; font-weight: bold } /* Keyword.Reserved */
+.highlight .kt { color: #902000 } /* Keyword.Type */
+.highlight .m { color: #40a070 } /* Literal.Number */
+.highlight .s { color: #4070a0 } /* Literal.String */
+.highlight .na { color: #4070a0 } /* Name.Attribute */
+.highlight .nb { color: #007020 } /* Name.Builtin */
+.highlight .nc { color: #0e84b5; font-weight: bold } /* Name.Class */
+.highlight .no { color: #60add5 } /* Name.Constant */
+.highlight .nd { color: #555555; font-weight: bold } /* Name.Decorator */
+.highlight .ni { color: #d55537; font-weight: bold } /* Name.Entity */
+.highlight .ne { color: #007020 } /* Name.Exception */
+.highlight .nf { color: #06287e } /* Name.Function */
+.highlight .nl { color: #002070; font-weight: bold } /* Name.Label */
+.highlight .nn { color: #0e84b5; font-weight: bold } /* Name.Namespace */
+.highlight .nt { color: #062873; font-weight: bold } /* Name.Tag */
+.highlight .nv { color: #bb60d5 } /* Name.Variable */
+.highlight .ow { color: #007020; font-weight: bold } /* Operator.Word */
+.highlight .w { color: #bbbbbb } /* Text.Whitespace */
+.highlight .mf { color: #40a070 } /* Literal.Number.Float */
+.highlight .mh { color: #40a070 } /* Literal.Number.Hex */
+.highlight .mi { color: #40a070 } /* Literal.Number.Integer */
+.highlight .mo { color: #40a070 } /* Literal.Number.Oct */
+.highlight .sb { color: #4070a0 } /* Literal.String.Backtick */
+.highlight .sc { color: #4070a0 } /* Literal.String.Char */
+.highlight .sd { color: #4070a0; font-style: italic } /* Literal.String.Doc */
+.highlight .s2 { color: #4070a0 } /* Literal.String.Double */
+.highlight .se { color: #4070a0; font-weight: bold } /* Literal.String.Escape */
+.highlight .sh { color: #4070a0 } /* Literal.String.Heredoc */
+.highlight .si { color: #70a0d0; font-style: italic } /* Literal.String.Interpol */
+.highlight .sx { color: #c65d09 } /* Literal.String.Other */
+.highlight .sr { color: #235388 } /* Literal.String.Regex */
+.highlight .s1 { color: #4070a0 } /* Literal.String.Single */
+.highlight .ss { color: #517918 } /* Literal.String.Symbol */
+.highlight .bp { color: #007020 } /* Name.Builtin.Pseudo */
+.highlight .vc { color: #bb60d5 } /* Name.Variable.Class */
+.highlight .vg { color: #bb60d5 } /* Name.Variable.Global */
+.highlight .vi { color: #bb60d5 } /* Name.Variable.Instance */
+.highlight .il { color: #40a070 } /* Literal.Number.Integer.Long */
\ No newline at end of file

Added: www-releases/trunk/3.9.0/docs/_static/searchtools.js
URL: http://llvm.org/viewvc/llvm-project/www-releases/trunk/3.9.0/docs/_static/searchtools.js?rev=280493&view=auto
==============================================================================
--- www-releases/trunk/3.9.0/docs/_static/searchtools.js (added)
+++ www-releases/trunk/3.9.0/docs/_static/searchtools.js Fri Sep  2 10:56:46 2016
@@ -0,0 +1,622 @@
+/*
+ * searchtools.js_t
+ * ~~~~~~~~~~~~~~~~
+ *
+ * Sphinx JavaScript utilties for the full-text search.
+ *
+ * :copyright: Copyright 2007-2014 by the Sphinx team, see AUTHORS.
+ * :license: BSD, see LICENSE for details.
+ *
+ */
+
+
+/**
+ * Porter Stemmer
+ */
+var Stemmer = function() {
+
+  var step2list = {
+    ational: 'ate',
+    tional: 'tion',
+    enci: 'ence',
+    anci: 'ance',
+    izer: 'ize',
+    bli: 'ble',
+    alli: 'al',
+    entli: 'ent',
+    eli: 'e',
+    ousli: 'ous',
+    ization: 'ize',
+    ation: 'ate',
+    ator: 'ate',
+    alism: 'al',
+    iveness: 'ive',
+    fulness: 'ful',
+    ousness: 'ous',
+    aliti: 'al',
+    iviti: 'ive',
+    biliti: 'ble',
+    logi: 'log'
+  };
+
+  var step3list = {
+    icate: 'ic',
+    ative: '',
+    alize: 'al',
+    iciti: 'ic',
+    ical: 'ic',
+    ful: '',
+    ness: ''
+  };
+
+  var c = "[^aeiou]";          // consonant
+  var v = "[aeiouy]";          // vowel
+  var C = c + "[^aeiouy]*";    // consonant sequence
+  var V = v + "[aeiou]*";      // vowel sequence
+
+  var mgr0 = "^(" + C + ")?" + V + C;                      // [C]VC... is m>0
+  var meq1 = "^(" + C + ")?" + V + C + "(" + V + ")?$";    // [C]VC[V] is m=1
+  var mgr1 = "^(" + C + ")?" + V + C + V + C;              // [C]VCVC... is m>1
+  var s_v   = "^(" + C + ")?" + v;                         // vowel in stem
+
+  this.stemWord = function (w) {
+    var stem;
+    var suffix;
+    var firstch;
+    var origword = w;
+
+    if (w.length < 3)
+      return w;
+
+    var re;
+    var re2;
+    var re3;
+    var re4;
+
+    firstch = w.substr(0,1);
+    if (firstch == "y")
+      w = firstch.toUpperCase() + w.substr(1);
+
+    // Step 1a
+    re = /^(.+?)(ss|i)es$/;
+    re2 = /^(.+?)([^s])s$/;
+
+    if (re.test(w))
+      w = w.replace(re,"$1$2");
+    else if (re2.test(w))
+      w = w.replace(re2,"$1$2");
+
+    // Step 1b
+    re = /^(.+?)eed$/;
+    re2 = /^(.+?)(ed|ing)$/;
+    if (re.test(w)) {
+      var fp = re.exec(w);
+      re = new RegExp(mgr0);
+      if (re.test(fp[1])) {
+        re = /.$/;
+        w = w.replace(re,"");
+      }
+    }
+    else if (re2.test(w)) {
+      var fp = re2.exec(w);
+      stem = fp[1];
+      re2 = new RegExp(s_v);
+      if (re2.test(stem)) {
+        w = stem;
+        re2 = /(at|bl|iz)$/;
+        re3 = new RegExp("([^aeiouylsz])\\1$");
+        re4 = new RegExp("^" + C + v + "[^aeiouwxy]$");
+        if (re2.test(w))
+          w = w + "e";
+        else if (re3.test(w)) {
+          re = /.$/;
+          w = w.replace(re,"");
+        }
+        else if (re4.test(w))
+          w = w + "e";
+      }
+    }
+
+    // Step 1c
+    re = /^(.+?)y$/;
+    if (re.test(w)) {
+      var fp = re.exec(w);
+      stem = fp[1];
+      re = new RegExp(s_v);
+      if (re.test(stem))
+        w = stem + "i";
+    }
+
+    // Step 2
+    re = /^(.+?)(ational|tional|enci|anci|izer|bli|alli|entli|eli|ousli|ization|ation|ator|alism|iveness|fulness|ousness|aliti|iviti|biliti|logi)$/;
+    if (re.test(w)) {
+      var fp = re.exec(w);
+      stem = fp[1];
+      suffix = fp[2];
+      re = new RegExp(mgr0);
+      if (re.test(stem))
+        w = stem + step2list[suffix];
+    }
+
+    // Step 3
+    re = /^(.+?)(icate|ative|alize|iciti|ical|ful|ness)$/;
+    if (re.test(w)) {
+      var fp = re.exec(w);
+      stem = fp[1];
+      suffix = fp[2];
+      re = new RegExp(mgr0);
+      if (re.test(stem))
+        w = stem + step3list[suffix];
+    }
+
+    // Step 4
+    re = /^(.+?)(al|ance|ence|er|ic|able|ible|ant|ement|ment|ent|ou|ism|ate|iti|ous|ive|ize)$/;
+    re2 = /^(.+?)(s|t)(ion)$/;
+    if (re.test(w)) {
+      var fp = re.exec(w);
+      stem = fp[1];
+      re = new RegExp(mgr1);
+      if (re.test(stem))
+        w = stem;
+    }
+    else if (re2.test(w)) {
+      var fp = re2.exec(w);
+      stem = fp[1] + fp[2];
+      re2 = new RegExp(mgr1);
+      if (re2.test(stem))
+        w = stem;
+    }
+
+    // Step 5
+    re = /^(.+?)e$/;
+    if (re.test(w)) {
+      var fp = re.exec(w);
+      stem = fp[1];
+      re = new RegExp(mgr1);
+      re2 = new RegExp(meq1);
+      re3 = new RegExp("^" + C + v + "[^aeiouwxy]$");
+      if (re.test(stem) || (re2.test(stem) && !(re3.test(stem))))
+        w = stem;
+    }
+    re = /ll$/;
+    re2 = new RegExp(mgr1);
+    if (re.test(w) && re2.test(w)) {
+      re = /.$/;
+      w = w.replace(re,"");
+    }
+
+    // and turn initial Y back to y
+    if (firstch == "y")
+      w = firstch.toLowerCase() + w.substr(1);
+    return w;
+  }
+}
+
+
+
+/**
+ * Simple result scoring code.
+ */
+var Scorer = {
+  // Implement the following function to further tweak the score for each result
+  // The function takes a result array [filename, title, anchor, descr, score]
+  // and returns the new score.
+  /*
+  score: function(result) {
+    return result[4];
+  },
+  */
+
+  // query matches the full name of an object
+  objNameMatch: 11,
+  // or matches in the last dotted part of the object name
+  objPartialMatch: 6,
+  // Additive scores depending on the priority of the object
+  objPrio: {0:  15,   // used to be importantResults
+            1:  5,   // used to be objectResults
+            2: -5},  // used to be unimportantResults
+  //  Used when the priority is not in the mapping.
+  objPrioDefault: 0,
+
+  // query found in title
+  title: 15,
+  // query found in terms
+  term: 5
+};
+
+
+/**
+ * Search Module
+ */
+var Search = {
+
+  _index : null,
+  _queued_query : null,
+  _pulse_status : -1,
+
+  init : function() {
+      var params = $.getQueryParameters();
+      if (params.q) {
+          var query = params.q[0];
+          $('input[name="q"]')[0].value = query;
+          this.performSearch(query);
+      }
+  },
+
+  loadIndex : function(url) {
+    $.ajax({type: "GET", url: url, data: null,
+            dataType: "script", cache: true,
+            complete: function(jqxhr, textstatus) {
+              if (textstatus != "success") {
+                document.getElementById("searchindexloader").src = url;
+              }
+            }});
+  },
+
+  setIndex : function(index) {
+    var q;
+    this._index = index;
+    if ((q = this._queued_query) !== null) {
+      this._queued_query = null;
+      Search.query(q);
+    }
+  },
+
+  hasIndex : function() {
+      return this._index !== null;
+  },
+
+  deferQuery : function(query) {
+      this._queued_query = query;
+  },
+
+  stopPulse : function() {
+      this._pulse_status = 0;
+  },
+
+  startPulse : function() {
+    if (this._pulse_status >= 0)
+        return;
+    function pulse() {
+      var i;
+      Search._pulse_status = (Search._pulse_status + 1) % 4;
+      var dotString = '';
+      for (i = 0; i < Search._pulse_status; i++)
+        dotString += '.';
+      Search.dots.text(dotString);
+      if (Search._pulse_status > -1)
+        window.setTimeout(pulse, 500);
+    }
+    pulse();
+  },
+
+  /**
+   * perform a search for something (or wait until index is loaded)
+   */
+  performSearch : function(query) {
+    // create the required interface elements
+    this.out = $('#search-results');
+    this.title = $('<h2>' + _('Searching') + '</h2>').appendTo(this.out);
+    this.dots = $('<span></span>').appendTo(this.title);
+    this.status = $('<p style="display: none"></p>').appendTo(this.out);
+    this.output = $('<ul class="search"/>').appendTo(this.out);
+
+    $('#search-progress').text(_('Preparing search...'));
+    this.startPulse();
+
+    // index already loaded, the browser was quick!
+    if (this.hasIndex())
+      this.query(query);
+    else
+      this.deferQuery(query);
+  },
+
+  /**
+   * execute search (requires search index to be loaded)
+   */
+  query : function(query) {
+    var i;
+    var stopwords = ["a","and","are","as","at","be","but","by","for","if","in","into","is","it","near","no","not","of","on","or","such","that","the","their","then","there","these","they","this","to","was","will","with"];
+
+    // stem the searchterms and add them to the correct list
+    var stemmer = new Stemmer();
+    var searchterms = [];
+    var excluded = [];
+    var hlterms = [];
+    var tmp = query.split(/\s+/);
+    var objectterms = [];
+    for (i = 0; i < tmp.length; i++) {
+      if (tmp[i] !== "") {
+          objectterms.push(tmp[i].toLowerCase());
+      }
+
+      if ($u.indexOf(stopwords, tmp[i].toLowerCase()) != -1 || tmp[i].match(/^\d+$/) ||
+          tmp[i] === "") {
+        // skip this "word"
+        continue;
+      }
+      // stem the word
+      var word = stemmer.stemWord(tmp[i].toLowerCase());
+      var toAppend;
+      // select the correct list
+      if (word[0] == '-') {
+        toAppend = excluded;
+        word = word.substr(1);
+      }
+      else {
+        toAppend = searchterms;
+        hlterms.push(tmp[i].toLowerCase());
+      }
+      // only add if not already in the list
+      if (!$u.contains(toAppend, word))
+        toAppend.push(word);
+    }
+    var highlightstring = '?highlight=' + $.urlencode(hlterms.join(" "));
+
+    // console.debug('SEARCH: searching for:');
+    // console.info('required: ', searchterms);
+    // console.info('excluded: ', excluded);
+
+    // prepare search
+    var terms = this._index.terms;
+    var titleterms = this._index.titleterms;
+
+    // array of [filename, title, anchor, descr, score]
+    var results = [];
+    $('#search-progress').empty();
+
+    // lookup as object
+    for (i = 0; i < objectterms.length; i++) {
+      var others = [].concat(objectterms.slice(0, i),
+                             objectterms.slice(i+1, objectterms.length));
+      results = results.concat(this.performObjectSearch(objectterms[i], others));
+    }
+
+    // lookup as search terms in fulltext
+    results = results.concat(this.performTermsSearch(searchterms, excluded, terms, Scorer.term))
+                     .concat(this.performTermsSearch(searchterms, excluded, titleterms, Scorer.title));
+
+    // let the scorer override scores with a custom scoring function
+    if (Scorer.score) {
+      for (i = 0; i < results.length; i++)
+        results[i][4] = Scorer.score(results[i]);
+    }
+
+    // now sort the results by score (in opposite order of appearance, since the
+    // display function below uses pop() to retrieve items) and then
+    // alphabetically
+    results.sort(function(a, b) {
+      var left = a[4];
+      var right = b[4];
+      if (left > right) {
+        return 1;
+      } else if (left < right) {
+        return -1;
+      } else {
+        // same score: sort alphabetically
+        left = a[1].toLowerCase();
+        right = b[1].toLowerCase();
+        return (left > right) ? -1 : ((left < right) ? 1 : 0);
+      }
+    });
+
+    // for debugging
+    //Search.lastresults = results.slice();  // a copy
+    //console.info('search results:', Search.lastresults);
+
+    // print the results
+    var resultCount = results.length;
+    function displayNextItem() {
+      // results left, load the summary and display it
+      if (results.length) {
+        var item = results.pop();
+        var listItem = $('<li style="display:none"></li>');
+        if (DOCUMENTATION_OPTIONS.FILE_SUFFIX === '') {
+          // dirhtml builder
+          var dirname = item[0] + '/';
+          if (dirname.match(/\/index\/$/)) {
+            dirname = dirname.substring(0, dirname.length-6);
+          } else if (dirname == 'index/') {
+            dirname = '';
+          }
+          listItem.append($('<a/>').attr('href',
+            DOCUMENTATION_OPTIONS.URL_ROOT + dirname +
+            highlightstring + item[2]).html(item[1]));
+        } else {
+          // normal html builders
+          listItem.append($('<a/>').attr('href',
+            item[0] + DOCUMENTATION_OPTIONS.FILE_SUFFIX +
+            highlightstring + item[2]).html(item[1]));
+        }
+        if (item[3]) {
+          listItem.append($('<span> (' + item[3] + ')</span>'));
+          Search.output.append(listItem);
+          listItem.slideDown(5, function() {
+            displayNextItem();
+          });
+        } else if (DOCUMENTATION_OPTIONS.HAS_SOURCE) {
+          $.ajax({url: DOCUMENTATION_OPTIONS.URL_ROOT + '_sources/' + item[0] + '.txt',
+                  dataType: "text",
+                  complete: function(jqxhr, textstatus) {
+                    var data = jqxhr.responseText;
+                    if (data !== '') {
+                      listItem.append(Search.makeSearchSummary(data, searchterms, hlterms));
+                    }
+                    Search.output.append(listItem);
+                    listItem.slideDown(5, function() {
+                      displayNextItem();
+                    });
+                  }});
+        } else {
+          // no source available, just display title
+          Search.output.append(listItem);
+          listItem.slideDown(5, function() {
+            displayNextItem();
+          });
+        }
+      }
+      // search finished, update title and status message
+      else {
+        Search.stopPulse();
+        Search.title.text(_('Search Results'));
+        if (!resultCount)
+          Search.status.text(_('Your search did not match any documents. Please make sure that all words are spelled correctly and that you\'ve selected enough categories.'));
+        else
+            Search.status.text(_('Search finished, found %s page(s) matching the search query.').replace('%s', resultCount));
+        Search.status.fadeIn(500);
+      }
+    }
+    displayNextItem();
+  },
+
+  /**
+   * search for object names
+   */
+  performObjectSearch : function(object, otherterms) {
+    var filenames = this._index.filenames;
+    var objects = this._index.objects;
+    var objnames = this._index.objnames;
+    var titles = this._index.titles;
+
+    var i;
+    var results = [];
+
+    for (var prefix in objects) {
+      for (var name in objects[prefix]) {
+        var fullname = (prefix ? prefix + '.' : '') + name;
+        if (fullname.toLowerCase().indexOf(object) > -1) {
+          var score = 0;
+          var parts = fullname.split('.');
+          // check for different match types: exact matches of full name or
+          // "last name" (i.e. last dotted part)
+          if (fullname == object || parts[parts.length - 1] == object) {
+            score += Scorer.objNameMatch;
+          // matches in last name
+          } else if (parts[parts.length - 1].indexOf(object) > -1) {
+            score += Scorer.objPartialMatch;
+          }
+          var match = objects[prefix][name];
+          var objname = objnames[match[1]][2];
+          var title = titles[match[0]];
+          // If more than one term searched for, we require other words to be
+          // found in the name/title/description
+          if (otherterms.length > 0) {
+            var haystack = (prefix + ' ' + name + ' ' +
+                            objname + ' ' + title).toLowerCase();
+            var allfound = true;
+            for (i = 0; i < otherterms.length; i++) {
+              if (haystack.indexOf(otherterms[i]) == -1) {
+                allfound = false;
+                break;
+              }
+            }
+            if (!allfound) {
+              continue;
+            }
+          }
+          var descr = objname + _(', in ') + title;
+
+          var anchor = match[3];
+          if (anchor === '')
+            anchor = fullname;
+          else if (anchor == '-')
+            anchor = objnames[match[1]][1] + '-' + fullname;
+          // add custom score for some objects according to scorer
+          if (Scorer.objPrio.hasOwnProperty(match[2])) {
+            score += Scorer.objPrio[match[2]];
+          } else {
+            score += Scorer.objPrioDefault;
+          }
+          results.push([filenames[match[0]], fullname, '#'+anchor, descr, score]);
+        }
+      }
+    }
+
+    return results;
+  },
+
+  /**
+   * search for full-text terms in the index
+   */
+  performTermsSearch : function(searchterms, excluded, terms, score) {
+    var filenames = this._index.filenames;
+    var titles = this._index.titles;
+
+    var i, j, file, files;
+    var fileMap = {};
+    var results = [];
+
+    // perform the search on the required terms
+    for (i = 0; i < searchterms.length; i++) {
+      var word = searchterms[i];
+      // no match but word was a required one
+      if ((files = terms[word]) === undefined)
+        break;
+      if (files.length === undefined) {
+        files = [files];
+      }
+      // create the mapping
+      for (j = 0; j < files.length; j++) {
+        file = files[j];
+        if (file in fileMap)
+          fileMap[file].push(word);
+        else
+          fileMap[file] = [word];
+      }
+    }
+
+    // now check if the files don't contain excluded terms
+    for (file in fileMap) {
+      var valid = true;
+
+      // check if all requirements are matched
+      if (fileMap[file].length != searchterms.length)
+          continue;
+
+      // ensure that none of the excluded terms is in the search result
+      for (i = 0; i < excluded.length; i++) {
+        if (terms[excluded[i]] == file ||
+          $u.contains(terms[excluded[i]] || [], file)) {
+          valid = false;
+          break;
+        }
+      }
+
+      // if we have still a valid result we can add it to the result list
+      if (valid) {
+        results.push([filenames[file], titles[file], '', null, score]);
+      }
+    }
+    return results;
+  },
+
+  /**
+   * helper function to return a node containing the
+   * search summary for a given text. keywords is a list
+   * of stemmed words, hlwords is the list of normal, unstemmed
+   * words. the first one is used to find the occurance, the
+   * latter for highlighting it.
+   */
+  makeSearchSummary : function(text, keywords, hlwords) {
+    var textLower = text.toLowerCase();
+    var start = 0;
+    $.each(keywords, function() {
+      var i = textLower.indexOf(this.toLowerCase());
+      if (i > -1)
+        start = i;
+    });
+    start = Math.max(start - 120, 0);
+    var excerpt = ((start > 0) ? '...' : '') +
+      $.trim(text.substr(start, 240)) +
+      ((start + 240 - text.length) ? '...' : '');
+    var rv = $('<div class="context"></div>').text(excerpt);
+    $.each(hlwords, function() {
+      rv = rv.highlightText(this, 'highlighted');
+    });
+    return rv;
+  }
+};
+
+$(document).ready(function() {
+  Search.init();
+});
\ No newline at end of file

Added: www-releases/trunk/3.9.0/docs/_static/underscore.js
URL: http://llvm.org/viewvc/llvm-project/www-releases/trunk/3.9.0/docs/_static/underscore.js?rev=280493&view=auto
==============================================================================
--- www-releases/trunk/3.9.0/docs/_static/underscore.js (added)
+++ www-releases/trunk/3.9.0/docs/_static/underscore.js Fri Sep  2 10:56:46 2016
@@ -0,0 +1,1226 @@
+//     Underscore.js 1.4.4
+//     http://underscorejs.org
+//     (c) 2009-2013 Jeremy Ashkenas, DocumentCloud Inc.
+//     Underscore may be freely distributed under the MIT license.
+
+(function() {
+
+  // Baseline setup
+  // --------------
+
+  // Establish the root object, `window` in the browser, or `global` on the server.
+  var root = this;
+
+  // Save the previous value of the `_` variable.
+  var previousUnderscore = root._;
+
+  // Establish the object that gets returned to break out of a loop iteration.
+  var breaker = {};
+
+  // Save bytes in the minified (but not gzipped) version:
+  var ArrayProto = Array.prototype, ObjProto = Object.prototype, FuncProto = Function.prototype;
+
+  // Create quick reference variables for speed access to core prototypes.
+  var push             = ArrayProto.push,
+      slice            = ArrayProto.slice,
+      concat           = ArrayProto.concat,
+      toString         = ObjProto.toString,
+      hasOwnProperty   = ObjProto.hasOwnProperty;
+
+  // All **ECMAScript 5** native function implementations that we hope to use
+  // are declared here.
+  var
+    nativeForEach      = ArrayProto.forEach,
+    nativeMap          = ArrayProto.map,
+    nativeReduce       = ArrayProto.reduce,
+    nativeReduceRight  = ArrayProto.reduceRight,
+    nativeFilter       = ArrayProto.filter,
+    nativeEvery        = ArrayProto.every,
+    nativeSome         = ArrayProto.some,
+    nativeIndexOf      = ArrayProto.indexOf,
+    nativeLastIndexOf  = ArrayProto.lastIndexOf,
+    nativeIsArray      = Array.isArray,
+    nativeKeys         = Object.keys,
+    nativeBind         = FuncProto.bind;
+
+  // Create a safe reference to the Underscore object for use below.
+  var _ = function(obj) {
+    if (obj instanceof _) return obj;
+    if (!(this instanceof _)) return new _(obj);
+    this._wrapped = obj;
+  };
+
+  // Export the Underscore object for **Node.js**, with
+  // backwards-compatibility for the old `require()` API. If we're in
+  // the browser, add `_` as a global object via a string identifier,
+  // for Closure Compiler "advanced" mode.
+  if (typeof exports !== 'undefined') {
+    if (typeof module !== 'undefined' && module.exports) {
+      exports = module.exports = _;
+    }
+    exports._ = _;
+  } else {
+    root._ = _;
+  }
+
+  // Current version.
+  _.VERSION = '1.4.4';
+
+  // Collection Functions
+  // --------------------
+
+  // The cornerstone, an `each` implementation, aka `forEach`.
+  // Handles objects with the built-in `forEach`, arrays, and raw objects.
+  // Delegates to **ECMAScript 5**'s native `forEach` if available.
+  var each = _.each = _.forEach = function(obj, iterator, context) {
+    if (obj == null) return;
+    if (nativeForEach && obj.forEach === nativeForEach) {
+      obj.forEach(iterator, context);
+    } else if (obj.length === +obj.length) {
+      for (var i = 0, l = obj.length; i < l; i++) {
+        if (iterator.call(context, obj[i], i, obj) === breaker) return;
+      }
+    } else {
+      for (var key in obj) {
+        if (_.has(obj, key)) {
+          if (iterator.call(context, obj[key], key, obj) === breaker) return;
+        }
+      }
+    }
+  };
+
+  // Return the results of applying the iterator to each element.
+  // Delegates to **ECMAScript 5**'s native `map` if available.
+  _.map = _.collect = function(obj, iterator, context) {
+    var results = [];
+    if (obj == null) return results;
+    if (nativeMap && obj.map === nativeMap) return obj.map(iterator, context);
+    each(obj, function(value, index, list) {
+      results[results.length] = iterator.call(context, value, index, list);
+    });
+    return results;
+  };
+
+  var reduceError = 'Reduce of empty array with no initial value';
+
+  // **Reduce** builds up a single result from a list of values, aka `inject`,
+  // or `foldl`. Delegates to **ECMAScript 5**'s native `reduce` if available.
+  _.reduce = _.foldl = _.inject = function(obj, iterator, memo, context) {
+    var initial = arguments.length > 2;
+    if (obj == null) obj = [];
+    if (nativeReduce && obj.reduce === nativeReduce) {
+      if (context) iterator = _.bind(iterator, context);
+      return initial ? obj.reduce(iterator, memo) : obj.reduce(iterator);
+    }
+    each(obj, function(value, index, list) {
+      if (!initial) {
+        memo = value;
+        initial = true;
+      } else {
+        memo = iterator.call(context, memo, value, index, list);
+      }
+    });
+    if (!initial) throw new TypeError(reduceError);
+    return memo;
+  };
+
+  // The right-associative version of reduce, also known as `foldr`.
+  // Delegates to **ECMAScript 5**'s native `reduceRight` if available.
+  _.reduceRight = _.foldr = function(obj, iterator, memo, context) {
+    var initial = arguments.length > 2;
+    if (obj == null) obj = [];
+    if (nativeReduceRight && obj.reduceRight === nativeReduceRight) {
+      if (context) iterator = _.bind(iterator, context);
+      return initial ? obj.reduceRight(iterator, memo) : obj.reduceRight(iterator);
+    }
+    var length = obj.length;
+    if (length !== +length) {
+      var keys = _.keys(obj);
+      length = keys.length;
+    }
+    each(obj, function(value, index, list) {
+      index = keys ? keys[--length] : --length;
+      if (!initial) {
+        memo = obj[index];
+        initial = true;
+      } else {
+        memo = iterator.call(context, memo, obj[index], index, list);
+      }
+    });
+    if (!initial) throw new TypeError(reduceError);
+    return memo;
+  };
+
+  // Return the first value which passes a truth test. Aliased as `detect`.
+  _.find = _.detect = function(obj, iterator, context) {
+    var result;
+    any(obj, function(value, index, list) {
+      if (iterator.call(context, value, index, list)) {
+        result = value;
+        return true;
+      }
+    });
+    return result;
+  };
+
+  // Return all the elements that pass a truth test.
+  // Delegates to **ECMAScript 5**'s native `filter` if available.
+  // Aliased as `select`.
+  _.filter = _.select = function(obj, iterator, context) {
+    var results = [];
+    if (obj == null) return results;
+    if (nativeFilter && obj.filter === nativeFilter) return obj.filter(iterator, context);
+    each(obj, function(value, index, list) {
+      if (iterator.call(context, value, index, list)) results[results.length] = value;
+    });
+    return results;
+  };
+
+  // Return all the elements for which a truth test fails.
+  _.reject = function(obj, iterator, context) {
+    return _.filter(obj, function(value, index, list) {
+      return !iterator.call(context, value, index, list);
+    }, context);
+  };
+
+  // Determine whether all of the elements match a truth test.
+  // Delegates to **ECMAScript 5**'s native `every` if available.
+  // Aliased as `all`.
+  _.every = _.all = function(obj, iterator, context) {
+    iterator || (iterator = _.identity);
+    var result = true;
+    if (obj == null) return result;
+    if (nativeEvery && obj.every === nativeEvery) return obj.every(iterator, context);
+    each(obj, function(value, index, list) {
+      if (!(result = result && iterator.call(context, value, index, list))) return breaker;
+    });
+    return !!result;
+  };
+
+  // Determine if at least one element in the object matches a truth test.
+  // Delegates to **ECMAScript 5**'s native `some` if available.
+  // Aliased as `any`.
+  var any = _.some = _.any = function(obj, iterator, context) {
+    iterator || (iterator = _.identity);
+    var result = false;
+    if (obj == null) return result;
+    if (nativeSome && obj.some === nativeSome) return obj.some(iterator, context);
+    each(obj, function(value, index, list) {
+      if (result || (result = iterator.call(context, value, index, list))) return breaker;
+    });
+    return !!result;
+  };
+
+  // Determine if the array or object contains a given value (using `===`).
+  // Aliased as `include`.
+  _.contains = _.include = function(obj, target) {
+    if (obj == null) return false;
+    if (nativeIndexOf && obj.indexOf === nativeIndexOf) return obj.indexOf(target) != -1;
+    return any(obj, function(value) {
+      return value === target;
+    });
+  };
+
+  // Invoke a method (with arguments) on every item in a collection.
+  _.invoke = function(obj, method) {
+    var args = slice.call(arguments, 2);
+    var isFunc = _.isFunction(method);
+    return _.map(obj, function(value) {
+      return (isFunc ? method : value[method]).apply(value, args);
+    });
+  };
+
+  // Convenience version of a common use case of `map`: fetching a property.
+  _.pluck = function(obj, key) {
+    return _.map(obj, function(value){ return value[key]; });
+  };
+
+  // Convenience version of a common use case of `filter`: selecting only objects
+  // containing specific `key:value` pairs.
+  _.where = function(obj, attrs, first) {
+    if (_.isEmpty(attrs)) return first ? null : [];
+    return _[first ? 'find' : 'filter'](obj, function(value) {
+      for (var key in attrs) {
+        if (attrs[key] !== value[key]) return false;
+      }
+      return true;
+    });
+  };
+
+  // Convenience version of a common use case of `find`: getting the first object
+  // containing specific `key:value` pairs.
+  _.findWhere = function(obj, attrs) {
+    return _.where(obj, attrs, true);
+  };
+
+  // Return the maximum element or (element-based computation).
+  // Can't optimize arrays of integers longer than 65,535 elements.
+  // See: https://bugs.webkit.org/show_bug.cgi?id=80797
+  _.max = function(obj, iterator, context) {
+    if (!iterator && _.isArray(obj) && obj[0] === +obj[0] && obj.length < 65535) {
+      return Math.max.apply(Math, obj);
+    }
+    if (!iterator && _.isEmpty(obj)) return -Infinity;
+    var result = {computed : -Infinity, value: -Infinity};
+    each(obj, function(value, index, list) {
+      var computed = iterator ? iterator.call(context, value, index, list) : value;
+      computed >= result.computed && (result = {value : value, computed : computed});
+    });
+    return result.value;
+  };
+
+  // Return the minimum element (or element-based computation).
+  _.min = function(obj, iterator, context) {
+    if (!iterator && _.isArray(obj) && obj[0] === +obj[0] && obj.length < 65535) {
+      return Math.min.apply(Math, obj);
+    }
+    if (!iterator && _.isEmpty(obj)) return Infinity;
+    var result = {computed : Infinity, value: Infinity};
+    each(obj, function(value, index, list) {
+      var computed = iterator ? iterator.call(context, value, index, list) : value;
+      computed < result.computed && (result = {value : value, computed : computed});
+    });
+    return result.value;
+  };
+
+  // Shuffle an array.
+  _.shuffle = function(obj) {
+    var rand;
+    var index = 0;
+    var shuffled = [];
+    each(obj, function(value) {
+      rand = _.random(index++);
+      shuffled[index - 1] = shuffled[rand];
+      shuffled[rand] = value;
+    });
+    return shuffled;
+  };
+
+  // An internal function to generate lookup iterators.
+  var lookupIterator = function(value) {
+    return _.isFunction(value) ? value : function(obj){ return obj[value]; };
+  };
+
+  // Sort the object's values by a criterion produced by an iterator.
+  _.sortBy = function(obj, value, context) {
+    var iterator = lookupIterator(value);
+    return _.pluck(_.map(obj, function(value, index, list) {
+      return {
+        value : value,
+        index : index,
+        criteria : iterator.call(context, value, index, list)
+      };
+    }).sort(function(left, right) {
+      var a = left.criteria;
+      var b = right.criteria;
+      if (a !== b) {
+        if (a > b || a === void 0) return 1;
+        if (a < b || b === void 0) return -1;
+      }
+      return left.index < right.index ? -1 : 1;
+    }), 'value');
+  };
+
+  // An internal function used for aggregate "group by" operations.
+  var group = function(obj, value, context, behavior) {
+    var result = {};
+    var iterator = lookupIterator(value || _.identity);
+    each(obj, function(value, index) {
+      var key = iterator.call(context, value, index, obj);
+      behavior(result, key, value);
+    });
+    return result;
+  };
+
+  // Groups the object's values by a criterion. Pass either a string attribute
+  // to group by, or a function that returns the criterion.
+  _.groupBy = function(obj, value, context) {
+    return group(obj, value, context, function(result, key, value) {
+      (_.has(result, key) ? result[key] : (result[key] = [])).push(value);
+    });
+  };
+
+  // Counts instances of an object that group by a certain criterion. Pass
+  // either a string attribute to count by, or a function that returns the
+  // criterion.
+  _.countBy = function(obj, value, context) {
+    return group(obj, value, context, function(result, key) {
+      if (!_.has(result, key)) result[key] = 0;
+      result[key]++;
+    });
+  };
+
+  // Use a comparator function to figure out the smallest index at which
+  // an object should be inserted so as to maintain order. Uses binary search.
+  _.sortedIndex = function(array, obj, iterator, context) {
+    iterator = iterator == null ? _.identity : lookupIterator(iterator);
+    var value = iterator.call(context, obj);
+    var low = 0, high = array.length;
+    while (low < high) {
+      var mid = (low + high) >>> 1;
+      iterator.call(context, array[mid]) < value ? low = mid + 1 : high = mid;
+    }
+    return low;
+  };
+
+  // Safely convert anything iterable into a real, live array.
+  _.toArray = function(obj) {
+    if (!obj) return [];
+    if (_.isArray(obj)) return slice.call(obj);
+    if (obj.length === +obj.length) return _.map(obj, _.identity);
+    return _.values(obj);
+  };
+
+  // Return the number of elements in an object.
+  _.size = function(obj) {
+    if (obj == null) return 0;
+    return (obj.length === +obj.length) ? obj.length : _.keys(obj).length;
+  };
+
+  // Array Functions
+  // ---------------
+
+  // Get the first element of an array. Passing **n** will return the first N
+  // values in the array. Aliased as `head` and `take`. The **guard** check
+  // allows it to work with `_.map`.
+  _.first = _.head = _.take = function(array, n, guard) {
+    if (array == null) return void 0;
+    return (n != null) && !guard ? slice.call(array, 0, n) : array[0];
+  };
+
+  // Returns everything but the last entry of the array. Especially useful on
+  // the arguments object. Passing **n** will return all the values in
+  // the array, excluding the last N. The **guard** check allows it to work with
+  // `_.map`.
+  _.initial = function(array, n, guard) {
+    return slice.call(array, 0, array.length - ((n == null) || guard ? 1 : n));
+  };
+
+  // Get the last element of an array. Passing **n** will return the last N
+  // values in the array. The **guard** check allows it to work with `_.map`.
+  _.last = function(array, n, guard) {
+    if (array == null) return void 0;
+    if ((n != null) && !guard) {
+      return slice.call(array, Math.max(array.length - n, 0));
+    } else {
+      return array[array.length - 1];
+    }
+  };
+
+  // Returns everything but the first entry of the array. Aliased as `tail` and `drop`.
+  // Especially useful on the arguments object. Passing an **n** will return
+  // the rest N values in the array. The **guard**
+  // check allows it to work with `_.map`.
+  _.rest = _.tail = _.drop = function(array, n, guard) {
+    return slice.call(array, (n == null) || guard ? 1 : n);
+  };
+
+  // Trim out all falsy values from an array.
+  _.compact = function(array) {
+    return _.filter(array, _.identity);
+  };
+
+  // Internal implementation of a recursive `flatten` function.
+  var flatten = function(input, shallow, output) {
+    each(input, function(value) {
+      if (_.isArray(value)) {
+        shallow ? push.apply(output, value) : flatten(value, shallow, output);
+      } else {
+        output.push(value);
+      }
+    });
+    return output;
+  };
+
+  // Return a completely flattened version of an array.
+  _.flatten = function(array, shallow) {
+    return flatten(array, shallow, []);
+  };
+
+  // Return a version of the array that does not contain the specified value(s).
+  _.without = function(array) {
+    return _.difference(array, slice.call(arguments, 1));
+  };
+
+  // Produce a duplicate-free version of the array. If the array has already
+  // been sorted, you have the option of using a faster algorithm.
+  // Aliased as `unique`.
+  _.uniq = _.unique = function(array, isSorted, iterator, context) {
+    if (_.isFunction(isSorted)) {
+      context = iterator;
+      iterator = isSorted;
+      isSorted = false;
+    }
+    var initial = iterator ? _.map(array, iterator, context) : array;
+    var results = [];
+    var seen = [];
+    each(initial, function(value, index) {
+      if (isSorted ? (!index || seen[seen.length - 1] !== value) : !_.contains(seen, value)) {
+        seen.push(value);
+        results.push(array[index]);
+      }
+    });
+    return results;
+  };
+
+  // Produce an array that contains the union: each distinct element from all of
+  // the passed-in arrays.
+  _.union = function() {
+    return _.uniq(concat.apply(ArrayProto, arguments));
+  };
+
+  // Produce an array that contains every item shared between all the
+  // passed-in arrays.
+  _.intersection = function(array) {
+    var rest = slice.call(arguments, 1);
+    return _.filter(_.uniq(array), function(item) {
+      return _.every(rest, function(other) {
+        return _.indexOf(other, item) >= 0;
+      });
+    });
+  };
+
+  // Take the difference between one array and a number of other arrays.
+  // Only the elements present in just the first array will remain.
+  _.difference = function(array) {
+    var rest = concat.apply(ArrayProto, slice.call(arguments, 1));
+    return _.filter(array, function(value){ return !_.contains(rest, value); });
+  };
+
+  // Zip together multiple lists into a single array -- elements that share
+  // an index go together.
+  _.zip = function() {
+    var args = slice.call(arguments);
+    var length = _.max(_.pluck(args, 'length'));
+    var results = new Array(length);
+    for (var i = 0; i < length; i++) {
+      results[i] = _.pluck(args, "" + i);
+    }
+    return results;
+  };
+
+  // Converts lists into objects. Pass either a single array of `[key, value]`
+  // pairs, or two parallel arrays of the same length -- one of keys, and one of
+  // the corresponding values.
+  _.object = function(list, values) {
+    if (list == null) return {};
+    var result = {};
+    for (var i = 0, l = list.length; i < l; i++) {
+      if (values) {
+        result[list[i]] = values[i];
+      } else {
+        result[list[i][0]] = list[i][1];
+      }
+    }
+    return result;
+  };
+
+  // If the browser doesn't supply us with indexOf (I'm looking at you, **MSIE**),
+  // we need this function. Return the position of the first occurrence of an
+  // item in an array, or -1 if the item is not included in the array.
+  // Delegates to **ECMAScript 5**'s native `indexOf` if available.
+  // If the array is large and already in sort order, pass `true`
+  // for **isSorted** to use binary search.
+  _.indexOf = function(array, item, isSorted) {
+    if (array == null) return -1;
+    var i = 0, l = array.length;
+    if (isSorted) {
+      if (typeof isSorted == 'number') {
+        i = (isSorted < 0 ? Math.max(0, l + isSorted) : isSorted);
+      } else {
+        i = _.sortedIndex(array, item);
+        return array[i] === item ? i : -1;
+      }
+    }
+    if (nativeIndexOf && array.indexOf === nativeIndexOf) return array.indexOf(item, isSorted);
+    for (; i < l; i++) if (array[i] === item) return i;
+    return -1;
+  };
+
+  // Delegates to **ECMAScript 5**'s native `lastIndexOf` if available.
+  _.lastIndexOf = function(array, item, from) {
+    if (array == null) return -1;
+    var hasIndex = from != null;
+    if (nativeLastIndexOf && array.lastIndexOf === nativeLastIndexOf) {
+      return hasIndex ? array.lastIndexOf(item, from) : array.lastIndexOf(item);
+    }
+    var i = (hasIndex ? from : array.length);
+    while (i--) if (array[i] === item) return i;
+    return -1;
+  };
+
+  // Generate an integer Array containing an arithmetic progression. A port of
+  // the native Python `range()` function. See
+  // [the Python documentation](http://docs.python.org/library/functions.html#range).
+  _.range = function(start, stop, step) {
+    if (arguments.length <= 1) {
+      stop = start || 0;
+      start = 0;
+    }
+    step = arguments[2] || 1;
+
+    var len = Math.max(Math.ceil((stop - start) / step), 0);
+    var idx = 0;
+    var range = new Array(len);
+
+    while(idx < len) {
+      range[idx++] = start;
+      start += step;
+    }
+
+    return range;
+  };
+
+  // Function (ahem) Functions
+  // ------------------
+
+  // Create a function bound to a given object (assigning `this`, and arguments,
+  // optionally). Delegates to **ECMAScript 5**'s native `Function.bind` if
+  // available.
+  _.bind = function(func, context) {
+    if (func.bind === nativeBind && nativeBind) return nativeBind.apply(func, slice.call(arguments, 1));
+    var args = slice.call(arguments, 2);
+    return function() {
+      return func.apply(context, args.concat(slice.call(arguments)));
+    };
+  };
+
+  // Partially apply a function by creating a version that has had some of its
+  // arguments pre-filled, without changing its dynamic `this` context.
+  _.partial = function(func) {
+    var args = slice.call(arguments, 1);
+    return function() {
+      return func.apply(this, args.concat(slice.call(arguments)));
+    };
+  };
+
+  // Bind all of an object's methods to that object. Useful for ensuring that
+  // all callbacks defined on an object belong to it.
+  _.bindAll = function(obj) {
+    var funcs = slice.call(arguments, 1);
+    if (funcs.length === 0) funcs = _.functions(obj);
+    each(funcs, function(f) { obj[f] = _.bind(obj[f], obj); });
+    return obj;
+  };
+
+  // Memoize an expensive function by storing its results.
+  _.memoize = function(func, hasher) {
+    var memo = {};
+    hasher || (hasher = _.identity);
+    return function() {
+      var key = hasher.apply(this, arguments);
+      return _.has(memo, key) ? memo[key] : (memo[key] = func.apply(this, arguments));
+    };
+  };
+
+  // Delays a function for the given number of milliseconds, and then calls
+  // it with the arguments supplied.
+  _.delay = function(func, wait) {
+    var args = slice.call(arguments, 2);
+    return setTimeout(function(){ return func.apply(null, args); }, wait);
+  };
+
+  // Defers a function, scheduling it to run after the current call stack has
+  // cleared.
+  _.defer = function(func) {
+    return _.delay.apply(_, [func, 1].concat(slice.call(arguments, 1)));
+  };
+
+  // Returns a function, that, when invoked, will only be triggered at most once
+  // during a given window of time.
+  _.throttle = function(func, wait) {
+    var context, args, timeout, result;
+    var previous = 0;
+    var later = function() {
+      previous = new Date;
+      timeout = null;
+      result = func.apply(context, args);
+    };
+    return function() {
+      var now = new Date;
+      var remaining = wait - (now - previous);
+      context = this;
+      args = arguments;
+      if (remaining <= 0) {
+        clearTimeout(timeout);
+        timeout = null;
+        previous = now;
+        result = func.apply(context, args);
+      } else if (!timeout) {
+        timeout = setTimeout(later, remaining);
+      }
+      return result;
+    };
+  };
+
+  // Returns a function, that, as long as it continues to be invoked, will not
+  // be triggered. The function will be called after it stops being called for
+  // N milliseconds. If `immediate` is passed, trigger the function on the
+  // leading edge, instead of the trailing.
+  _.debounce = function(func, wait, immediate) {
+    var timeout, result;
+    return function() {
+      var context = this, args = arguments;
+      var later = function() {
+        timeout = null;
+        if (!immediate) result = func.apply(context, args);
+      };
+      var callNow = immediate && !timeout;
+      clearTimeout(timeout);
+      timeout = setTimeout(later, wait);
+      if (callNow) result = func.apply(context, args);
+      return result;
+    };
+  };
+
+  // Returns a function that will be executed at most one time, no matter how
+  // often you call it. Useful for lazy initialization.
+  _.once = function(func) {
+    var ran = false, memo;
+    return function() {
+      if (ran) return memo;
+      ran = true;
+      memo = func.apply(this, arguments);
+      func = null;
+      return memo;
+    };
+  };
+
+  // Returns the first function passed as an argument to the second,
+  // allowing you to adjust arguments, run code before and after, and
+  // conditionally execute the original function.
+  _.wrap = function(func, wrapper) {
+    return function() {
+      var args = [func];
+      push.apply(args, arguments);
+      return wrapper.apply(this, args);
+    };
+  };
+
+  // Returns a function that is the composition of a list of functions, each
+  // consuming the return value of the function that follows.
+  _.compose = function() {
+    var funcs = arguments;
+    return function() {
+      var args = arguments;
+      for (var i = funcs.length - 1; i >= 0; i--) {
+        args = [funcs[i].apply(this, args)];
+      }
+      return args[0];
+    };
+  };
+
+  // Returns a function that will only be executed after being called N times.
+  _.after = function(times, func) {
+    if (times <= 0) return func();
+    return function() {
+      if (--times < 1) {
+        return func.apply(this, arguments);
+      }
+    };
+  };
+
+  // Object Functions
+  // ----------------
+
+  // Retrieve the names of an object's properties.
+  // Delegates to **ECMAScript 5**'s native `Object.keys`
+  _.keys = nativeKeys || function(obj) {
+    if (obj !== Object(obj)) throw new TypeError('Invalid object');
+    var keys = [];
+    for (var key in obj) if (_.has(obj, key)) keys[keys.length] = key;
+    return keys;
+  };
+
+  // Retrieve the values of an object's properties.
+  _.values = function(obj) {
+    var values = [];
+    for (var key in obj) if (_.has(obj, key)) values.push(obj[key]);
+    return values;
+  };
+
+  // Convert an object into a list of `[key, value]` pairs.
+  _.pairs = function(obj) {
+    var pairs = [];
+    for (var key in obj) if (_.has(obj, key)) pairs.push([key, obj[key]]);
+    return pairs;
+  };
+
+  // Invert the keys and values of an object. The values must be serializable.
+  _.invert = function(obj) {
+    var result = {};
+    for (var key in obj) if (_.has(obj, key)) result[obj[key]] = key;
+    return result;
+  };
+
+  // Return a sorted list of the function names available on the object.
+  // Aliased as `methods`
+  _.functions = _.methods = function(obj) {
+    var names = [];
+    for (var key in obj) {
+      if (_.isFunction(obj[key])) names.push(key);
+    }
+    return names.sort();
+  };
+
+  // Extend a given object with all the properties in passed-in object(s).
+  _.extend = function(obj) {
+    each(slice.call(arguments, 1), function(source) {
+      if (source) {
+        for (var prop in source) {
+          obj[prop] = source[prop];
+        }
+      }
+    });
+    return obj;
+  };
+
+  // Return a copy of the object only containing the whitelisted properties.
+  _.pick = function(obj) {
+    var copy = {};
+    var keys = concat.apply(ArrayProto, slice.call(arguments, 1));
+    each(keys, function(key) {
+      if (key in obj) copy[key] = obj[key];
+    });
+    return copy;
+  };
+
+   // Return a copy of the object without the blacklisted properties.
+  _.omit = function(obj) {
+    var copy = {};
+    var keys = concat.apply(ArrayProto, slice.call(arguments, 1));
+    for (var key in obj) {
+      if (!_.contains(keys, key)) copy[key] = obj[key];
+    }
+    return copy;
+  };
+
+  // Fill in a given object with default properties.
+  _.defaults = function(obj) {
+    each(slice.call(arguments, 1), function(source) {
+      if (source) {
+        for (var prop in source) {
+          if (obj[prop] == null) obj[prop] = source[prop];
+        }
+      }
+    });
+    return obj;
+  };
+
+  // Create a (shallow-cloned) duplicate of an object.
+  _.clone = function(obj) {
+    if (!_.isObject(obj)) return obj;
+    return _.isArray(obj) ? obj.slice() : _.extend({}, obj);
+  };
+
+  // Invokes interceptor with the obj, and then returns obj.
+  // The primary purpose of this method is to "tap into" a method chain, in
+  // order to perform operations on intermediate results within the chain.
+  _.tap = function(obj, interceptor) {
+    interceptor(obj);
+    return obj;
+  };
+
+  // Internal recursive comparison function for `isEqual`.
+  var eq = function(a, b, aStack, bStack) {
+    // Identical objects are equal. `0 === -0`, but they aren't identical.
+    // See the Harmony `egal` proposal: http://wiki.ecmascript.org/doku.php?id=harmony:egal.
+    if (a === b) return a !== 0 || 1 / a == 1 / b;
+    // A strict comparison is necessary because `null == undefined`.
+    if (a == null || b == null) return a === b;
+    // Unwrap any wrapped objects.
+    if (a instanceof _) a = a._wrapped;
+    if (b instanceof _) b = b._wrapped;
+    // Compare `[[Class]]` names.
+    var className = toString.call(a);
+    if (className != toString.call(b)) return false;
+    switch (className) {
+      // Strings, numbers, dates, and booleans are compared by value.
+      case '[object String]':
+        // Primitives and their corresponding object wrappers are equivalent; thus, `"5"` is
+        // equivalent to `new String("5")`.
+        return a == String(b);
+      case '[object Number]':
+        // `NaN`s are equivalent, but non-reflexive. An `egal` comparison is performed for
+        // other numeric values.
+        return a != +a ? b != +b : (a == 0 ? 1 / a == 1 / b : a == +b);
+      case '[object Date]':
+      case '[object Boolean]':
+        // Coerce dates and booleans to numeric primitive values. Dates are compared by their
+        // millisecond representations. Note that invalid dates with millisecond representations
+        // of `NaN` are not equivalent.
+        return +a == +b;
+      // RegExps are compared by their source patterns and flags.
+      case '[object RegExp]':
+        return a.source == b.source &&
+               a.global == b.global &&
+               a.multiline == b.multiline &&
+               a.ignoreCase == b.ignoreCase;
+    }
+    if (typeof a != 'object' || typeof b != 'object') return false;
+    // Assume equality for cyclic structures. The algorithm for detecting cyclic
+    // structures is adapted from ES 5.1 section 15.12.3, abstract operation `JO`.
+    var length = aStack.length;
+    while (length--) {
+      // Linear search. Performance is inversely proportional to the number of
+      // unique nested structures.
+      if (aStack[length] == a) return bStack[length] == b;
+    }
+    // Add the first object to the stack of traversed objects.
+    aStack.push(a);
+    bStack.push(b);
+    var size = 0, result = true;
+    // Recursively compare objects and arrays.
+    if (className == '[object Array]') {
+      // Compare array lengths to determine if a deep comparison is necessary.
+      size = a.length;
+      result = size == b.length;
+      if (result) {
+        // Deep compare the contents, ignoring non-numeric properties.
+        while (size--) {
+          if (!(result = eq(a[size], b[size], aStack, bStack))) break;
+        }
+      }
+    } else {
+      // Objects with different constructors are not equivalent, but `Object`s
+      // from different frames are.
+      var aCtor = a.constructor, bCtor = b.constructor;
+      if (aCtor !== bCtor && !(_.isFunction(aCtor) && (aCtor instanceof aCtor) &&
+                               _.isFunction(bCtor) && (bCtor instanceof bCtor))) {
+        return false;
+      }
+      // Deep compare objects.
+      for (var key in a) {
+        if (_.has(a, key)) {
+          // Count the expected number of properties.
+          size++;
+          // Deep compare each member.
+          if (!(result = _.has(b, key) && eq(a[key], b[key], aStack, bStack))) break;
+        }
+      }
+      // Ensure that both objects contain the same number of properties.
+      if (result) {
+        for (key in b) {
+          if (_.has(b, key) && !(size--)) break;
+        }
+        result = !size;
+      }
+    }
+    // Remove the first object from the stack of traversed objects.
+    aStack.pop();
+    bStack.pop();
+    return result;
+  };
+
+  // Perform a deep comparison to check if two objects are equal.
+  _.isEqual = function(a, b) {
+    return eq(a, b, [], []);
+  };
+
+  // Is a given array, string, or object empty?
+  // An "empty" object has no enumerable own-properties.
+  _.isEmpty = function(obj) {
+    if (obj == null) return true;
+    if (_.isArray(obj) || _.isString(obj)) return obj.length === 0;
+    for (var key in obj) if (_.has(obj, key)) return false;
+    return true;
+  };
+
+  // Is a given value a DOM element?
+  _.isElement = function(obj) {
+    return !!(obj && obj.nodeType === 1);
+  };
+
+  // Is a given value an array?
+  // Delegates to ECMA5's native Array.isArray
+  _.isArray = nativeIsArray || function(obj) {
+    return toString.call(obj) == '[object Array]';
+  };
+
+  // Is a given variable an object?
+  _.isObject = function(obj) {
+    return obj === Object(obj);
+  };
+
+  // Add some isType methods: isArguments, isFunction, isString, isNumber, isDate, isRegExp.
+  each(['Arguments', 'Function', 'String', 'Number', 'Date', 'RegExp'], function(name) {
+    _['is' + name] = function(obj) {
+      return toString.call(obj) == '[object ' + name + ']';
+    };
+  });
+
+  // Define a fallback version of the method in browsers (ahem, IE), where
+  // there isn't any inspectable "Arguments" type.
+  if (!_.isArguments(arguments)) {
+    _.isArguments = function(obj) {
+      return !!(obj && _.has(obj, 'callee'));
+    };
+  }
+
+  // Optimize `isFunction` if appropriate.
+  if (typeof (/./) !== 'function') {
+    _.isFunction = function(obj) {
+      return typeof obj === 'function';
+    };
+  }
+
+  // Is a given object a finite number?
+  _.isFinite = function(obj) {
+    return isFinite(obj) && !isNaN(parseFloat(obj));
+  };
+
+  // Is the given value `NaN`? (NaN is the only number which does not equal itself).
+  _.isNaN = function(obj) {
+    return _.isNumber(obj) && obj != +obj;
+  };
+
+  // Is a given value a boolean?
+  _.isBoolean = function(obj) {
+    return obj === true || obj === false || toString.call(obj) == '[object Boolean]';
+  };
+
+  // Is a given value equal to null?
+  _.isNull = function(obj) {
+    return obj === null;
+  };
+
+  // Is a given variable undefined?
+  _.isUndefined = function(obj) {
+    return obj === void 0;
+  };
+
+  // Shortcut function for checking if an object has a given property directly
+  // on itself (in other words, not on a prototype).
+  _.has = function(obj, key) {
+    return hasOwnProperty.call(obj, key);
+  };
+
+  // Utility Functions
+  // -----------------
+
+  // Run Underscore.js in *noConflict* mode, returning the `_` variable to its
+  // previous owner. Returns a reference to the Underscore object.
+  _.noConflict = function() {
+    root._ = previousUnderscore;
+    return this;
+  };
+
+  // Keep the identity function around for default iterators.
+  _.identity = function(value) {
+    return value;
+  };
+
+  // Run a function **n** times.
+  _.times = function(n, iterator, context) {
+    var accum = Array(n);
+    for (var i = 0; i < n; i++) accum[i] = iterator.call(context, i);
+    return accum;
+  };
+
+  // Return a random integer between min and max (inclusive).
+  _.random = function(min, max) {
+    if (max == null) {
+      max = min;
+      min = 0;
+    }
+    return min + Math.floor(Math.random() * (max - min + 1));
+  };
+
+  // List of HTML entities for escaping.
+  var entityMap = {
+    escape: {
+      '&': '&',
+      '<': '<',
+      '>': '>',
+      '"': '"',
+      "'": '&#x27;',
+      '/': '&#x2F;'
+    }
+  };
+  entityMap.unescape = _.invert(entityMap.escape);
+
+  // Regexes containing the keys and values listed immediately above.
+  var entityRegexes = {
+    escape:   new RegExp('[' + _.keys(entityMap.escape).join('') + ']', 'g'),
+    unescape: new RegExp('(' + _.keys(entityMap.unescape).join('|') + ')', 'g')
+  };
+
+  // Functions for escaping and unescaping strings to/from HTML interpolation.
+  _.each(['escape', 'unescape'], function(method) {
+    _[method] = function(string) {
+      if (string == null) return '';
+      return ('' + string).replace(entityRegexes[method], function(match) {
+        return entityMap[method][match];
+      });
+    };
+  });
+
+  // If the value of the named property is a function then invoke it;
+  // otherwise, return it.
+  _.result = function(object, property) {
+    if (object == null) return null;
+    var value = object[property];
+    return _.isFunction(value) ? value.call(object) : value;
+  };
+
+  // Add your own custom functions to the Underscore object.
+  _.mixin = function(obj) {
+    each(_.functions(obj), function(name){
+      var func = _[name] = obj[name];
+      _.prototype[name] = function() {
+        var args = [this._wrapped];
+        push.apply(args, arguments);
+        return result.call(this, func.apply(_, args));
+      };
+    });
+  };
+
+  // Generate a unique integer id (unique within the entire client session).
+  // Useful for temporary DOM ids.
+  var idCounter = 0;
+  _.uniqueId = function(prefix) {
+    var id = ++idCounter + '';
+    return prefix ? prefix + id : id;
+  };
+
+  // By default, Underscore uses ERB-style template delimiters, change the
+  // following template settings to use alternative delimiters.
+  _.templateSettings = {
+    evaluate    : /<%([\s\S]+?)%>/g,
+    interpolate : /<%=([\s\S]+?)%>/g,
+    escape      : /<%-([\s\S]+?)%>/g
+  };
+
+  // When customizing `templateSettings`, if you don't want to define an
+  // interpolation, evaluation or escaping regex, we need one that is
+  // guaranteed not to match.
+  var noMatch = /(.)^/;
+
+  // Certain characters need to be escaped so that they can be put into a
+  // string literal.
+  var escapes = {
+    "'":      "'",
+    '\\':     '\\',
+    '\r':     'r',
+    '\n':     'n',
+    '\t':     't',
+    '\u2028': 'u2028',
+    '\u2029': 'u2029'
+  };
+
+  var escaper = /\\|'|\r|\n|\t|\u2028|\u2029/g;
+
+  // JavaScript micro-templating, similar to John Resig's implementation.
+  // Underscore templating handles arbitrary delimiters, preserves whitespace,
+  // and correctly escapes quotes within interpolated code.
+  _.template = function(text, data, settings) {
+    var render;
+    settings = _.defaults({}, settings, _.templateSettings);
+
+    // Combine delimiters into one regular expression via alternation.
+    var matcher = new RegExp([
+      (settings.escape || noMatch).source,
+      (settings.interpolate || noMatch).source,
+      (settings.evaluate || noMatch).source
+    ].join('|') + '|$', 'g');
+
+    // Compile the template source, escaping string literals appropriately.
+    var index = 0;
+    var source = "__p+='";
+    text.replace(matcher, function(match, escape, interpolate, evaluate, offset) {
+      source += text.slice(index, offset)
+        .replace(escaper, function(match) { return '\\' + escapes[match]; });
+
+      if (escape) {
+        source += "'+\n((__t=(" + escape + "))==null?'':_.escape(__t))+\n'";
+      }
+      if (interpolate) {
+        source += "'+\n((__t=(" + interpolate + "))==null?'':__t)+\n'";
+      }
+      if (evaluate) {
+        source += "';\n" + evaluate + "\n__p+='";
+      }
+      index = offset + match.length;
+      return match;
+    });
+    source += "';\n";
+
+    // If a variable is not specified, place data values in local scope.
+    if (!settings.variable) source = 'with(obj||{}){\n' + source + '}\n';
+
+    source = "var __t,__p='',__j=Array.prototype.join," +
+      "print=function(){__p+=__j.call(arguments,'');};\n" +
+      source + "return __p;\n";
+
+    try {
+      render = new Function(settings.variable || 'obj', '_', source);
+    } catch (e) {
+      e.source = source;
+      throw e;
+    }
+
+    if (data) return render(data, _);
+    var template = function(data) {
+      return render.call(this, data, _);
+    };
+
+    // Provide the compiled function source as a convenience for precompilation.
+    template.source = 'function(' + (settings.variable || 'obj') + '){\n' + source + '}';
+
+    return template;
+  };
+
+  // Add a "chain" function, which will delegate to the wrapper.
+  _.chain = function(obj) {
+    return _(obj).chain();
+  };
+
+  // OOP
+  // ---------------
+  // If Underscore is called as a function, it returns a wrapped object that
+  // can be used OO-style. This wrapper holds altered versions of all the
+  // underscore functions. Wrapped objects may be chained.
+
+  // Helper function to continue chaining intermediate results.
+  var result = function(obj) {
+    return this._chain ? _(obj).chain() : obj;
+  };
+
+  // Add all of the Underscore functions to the wrapper object.
+  _.mixin(_);
+
+  // Add all mutator Array functions to the wrapper.
+  each(['pop', 'push', 'reverse', 'shift', 'sort', 'splice', 'unshift'], function(name) {
+    var method = ArrayProto[name];
+    _.prototype[name] = function() {
+      var obj = this._wrapped;
+      method.apply(obj, arguments);
+      if ((name == 'shift' || name == 'splice') && obj.length === 0) delete obj[0];
+      return result.call(this, obj);
+    };
+  });
+
+  // Add all accessor Array functions to the wrapper.
+  each(['concat', 'join', 'slice'], function(name) {
+    var method = ArrayProto[name];
+    _.prototype[name] = function() {
+      return result.call(this, method.apply(this._wrapped, arguments));
+    };
+  });
+
+  _.extend(_.prototype, {
+
+    // Start chaining a wrapped Underscore object.
+    chain: function() {
+      this._chain = true;
+      return this;
+    },
+
+    // Extracts the result from a wrapped and chained object.
+    value: function() {
+      return this._wrapped;
+    }
+
+  });
+
+}).call(this);

Added: www-releases/trunk/3.9.0/docs/_static/up-pressed.png
URL: http://llvm.org/viewvc/llvm-project/www-releases/trunk/3.9.0/docs/_static/up-pressed.png?rev=280493&view=auto
==============================================================================
Binary file - no diff available.

Propchange: www-releases/trunk/3.9.0/docs/_static/up-pressed.png
------------------------------------------------------------------------------
    svn:mime-type = application/octet-stream

Added: www-releases/trunk/3.9.0/docs/_static/up.png
URL: http://llvm.org/viewvc/llvm-project/www-releases/trunk/3.9.0/docs/_static/up.png?rev=280493&view=auto
==============================================================================
Binary file - no diff available.

Propchange: www-releases/trunk/3.9.0/docs/_static/up.png
------------------------------------------------------------------------------
    svn:mime-type = application/octet-stream

Added: www-releases/trunk/3.9.0/docs/_static/websupport.js
URL: http://llvm.org/viewvc/llvm-project/www-releases/trunk/3.9.0/docs/_static/websupport.js?rev=280493&view=auto
==============================================================================
--- www-releases/trunk/3.9.0/docs/_static/websupport.js (added)
+++ www-releases/trunk/3.9.0/docs/_static/websupport.js Fri Sep  2 10:56:46 2016
@@ -0,0 +1,808 @@
+/*
+ * websupport.js
+ * ~~~~~~~~~~~~~
+ *
+ * sphinx.websupport utilties for all documentation.
+ *
+ * :copyright: Copyright 2007-2014 by the Sphinx team, see AUTHORS.
+ * :license: BSD, see LICENSE for details.
+ *
+ */
+
+(function($) {
+  $.fn.autogrow = function() {
+    return this.each(function() {
+    var textarea = this;
+
+    $.fn.autogrow.resize(textarea);
+
+    $(textarea)
+      .focus(function() {
+        textarea.interval = setInterval(function() {
+          $.fn.autogrow.resize(textarea);
+        }, 500);
+      })
+      .blur(function() {
+        clearInterval(textarea.interval);
+      });
+    });
+  };
+
+  $.fn.autogrow.resize = function(textarea) {
+    var lineHeight = parseInt($(textarea).css('line-height'), 10);
+    var lines = textarea.value.split('\n');
+    var columns = textarea.cols;
+    var lineCount = 0;
+    $.each(lines, function() {
+      lineCount += Math.ceil(this.length / columns) || 1;
+    });
+    var height = lineHeight * (lineCount + 1);
+    $(textarea).css('height', height);
+  };
+})(jQuery);
+
+(function($) {
+  var comp, by;
+
+  function init() {
+    initEvents();
+    initComparator();
+  }
+
+  function initEvents() {
+    $('a.comment-close').live("click", function(event) {
+      event.preventDefault();
+      hide($(this).attr('id').substring(2));
+    });
+    $('a.vote').live("click", function(event) {
+      event.preventDefault();
+      handleVote($(this));
+    });
+    $('a.reply').live("click", function(event) {
+      event.preventDefault();
+      openReply($(this).attr('id').substring(2));
+    });
+    $('a.close-reply').live("click", function(event) {
+      event.preventDefault();
+      closeReply($(this).attr('id').substring(2));
+    });
+    $('a.sort-option').live("click", function(event) {
+      event.preventDefault();
+      handleReSort($(this));
+    });
+    $('a.show-proposal').live("click", function(event) {
+      event.preventDefault();
+      showProposal($(this).attr('id').substring(2));
+    });
+    $('a.hide-proposal').live("click", function(event) {
+      event.preventDefault();
+      hideProposal($(this).attr('id').substring(2));
+    });
+    $('a.show-propose-change').live("click", function(event) {
+      event.preventDefault();
+      showProposeChange($(this).attr('id').substring(2));
+    });
+    $('a.hide-propose-change').live("click", function(event) {
+      event.preventDefault();
+      hideProposeChange($(this).attr('id').substring(2));
+    });
+    $('a.accept-comment').live("click", function(event) {
+      event.preventDefault();
+      acceptComment($(this).attr('id').substring(2));
+    });
+    $('a.delete-comment').live("click", function(event) {
+      event.preventDefault();
+      deleteComment($(this).attr('id').substring(2));
+    });
+    $('a.comment-markup').live("click", function(event) {
+      event.preventDefault();
+      toggleCommentMarkupBox($(this).attr('id').substring(2));
+    });
+  }
+
+  /**
+   * Set comp, which is a comparator function used for sorting and
+   * inserting comments into the list.
+   */
+  function setComparator() {
+    // If the first three letters are "asc", sort in ascending order
+    // and remove the prefix.
+    if (by.substring(0,3) == 'asc') {
+      var i = by.substring(3);
+      comp = function(a, b) { return a[i] - b[i]; };
+    } else {
+      // Otherwise sort in descending order.
+      comp = function(a, b) { return b[by] - a[by]; };
+    }
+
+    // Reset link styles and format the selected sort option.
+    $('a.sel').attr('href', '#').removeClass('sel');
+    $('a.by' + by).removeAttr('href').addClass('sel');
+  }
+
+  /**
+   * Create a comp function. If the user has preferences stored in
+   * the sortBy cookie, use those, otherwise use the default.
+   */
+  function initComparator() {
+    by = 'rating'; // Default to sort by rating.
+    // If the sortBy cookie is set, use that instead.
+    if (document.cookie.length > 0) {
+      var start = document.cookie.indexOf('sortBy=');
+      if (start != -1) {
+        start = start + 7;
+        var end = document.cookie.indexOf(";", start);
+        if (end == -1) {
+          end = document.cookie.length;
+          by = unescape(document.cookie.substring(start, end));
+        }
+      }
+    }
+    setComparator();
+  }
+
+  /**
+   * Show a comment div.
+   */
+  function show(id) {
+    $('#ao' + id).hide();
+    $('#ah' + id).show();
+    var context = $.extend({id: id}, opts);
+    var popup = $(renderTemplate(popupTemplate, context)).hide();
+    popup.find('textarea[name="proposal"]').hide();
+    popup.find('a.by' + by).addClass('sel');
+    var form = popup.find('#cf' + id);
+    form.submit(function(event) {
+      event.preventDefault();
+      addComment(form);
+    });
+    $('#s' + id).after(popup);
+    popup.slideDown('fast', function() {
+      getComments(id);
+    });
+  }
+
+  /**
+   * Hide a comment div.
+   */
+  function hide(id) {
+    $('#ah' + id).hide();
+    $('#ao' + id).show();
+    var div = $('#sc' + id);
+    div.slideUp('fast', function() {
+      div.remove();
+    });
+  }
+
+  /**
+   * Perform an ajax request to get comments for a node
+   * and insert the comments into the comments tree.
+   */
+  function getComments(id) {
+    $.ajax({
+     type: 'GET',
+     url: opts.getCommentsURL,
+     data: {node: id},
+     success: function(data, textStatus, request) {
+       var ul = $('#cl' + id);
+       var speed = 100;
+       $('#cf' + id)
+         .find('textarea[name="proposal"]')
+         .data('source', data.source);
+
+       if (data.comments.length === 0) {
+         ul.html('<li>No comments yet.</li>');
+         ul.data('empty', true);
+       } else {
+         // If there are comments, sort them and put them in the list.
+         var comments = sortComments(data.comments);
+         speed = data.comments.length * 100;
+         appendComments(comments, ul);
+         ul.data('empty', false);
+       }
+       $('#cn' + id).slideUp(speed + 200);
+       ul.slideDown(speed);
+     },
+     error: function(request, textStatus, error) {
+       showError('Oops, there was a problem retrieving the comments.');
+     },
+     dataType: 'json'
+    });
+  }
+
+  /**
+   * Add a comment via ajax and insert the comment into the comment tree.
+   */
+  function addComment(form) {
+    var node_id = form.find('input[name="node"]').val();
+    var parent_id = form.find('input[name="parent"]').val();
+    var text = form.find('textarea[name="comment"]').val();
+    var proposal = form.find('textarea[name="proposal"]').val();
+
+    if (text == '') {
+      showError('Please enter a comment.');
+      return;
+    }
+
+    // Disable the form that is being submitted.
+    form.find('textarea,input').attr('disabled', 'disabled');
+
+    // Send the comment to the server.
+    $.ajax({
+      type: "POST",
+      url: opts.addCommentURL,
+      dataType: 'json',
+      data: {
+        node: node_id,
+        parent: parent_id,
+        text: text,
+        proposal: proposal
+      },
+      success: function(data, textStatus, error) {
+        // Reset the form.
+        if (node_id) {
+          hideProposeChange(node_id);
+        }
+        form.find('textarea')
+          .val('')
+          .add(form.find('input'))
+          .removeAttr('disabled');
+	var ul = $('#cl' + (node_id || parent_id));
+        if (ul.data('empty')) {
+          $(ul).empty();
+          ul.data('empty', false);
+        }
+        insertComment(data.comment);
+        var ao = $('#ao' + node_id);
+        ao.find('img').attr({'src': opts.commentBrightImage});
+        if (node_id) {
+          // if this was a "root" comment, remove the commenting box
+          // (the user can get it back by reopening the comment popup)
+          $('#ca' + node_id).slideUp();
+        }
+      },
+      error: function(request, textStatus, error) {
+        form.find('textarea,input').removeAttr('disabled');
+        showError('Oops, there was a problem adding the comment.');
+      }
+    });
+  }
+
+  /**
+   * Recursively append comments to the main comment list and children
+   * lists, creating the comment tree.
+   */
+  function appendComments(comments, ul) {
+    $.each(comments, function() {
+      var div = createCommentDiv(this);
+      ul.append($(document.createElement('li')).html(div));
+      appendComments(this.children, div.find('ul.comment-children'));
+      // To avoid stagnating data, don't store the comments children in data.
+      this.children = null;
+      div.data('comment', this);
+    });
+  }
+
+  /**
+   * After adding a new comment, it must be inserted in the correct
+   * location in the comment tree.
+   */
+  function insertComment(comment) {
+    var div = createCommentDiv(comment);
+
+    // To avoid stagnating data, don't store the comments children in data.
+    comment.children = null;
+    div.data('comment', comment);
+
+    var ul = $('#cl' + (comment.node || comment.parent));
+    var siblings = getChildren(ul);
+
+    var li = $(document.createElement('li'));
+    li.hide();
+
+    // Determine where in the parents children list to insert this comment.
+    for(i=0; i < siblings.length; i++) {
+      if (comp(comment, siblings[i]) <= 0) {
+        $('#cd' + siblings[i].id)
+          .parent()
+          .before(li.html(div));
+        li.slideDown('fast');
+        return;
+      }
+    }
+
+    // If we get here, this comment rates lower than all the others,
+    // or it is the only comment in the list.
+    ul.append(li.html(div));
+    li.slideDown('fast');
+  }
+
+  function acceptComment(id) {
+    $.ajax({
+      type: 'POST',
+      url: opts.acceptCommentURL,
+      data: {id: id},
+      success: function(data, textStatus, request) {
+        $('#cm' + id).fadeOut('fast');
+        $('#cd' + id).removeClass('moderate');
+      },
+      error: function(request, textStatus, error) {
+        showError('Oops, there was a problem accepting the comment.');
+      }
+    });
+  }
+
+  function deleteComment(id) {
+    $.ajax({
+      type: 'POST',
+      url: opts.deleteCommentURL,
+      data: {id: id},
+      success: function(data, textStatus, request) {
+        var div = $('#cd' + id);
+        if (data == 'delete') {
+          // Moderator mode: remove the comment and all children immediately
+          div.slideUp('fast', function() {
+            div.remove();
+          });
+          return;
+        }
+        // User mode: only mark the comment as deleted
+        div
+          .find('span.user-id:first')
+          .text('[deleted]').end()
+          .find('div.comment-text:first')
+          .text('[deleted]').end()
+          .find('#cm' + id + ', #dc' + id + ', #ac' + id + ', #rc' + id +
+                ', #sp' + id + ', #hp' + id + ', #cr' + id + ', #rl' + id)
+          .remove();
+        var comment = div.data('comment');
+        comment.username = '[deleted]';
+        comment.text = '[deleted]';
+        div.data('comment', comment);
+      },
+      error: function(request, textStatus, error) {
+        showError('Oops, there was a problem deleting the comment.');
+      }
+    });
+  }
+
+  function showProposal(id) {
+    $('#sp' + id).hide();
+    $('#hp' + id).show();
+    $('#pr' + id).slideDown('fast');
+  }
+
+  function hideProposal(id) {
+    $('#hp' + id).hide();
+    $('#sp' + id).show();
+    $('#pr' + id).slideUp('fast');
+  }
+
+  function showProposeChange(id) {
+    $('#pc' + id).hide();
+    $('#hc' + id).show();
+    var textarea = $('#pt' + id);
+    textarea.val(textarea.data('source'));
+    $.fn.autogrow.resize(textarea[0]);
+    textarea.slideDown('fast');
+  }
+
+  function hideProposeChange(id) {
+    $('#hc' + id).hide();
+    $('#pc' + id).show();
+    var textarea = $('#pt' + id);
+    textarea.val('').removeAttr('disabled');
+    textarea.slideUp('fast');
+  }
+
+  function toggleCommentMarkupBox(id) {
+    $('#mb' + id).toggle();
+  }
+
+  /** Handle when the user clicks on a sort by link. */
+  function handleReSort(link) {
+    var classes = link.attr('class').split(/\s+/);
+    for (var i=0; i<classes.length; i++) {
+      if (classes[i] != 'sort-option') {
+	by = classes[i].substring(2);
+      }
+    }
+    setComparator();
+    // Save/update the sortBy cookie.
+    var expiration = new Date();
+    expiration.setDate(expiration.getDate() + 365);
+    document.cookie= 'sortBy=' + escape(by) +
+                     ';expires=' + expiration.toUTCString();
+    $('ul.comment-ul').each(function(index, ul) {
+      var comments = getChildren($(ul), true);
+      comments = sortComments(comments);
+      appendComments(comments, $(ul).empty());
+    });
+  }
+
+  /**
+   * Function to process a vote when a user clicks an arrow.
+   */
+  function handleVote(link) {
+    if (!opts.voting) {
+      showError("You'll need to login to vote.");
+      return;
+    }
+
+    var id = link.attr('id');
+    if (!id) {
+      // Didn't click on one of the voting arrows.
+      return;
+    }
+    // If it is an unvote, the new vote value is 0,
+    // Otherwise it's 1 for an upvote, or -1 for a downvote.
+    var value = 0;
+    if (id.charAt(1) != 'u') {
+      value = id.charAt(0) == 'u' ? 1 : -1;
+    }
+    // The data to be sent to the server.
+    var d = {
+      comment_id: id.substring(2),
+      value: value
+    };
+
+    // Swap the vote and unvote links.
+    link.hide();
+    $('#' + id.charAt(0) + (id.charAt(1) == 'u' ? 'v' : 'u') + d.comment_id)
+      .show();
+
+    // The div the comment is displayed in.
+    var div = $('div#cd' + d.comment_id);
+    var data = div.data('comment');
+
+    // If this is not an unvote, and the other vote arrow has
+    // already been pressed, unpress it.
+    if ((d.value !== 0) && (data.vote === d.value * -1)) {
+      $('#' + (d.value == 1 ? 'd' : 'u') + 'u' + d.comment_id).hide();
+      $('#' + (d.value == 1 ? 'd' : 'u') + 'v' + d.comment_id).show();
+    }
+
+    // Update the comments rating in the local data.
+    data.rating += (data.vote === 0) ? d.value : (d.value - data.vote);
+    data.vote = d.value;
+    div.data('comment', data);
+
+    // Change the rating text.
+    div.find('.rating:first')
+      .text(data.rating + ' point' + (data.rating == 1 ? '' : 's'));
+
+    // Send the vote information to the server.
+    $.ajax({
+      type: "POST",
+      url: opts.processVoteURL,
+      data: d,
+      error: function(request, textStatus, error) {
+        showError('Oops, there was a problem casting that vote.');
+      }
+    });
+  }
+
+  /**
+   * Open a reply form used to reply to an existing comment.
+   */
+  function openReply(id) {
+    // Swap out the reply link for the hide link
+    $('#rl' + id).hide();
+    $('#cr' + id).show();
+
+    // Add the reply li to the children ul.
+    var div = $(renderTemplate(replyTemplate, {id: id})).hide();
+    $('#cl' + id)
+      .prepend(div)
+      // Setup the submit handler for the reply form.
+      .find('#rf' + id)
+      .submit(function(event) {
+        event.preventDefault();
+        addComment($('#rf' + id));
+        closeReply(id);
+      })
+      .find('input[type=button]')
+      .click(function() {
+        closeReply(id);
+      });
+    div.slideDown('fast', function() {
+      $('#rf' + id).find('textarea').focus();
+    });
+  }
+
+  /**
+   * Close the reply form opened with openReply.
+   */
+  function closeReply(id) {
+    // Remove the reply div from the DOM.
+    $('#rd' + id).slideUp('fast', function() {
+      $(this).remove();
+    });
+
+    // Swap out the hide link for the reply link
+    $('#cr' + id).hide();
+    $('#rl' + id).show();
+  }
+
+  /**
+   * Recursively sort a tree of comments using the comp comparator.
+   */
+  function sortComments(comments) {
+    comments.sort(comp);
+    $.each(comments, function() {
+      this.children = sortComments(this.children);
+    });
+    return comments;
+  }
+
+  /**
+   * Get the children comments from a ul. If recursive is true,
+   * recursively include childrens' children.
+   */
+  function getChildren(ul, recursive) {
+    var children = [];
+    ul.children().children("[id^='cd']")
+      .each(function() {
+        var comment = $(this).data('comment');
+        if (recursive)
+          comment.children = getChildren($(this).find('#cl' + comment.id), true);
+        children.push(comment);
+      });
+    return children;
+  }
+
+  /** Create a div to display a comment in. */
+  function createCommentDiv(comment) {
+    if (!comment.displayed && !opts.moderator) {
+      return $('<div class="moderate">Thank you!  Your comment will show up '
+               + 'once it is has been approved by a moderator.</div>');
+    }
+    // Prettify the comment rating.
+    comment.pretty_rating = comment.rating + ' point' +
+      (comment.rating == 1 ? '' : 's');
+    // Make a class (for displaying not yet moderated comments differently)
+    comment.css_class = comment.displayed ? '' : ' moderate';
+    // Create a div for this comment.
+    var context = $.extend({}, opts, comment);
+    var div = $(renderTemplate(commentTemplate, context));
+
+    // If the user has voted on this comment, highlight the correct arrow.
+    if (comment.vote) {
+      var direction = (comment.vote == 1) ? 'u' : 'd';
+      div.find('#' + direction + 'v' + comment.id).hide();
+      div.find('#' + direction + 'u' + comment.id).show();
+    }
+
+    if (opts.moderator || comment.text != '[deleted]') {
+      div.find('a.reply').show();
+      if (comment.proposal_diff)
+        div.find('#sp' + comment.id).show();
+      if (opts.moderator && !comment.displayed)
+        div.find('#cm' + comment.id).show();
+      if (opts.moderator || (opts.username == comment.username))
+        div.find('#dc' + comment.id).show();
+    }
+    return div;
+  }
+
+  /**
+   * A simple template renderer. Placeholders such as <%id%> are replaced
+   * by context['id'] with items being escaped. Placeholders such as <#id#>
+   * are not escaped.
+   */
+  function renderTemplate(template, context) {
+    var esc = $(document.createElement('div'));
+
+    function handle(ph, escape) {
+      var cur = context;
+      $.each(ph.split('.'), function() {
+        cur = cur[this];
+      });
+      return escape ? esc.text(cur || "").html() : cur;
+    }
+
+    return template.replace(/<([%#])([\w\.]*)\1>/g, function() {
+      return handle(arguments[2], arguments[1] == '%' ? true : false);
+    });
+  }
+
+  /** Flash an error message briefly. */
+  function showError(message) {
+    $(document.createElement('div')).attr({'class': 'popup-error'})
+      .append($(document.createElement('div'))
+               .attr({'class': 'error-message'}).text(message))
+      .appendTo('body')
+      .fadeIn("slow")
+      .delay(2000)
+      .fadeOut("slow");
+  }
+
+  /** Add a link the user uses to open the comments popup. */
+  $.fn.comment = function() {
+    return this.each(function() {
+      var id = $(this).attr('id').substring(1);
+      var count = COMMENT_METADATA[id];
+      var title = count + ' comment' + (count == 1 ? '' : 's');
+      var image = count > 0 ? opts.commentBrightImage : opts.commentImage;
+      var addcls = count == 0 ? ' nocomment' : '';
+      $(this)
+        .append(
+          $(document.createElement('a')).attr({
+            href: '#',
+            'class': 'sphinx-comment-open' + addcls,
+            id: 'ao' + id
+          })
+            .append($(document.createElement('img')).attr({
+              src: image,
+              alt: 'comment',
+              title: title
+            }))
+            .click(function(event) {
+              event.preventDefault();
+              show($(this).attr('id').substring(2));
+            })
+        )
+        .append(
+          $(document.createElement('a')).attr({
+            href: '#',
+            'class': 'sphinx-comment-close hidden',
+            id: 'ah' + id
+          })
+            .append($(document.createElement('img')).attr({
+              src: opts.closeCommentImage,
+              alt: 'close',
+              title: 'close'
+            }))
+            .click(function(event) {
+              event.preventDefault();
+              hide($(this).attr('id').substring(2));
+            })
+        );
+    });
+  };
+
+  var opts = {
+    processVoteURL: '/_process_vote',
+    addCommentURL: '/_add_comment',
+    getCommentsURL: '/_get_comments',
+    acceptCommentURL: '/_accept_comment',
+    deleteCommentURL: '/_delete_comment',
+    commentImage: '/static/_static/comment.png',
+    closeCommentImage: '/static/_static/comment-close.png',
+    loadingImage: '/static/_static/ajax-loader.gif',
+    commentBrightImage: '/static/_static/comment-bright.png',
+    upArrow: '/static/_static/up.png',
+    downArrow: '/static/_static/down.png',
+    upArrowPressed: '/static/_static/up-pressed.png',
+    downArrowPressed: '/static/_static/down-pressed.png',
+    voting: false,
+    moderator: false
+  };
+
+  if (typeof COMMENT_OPTIONS != "undefined") {
+    opts = jQuery.extend(opts, COMMENT_OPTIONS);
+  }
+
+  var popupTemplate = '\
+    <div class="sphinx-comments" id="sc<%id%>">\
+      <p class="sort-options">\
+        Sort by:\
+        <a href="#" class="sort-option byrating">best rated</a>\
+        <a href="#" class="sort-option byascage">newest</a>\
+        <a href="#" class="sort-option byage">oldest</a>\
+      </p>\
+      <div class="comment-header">Comments</div>\
+      <div class="comment-loading" id="cn<%id%>">\
+        loading comments... <img src="<%loadingImage%>" alt="" /></div>\
+      <ul id="cl<%id%>" class="comment-ul"></ul>\
+      <div id="ca<%id%>">\
+      <p class="add-a-comment">Add a comment\
+        (<a href="#" class="comment-markup" id="ab<%id%>">markup</a>):</p>\
+      <div class="comment-markup-box" id="mb<%id%>">\
+        reStructured text markup: <i>*emph*</i>, <b>**strong**</b>, \
+        <tt>``code``</tt>, \
+        code blocks: <tt>::</tt> and an indented block after blank line</div>\
+      <form method="post" id="cf<%id%>" class="comment-form" action="">\
+        <textarea name="comment" cols="80"></textarea>\
+        <p class="propose-button">\
+          <a href="#" id="pc<%id%>" class="show-propose-change">\
+            Propose a change ▹\
+          </a>\
+          <a href="#" id="hc<%id%>" class="hide-propose-change">\
+            Propose a change ▿\
+          </a>\
+        </p>\
+        <textarea name="proposal" id="pt<%id%>" cols="80"\
+                  spellcheck="false"></textarea>\
+        <input type="submit" value="Add comment" />\
+        <input type="hidden" name="node" value="<%id%>" />\
+        <input type="hidden" name="parent" value="" />\
+      </form>\
+      </div>\
+    </div>';
+
+  var commentTemplate = '\
+    <div id="cd<%id%>" class="sphinx-comment<%css_class%>">\
+      <div class="vote">\
+        <div class="arrow">\
+          <a href="#" id="uv<%id%>" class="vote" title="vote up">\
+            <img src="<%upArrow%>" />\
+          </a>\
+          <a href="#" id="uu<%id%>" class="un vote" title="vote up">\
+            <img src="<%upArrowPressed%>" />\
+          </a>\
+        </div>\
+        <div class="arrow">\
+          <a href="#" id="dv<%id%>" class="vote" title="vote down">\
+            <img src="<%downArrow%>" id="da<%id%>" />\
+          </a>\
+          <a href="#" id="du<%id%>" class="un vote" title="vote down">\
+            <img src="<%downArrowPressed%>" />\
+          </a>\
+        </div>\
+      </div>\
+      <div class="comment-content">\
+        <p class="tagline comment">\
+          <span class="user-id"><%username%></span>\
+          <span class="rating"><%pretty_rating%></span>\
+          <span class="delta"><%time.delta%></span>\
+        </p>\
+        <div class="comment-text comment"><#text#></div>\
+        <p class="comment-opts comment">\
+          <a href="#" class="reply hidden" id="rl<%id%>">reply ▹</a>\
+          <a href="#" class="close-reply" id="cr<%id%>">reply ▿</a>\
+          <a href="#" id="sp<%id%>" class="show-proposal">proposal ▹</a>\
+          <a href="#" id="hp<%id%>" class="hide-proposal">proposal ▿</a>\
+          <a href="#" id="dc<%id%>" class="delete-comment hidden">delete</a>\
+          <span id="cm<%id%>" class="moderation hidden">\
+            <a href="#" id="ac<%id%>" class="accept-comment">accept</a>\
+          </span>\
+        </p>\
+        <pre class="proposal" id="pr<%id%>">\
+<#proposal_diff#>\
+        </pre>\
+          <ul class="comment-children" id="cl<%id%>"></ul>\
+        </div>\
+        <div class="clearleft"></div>\
+      </div>\
+    </div>';
+
+  var replyTemplate = '\
+    <li>\
+      <div class="reply-div" id="rd<%id%>">\
+        <form id="rf<%id%>">\
+          <textarea name="comment" cols="80"></textarea>\
+          <input type="submit" value="Add reply" />\
+          <input type="button" value="Cancel" />\
+          <input type="hidden" name="parent" value="<%id%>" />\
+          <input type="hidden" name="node" value="" />\
+        </form>\
+      </div>\
+    </li>';
+
+  $(document).ready(function() {
+    init();
+  });
+})(jQuery);
+
+$(document).ready(function() {
+  // add comment anchors for all paragraphs that are commentable
+  $('.sphinx-has-comment').comment();
+
+  // highlight search words in search results
+  $("div.context").each(function() {
+    var params = $.getQueryParameters();
+    var terms = (params.q) ? params.q[0].split(/\s+/) : [];
+    var result = $(this);
+    $.each(terms, function() {
+      result.highlightText(this.toLowerCase(), 'highlighted');
+    });
+  });
+
+  // directly open comment window if requested
+  var anchor = document.location.hash;
+  if (anchor.substring(0, 9) == '#comment-') {
+    $('#ao' + anchor.substring(9)).click();
+    document.location.hash = '#s' + anchor.substring(9);
+  }
+});

Added: www-releases/trunk/3.9.0/docs/genindex.html
URL: http://llvm.org/viewvc/llvm-project/www-releases/trunk/3.9.0/docs/genindex.html?rev=280493&view=auto
==============================================================================
--- www-releases/trunk/3.9.0/docs/genindex.html (added)
+++ www-releases/trunk/3.9.0/docs/genindex.html Fri Sep  2 10:56:46 2016
@@ -0,0 +1,3130 @@
+
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>Index — LLVM 3.9 documentation</title>
+    
+    <link rel="stylesheet" href="_static/llvm-theme.css" type="text/css" />
+    <link rel="stylesheet" href="_static/pygments.css" type="text/css" />
+    
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    './',
+        VERSION:     '3.9',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="_static/jquery.js"></script>
+    <script type="text/javascript" src="_static/underscore.js"></script>
+    <script type="text/javascript" src="_static/doctools.js"></script>
+    <link rel="top" title="LLVM 3.9 documentation" href="index.html" />
+<style type="text/css">
+  table.right { float: right; margin-left: 20px; }
+  table.right td { border: 1px solid #ccc; }
+</style>
+
+  </head>
+  <body>
+<div class="logo">
+  <a href="index.html">
+    <img src="_static/logo.png"
+         alt="LLVM Logo" width="250" height="88"/></a>
+</div>
+
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="#" title="General Index"
+             accesskey="I">index</a></li>
+  <li><a href="http://llvm.org/">LLVM Home</a> | </li>
+  <li><a href="index.html">Documentation</a>»</li>
+ 
+      </ul>
+    </div>
+
+
+    <div class="document">
+      <div class="documentwrapper">
+          <div class="body">
+            
+
+<h1 id="index">Index</h1>
+
+<div class="genindex-jumpbox">
+ <a href="#Symbols"><strong>Symbols</strong></a>
+ | <a href="#C"><strong>C</strong></a>
+ | <a href="#L"><strong>L</strong></a>
+ | <a href="#T"><strong>T</strong></a>
+ 
+</div>
+<h2 id="Symbols">Symbols</h2>
+<table style="width: 100%" class="indextable genindextable"><tr>
+  <td style="width: 33%" valign="top"><dl>
+      
+  <dt>
+    --check-prefix prefix
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/FileCheck.html#cmdoption--check-prefix">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --check-prefixes prefix1,prefix2,...
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/FileCheck.html#cmdoption--check-prefixes">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --config-prefix=NAME
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption--config-prefix">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --debug
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption--debug">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --debug-syms, -a
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-nm.html#cmdoption-llvm-nm--debug-syms">llvm-nm command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --defined-only
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-nm.html#cmdoption-llvm-nm--defined-only">llvm-nm command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --disable-excess-fp-precision
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption--disable-excess-fp-precision">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --disable-fp-elim
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption--disable-fp-elim">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --dynamic, -D
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-nm.html#cmdoption-llvm-nm--dynamic">llvm-nm command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --enable-no-infs-fp-math
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption--enable-no-infs-fp-math">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --enable-no-nans-fp-math
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption--enable-no-nans-fp-math">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --enable-unsafe-fp-math
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption--enable-unsafe-fp-math">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --extern-only, -g
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-nm.html#cmdoption-llvm-nm--extern-only">llvm-nm command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --format=format, -f format
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-nm.html#cmdoption-llvm-nm--format">llvm-nm command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --help
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-gcov--help">llvm-cov-gcov command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --implicit-check-not check-pattern
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/FileCheck.html#cmdoption--implicit-check-not">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --input-file filename
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/FileCheck.html#cmdoption--input-file">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --load=<dso_path>
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption--load">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --match-full-lines
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/FileCheck.html#cmdoption--match-full-lines">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --max-tests=N
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption--max-tests">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --max-time=N
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption--max-time">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --no-progress-bar
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption--no-progress-bar">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --no-sort, -p
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-nm.html#cmdoption-llvm-nm--no-sort">llvm-nm command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --numeric-sort, -n, -v
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-nm.html#cmdoption-llvm-nm--numeric-sort">llvm-nm command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --path=PATH
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption--path">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --print-file-name, -A, -o
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-nm.html#cmdoption-llvm-nm--print-file-name">llvm-nm command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --print-machineinstrs
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption--print-machineinstrs">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --print-size, -S
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-nm.html#cmdoption-llvm-nm--print-size">llvm-nm command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --radix=RADIX, -t
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-nm.html#cmdoption-llvm-nm--radix">llvm-nm command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --regalloc=<allocator>
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption--regalloc">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --show-suites
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption--show-suites">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --show-tests
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption--show-tests">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --show-unsupported
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption--show-unsupported">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --show-xfail
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption--show-xfail">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --shuffle
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption--shuffle">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --size-sort
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-nm.html#cmdoption-llvm-nm--size-sort">llvm-nm command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --spiller=<spiller>
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption--spiller">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --stats
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption--stats">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --strict-whitespace
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/FileCheck.html#cmdoption--strict-whitespace">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --time-passes
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption--time-passes">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --time-tests
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption--time-tests">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --undefined-only, -u
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-nm.html#cmdoption-llvm-nm--undefined-only">llvm-nm command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --vg
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption--vg">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --vg-arg=ARG
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption--vg-arg">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --vg-leak
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption--vg-leak">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    --x86-asm-syntax=[att|intel]
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption--x86-asm-syntax">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -a, --all-blocks
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-gcov-a">llvm-cov-gcov command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -a, --show-all
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption-a">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -all-functions
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-profdata.html#cmdoption-llvm-profdata-show-all-functions">llvm-profdata-show command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -arch=<name>
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-report-arch">llvm-cov-report command line option</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-show-arch">llvm-cov-show command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -asmparsernum N
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-asmparsernum">tblgen command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -asmwriternum N
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-asmwriternum">tblgen command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -B    (default)
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-nm.html#cmdoption-llvm-nm-B">llvm-nm command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -b, --branch-probabilities
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-gcov-b">llvm-cov-gcov command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -binary (default)
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-profdata.html#cmdoption-llvm-profdata-merge-binary">llvm-profdata-merge command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -c, --branch-counts
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-gcov-c">llvm-cov-gcov command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -class className
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-class">tblgen command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -code-model=model
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-code-model">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -counts
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-profdata.html#cmdoption-llvm-profdata-show-counts">llvm-profdata-show command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -d
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-link.html#cmdoption-d">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -D NAME, -D NAME=VALUE, --param NAME, --param NAME=VALUE
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption-D">command line option</a>, <a href="CommandGuide/lit.html#cmdoption-D">[1]</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -debug
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/opt.html#cmdoption-debug">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -debug-dump=section
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-dwarfdump.html#cmdoption-debug-dump">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -default-arch
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-symbolizer.html#cmdoption-default-arch">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -demangle
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-symbolizer.html#cmdoption-demangle">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -disable-excess-fp-precision
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-disable-excess-fp-precision">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -disable-inlining
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/opt.html#cmdoption-disable-inlining">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -disable-opt
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/opt.html#cmdoption-disable-opt">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -disable-post-RA-scheduler
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-disable-post-RA-scheduler">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -disable-spill-fusing
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-disable-spill-fusing">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -dsym-hint=<path/to/file.dSYM>
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-symbolizer.html#cmdoption-dsym-hint">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -dump
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-bcanalyzer.html#cmdoption-llvm-bcanalyzer-dump">llvm-bcanalyzer command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -dyn-symbols
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-readobj.html#cmdoption-dyn-symbols">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -dynamic-table
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-readobj.html#cmdoption-dynamic-table">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -elf-section-groups, -g
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-readobj.html#cmdoption-elf-section-groups">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -enable-no-infs-fp-math
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-enable-no-infs-fp-math">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -enable-no-nans-fp-math
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-enable-no-nans-fp-math">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -enable-unsafe-fp-math
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-enable-unsafe-fp-math">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -expand-relocs
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-readobj.html#cmdoption-expand-relocs">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -f
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/opt.html#cmdoption-f">command line option</a>, <a href="CommandGuide/llvm-link.html#cmdoption-f">[1]</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -f, --function-summaries
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-gcov-f">llvm-cov-gcov command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -fake-argv0=executable
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-fake-argv0">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -file-headers, -h
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-readobj.html#cmdoption-file-headers">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -filetype=<output file type>
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption-filetype">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -force-interpreter={false,true}
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-force-interpreter">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -format=<FORMAT>
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-show-format">llvm-cov-show command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -function=string
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-profdata.html#cmdoption-llvm-profdata-show-function">llvm-profdata-show command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -functions=[none|short|linkage]
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-symbolizer.html#cmdoption-functions">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -gcc
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-profdata.html#cmdoption-llvm-profdata-merge-gcc">llvm-profdata-merge command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -gen-asm-matcher
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-gen-asm-matcher">tblgen command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -gen-asm-writer
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-gen-asm-writer">tblgen command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -gen-dag-isel
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-gen-dag-isel">tblgen command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -gen-dfa-packetizer
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-gen-dfa-packetizer">tblgen command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -gen-disassembler
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-gen-disassembler">tblgen command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -gen-emitter
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-gen-emitter">tblgen command line option</a>
+  </dt>
+
+      </dl></dd>
+  </dl></td>
+  <td style="width: 33%" valign="top"><dl>
+      
+  <dt>
+    -gen-enhanced-disassembly-info
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-gen-enhanced-disassembly-info">tblgen command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -gen-fast-isel
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-gen-fast-isel">tblgen command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -gen-instr-info
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-gen-instr-info">tblgen command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -gen-intrinsic
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-gen-intrinsic">tblgen command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -gen-pseudo-lowering
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-gen-pseudo-lowering">tblgen command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -gen-register-info
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-gen-register-info">tblgen command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -gen-subtarget
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-gen-subtarget">tblgen command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -gen-tgt-intrinsic
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-gen-tgt-intrinsic">tblgen command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -h, --help
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption-h">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -help
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/FileCheck.html#cmdoption-help">command line option</a>, <a href="CommandGuide/llvm-readobj.html#cmdoption-help">[1]</a>, <a href="CommandGuide/opt.html#cmdoption-help">[2]</a>, <a href="CommandGuide/llc.html#cmdoption-help">[3]</a>, <a href="CommandGuide/lli.html#cmdoption-help">[4]</a>, <a href="CommandGuide/llvm-link.html#cmdoption-help">[5]</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-bcanalyzer.html#cmdoption-llvm-bcanalyzer-help">llvm-bcanalyzer command line option</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-nm.html#cmdoption-llvm-nm-help">llvm-nm command line option</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-profdata.html#cmdoption-llvm-profdata-merge-help">llvm-profdata-merge command line option</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-profdata.html#cmdoption-llvm-profdata-show-help">llvm-profdata-show command line option</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-help">tblgen command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -I directory
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-I">tblgen command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -inlining
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-symbolizer.html#cmdoption-inlining">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -input-files=path, -f=path
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-profdata.html#cmdoption-llvm-profdata-merge-input-files">llvm-profdata-merge command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -instr (default)
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-profdata.html#cmdoption-llvm-profdata-merge-instr">llvm-profdata-merge command line option</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-profdata.html#cmdoption-llvm-profdata-show-instr">llvm-profdata-show command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -j N, --threads=N
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption-j">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -jit-enable-eh
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-jit-enable-eh">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -join-liveintervals
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-join-liveintervals">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -l, --long-file-names
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-gcov-l">llvm-cov-gcov command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -line-coverage-gt=<N>
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-show-line-coverage-gt">llvm-cov-show command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -line-coverage-lt=<N>
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-show-line-coverage-lt">llvm-cov-show command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -load=<plugin>
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/opt.html#cmdoption-load">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -load=pluginfilename
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-load">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -march=<arch>
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption-march">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -march=arch
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-march">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -mattr=a1,+a2,-a3,...
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption-mattr">command line option</a>, <a href="CommandGuide/lli.html#cmdoption-mattr">[1]</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -mcpu=<cpuname>
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption-mcpu">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -mcpu=cpuname
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-mcpu">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -meabi=[default|gnu|4|5]
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption-meabi">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -mtriple=<target triple>
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption-mtriple">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -mtriple=target triple
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-mtriple">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -n, --no-output
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-gcov-n">llvm-cov-gcov command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -name-regex=<PATTERN>
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-show-name-regex">llvm-cov-show command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -name=<NAME>
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-show-name">llvm-cov-show command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -needed-libs
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-readobj.html#cmdoption-needed-libs">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -nodetails
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-bcanalyzer.html#cmdoption-llvm-bcanalyzer-nodetails">llvm-bcanalyzer command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -nozero-initialized-in-bss
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-nozero-initialized-in-bss">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -o <filename>
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/opt.html#cmdoption-o">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -o filename
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-stress.html#cmdoption-o">command line option</a>, <a href="CommandGuide/llvm-link.html#cmdoption-o">[1]</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-o">tblgen command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -o=<DIR|FILE>, --object-directory=<DIR>, --object-file=<FILE>
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-gcov-o">llvm-cov-gcov command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -O=uint
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption-O">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -obj
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-symbolizer.html#cmdoption-obj">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -output-dir=PATH
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-show-output-dir">llvm-cov-show command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -output=output, -o=output
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-profdata.html#cmdoption-llvm-profdata-merge-output">llvm-profdata-merge command line option</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-profdata.html#cmdoption-llvm-profdata-show-output">llvm-profdata-show command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -P
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-nm.html#cmdoption-llvm-nm-P">llvm-nm command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -p
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/opt.html#cmdoption-p">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -p, --preserve-paths
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-gcov-p">llvm-cov-gcov command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -pre-RA-sched=scheduler
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-pre-RA-sched">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -pretty-print
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-symbolizer.html#cmdoption-pretty-print">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -print-address
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-symbolizer.html#cmdoption-print-address">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -print-enums
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-print-enums">tblgen command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -print-records
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-print-records">tblgen command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -print-sets
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-print-sets">tblgen command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -program-headers
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-readobj.html#cmdoption-program-headers">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -q, --quiet
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption-q">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -regalloc=allocator
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-regalloc">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -region-coverage-gt=<N>
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-show-region-coverage-gt">llvm-cov-show command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -region-coverage-lt=<N>
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-show-region-coverage-lt">llvm-cov-show command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -relocation-model=model
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-relocation-model">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -relocations, -r
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-readobj.html#cmdoption-relocations">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -S
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/opt.html#cmdoption-S">command line option</a>, <a href="CommandGuide/llvm-link.html#cmdoption-S">[1]</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -s, --succinct
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption-s">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -sample
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-profdata.html#cmdoption-llvm-profdata-merge-sample">llvm-profdata-merge command line option</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-profdata.html#cmdoption-llvm-profdata-show-sample">llvm-profdata-show command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -section-data, -sd
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-readobj.html#cmdoption-section-data">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -section-relocations, -sr
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-readobj.html#cmdoption-section-relocations">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -section-symbols, -st
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-readobj.html#cmdoption-section-symbols">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -sections, -s
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-readobj.html#cmdoption-sections">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -seed seed
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-stress.html#cmdoption-seed">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -show-expansions
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-show-show-expansions">llvm-cov-show command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -show-instantiations
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-show-show-instantiations">llvm-cov-show command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -show-line-counts
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-show-show-line-counts">llvm-cov-show command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -show-line-counts-or-regions
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-show-show-line-counts-or-regions">llvm-cov-show command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -show-regions
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-show-show-regions">llvm-cov-show command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -size size
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-stress.html#cmdoption-size">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -soft-float
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-soft-float">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -sparse[=true|false]
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-profdata.html#cmdoption-llvm-profdata-merge-sparse">llvm-profdata-merge command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -spiller
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-spiller">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -stats
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/opt.html#cmdoption-stats">command line option</a>, <a href="CommandGuide/lli.html#cmdoption-stats">[1]</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -strip-debug
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/opt.html#cmdoption-strip-debug">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -symbols, -t
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-readobj.html#cmdoption-symbols">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -text
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-profdata.html#cmdoption-llvm-profdata-merge-text">llvm-profdata-merge command line option</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-profdata.html#cmdoption-llvm-profdata-show-text">llvm-profdata-show command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -time-passes
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/opt.html#cmdoption-time-passes">command line option</a>, <a href="CommandGuide/lli.html#cmdoption-time-passes">[1]</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -u, --unconditional-branches
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-gcov-u">llvm-cov-gcov command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -unwind, -u
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-readobj.html#cmdoption-unwind">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -use-color[=VALUE]
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-report-use-color">llvm-cov-report command line option</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-show-use-color">llvm-cov-show command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -use-symbol-table
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-symbolizer.html#cmdoption-use-symbol-table">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -v
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-link.html#cmdoption-v">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -v, --verbose
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption-v">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -verify
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-bcanalyzer.html#cmdoption-llvm-bcanalyzer-verify">llvm-bcanalyzer command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -verify-each
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/opt.html#cmdoption-verify-each">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -version
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/FileCheck.html#cmdoption-version">command line option</a>, <a href="CommandGuide/llvm-readobj.html#cmdoption-version">[1]</a>, <a href="CommandGuide/lli.html#cmdoption-version">[2]</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-gcov-version">llvm-cov-gcov command line option</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-version">tblgen command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -weighted-input=weight,filename
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-profdata.html#cmdoption-llvm-profdata-merge-weighted-input">llvm-profdata-merge command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -x86-asm-syntax=syntax
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-x86-asm-syntax">command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -Xdemangler=<TOOL>|<TOOL-OPTION>
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-show-Xdemangler">llvm-cov-show command line option</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    -{passname}
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/opt.html#cmdoption-">command line option</a>
+  </dt>
+
+      </dl></dd>
+  </dl></td>
+</tr></table>
+
+<h2 id="C">C</h2>
+<table style="width: 100%" class="indextable genindextable"><tr>
+  <td style="width: 33%" valign="top"><dl>
+      
+  <dt>
+    command line option
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/FileCheck.html#cmdoption--check-prefix">--check-prefix prefix</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/FileCheck.html#cmdoption--check-prefixes">--check-prefixes prefix1,prefix2,...</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption--config-prefix">--config-prefix=NAME</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption--debug">--debug</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption--disable-excess-fp-precision">--disable-excess-fp-precision</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption--disable-fp-elim">--disable-fp-elim</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption--enable-no-infs-fp-math">--enable-no-infs-fp-math</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption--enable-no-nans-fp-math">--enable-no-nans-fp-math</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption--enable-unsafe-fp-math">--enable-unsafe-fp-math</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/FileCheck.html#cmdoption--implicit-check-not">--implicit-check-not check-pattern</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/FileCheck.html#cmdoption--input-file">--input-file filename</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption--load">--load=<dso_path></a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/FileCheck.html#cmdoption--match-full-lines">--match-full-lines</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption--max-tests">--max-tests=N</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption--max-time">--max-time=N</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption--no-progress-bar">--no-progress-bar</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption--path">--path=PATH</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption--print-machineinstrs">--print-machineinstrs</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption--regalloc">--regalloc=<allocator></a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption--show-suites">--show-suites</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption--show-tests">--show-tests</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption--show-unsupported">--show-unsupported</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption--show-xfail">--show-xfail</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption--shuffle">--shuffle</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption--spiller">--spiller=<spiller></a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption--stats">--stats</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/FileCheck.html#cmdoption--strict-whitespace">--strict-whitespace</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption--time-passes">--time-passes</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption--time-tests">--time-tests</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption--vg">--vg</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption--vg-arg">--vg-arg=ARG</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption--vg-leak">--vg-leak</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption--x86-asm-syntax">--x86-asm-syntax=[att|intel]</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption-D">-D NAME, -D NAME=VALUE, --param NAME, --param NAME=VALUE</a>, <a href="CommandGuide/lit.html#cmdoption-D">[1]</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption-O">-O=uint</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/opt.html#cmdoption-S">-S</a>, <a href="CommandGuide/llvm-link.html#cmdoption-S">[1]</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption-a">-a, --show-all</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-code-model">-code-model=model</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-link.html#cmdoption-d">-d</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/opt.html#cmdoption-debug">-debug</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-dwarfdump.html#cmdoption-debug-dump">-debug-dump=section</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-symbolizer.html#cmdoption-default-arch">-default-arch</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-symbolizer.html#cmdoption-demangle">-demangle</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-disable-excess-fp-precision">-disable-excess-fp-precision</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/opt.html#cmdoption-disable-inlining">-disable-inlining</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/opt.html#cmdoption-disable-opt">-disable-opt</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-disable-post-RA-scheduler">-disable-post-RA-scheduler</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-disable-spill-fusing">-disable-spill-fusing</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-symbolizer.html#cmdoption-dsym-hint">-dsym-hint=<path/to/file.dSYM></a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-readobj.html#cmdoption-dyn-symbols">-dyn-symbols</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-readobj.html#cmdoption-dynamic-table">-dynamic-table</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-readobj.html#cmdoption-elf-section-groups">-elf-section-groups, -g</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-enable-no-infs-fp-math">-enable-no-infs-fp-math</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-enable-no-nans-fp-math">-enable-no-nans-fp-math</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-enable-unsafe-fp-math">-enable-unsafe-fp-math</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-readobj.html#cmdoption-expand-relocs">-expand-relocs</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/opt.html#cmdoption-f">-f</a>, <a href="CommandGuide/llvm-link.html#cmdoption-f">[1]</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-fake-argv0">-fake-argv0=executable</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-readobj.html#cmdoption-file-headers">-file-headers, -h</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption-filetype">-filetype=<output file type></a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-force-interpreter">-force-interpreter={false,true}</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-symbolizer.html#cmdoption-functions">-functions=[none|short|linkage]</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption-h">-h, --help</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/FileCheck.html#cmdoption-help">-help</a>, <a href="CommandGuide/llvm-readobj.html#cmdoption-help">[1]</a>, <a href="CommandGuide/opt.html#cmdoption-help">[2]</a>, <a href="CommandGuide/llc.html#cmdoption-help">[3]</a>, <a href="CommandGuide/lli.html#cmdoption-help">[4]</a>, <a href="CommandGuide/llvm-link.html#cmdoption-help">[5]</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-symbolizer.html#cmdoption-inlining">-inlining</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption-j">-j N, --threads=N</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-jit-enable-eh">-jit-enable-eh</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-join-liveintervals">-join-liveintervals</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/opt.html#cmdoption-load">-load=<plugin></a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-load">-load=pluginfilename</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption-march">-march=<arch></a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-march">-march=arch</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption-mattr">-mattr=a1,+a2,-a3,...</a>, <a href="CommandGuide/lli.html#cmdoption-mattr">[1]</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption-mcpu">-mcpu=<cpuname></a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-mcpu">-mcpu=cpuname</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption-meabi">-meabi=[default|gnu|4|5]</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llc.html#cmdoption-mtriple">-mtriple=<target triple></a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-mtriple">-mtriple=target triple</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-readobj.html#cmdoption-needed-libs">-needed-libs</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-nozero-initialized-in-bss">-nozero-initialized-in-bss</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/opt.html#cmdoption-o">-o <filename></a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-stress.html#cmdoption-o">-o filename</a>, <a href="CommandGuide/llvm-link.html#cmdoption-o">[1]</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-symbolizer.html#cmdoption-obj">-obj</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/opt.html#cmdoption-p">-p</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-pre-RA-sched">-pre-RA-sched=scheduler</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-symbolizer.html#cmdoption-pretty-print">-pretty-print</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-symbolizer.html#cmdoption-print-address">-print-address</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-readobj.html#cmdoption-program-headers">-program-headers</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption-q">-q, --quiet</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-regalloc">-regalloc=allocator</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-relocation-model">-relocation-model=model</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-readobj.html#cmdoption-relocations">-relocations, -r</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption-s">-s, --succinct</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-readobj.html#cmdoption-section-data">-section-data, -sd</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-readobj.html#cmdoption-section-relocations">-section-relocations, -sr</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-readobj.html#cmdoption-section-symbols">-section-symbols, -st</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-readobj.html#cmdoption-sections">-sections, -s</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-stress.html#cmdoption-seed">-seed seed</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-stress.html#cmdoption-size">-size size</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-soft-float">-soft-float</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-spiller">-spiller</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/opt.html#cmdoption-stats">-stats</a>, <a href="CommandGuide/lli.html#cmdoption-stats">[1]</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/opt.html#cmdoption-strip-debug">-strip-debug</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-readobj.html#cmdoption-symbols">-symbols, -t</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/opt.html#cmdoption-time-passes">-time-passes</a>, <a href="CommandGuide/lli.html#cmdoption-time-passes">[1]</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-readobj.html#cmdoption-unwind">-unwind, -u</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-symbolizer.html#cmdoption-use-symbol-table">-use-symbol-table</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-link.html#cmdoption-v">-v</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lit.html#cmdoption-v">-v, --verbose</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/opt.html#cmdoption-verify-each">-verify-each</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/FileCheck.html#cmdoption-version">-version</a>, <a href="CommandGuide/llvm-readobj.html#cmdoption-version">[1]</a>, <a href="CommandGuide/lli.html#cmdoption-version">[2]</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/lli.html#cmdoption-x86-asm-syntax">-x86-asm-syntax=syntax</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/opt.html#cmdoption-">-{passname}</a>
+  </dt>
+
+      </dl></dd>
+  </dl></td>
+</tr></table>
+
+<h2 id="L">L</h2>
+<table style="width: 100%" class="indextable genindextable"><tr>
+  <td style="width: 33%" valign="top"><dl>
+      
+  <dt>
+    llvm-bcanalyzer command line option
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-bcanalyzer.html#cmdoption-llvm-bcanalyzer-dump">-dump</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-bcanalyzer.html#cmdoption-llvm-bcanalyzer-help">-help</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-bcanalyzer.html#cmdoption-llvm-bcanalyzer-nodetails">-nodetails</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-bcanalyzer.html#cmdoption-llvm-bcanalyzer-verify">-verify</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    llvm-cov-gcov command line option
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-gcov--help">--help</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-gcov-a">-a, --all-blocks</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-gcov-b">-b, --branch-probabilities</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-gcov-c">-c, --branch-counts</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-gcov-f">-f, --function-summaries</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-gcov-l">-l, --long-file-names</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-gcov-n">-n, --no-output</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-gcov-o">-o=<DIR|FILE>, --object-directory=<DIR>, --object-file=<FILE></a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-gcov-p">-p, --preserve-paths</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-gcov-u">-u, --unconditional-branches</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-gcov-version">-version</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    llvm-cov-report command line option
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-report-arch">-arch=<name></a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-report-use-color">-use-color[=VALUE]</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    llvm-cov-show command line option
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-show-Xdemangler">-Xdemangler=<TOOL>|<TOOL-OPTION></a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-show-arch">-arch=<name></a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-show-format">-format=<FORMAT></a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-show-line-coverage-gt">-line-coverage-gt=<N></a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-show-line-coverage-lt">-line-coverage-lt=<N></a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-show-name-regex">-name-regex=<PATTERN></a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-show-name">-name=<NAME></a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-show-output-dir">-output-dir=PATH</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-show-region-coverage-gt">-region-coverage-gt=<N></a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-show-region-coverage-lt">-region-coverage-lt=<N></a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-show-show-expansions">-show-expansions</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-show-show-instantiations">-show-instantiations</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-show-show-line-counts">-show-line-counts</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-show-show-line-counts-or-regions">-show-line-counts-or-regions</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-show-show-regions">-show-regions</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-cov.html#cmdoption-llvm-cov-show-use-color">-use-color[=VALUE]</a>
+  </dt>
+
+      </dl></dd>
+  </dl></td>
+  <td style="width: 33%" valign="top"><dl>
+      
+  <dt>
+    llvm-nm command line option
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-nm.html#cmdoption-llvm-nm--debug-syms">--debug-syms, -a</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-nm.html#cmdoption-llvm-nm--defined-only">--defined-only</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-nm.html#cmdoption-llvm-nm--dynamic">--dynamic, -D</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-nm.html#cmdoption-llvm-nm--extern-only">--extern-only, -g</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-nm.html#cmdoption-llvm-nm--format">--format=format, -f format</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-nm.html#cmdoption-llvm-nm--no-sort">--no-sort, -p</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-nm.html#cmdoption-llvm-nm--numeric-sort">--numeric-sort, -n, -v</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-nm.html#cmdoption-llvm-nm--print-file-name">--print-file-name, -A, -o</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-nm.html#cmdoption-llvm-nm--print-size">--print-size, -S</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-nm.html#cmdoption-llvm-nm--radix">--radix=RADIX, -t</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-nm.html#cmdoption-llvm-nm--size-sort">--size-sort</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-nm.html#cmdoption-llvm-nm--undefined-only">--undefined-only, -u</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-nm.html#cmdoption-llvm-nm-B">-B    (default)</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-nm.html#cmdoption-llvm-nm-P">-P</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-nm.html#cmdoption-llvm-nm-help">-help</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    llvm-profdata-merge command line option
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-profdata.html#cmdoption-llvm-profdata-merge-binary">-binary (default)</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-profdata.html#cmdoption-llvm-profdata-merge-gcc">-gcc</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-profdata.html#cmdoption-llvm-profdata-merge-help">-help</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-profdata.html#cmdoption-llvm-profdata-merge-input-files">-input-files=path, -f=path</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-profdata.html#cmdoption-llvm-profdata-merge-instr">-instr (default)</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-profdata.html#cmdoption-llvm-profdata-merge-output">-output=output, -o=output</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-profdata.html#cmdoption-llvm-profdata-merge-sample">-sample</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-profdata.html#cmdoption-llvm-profdata-merge-sparse">-sparse[=true|false]</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-profdata.html#cmdoption-llvm-profdata-merge-text">-text</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-profdata.html#cmdoption-llvm-profdata-merge-weighted-input">-weighted-input=weight,filename</a>
+  </dt>
+
+      </dl></dd>
+      
+  <dt>
+    llvm-profdata-show command line option
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/llvm-profdata.html#cmdoption-llvm-profdata-show-all-functions">-all-functions</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-profdata.html#cmdoption-llvm-profdata-show-counts">-counts</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-profdata.html#cmdoption-llvm-profdata-show-function">-function=string</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-profdata.html#cmdoption-llvm-profdata-show-help">-help</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-profdata.html#cmdoption-llvm-profdata-show-instr">-instr (default)</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-profdata.html#cmdoption-llvm-profdata-show-output">-output=output, -o=output</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-profdata.html#cmdoption-llvm-profdata-show-sample">-sample</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/llvm-profdata.html#cmdoption-llvm-profdata-show-text">-text</a>
+  </dt>
+
+      </dl></dd>
+  </dl></td>
+</tr></table>
+
+<h2 id="T">T</h2>
+<table style="width: 100%" class="indextable genindextable"><tr>
+  <td style="width: 33%" valign="top"><dl>
+      
+  <dt>
+    tblgen command line option
+  </dt>
+
+      <dd><dl>
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-I">-I directory</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-asmparsernum">-asmparsernum N</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-asmwriternum">-asmwriternum N</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-class">-class className</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-gen-asm-matcher">-gen-asm-matcher</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-gen-asm-writer">-gen-asm-writer</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-gen-dag-isel">-gen-dag-isel</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-gen-dfa-packetizer">-gen-dfa-packetizer</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-gen-disassembler">-gen-disassembler</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-gen-emitter">-gen-emitter</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-gen-enhanced-disassembly-info">-gen-enhanced-disassembly-info</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-gen-fast-isel">-gen-fast-isel</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-gen-instr-info">-gen-instr-info</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-gen-intrinsic">-gen-intrinsic</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-gen-pseudo-lowering">-gen-pseudo-lowering</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-gen-register-info">-gen-register-info</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-gen-subtarget">-gen-subtarget</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-gen-tgt-intrinsic">-gen-tgt-intrinsic</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-help">-help</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-o">-o filename</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-print-enums">-print-enums</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-print-records">-print-records</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-print-sets">-print-sets</a>
+  </dt>
+
+        
+  <dt><a href="CommandGuide/tblgen.html#cmdoption-tblgen-version">-version</a>
+  </dt>
+
+      </dl></dd>
+  </dl></td>
+</tr></table>
+
+
+
+          </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="#" title="General Index"
+             >index</a></li>
+  <li><a href="http://llvm.org/">LLVM Home</a> | </li>
+  <li><a href="index.html">Documentation</a>»</li>
+ 
+      </ul>
+    </div>
+    <div class="footer">
+        © Copyright 2003-2016, LLVM Project.
+      Last updated on 2016-08-31.
+      Created using <a href="http://sphinx-doc.org/">Sphinx</a> 1.2.2.
+    </div>
+  </body>
+</html>
\ No newline at end of file

Added: www-releases/trunk/3.9.0/docs/index.html
URL: http://llvm.org/viewvc/llvm-project/www-releases/trunk/3.9.0/docs/index.html?rev=280493&view=auto
==============================================================================
--- www-releases/trunk/3.9.0/docs/index.html (added)
+++ www-releases/trunk/3.9.0/docs/index.html Fri Sep  2 10:56:46 2016
@@ -0,0 +1,391 @@
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>Overview — LLVM 3.9 documentation</title>
+    
+    <link rel="stylesheet" href="_static/llvm-theme.css" type="text/css" />
+    <link rel="stylesheet" href="_static/pygments.css" type="text/css" />
+    
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    './',
+        VERSION:     '3.9',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="_static/jquery.js"></script>
+    <script type="text/javascript" src="_static/underscore.js"></script>
+    <script type="text/javascript" src="_static/doctools.js"></script>
+    <link rel="top" title="LLVM 3.9 documentation" href="#" />
+    <link rel="next" title="LLVM Language Reference Manual" href="LangRef.html" />
+<style type="text/css">
+  table.right { float: right; margin-left: 20px; }
+  table.right td { border: 1px solid #ccc; }
+</style>
+
+  </head>
+  <body>
+<div class="logo">
+  <a href="#">
+    <img src="_static/logo.png"
+         alt="LLVM Logo" width="250" height="88"/></a>
+</div>
+
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="LangRef.html" title="LLVM Language Reference Manual"
+             accesskey="N">next</a> |</li>
+  <li><a href="http://llvm.org/">LLVM Home</a> | </li>
+  <li><a href="#">Documentation</a>»</li>
+ 
+      </ul>
+    </div>
+
+
+    <div class="document">
+      <div class="documentwrapper">
+          <div class="body">
+            
+  <div class="section" id="overview">
+<h1>Overview<a class="headerlink" href="#overview" title="Permalink to this headline">¶</a></h1>
+<p>The LLVM compiler infrastructure supports a wide range of projects, from
+industrial strength compilers to specialized JIT applications to small
+research projects.</p>
+<p>Similarly, documentation is broken down into several high-level groupings
+targeted at different audiences:</p>
+</div>
+<div class="section" id="llvm-design-overview">
+<h1>LLVM Design & Overview<a class="headerlink" href="#llvm-design-overview" title="Permalink to this headline">¶</a></h1>
+<p>Several introductory papers and presentations.</p>
+<div class="toctree-wrapper compound">
+</div>
+<dl class="docutils">
+<dt><a class="reference internal" href="LangRef.html"><em>LLVM Language Reference Manual</em></a></dt>
+<dd>Defines the LLVM intermediate representation.</dd>
+<dt><a class="reference external" href="http://llvm.org/pubs/2008-10-04-ACAT-LLVM-Intro.html">Introduction to the LLVM Compiler</a></dt>
+<dd>Presentation providing a users introduction to LLVM.</dd>
+<dt><a class="reference external" href="http://www.aosabook.org/en/llvm.html">Intro to LLVM</a></dt>
+<dd>Book chapter providing a compiler hacker’s introduction to LLVM.</dd>
+<dt><a class="reference external" href="http://llvm.org/pubs/2004-01-30-CGO-LLVM.html">LLVM: A Compilation Framework for Lifelong Program Analysis & Transformation</a></dt>
+<dd>Design overview.</dd>
+<dt><a class="reference external" href="http://llvm.org/pubs/2002-12-LattnerMSThesis.html">LLVM: An Infrastructure for Multi-Stage Optimization</a></dt>
+<dd>More details (quite old now).</dd>
+<dt><a class="reference external" href="http://llvm.org/pubs">Publications mentioning LLVM</a></dt>
+<dd></dd>
+</dl>
+</div>
+<div class="section" id="user-guides">
+<h1>User Guides<a class="headerlink" href="#user-guides" title="Permalink to this headline">¶</a></h1>
+<p>For those new to the LLVM system.</p>
+<p>NOTE: If you are a user who is only interested in using LLVM-based
+compilers, you should look into <a class="reference external" href="http://clang.llvm.org">Clang</a> or
+<a class="reference external" href="http://dragonegg.llvm.org">DragonEgg</a> instead. The documentation here is
+intended for users who have a need to work with the intermediate LLVM
+representation.</p>
+<div class="toctree-wrapper compound">
+</div>
+<dl class="docutils">
+<dt><a class="reference internal" href="GettingStarted.html"><em>Getting Started with the LLVM System</em></a></dt>
+<dd>Discusses how to get up and running quickly with the LLVM infrastructure.
+Everything from unpacking and compilation of the distribution to execution
+of some tools.</dd>
+<dt><a class="reference internal" href="CMake.html"><em>Building LLVM with CMake</em></a></dt>
+<dd>An addendum to the main Getting Started guide for those using the <a class="reference external" href="http://www.cmake.org">CMake
+build system</a>.</dd>
+<dt><a class="reference internal" href="HowToBuildOnARM.html"><em>How To Build On ARM</em></a></dt>
+<dd>Notes on building and testing LLVM/Clang on ARM.</dd>
+<dt><a class="reference internal" href="HowToCrossCompileLLVM.html"><em>How To Cross-Compile Clang/LLVM using Clang/LLVM</em></a></dt>
+<dd>Notes on cross-building and testing LLVM/Clang.</dd>
+<dt><a class="reference internal" href="GettingStartedVS.html"><em>Getting Started with the LLVM System using Microsoft Visual Studio</em></a></dt>
+<dd>An addendum to the main Getting Started guide for those using Visual Studio
+on Windows.</dd>
+<dt><a class="reference internal" href="tutorial/index.html"><em>LLVM Tutorial: Table of Contents</em></a></dt>
+<dd>Tutorials about using LLVM. Includes a tutorial about making a custom
+language with LLVM.</dd>
+<dt><a class="reference internal" href="CommandGuide/index.html"><em>LLVM Command Guide</em></a></dt>
+<dd>A reference manual for the LLVM command line utilities (“man” pages for LLVM
+tools).</dd>
+<dt><a class="reference internal" href="Passes.html"><em>LLVM’s Analysis and Transform Passes</em></a></dt>
+<dd>A list of optimizations and analyses implemented in LLVM.</dd>
+<dt><a class="reference internal" href="FAQ.html"><em>Frequently Asked Questions (FAQ)</em></a></dt>
+<dd>A list of common questions and problems and their solutions.</dd>
+<dt><a class="reference internal" href="ReleaseNotes.html"><em>Release notes for the current release</em></a></dt>
+<dd>This describes new features, known bugs, and other limitations.</dd>
+<dt><a class="reference internal" href="HowToSubmitABug.html"><em>How to submit an LLVM bug report</em></a></dt>
+<dd>Instructions for properly submitting information about any bugs you run into
+in the LLVM system.</dd>
+<dt><a class="reference internal" href="SphinxQuickstartTemplate.html"><em>Sphinx Quickstart Template</em></a></dt>
+<dd>A template + tutorial for writing new Sphinx documentation. It is meant
+to be read in source form.</dd>
+<dt><a class="reference internal" href="TestingGuide.html"><em>LLVM Testing Infrastructure Guide</em></a></dt>
+<dd>A reference manual for using the LLVM testing infrastructure.</dd>
+<dt><a class="reference external" href="http://clang.llvm.org/get_started.html">How to build the C, C++, ObjC, and ObjC++ front end</a></dt>
+<dd>Instructions for building the clang front-end from source.</dd>
+<dt><a class="reference internal" href="Lexicon.html"><em>The LLVM Lexicon</em></a></dt>
+<dd>Definition of acronyms, terms and concepts used in LLVM.</dd>
+<dt><a class="reference internal" href="HowToAddABuilder.html"><em>How To Add Your Build Configuration To LLVM Buildbot Infrastructure</em></a></dt>
+<dd>Instructions for adding new builder to LLVM buildbot master.</dd>
+<dt><a class="reference internal" href="YamlIO.html"><em>YAML I/O</em></a></dt>
+<dd>A reference guide for using LLVM’s YAML I/O library.</dd>
+<dt><a class="reference internal" href="GetElementPtr.html"><em>The Often Misunderstood GEP Instruction</em></a></dt>
+<dd>Answers to some very frequent questions about LLVM’s most frequently
+misunderstood instruction.</dd>
+<dt><a class="reference internal" href="Frontend/PerformanceTips.html"><em>Performance Tips for Frontend Authors</em></a></dt>
+<dd>A collection of tips for frontend authors on how to generate IR
+which LLVM is able to effectively optimize.</dd>
+</dl>
+</div>
+<div class="section" id="programming-documentation">
+<h1>Programming Documentation<a class="headerlink" href="#programming-documentation" title="Permalink to this headline">¶</a></h1>
+<p>For developers of applications which use LLVM as a library.</p>
+<div class="toctree-wrapper compound">
+</div>
+<dl class="docutils">
+<dt><a class="reference internal" href="LangRef.html"><em>LLVM Language Reference Manual</em></a></dt>
+<dd>Defines the LLVM intermediate representation and the assembly form of the
+different nodes.</dd>
+<dt><a class="reference internal" href="Atomics.html"><em>LLVM Atomic Instructions and Concurrency Guide</em></a></dt>
+<dd>Information about LLVM’s concurrency model.</dd>
+<dt><a class="reference internal" href="ProgrammersManual.html"><em>LLVM Programmer’s Manual</em></a></dt>
+<dd>Introduction to the general layout of the LLVM sourcebase, important classes
+and APIs, and some tips & tricks.</dd>
+<dt><a class="reference internal" href="Extensions.html"><em>LLVM Extensions</em></a></dt>
+<dd>LLVM-specific extensions to tools and formats LLVM seeks compatibility with.</dd>
+<dt><a class="reference internal" href="CommandLine.html"><em>CommandLine 2.0 Library Manual</em></a></dt>
+<dd>Provides information on using the command line parsing library.</dd>
+<dt><a class="reference internal" href="CodingStandards.html"><em>LLVM Coding Standards</em></a></dt>
+<dd>Details the LLVM coding standards and provides useful information on writing
+efficient C++ code.</dd>
+<dt><a class="reference internal" href="HowToSetUpLLVMStyleRTTI.html"><em>How to set up LLVM-style RTTI for your class hierarchy</em></a></dt>
+<dd>How to make <tt class="docutils literal"><span class="pre">isa<></span></tt>, <tt class="docutils literal"><span class="pre">dyn_cast<></span></tt>, etc. available for clients of your
+class hierarchy.</dd>
+<dt><a class="reference internal" href="ExtendingLLVM.html"><em>Extending LLVM: Adding instructions, intrinsics, types, etc.</em></a></dt>
+<dd>Look here to see how to add instructions and intrinsics to LLVM.</dd>
+<dt><a class="reference external" href="http://llvm.org/doxygen/">Doxygen generated documentation</a></dt>
+<dd>(<a class="reference external" href="http://llvm.org/doxygen/inherits.html">classes</a>)
+(<a class="reference external" href="http://llvm.org/doxygen/doxygen.tar.gz">tarball</a>)</dd>
+</dl>
+<p><a class="reference external" href="http://godoc.org/llvm.org/llvm/bindings/go/llvm">Documentation for Go bindings</a></p>
+<dl class="docutils">
+<dt><a class="reference external" href="http://llvm.org/viewvc/">ViewVC Repository Browser</a></dt>
+<dd></dd>
+<dt><a class="reference internal" href="CompilerWriterInfo.html"><em>Architecture & Platform Information for Compiler Writers</em></a></dt>
+<dd>A list of helpful links for compiler writers.</dd>
+<dt><a class="reference internal" href="LibFuzzer.html"><em>libFuzzer – a library for coverage-guided fuzz testing.</em></a></dt>
+<dd>A library for writing in-process guided fuzzers.</dd>
+<dt><a class="reference internal" href="ScudoHardenedAllocator.html"><em>Scudo Hardened Allocator</em></a></dt>
+<dd>A library that implements a security-hardened <cite>malloc()</cite>.</dd>
+</dl>
+</div>
+<div class="section" id="subsystem-documentation">
+<h1>Subsystem Documentation<a class="headerlink" href="#subsystem-documentation" title="Permalink to this headline">¶</a></h1>
+<p>For API clients and LLVM developers.</p>
+<div class="toctree-wrapper compound">
+</div>
+<dl class="docutils">
+<dt><a class="reference internal" href="WritingAnLLVMPass.html"><em>Writing an LLVM Pass</em></a></dt>
+<dd>Information on how to write LLVM transformations and analyses.</dd>
+<dt><a class="reference internal" href="WritingAnLLVMBackend.html"><em>Writing an LLVM Backend</em></a></dt>
+<dd>Information on how to write LLVM backends for machine targets.</dd>
+<dt><a class="reference internal" href="CodeGenerator.html"><em>The LLVM Target-Independent Code Generator</em></a></dt>
+<dd>The design and implementation of the LLVM code generator.  Useful if you are
+working on retargetting LLVM to a new architecture, designing a new codegen
+pass, or enhancing existing components.</dd>
+<dt><a class="reference internal" href="MIRLangRef.html"><em>Machine IR (MIR) Format Reference Manual</em></a></dt>
+<dd>A reference manual for the MIR serialization format, which is used to test
+LLVM’s code generation passes.</dd>
+<dt><a class="reference internal" href="TableGen/index.html"><em>TableGen</em></a></dt>
+<dd>Describes the TableGen tool, which is used heavily by the LLVM code
+generator.</dd>
+<dt><a class="reference internal" href="AliasAnalysis.html"><em>LLVM Alias Analysis Infrastructure</em></a></dt>
+<dd>Information on how to write a new alias analysis implementation or how to
+use existing analyses.</dd>
+<dt><a class="reference internal" href="GarbageCollection.html"><em>Garbage Collection with LLVM</em></a></dt>
+<dd>The interfaces source-language compilers should use for compiling GC’d
+programs.</dd>
+<dt><a class="reference internal" href="SourceLevelDebugging.html"><em>Source Level Debugging with LLVM</em></a></dt>
+<dd>This document describes the design and philosophy behind the LLVM
+source-level debugger.</dd>
+<dt><a class="reference internal" href="Vectorizers.html"><em>Auto-Vectorization in LLVM</em></a></dt>
+<dd>This document describes the current status of vectorization in LLVM.</dd>
+<dt><a class="reference internal" href="ExceptionHandling.html"><em>Exception Handling in LLVM</em></a></dt>
+<dd>This document describes the design and implementation of exception handling
+in LLVM.</dd>
+<dt><a class="reference internal" href="Bugpoint.html"><em>LLVM bugpoint tool: design and usage</em></a></dt>
+<dd>Automatic bug finder and test-case reducer description and usage
+information.</dd>
+<dt><a class="reference internal" href="BitCodeFormat.html"><em>LLVM Bitcode File Format</em></a></dt>
+<dd>This describes the file format and encoding used for LLVM “bc” files.</dd>
+<dt><a class="reference internal" href="SystemLibrary.html"><em>System Library</em></a></dt>
+<dd>This document describes the LLVM System Library (<tt class="docutils literal"><span class="pre">lib/System</span></tt>) and
+how to keep LLVM source code portable</dd>
+<dt><a class="reference internal" href="LinkTimeOptimization.html"><em>LLVM Link Time Optimization: Design and Implementation</em></a></dt>
+<dd>This document describes the interface between LLVM intermodular optimizer
+and the linker and its design</dd>
+<dt><a class="reference internal" href="GoldPlugin.html"><em>The LLVM gold plugin</em></a></dt>
+<dd>How to build your programs with link-time optimization on Linux.</dd>
+<dt><a class="reference internal" href="DebuggingJITedCode.html"><em>Debugging JIT-ed Code With GDB</em></a></dt>
+<dd>How to debug JITed code with GDB.</dd>
+<dt><a class="reference internal" href="MCJITDesignAndImplementation.html"><em>MCJIT Design and Implementation</em></a></dt>
+<dd>Describes the inner workings of MCJIT execution engine.</dd>
+<dt><a class="reference internal" href="BranchWeightMetadata.html"><em>LLVM Branch Weight Metadata</em></a></dt>
+<dd>Provides information about Branch Prediction Information.</dd>
+<dt><a class="reference internal" href="BlockFrequencyTerminology.html"><em>LLVM Block Frequency Terminology</em></a></dt>
+<dd>Provides information about terminology used in the <tt class="docutils literal"><span class="pre">BlockFrequencyInfo</span></tt>
+analysis pass.</dd>
+<dt><a class="reference internal" href="SegmentedStacks.html"><em>Segmented Stacks in LLVM</em></a></dt>
+<dd>This document describes segmented stacks and how they are used in LLVM.</dd>
+<dt><a class="reference internal" href="MarkedUpDisassembly.html"><em>LLVM’s Optional Rich Disassembly Output</em></a></dt>
+<dd>This document describes the optional rich disassembly output syntax.</dd>
+<dt><a class="reference internal" href="HowToUseAttributes.html"><em>How To Use Attributes</em></a></dt>
+<dd>Answers some questions about the new Attributes infrastructure.</dd>
+<dt><a class="reference internal" href="NVPTXUsage.html"><em>User Guide for NVPTX Back-end</em></a></dt>
+<dd>This document describes using the NVPTX back-end to compile GPU kernels.</dd>
+<dt><a class="reference internal" href="AMDGPUUsage.html"><em>User Guide for AMDGPU Back-end</em></a></dt>
+<dd>This document describes how to use the AMDGPU back-end.</dd>
+<dt><a class="reference internal" href="StackMaps.html"><em>Stack maps and patch points in LLVM</em></a></dt>
+<dd>LLVM support for mapping instruction addresses to the location of
+values and allowing code to be patched.</dd>
+<dt><a class="reference internal" href="BigEndianNEON.html"><em>Using ARM NEON instructions in big endian mode</em></a></dt>
+<dd>LLVM’s support for generating NEON instructions on big endian ARM targets is
+somewhat nonintuitive. This document explains the implementation and rationale.</dd>
+<dt><a class="reference internal" href="CoverageMappingFormat.html"><em>LLVM Code Coverage Mapping Format</em></a></dt>
+<dd>This describes the format and encoding used for LLVM’s code coverage mapping.</dd>
+<dt><a class="reference internal" href="Statepoints.html"><em>Garbage Collection Safepoints in LLVM</em></a></dt>
+<dd>This describes a set of experimental extensions for garbage
+collection support.</dd>
+<dt><a class="reference internal" href="MergeFunctions.html"><em>MergeFunctions pass, how it works</em></a></dt>
+<dd>Describes functions merging optimization.</dd>
+<dt><a class="reference internal" href="InAlloca.html"><em>Design and Usage of the InAlloca Attribute</em></a></dt>
+<dd>Description of the <tt class="docutils literal"><span class="pre">inalloca</span></tt> argument attribute.</dd>
+<dt><a class="reference internal" href="FaultMaps.html"><em>FaultMaps and implicit checks</em></a></dt>
+<dd>LLVM support for folding control flow into faulting machine instructions.</dd>
+<dt><a class="reference internal" href="CompileCudaWithLLVM.html"><em>Compiling CUDA C/C++ with LLVM</em></a></dt>
+<dd>LLVM support for CUDA.</dd>
+</dl>
+</div>
+<div class="section" id="development-process-documentation">
+<h1>Development Process Documentation<a class="headerlink" href="#development-process-documentation" title="Permalink to this headline">¶</a></h1>
+<p>Information about LLVM’s development process.</p>
+<div class="toctree-wrapper compound">
+</div>
+<dl class="docutils">
+<dt><a class="reference internal" href="DeveloperPolicy.html"><em>LLVM Developer Policy</em></a></dt>
+<dd>The LLVM project’s policy towards developers and their contributions.</dd>
+<dt><a class="reference internal" href="Projects.html"><em>Creating an LLVM Project</em></a></dt>
+<dd>How-to guide and templates for new projects that <em>use</em> the LLVM
+infrastructure.  The templates (directory organization, Makefiles, and test
+tree) allow the project code to be located outside (or inside) the <tt class="docutils literal"><span class="pre">llvm/</span></tt>
+tree, while using LLVM header files and libraries.</dd>
+<dt><a class="reference internal" href="LLVMBuild.html"><em>LLVMBuild Guide</em></a></dt>
+<dd>Describes the LLVMBuild organization and files used by LLVM to specify
+component descriptions.</dd>
+<dt><a class="reference internal" href="HowToReleaseLLVM.html"><em>How To Release LLVM To The Public</em></a></dt>
+<dd>This is a guide to preparing LLVM releases. Most developers can ignore it.</dd>
+<dt><a class="reference internal" href="ReleaseProcess.html"><em>How To Validate a New Release</em></a></dt>
+<dd>This is a guide to validate a new release, during the release process. Most developers can ignore it.</dd>
+<dt><a class="reference internal" href="Packaging.html"><em>Advice on Packaging LLVM</em></a></dt>
+<dd>Advice on packaging LLVM into a distribution.</dd>
+<dt><a class="reference internal" href="Phabricator.html"><em>Code Reviews with Phabricator</em></a></dt>
+<dd>Describes how to use the Phabricator code review tool hosted on
+<a class="reference external" href="http://reviews.llvm.org/">http://reviews.llvm.org/</a> and its command line interface, Arcanist.</dd>
+</dl>
+</div>
+<div class="section" id="community">
+<h1>Community<a class="headerlink" href="#community" title="Permalink to this headline">¶</a></h1>
+<p>LLVM has a thriving community of friendly and helpful developers.
+The two primary communication mechanisms in the LLVM community are mailing
+lists and IRC.</p>
+<div class="section" id="mailing-lists">
+<h2>Mailing Lists<a class="headerlink" href="#mailing-lists" title="Permalink to this headline">¶</a></h2>
+<p>If you can’t find what you need in these docs, try consulting the mailing
+lists.</p>
+<dl class="docutils">
+<dt><a class="reference external" href="http://lists.llvm.org/mailman/listinfo/llvm-dev">Developer’s List (llvm-dev)</a></dt>
+<dd>This list is for people who want to be included in technical discussions of
+LLVM. People post to this list when they have questions about writing code
+for or using the LLVM tools. It is relatively low volume.</dd>
+<dt><a class="reference external" href="http://lists.llvm.org/pipermail/llvm-commits/">Commits Archive (llvm-commits)</a></dt>
+<dd>This list contains all commit messages that are made when LLVM developers
+commit code changes to the repository. It also serves as a forum for
+patch review (i.e. send patches here). It is useful for those who want to
+stay on the bleeding edge of LLVM development. This list is very high
+volume.</dd>
+<dt><a class="reference external" href="http://lists.llvm.org/pipermail/llvm-bugs/">Bugs & Patches Archive (llvm-bugs)</a></dt>
+<dd>This list gets emailed every time a bug is opened and closed. It is
+higher volume than the LLVM-dev list.</dd>
+<dt><a class="reference external" href="http://lists.llvm.org/pipermail/llvm-testresults/">Test Results Archive (llvm-testresults)</a></dt>
+<dd>A message is automatically sent to this list by every active nightly tester
+when it completes.  As such, this list gets email several times each day,
+making it a high volume list.</dd>
+<dt><a class="reference external" href="http://lists.llvm.org/mailman/listinfo/llvm-announce">LLVM Announcements List (llvm-announce)</a></dt>
+<dd>This is a low volume list that provides important announcements regarding
+LLVM.  It gets email about once a month.</dd>
+</dl>
+</div>
+<div class="section" id="irc">
+<h2>IRC<a class="headerlink" href="#irc" title="Permalink to this headline">¶</a></h2>
+<p>Users and developers of the LLVM project (including subprojects such as Clang)
+can be found in #llvm on <a class="reference external" href="irc://irc.oftc.net/llvm">irc.oftc.net</a>.</p>
+<p>This channel has several bots.</p>
+<ul class="simple">
+<li>Buildbot reporters<ul>
+<li>llvmbb - Bot for the main LLVM buildbot master.
+<a class="reference external" href="http://lab.llvm.org:8011/console">http://lab.llvm.org:8011/console</a></li>
+<li>bb-chapuni - An individually run buildbot master. <a class="reference external" href="http://bb.pgr.jp/console">http://bb.pgr.jp/console</a></li>
+<li>smooshlab - Apple’s internal buildbot master.</li>
+</ul>
+</li>
+<li>robot - Bugzilla linker. %bug <number></li>
+<li>clang-bot - A <a class="reference external" href="http://www.eelis.net/geordi/">geordi</a> instance running
+near-trunk clang instead of gcc.</li>
+</ul>
+</div>
+</div>
+<div class="section" id="indices-and-tables">
+<h1>Indices and tables<a class="headerlink" href="#indices-and-tables" title="Permalink to this headline">¶</a></h1>
+<ul class="simple">
+<li><a class="reference internal" href="genindex.html"><em>Index</em></a></li>
+<li><a class="reference internal" href="search.html"><em>Search Page</em></a></li>
+</ul>
+</div>
+
+
+          </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="LangRef.html" title="LLVM Language Reference Manual"
+             >next</a> |</li>
+  <li><a href="http://llvm.org/">LLVM Home</a> | </li>
+  <li><a href="#">Documentation</a>»</li>
+ 
+      </ul>
+    </div>
+    <div class="footer">
+        © Copyright 2003-2016, LLVM Project.
+      Last updated on 2016-08-31.
+      Created using <a href="http://sphinx-doc.org/">Sphinx</a> 1.2.2.
+    </div>
+  </body>
+</html>
\ No newline at end of file

Added: www-releases/trunk/3.9.0/docs/objects.inv
URL: http://llvm.org/viewvc/llvm-project/www-releases/trunk/3.9.0/docs/objects.inv?rev=280493&view=auto
==============================================================================
Binary file - no diff available.

Propchange: www-releases/trunk/3.9.0/docs/objects.inv
------------------------------------------------------------------------------
    svn:mime-type = application/octet-stream

Added: www-releases/trunk/3.9.0/docs/search.html
URL: http://llvm.org/viewvc/llvm-project/www-releases/trunk/3.9.0/docs/search.html?rev=280493&view=auto
==============================================================================
--- www-releases/trunk/3.9.0/docs/search.html (added)
+++ www-releases/trunk/3.9.0/docs/search.html Fri Sep  2 10:56:46 2016
@@ -0,0 +1,111 @@
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>Search — LLVM 3.9 documentation</title>
+    
+    <link rel="stylesheet" href="_static/llvm-theme.css" type="text/css" />
+    <link rel="stylesheet" href="_static/pygments.css" type="text/css" />
+    
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    './',
+        VERSION:     '3.9',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="_static/jquery.js"></script>
+    <script type="text/javascript" src="_static/underscore.js"></script>
+    <script type="text/javascript" src="_static/doctools.js"></script>
+    <script type="text/javascript" src="_static/searchtools.js"></script>
+    <link rel="top" title="LLVM 3.9 documentation" href="index.html" />
+  <script type="text/javascript">
+    jQuery(function() { Search.loadIndex("searchindex.js"); });
+  </script>
+  
+  <script type="text/javascript" id="searchindexloader"></script>
+  
+<style type="text/css">
+  table.right { float: right; margin-left: 20px; }
+  table.right td { border: 1px solid #ccc; }
+</style>
+
+
+  </head>
+  <body>
+<div class="logo">
+  <a href="index.html">
+    <img src="_static/logo.png"
+         alt="LLVM Logo" width="250" height="88"/></a>
+</div>
+
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+  <li><a href="http://llvm.org/">LLVM Home</a> | </li>
+  <li><a href="index.html">Documentation</a>»</li>
+ 
+      </ul>
+    </div>
+
+
+    <div class="document">
+      <div class="documentwrapper">
+          <div class="body">
+            
+  <h1 id="search-documentation">Search</h1>
+  <div id="fallback" class="admonition warning">
+  <script type="text/javascript">$('#fallback').hide();</script>
+  <p>
+    Please activate JavaScript to enable the search
+    functionality.
+  </p>
+  </div>
+  <p>
+    From here you can search these documents. Enter your search
+    words into the box below and click "search". Note that the search
+    function will automatically search for all of the words. Pages
+    containing fewer words won't appear in the result list.
+  </p>
+  <form action="" method="get">
+    <input type="text" name="q" value="" />
+    <input type="submit" value="search" />
+    <span id="search-progress" style="padding-left: 10px"></span>
+  </form>
+  
+  <div id="search-results">
+  
+  </div>
+
+          </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="genindex.html" title="General Index"
+             >index</a></li>
+  <li><a href="http://llvm.org/">LLVM Home</a> | </li>
+  <li><a href="index.html">Documentation</a>»</li>
+ 
+      </ul>
+    </div>
+    <div class="footer">
+        © Copyright 2003-2016, LLVM Project.
+      Last updated on 2016-08-31.
+      Created using <a href="http://sphinx-doc.org/">Sphinx</a> 1.2.2.
+    </div>
+  </body>
+</html>
\ No newline at end of file

Added: www-releases/trunk/3.9.0/docs/searchindex.js
URL: http://llvm.org/viewvc/llvm-project/www-releases/trunk/3.9.0/docs/searchindex.js?rev=280493&view=auto
==============================================================================
--- www-releases/trunk/3.9.0/docs/searchindex.js (added)
+++ www-releases/trunk/3.9.0/docs/searchindex.js Fri Sep  2 10:56:46 2016
@@ -0,0 +1 @@
+Search.setIndex({envversion:42,terms:{func:[74,10,78,84,85,18,19,20,21,23,24],orthogon:95,interchang:[93,76],four:[30,124,64,12,81,29,2,31,95,56,76,87,113,93,78,9,24],prefix:[76,93,70,124],grokabl:76,is_open:12,francesco:47,repetit:93,add32ri8:8,globalvari:113,identityprop:21,foldingsetnodeid:21,lore:114,build_fcmp:[85,18,19,20,24],dbx:115,digit:[78,29,37,21],intregsregclass:64,emitconst:64,basic_:128,n2118:76,delv:[85,41,31],f110:12,codlay:62,bdist_egg:50,amdhsa:93,fpmad:115,mli:85,second:[47,93,1,49,50,27,103,52,76,77,4,78,9,74,106,7,115,16,80,17,18,21,24,25,26,2,64,113,81,29,30,31,32,33,34,84,38,91,120,40,100,94,11,96,124,127],x86ii:64,r15d:8,functionfaultinfo:99,r15b:8,alignstack:[78,124],thefpm:[31,32,33,34],constrast:56,r15w:8,xchg:[78,95],cull:76,ongo:[49,41,0],noreturn:[78,61,124],visitxor:92,here:[100,0,120,109,49,50,27,51,103,80,52,76,114,77,4,5,6,7,8,9,79,54,62,93,12,112,78,115,107,60,14,16,61,17,85,18,19,20,21,110,23,24,25,26,108,64,113,81,28,29,30,31,32,33,34,84,106,38,
 70,91,39,92,40,56,94,95,121,98,96,82,126,128,45,46,74],gnu_hash:115,fuzzing_build_mode_unsafe_for_product:40,image_file_machine_r4000:121,dllvm_build_runtim:38,iseldagtodag:35,"0x20":115,golden:76,ldrd:95,unic:29,bou_tru:29,unif:56,protoast:[25,26,30,31,32,33,34],belevich:15,substr:74,unix:[38,70,106,78,29,107,14,4,7,21],pound:100,content_disposition_typ:41,uint64_max:68,unit:[70,87],ldri:64,fstream:12,subpath:[43,2],destarglist:78,get_ptr:99,until:[47,76,0,48,2,110,78,60,9,79,62,14,61,85,18,19,20,21,22,23,24,25,26,64,120,28,29,30,31,32,33,34,84,35,87,66,37,38,91,39,92,40,93,41,124,125],new_else_bb:[18,19,20],emitlabelplusoffset:81,v8p0f_i32f:78,jmp:78,relat:[47,76,48,49,2,103,77,78,12,14,80,17,93,21,113,115,35,120,56,95,41,96,43],notic:[93,70,112,12,17,30,34,41,61,80,113,20,21,107,24],hurt:76,initialize_pass_depend:84,exce:[76,78,115],"_dcleanup":120,hole:[29,78],hold:[47,101,17,11,5,6,78,8,9,79,62,115,60,14,85,18,19,20,21,110,23,24,25,26,64,81,28,29,30,31,32,33,34,84,38,120,40,93,
 42,114,43,128],image_scn_align_128byt:121,catch3:120,generalis:[19,33],talli:50,dagtodag:55,conceptu:[76,113,7,29,93,120,87,78,21],forexpr:[25,26,32,33,34,18,19,20],oftc:54,rework:[29,41],get_matcher_implement:35,al_superregsset:64,phabric:41,dtor:[107,78],createfunct:26,replaceusesofwith:[69,21],doubletyp:21,caution:[49,95],fibonacci:[28,52,22],want:[71,101,104,52,76,77,78,55,56,7,107,13,59,15,112,113,29,38,70,39,40,93,41,124,126],umin:78,"__sync_fetch_and_and_n":95,hasfp:64,canfail:21,mcasmstream:93,fucompi:93,hoc:[47,93,21],mov32mr:82,classifi:56,i686:[14,93,7],how:[70,124,56,95,3,87,80,92,68],hot:[49,78,61,68],actionscript:[27,16],symposium:15,macosx10:78,perspect:[0,101,112,56,49,84,120,78],lhse:[25,26,34],bpf_stx:93,decor:115,tls1_process_heartbeat:40,wrong:[26,76,101,56,46,71,31,4,107],beauti:[28,30,33,19,22,24],adc32rm:8,outoperandlist:[8,64],weakanylinkag:21,index2virtreg:93,passopt:84,isvalid:26,apint:21,revolv:115,alias:[124,56],"18th":113,prototypeast:[25,26,110,30,31,32
 ,33,34,5,6],tok_for:[25,26,32,33,34],wind:21,"0b01101101":78,"0x3f":36,feedback:[0,103,84,41,126,5,6,62,60],readandmaybemodifi:40,"0x0abcd":78,affect:[101,48,17,103,4,78,12,7,13,15,18,21,29,31,32,84,87,70,71,95,45,128],vari:[38,93,101,21,40,27,95,92,16,124,4,78,107],sanitize_memori:78,fit:[47,76,91,11,113,78,29,93,32,115,15,41,87,18,21,60],fix:95,"200000e":[18,32],xxxinstrdescriptor:64,updatepoint:[5,6],hidden:[76,21,29,93,59,75,115,84,104,124,66,78,9],easier:[47,93,101,48,56,76,78,8,9,55,12,107,13,108,14,20,21,23,24,26,111,81,110,30,34,84,35,91,71,95,41,43],aliasesset:56,var1:80,proce:[69,70,48,17,81,120,21,60],imagstart:[19,33],interrupt:[99,76,40,2,4,78],sellect:35,kernelparam:12,loopinfo:84,sparclite86x:64,dcmake_install_prefix:[38,70,13,51],exprast:[25,26,110,30,31,32,33,34,5,6,23],accommod:[78,93,36,124,12],timeout:40,"0x7ffff7ed404c":108,build_fadd:24,openfileforwrit:4,resum:[120,108],llvmfuzzertestoneinput:40,cprestor:46,pinsrd_1:7,numentri:124,whip:[19,33],intregssuperclass
 :64,dst:[77,93,8,64,128],dsp:46,astcontext:76,dso:95,dsl:[8,109],llvm_lit_arg:70,adapt:[4,107,21,47],impract:21,navig:[43,29,91],selectionkind:78,omiss:[41,78],targetloweringobjectfil:93,adc64ri32:8,md5:[74,41],f3_1:64,sahf:93,f3_3:64,proj_src_root:42,reformul:56,realstart:[19,33],att:[89,86,78],unabl:[69,101,61,78,23,128],disablelazycompil:21,confus:[76,106,64,113,120,21,41,17,78],jitsymbolflag:[5,6,62,60,9],s3_pkt:40,catchswitch:120,clariti:[18,0,32,78],wast:[79,127,115,34,96,20,21],psubusw:14,mingw:[52,93,70,103],wasn:[25,26,56,17,33,34,19,20],isalnum:[25,26,28,110,30,31,32,33,34],llvmmemorymanagerallocatedatasectioncallback:96,signext:[78,124],setargstr:29,nobuiltin:78,master:[126,38,91,42,54],image_scn_mem_discard:121,similarli:[25,26,71,112,64,54,123,78,29,56,76,95,92,41,87,120,21,50],getnod:[55,64],listen:5,windbg:115,addrrr:64,arrayidx1:78,arrayidx3:78,arrayidx2:78,arrayidx4:78,"0x3500000001652748":108,ntid:12,crawl:81,technic:[54,40,41,101,80],lvalu:21,tree:[76,17,2,103,52,
 78,12,65,13,61,107,112,113,81,38,69,70,120,40,93,41,114,43],project:114,wchar_t:78,image_rel_i386_secrel:36,sdnode:[64,21,46,93,92,8],recheck:[47,17],uniniti:[76,113,81,40,78,128],runner:50,libllvmcor:21,reassur:40,aforement:38,"__atomic_store_n":95,increment:[76,93,92,80],infring:41,dcmake_toolchain_fil:38,incompat:[72,120,46,78],dozen:[51,61],sig_atomic_t:78,implicitus:93,musttail:[46,78],browsabl:70,eagerli:60,get_instrinfo_operand_types_enum:64,simplifi:[93,114],shall:[78,29,27,16,70],cpu2:100,object:[87,95,39,56],apr1:41,specifi:39,letter:[25,26,76,64,29,33,34,124,19,20,78],breakpoint:[92,108],alwaysinlin:[78,124],getelementtyp:21,expr0rh:74,purgev:124,dummi:[47,107,64,93,14,128],lpm:84,mayreadfrommemori:95,detriment:76,came:[120,27,32,37,16,114,18],undefinit:78,s_endpgm:39,sexist:101,advisori:101,addr2:88,klimek:91,matchinstructionimpl:93,layout:[70,87,80],ccmake:70,apach:[4,41],theme:[8,9,109],busi:41,image_sym_type_word:121,exctyp:120,plate:29,selectiondagbuild:93,googlegrou
 p:40,addri:64,replaceusesofwithonconst:69,addrr:64,obscur:[78,21],smallvectorimpl:21,ppc_fp128:[17,78,124],tstri:82,ever:[76,56,62,27,41,16,78,43,21,9],patch:76,xcore:93,emitstorecondit:95,sligtli:87,bpf_ja:93,respond:[47,0,91,56],sjljehprepar:120,mandatori:[78,52,21,61,64],fprofil:[74,104,70],fail:[99,76,1,48,50,2,51,7,52,4,78,125,14,21,29,30,115,89,38,70,120,71,95,41],best:[76,56,120,93,15,41,87,80,89,107],dw_tag_reference_typ:[78,115],wikipedia:[43,18,78,32],copyleft:41,figur:[84,93,64,21,29,71,92,14,76,87,78,60],irc:[41,0,61,91,101],sysroot:[13,8],glasgow:78,fuzz_target:40,xvf:52,never:[99,47,93,17,50,27,104,76,78,74,106,56,112,107,15,16,85,21,64,113,81,84,87,46,100,95,73,98],extend:95,mandat:93,extens:[76,70,93,116,104,86],extent:[81,41,78,113,65],toler:[81,78,103],advertis:120,rtti:70,"_args_":80,"0f3f800000":12,llvmaddinstrattribut:46,accident:[84,4,29,76,21],atomicexpandpass:95,logic:[47,76,17,2,7,5,6,62,60,9,78,18,19,20,21,24,112,113,110,32,33,34,93,41,43],hh567368:76,seri:
 [124,114],compromis:21,with_assert:70,assur:100,mattr:[25,89,86,7,64],creategvnpass:[26,31,32,33,34,5,6,62,60],"2nd":[78,40,21,128],dibuild:[26,115],diff:[76,75],summat:78,assum:[38,55,41,113,56,81,120,86,93,76,52,15,3,61,124,114,89,92,68,107],summar:[81,47,2,93],duplic:[98,76,106,56,17,29,93,41,36,61,80,78],frc:93,frb:93,fra:93,union:[76,56,93,115,34,20,78],n_hash:115,frt:93,bpf_mod:93,life:[41,76,61],regul:84,p0v8p0f64:78,mrm6m:64,worker:40,ani:[76,101,102,2,51,103,104,52,53,77,78,74,55,106,56,7,58,13,61,80,92,107,111,113,81,29,83,86,36,87,66,37,68,114,38,69,70,39,120,93,95,122,41,124,125,43],cufunct:12,lift:[60,61],legacypassmanag:[25,26,31,32,33,34],"0x16151f0":108,objectfil:79,infocent:117,hasfparmv8:8,image_scn_mem_not_cach:121,commerci:41,employ:41,one_onli:36,debug_metadata_vers:26,r_amdgpu_non:93,emit_22:64,unop:[25,26,33,34,19,20],"0xk":78,bio:40,rediscov:[27,16],filename0:74,filename1:74,libxml:40,leaksanit:40,createret:[25,26,30,31,32,33,34],format:87,bikesh:112,harass:1
 01,generalcategori:29,falsedest:78,split:[47,55,64,113,17,29,93,94,95,92,41,87,82,78,42],immtypebit:8,functionpassmanag:[31,32,33,34,5,6,62,60,9],annoat:44,reassoci:[69,78],cxx0x:76,dest1:78,fairli:[64,56,28,40,107,32,33,95,16,61,110,43,18,19,21,22,23],dest2:78,refil:17,ownership:[25,26,31,32,33,34,41,5,6,21],printdeclar:64,tune:93,instrprofvaluekind:78,tokvarnam:45,nuzman:1,gzip:38,argmemonli:[78,61],ordin:29,phinod:[25,26,76,32,33,34],previous:[70,64,50,45,29,31,32,60,104,46,120,103,78,40,24],easi:[93,48,17,50,27,76,78,60,9,62,115,13,14,16,85,18,20,21,22,23,24,2,112,81,28,110,30,31,32,34,84,35,38,70,40,100,73,41,124,43,127],bitwidth:[49,78,124,17],had:[100,12,49,53,84,96,87,17,4,127,78,60,9],v4p0f_i32f:78,har:[38,42],hat:100,abort_on_timeout:40,sanit:[38,40,70,11,80],ocamlbuild:[85,18,19,20,23,24],sanir:40,preserv:[38,93,106,113,56,49,29,27,65,84,104,16,87,120,96,78,40],instrumen:74,llvmremoveinstrattribut:46,st_mode:106,attrparsedattrkind:35,isdeclar:21,measur:[40,106],specif:[12
 4,95,39,114],fcmpinst:21,nonlazybind:78,remind:[41,103],underli:[76,70,81,29,93,41,87],kwalifi:121,right:[38,55,93,106,112,47,17,29,71,76,95,103,80,41,61,87,125,91,78,107,82],old:[25,26,108,54,38,78,115,27,95,34,56,104,41,16,66,20,21,9],getargumentlist:21,"__sync_fetch_and_umax_n":95,olt:78,dominatorset:84,txt:[38,76,70,91,64,65,29,127,115,103,14,88,41,43,5,6,62,60,9],sparcsubtarget:64,bottom:[47,69,91,64,1,17,29,68,84,18,4,78,60,89],undisturb:76,lto_module_get_num_symbol:98,stringsort:76,subclass:[76,112,56,81,82,29,93],cassert:[76,12,31,32,33,34],op_begin:21,condit:[38,69,70,113,12,120,17,29,93,76,95,104,3,98,61,80,78,107],foo:[71,1,49,76,3,122,78,74,12,7,107,59,14,80,85,18,93,21,110,23,24,112,113,81,29,30,31,32,115,36,87,88,68,70,120,40,56,100,123,45,128],"0f00000000":12,armv7a:103,sensibl:21,leftr:17,clientaddrlen:5,egregi:[41,101],tablegen:70,bindex:64,llvm_on_xyz:4,image_scn_mem_lock:121,llvmanalysi:42,true_branch_weight:3,benderski:15,baselayert:60,slightli:[40,76,78,114],xor
 64rr:93,dw_tag_array_typ:[78,115],llvmfuzzeriniti:40,selectiondagisel:[46,35],basenam:115,expandop:55,mbb:[46,93,64],mcinstlow:93,wrap:[76,4,78,9,79,59,61,80,21,110,23,24,113,28,29,30,115,38,100,22,41,124],msp430:[38,93,78],data32bitsdirect:64,suffici:[38,113,71,112,47,49,7,29,56,95,92,81,61,78,28,44,21,22,128],support:[87,39,56,95,124,114],sub_rr:128,happi:[20,91,42,34],sub_ri:128,width:[95,87],cpprefer:21,disambigu:[61,56],constantli:38,path_to_clang:114,use_back:21,headach:48,setxyzzi:76,"0x2413bc":84,fpga:93,offer:[81,46,100,21,95],unrool:15,refcount:81,strike:[30,24],dllstorageclass:[78,124],multiprocessor:[81,84],reserveresourc:93,profdata:[104,70,75,114],loadlibraryperman:[5,6,62,60,9],insidi:76,getdefaulttargettripl:25,reiter:78,handili:76,fermi:93,dump_valu:[85,18,19,20,24],isexternalsymbol:64,adopt:[4,41,76,93,9],mirror:81,proven:[47,34,37,61,20,78],flagsflat:100,ericsson:78,build_phi:[18,19,20],bswap:55,relax:49,role:[76,48,17,110,115,45,23],finalizeobject:[79,26],presum:
 [78,91],smell:21,roll:[76,112],mri:93,legitim:76,notif:[91,56],intend:[38,55,93,70,101,56,81,120,29,58,95,116,41,61,80,7,114,106],createargumentalloca:[26,34],removemoduleset:[5,6,62,60,9],substract:78,"__except":120,cudamalloc:15,intent:[106,78,93,34,41,98,87,80,20,45],keycol:77,"0b10110110":78,dyn_switch:76,"1s100000s11010s10100s1111s1010s110s11s1":21,padparam:120,cumemcpyhtod:12,pre_stor:93,time:[70,101,56,114,93,95,3,124,80,92,68],push:[26,76,81,46,93,92],image_file_dl:121,breadth:[28,22,89],chain:114,ptrtoint:61,sparctargetmachin:64,osi:107,aptr:78,const_nul:[18,19,20],inaddr_ani:5,image_sym_type_short:121,decid:[55,100,70,91,1,78,29,71,115,33,34,84,120,87,49,85,19,20,21,110,23],herebi:76,pem:40,decim:[106,29,100,122,37,36,78,128],strequal:80,x08:121,decis:[76,0,101,1,49,93,31,41,61,87,120,85,92,60],x03:121,x01:121,macho:[79,93,124],x04:121,painlessli:29,"__atomic_fetch_or_n":95,uint32_max:115,cudevicecomputecap:12,vmcore:29,lrt:15,fullest:76,exact:[47,76,120,38,81,21,29,65,95,
 115,84,98,82,43,78,50],numlin:74,solver:93,tear:120,unsupport:[93,64,48,2,95,103,14,52],team:[42,103],cooki:[78,21],prevent:[47,76,1,49,11,4,5,6,78,9,56,7,107,14,15,80,20,21,24,25,26,81,29,30,115,34,84,46,93,94,41,96],dcmake_cxx_flag:13,numroot:81,heavyweight:21,relocat:[79,89,93,78,64],regex_t:40,filenameindex1:74,lazili:[21,98,124,85,5,6,62,60,9],currenc:[85,93,41,31],thecu:26,merge_bb:[18,19,20],current:[0,27,3,4,7,8,9,12,13,14,16,17,18,19,20,21,22,23,24,25,26,2,28,29,30,31,32,33,34,35,36,38,39,40,41,43,45,46,47,48,49,95,52,54,55,56,125,59,60,61,42,74,64,37,70,100,72,73,77,78,79,80,81,82,84,85,86,87,89,93,94,11,96,99,76,101,103,106,107,110,113,115,91,120,123,124,126,128],image_scn_cnt_cod:121,i256:78,oeq:78,handleterminatesess:5,intraprocedur:92,adc64rr:8,cudevicegetnam:12,dropdown:91,autogener:41,live_begin:81,splice:[78,21],along:[79,38,93,70,112,81,82,71,95,122,15,76,61,124,77,37,78],ffast:[15,1],cur_var:20,volumin:21,checksum:[40,11],d17567:46,queue:[84,21,64],throughput:61,r
 eplaceinstwithvalu:21,safepoint:[81,78],mipsel:46,bpf_ld:93,commonli:[76,64,81,21,124,78],ourselv:[76,115,9,12],ipc:4,ipa:69,love:21,"2ap3":36,pentium:[38,64],prefer:[80,95,56],ipo:[17,69],src2:[93,8,128],regalloc:[84,89,86,93],src1:[93,8,128],fake:89,instal:[111,38,55,70,52,114,51,73,15,80,126],anothercategori:29,virtreg:93,image_sym_class_nul:121,abbrevid:124,scope:[92,70,124,56],tightli:[25,26,76,110,30,31,32,33,34,85,18,19,20,78,23,24],analyz:[93,75],"66ghz":126,peopl:[38,55,93,101,113,54,48,28,29,27,76,84,41,16,46,91,4,78,22,9,107],n2627:76,claus:[93,41,78,120],refrain:[78,0,103],enhanc:[41,76,118],visual:114,langref:[55,95,61],easiest:[38,64,27,31,95,103,84,16,127],behalf:[41,91],b_ctor_bas:7,subel:78,my_fuzz:40,descriptor:[26,64,115,96,124,78],valuet:21,whatev:[38,100,70,113,47,7,29,56,13,120,4,78,9],problemat:76,encapsul:[76,112,66],tracksregl:82,test_fuzz:40,myremot:5,recycl:93,setrecordnam:124,optnon:78,fpm:[5,6,62,60],r11b:8,r11d:8,"0x00001c00":93,fpu:[78,46,13],rel_path_
 to_fil:104,parameter:128,r11w:8,vec0123:78,remap:93,motohiro:93,getsigjmp_buftyp:76,dw_apple_property_gett:115,spot:[47,40,103],mrm4m:64,mrm4r:64,succ:76,isfloatingpointti:21,date:[38,106,91,56,48,46,13,32,103,52,18,92,128],shuffl:[2,78],data:[114,95,87,56],codes:8,stress:[76,75],indexloc:21,bpf_xor:93,stdio:[38,73,52,18,85,4,19,20,98],stdin:[26,115,14,104,85,18,19,20,7,23,24],mangl:[76,37,115,41,5,6,78,9],fp4:[8,128],sandbox:[48,13],fp6:[8,128],fp1:[8,128],fp0:[8,128],fp3:[8,128],fp2:[8,128],callabl:[76,78,12],iftmp:[25,26,32,33,34,18,19,20],untest:48,operand_type_list_end:64,my_funct:12,llvm_library_vis:81,revisit:49,numbyt:96,x86retflag:128,overhaul:103,thumb:[93,41,76,95],image_sym_class_block:121,precedecnc:[25,26,33,34],instantli:21,"__stack_chk_guard":78,jit:[92,70],canonicalis:87,image_sym_class_end_of_struct:121,ideal:[76,64,49,40,43,21],alacconvert:50,outli:120,mips32r6:46,smarter:29,isbinaryop:[25,26,33,34],nation:101,"0x00000147":115,inpredsens:77,therebi:[96,29,78],"0x0
 0000140":115,maxatomicsizeinbitssupport:95,machineconstantpoolvalu:82,mcode:36,revers:[47,69,113,7,87,78,21],llvm_src_dir:51,separ:[93,0,50,2,104,76,4,5,78,12,7,13,59,14,80,21,110,42,64,113,81,29,31,115,84,35,37,68,38,70,40,100,95,122,41,96,23,124,43,127,98,128],xctoolchain:70,dwarf2:26,image_sym_class_end_of_funct:121,complextyp:121,sk_squar:112,compil:[87,56,95,124,114,92],argvalu:[29,108],insertbyt:40,receipt:0,"0x4000":115,registertarget:64,"__has_attribut":35,blx:36,movsx64rr32:93,"0x100":115,blk:21,"0x1c2":36,libxxx:13,getschedclass:64,roots_iter:81,pseudocod:64,million:[78,21],procedur:[69,117,87,28,29,103,3,46,78,17,21,22,42,61],removefrompar:21,crazier:[18,32],"byte":[49,11,53,78,74,55,106,56,85,18,19,20,21,23,24,64,113,115,87,40,93,94,95,123,96,124],reusabl:93,jitcompilerfunct:64,ifuzz:40,modest:76,recov:[99,7,40,96,78,120,21],cbw:93,nicknam:0,neglect:50,arraytyp:21,trytohandl:21,oper:[3,76,70,124,56,93,95,86,87,89],onc:[99,100,0,120,48,49,50,27,103,104,52,76,83,4,5,6,78,8
 ,79,54,10,93,56,62,107,60,16,80,17,85,18,20,21,110,23,24,2,64,113,81,98,29,30,31,32,34,84,38,69,70,91,122,125,40,71,11,92,73,41,124,55,127,45,128],iaddroff:93,coveragemappingdataforfunctionrecord1:74,coveragemappingdataforfunctionrecord0:74,submit:92,symmetri:14,spanish:11,subtarget:[93,78,118],open:[76,70,125,93,15,41],lexicograph:[17,76],rmw:95,addtmp4:[30,24],f89:12,f88:12,bite:107,broadcom:46,f80:78,enable_optim:[72,103],optlevel:29,draft:[38,115,0,95,101],addtmp1:[85,31],lnt:[14,48,50,13],getsubtarget:64,conveni:[47,76,27,78,9,74,12,14,16,18,19,21,42,2,112,29,31,32,33,93,41,128],goldberg91:81,usenamedoperandt:64,fma:[15,93],sometest:50,programat:[19,93,33],artifact:[17,40,113],"__apple_namespac":115,llvm_parallel_compile_job:70,vec012:78,third:[76,49,50,27,103,78,74,16,17,93,21,42,24,26,64,113,81,29,30,115,84,38,120,100,41,96,124,114],rival:21,rzi:12,param2:21,param1:21,"0x12345678":115,sai:[26,30,101,50,113,112,7,29,27,127,106,16,61,78,28,77,4,93,21,22,24],nicer:[26,29,100,21]
 ,profiledata:78,argument:[70,87,39,56],second_tru:78,sar:93,saw:[84,18,98,32],parseandsquartroot:21,entrytoken:93,notw:7,add_llvm_execut:80,xxxgenregisterinfo:64,wrapcolumn:100,destroi:[93,64,21,100,59,84,120,78,107],libpath:116,note:[70,124,39,56,95,87,92],denomin:76,take:[47,100,0,101,48,49,2,114,52,76,110,53,77,5,6,7,60,9,79,10,93,12,112,78,115,86,59,123,16,80,17,85,18,19,20,21,22,23,24,25,26,27,83,64,113,81,28,29,30,31,32,33,34,84,35,87,66,89,120,98,102,38,91,119,92,40,56,121,95,122,73,62,41,96,124,55,127,45,128],multiarch:13,llvmcreatesimplemcjitmemorymanag:96,jumptabl:78,printer:[43,81,44,93],offload:11,atomic_:95,buffer:[27,78,115,16,85,18,19,20,21,22,23,24,25,26,110,30,31,32,33,34,120,40,98,46],fcc_ug:64,compress:[38,70,40,124,53,21],private_segment_align:39,insertel:[7,87],abus:21,homepag:[38,52],hexadecom:37,allevi:[78,29,93,21],"_function_nam":36,drive:[43,49,51],fulldebug:[78,115],setinsertfencesforatom:95,salt:11,event:[0,101,49,40,96,70,21],merit:76,dllvm_external_foo_
 source_dir:70,identifierstr:[25,26,28,110,30,31,32,33,34],cclib:[19,20],objptr:78,slot:[120,93,59,61,53,78],xmm:[78,7,64],xmo:117,expandinlineasm:64,host_x:15,activ:[76,56,81,21,40,93,59,41,96,120,78],v2size:56,freebsd5:93,host_i:15,codeblock:81,v16f32:78,assing:17,dominatortre:84,flagscpu1:100,x86reloc:64,run_long_test:14,requir:114,prime:[25,26,110,30,31,32,33,34,85,18,19,20,23,24],borrow:78,specialsquar:112,getframes:81,openorcreatefileforwrit:4,xmax:[19,33],clenumvalend:29,where:[76,101,2,104,3,7,74,55,106,15,92,29,83,87,68,70,120,93,95,122,41,124,118],bpf_neg:93,compute_pgm_rsrc2_user_sgpr:39,sinbio:40,deadlin:41,dw_at_apple_property_sett:115,callseq_start:49,arglist:78,isphysicalregist:93,x86targetmachin:93,x24:121,build_mul:[85,18,19,20,24],getindex:64,"_except_handler3":120,assumpt:[26,93,120,7,27,76,115,86,16,49,78,9],screen:48,secnam:36,imm32:93,opval:64,sparc:[93,95],uncondition:[26,56,78,93,36,62],dcommit:[38,91],genericvalu:[85,18,19,20],eflag:[82,46,8,128],do_safepoint
 :49,extern_weak:[78,124],mani:[99,47,71,1,48,49,50,27,76,52,3,110,114,4,7,9,107,55,93,12,112,78,115,58,13,59,14,15,16,80,85,18,19,20,21,22,23,24,64,113,81,28,29,30,31,32,33,34,84,87,68,38,91,92,40,56,95,100,96,124,120,43,46],qhelpgener:70,dw_at_mips_linkage_nam:115,unistd:[4,5],sccp:69,constant:[74,55,76,39,56,29,93,95,15,124,53],boat:76,curs:[125,2],printstar:[18,32],fib:[26,47,28,32,34,18,20,22],add16mr:8,image_scn_align_4096byt:121,ismod:128,parseifexpr:[25,26,32,33,34],inst_begin:21,add16mi:8,reflex:17,rss_limit_mb:40,constantfoldcal:55,symobl:36,thousand:47,somemap:76,ppcisellow:55,former:[49,40,93,95,123,61,82,110,23],combine1:93,combine2:93,emitalign:81,columnstart:74,polli:70,view_function_cfg:18,test_exec_root:2,chat:101,ctrl:25,lto_module_get_symbol_attribut:98,canon:[47,21,115,61,87,5,6,78],blah:[29,76,40],pthread:[15,78],ascii:[25,26,106,28,40,30,31,32,33,34,115,110,124,85,18,19,20,78,22,23,24],typedescriptor2:120,econom:101,binari:[74,10,93,70,119,102,29,83,76,95,122,10
 4,41,36,117,124,88,105,92,111],devcount:12,srem:93,p0v8i32:78,unhandl:120,irread:70,"0x1603020":108,getfunct:[25,26,81,30,31,32,33,34,84,21],extern:[76,70,106,124,93,37,87,89],defi:78,sret:[78,124],defm:128,fnname:[25,26,110,30,31,32,33,34],dw_form_ref_udata:115,clobber:56,dimension:[19,113,33,12],runtimedyldmacho:79,noencod:93,llvmlinkmodul:46,addmodul:[31,32,33,34,5,6,62,60,9],resp:[78,21],rest:[38,81,78,40,93,115,41,98,124,17,88,4,127,7,82,21],checkcudaerror:12,fmadd:[46,93],gdb:93,unmaintain:8,invalid:[47,76,49,2,78,79,56,115,85,18,19,20,21,110,23,24,25,26,83,64,113,29,30,31,32,33,34,84,38,69,120,40,100,95,122,96],loadable_modul:[14,81,84],cond_fals:[20,34],r13w:8,"__builtin_trap":40,ghostli:21,"__imp_":78,littl:[93,124,87],instrument:[74,47,113,40,122,104,3,114,78],r13d:8,r13b:8,exercis:[14,11,27,16,9],dwarfdebug:115,featurev8deprec:64,logallunhandlederror:[5,6],mrm2m:[64,128],around:[47,76,17,27,4,78,56,59,16,80,18,21,110,26,64,113,81,29,32,115,84,66,38,120,46,95,41,43,40],lib
 m:[85,78,30,31,24],libc:[38,76,78,40,27,41,16,21,46],unveil:[28,22],libz:78,traffic:[20,21,34],dispatch:[120,110,96,78,23,21],llvm_lib:70,world:[74,38,101,91,81,115,52,80,127,78],mrm2r:[64,128],find_program:70,intel:[70,95],"__gxx_personality_v0":120,integ:[95,39],timepassesisen:29,weng:15,inter:[3,69,56,46,41,61,4,78],orcremotetargetserv:5,manag:[99,101,48,49,27,103,52,5,6,62,60,9,79,56,78,107,16,20,21,64,113,81,31,32,33,34,84,69,92,96,125,126],pushq:49,attrlist:35,a64:87,catchpad:120,mfenc:95,pushf:93,pred_iter:21,constitut:[14,21,0,124,87],pod:76,whould:0,stryjewski:47,exig:21,"0x000000000059c583":108,definit:[87,93,95,3,124,80],parseextern:[25,26,110,30,31,32,33,34],evolv:[74,41,98,101],noop:78,nonintuit:54,notabl:[55,70,113,21,46,93,78],ddd:106,pointnum:81,power:[47,51,110,78,8,117,56,7,59,109,85,18,19,20,21,22,23,24,28,29,30,31,32,33,34,91,39,46,93,98],isloopinvari:21,blockaddress:78,image_sym_type_union:121,compileondemand:[6,62],n1984:76,n1987:76,n1986:76,ispic:64,standpoint
 :21,mov64rm:82,isset:29,mingw32msvc:93,acc:21,spiffygrep:29,gplv3:73,aco:56,acm:[81,93],printmethod:64,compuat:69,act:[47,76,0,17,40,93,115,68,78,21,60],industri:54,invert:[14,78,61],specialfp:128,srcloc:78,cflag:42,surviv:[120,110,23],homeless:21,cmake_module_path:70,diflagfwddecl:78,basictyp:78,ehptr:120,hex:[40,78],movsx64rr16:93,kaleidoscop:[21,17,5,6,62,60,9],isloadfromstackslot:64,verbatim:[88,29,64],thedoclist:100,mantissa:78,conclud:[18,19,32,33],htpasswd:41,createjit:79,"__anon_expr":[25,26,110,30,31,32,33,34],clenumv:29,categor:[47,29,35,64],conclus:[28,17],ifunequ:78,pull:[38,76,95,91],tripl:124,dirti:76,rage:53,agrep:50,inaccuraci:78,emitprologu:64,reprimand:0,gcolumn:1,puls:40,gone:60,unreferenc:[78,80],creat:[76,101,2,104,52,74,106,107,13,80,111,113,81,29,83,116,86,36,87,38,70,120,93,41,126],certain:[49,2,78,74,55,106,56,7,85,20,21,25,81,82,29,31,34,84,36,87,38,40,93,72,96,128],numregion:74,getnamedoperandidx:64,creal:[19,33],movsx32rr8:93,googl:91,collector:[107,124],
 emphas:[76,127],collis:[78,76,21,115],writabl:[60,115],freestand:78,genuin:21,of_list:[85,18,19,20,23,24],rubi:81,benchspec:50,bpf_ldx:93,numexpress:74,spiffysh:29,allowsanysmalls:21,mask:[76,81,93,61,66,7],shadowlist:64,tricki:[81,84,15,76,95],mimic:76,createuitofp:[25,26,30,31,32,33,34],prealloc:21,cpp:[76,1,17,4,5,6,62,60,9,55,12,7,115,107,108,14,80,21,110,25,26,111,64,81,29,30,31,32,33,34,84,35,38,70,40,93],cpu:[25,100,93,64,17,40,2,13,51,95,84,15,86,124,66,60,89,5,6,78,46],illustr:[87,28,29,30,115,34,84,98,110,78,85,20,21,22,23,24],labeltyp:21,scc:69,dw_at_apple_properti:115,fntree:17,smp:[84,95],getnamewithprefix:[5,6,62,60,9],dw_lang_c99:[78,115],add16ri:8,incap:[27,16,124],add16rm:8,spirit:101,tail:124,add16rr:8,introduc:[47,49,103,5,6,78,60,9,112,56,7,59,8,17,18,19,20,21,64,32,33,34,46,93,95,96,128],getframeinfo:[93,64],"102kb":29,getaddress:[31,32,33,34,5,6,60,9],gcov_prefix_strip:104,candid:99,element_typ:[85,18,19,20,24],attr0:124,attr1:124,strang:[50,20,76,87,34],condit
 ion:[81,2,80],release_xx:103,quux:76,colleagu:101,helloworld:80,pedant:70,sane:[28,70,22,95],initializeallasmpars:25,small:[76,49,50,103,53,4,78,74,54,12,125,14,61,80,17,21,22,26,112,113,81,28,29,115,84,89,92,40,93,122,41,96,124,43],release_xi:103,dsa:69,mount:38,quicker:[0,51,60],"__image_info":78,sync:[38,100,95,12],past:[26,76,91,64,113,49,33,41,78,19,21,128],pass:[39,114],howev:[99,76,1,49,50,27,77,4,78,8,9,79,106,56,62,115,107,13,59,60,14,16,85,18,19,20,21,113,81,82,29,30,31,32,33,34,84,36,87,38,91,92,40,93,94,95,72,73,41,96,124,120,43,127,46],trick:[54,41,112,78,13,34,35,28,21],deleg:[120,76,78,95],xor:93,registerregalloc:84,clock:[84,78],section:[93,70,106,39,65,124,2,95,75,56,76,87,80,89],delet:[38,93,106,12,17,40,56,7,92,73,76,78,107],succinct:2,letlist:45,contrast:[30,112,120,93,84,21,60,24],hasn:[84,21,60,113],full:[38,111,76,70,108,39,56,93,13,95,59,88,41,80,43,37,103,7,107,118],hash:[74,38,56,17,40,93,41,78,21],vtabl:[76,7,123],unmodifi:49,tailcal:93,r_offset:93,sol_soc
 ket:5,inher:[78,107,21,80],parenthesi:[110,76,23],islvalu:76,simpleproject:70,myownp3sett:115,shufflevector:[7,87],prior:[74,38,120,29,93,59,84,41,124,43,78],lto_module_get_symbol_nam:98,social:101,action:[38,55,76,0,91,64,120,78,93,84,3,49,5,6,21,60],narrowaddr:78,token_prec:[85,18,19,20,23,24],via:[79,47,93,70,38,98,40,83,13,95,108,73,99,36,120,88,122,78],depart:[76,106],dw_tag_namespac:115,r_amdgpu_gotpcrel:93,vim:[38,127,8],memrr:64,image_sym_class_member_of_union:121,ifcont:[25,26,32,33,34,18,19,20],unbias:68,decrement:120,select:87,x44:121,stdout:[38,40,121,104,52,85,18,19,20,78,23,24],llvm_doxygen_qch_filenam:70,googlesourc:40,"3dnowa":25,targetselect:[25,26,31,32,33,34,5],objectivec:78,isconst:[21,124],more:39,isintegerti:21,door:112,tester:75,hundr:61,hundt:15,f3_2:64,zeroext:[78,124],worri:[26,91,38,29,78,110,23],addcom:81,webkit:[96,78],multiset:21,compani:41,cach:[114,95,56],uint64:[99,96],llvm_on_unix:4,enable_if:[110,112],"__cdecl":78,at_apple_properti:115,x86callingco
 nv:64,leari:15,watcho:46,isnullvalu:17,returntyp:[81,78],learn:[38,76,101,91,78,46,27,127,34,16,17,20,21,60],cmpinst:21,add_librari:70,bogu:[25,84],scan:[84,27,81,17,40,2,86,14,35,16,85,89,76,93,50],challeng:[49,19,76,33],registr:[81,107,117,108],accept:[76,101,17,103,52,5,7,9,12,78,107,21,112,29,37,36,38,91,39,46,73,41,44,45,40,128],pessim:[99,47],x86instrinfo:64,reconstruct:[115,106,113],v_reg:93,newsockfd:5,huge:[38,76,14,35,41,8],llvmgrep:38,readobj:75,attrpchwrit:35,exprsymbol:[31,32,33,34],vla:36,clangxx:14,appenduniqu:78,simpl:[76,2,52,7,74,55,56,80,92,112,113,81,29,86,87,89,37,68,38,70,93,95,41,124,114,43],isn:[95,114],loophead:[78,32,33],plant:84,referenc:[17,78,115,85,18,19,20,21,110,23,24,25,26,64,82,29,30,31,32,33,34,37,69,98,73,123,124,45],spillalign:64,unfus:15,variant:[84,47,64,21,29,95,14,43,120,96,40,78,18,85,4,19,20,7,22,23,24],freetyp:40,unsound:[49,46],plane:[19,33],dllvm_use_sanit:40,maywritetomemori:[21,95],thought:[49,93,78,45,9],circumst:[64,7,31,34,84,78,120
 ,85,20,21],github:[63,40,21,91],author:[93,41,76,107],llvmbitcod:55,django:[0,101],atan2:[28,22],nvidia:[15,93,12],returns_signed_char:78,"_flag":80,constitu:[18,32,120],ith:21,cc1:108,trade:[92,21,60],i386:[88,93,78],paper:[54,76,93,21,117],vec2:[78,21],vec0:78,vec1:[78,21],bou_unset:29,nifti:[84,18,27,16,32],bpf_jmp:93,alli:78,compilecallback:[5,6],bypass:[5,6,78,15],superflu:113,transformftor:60,slight:36,targetselectiondag:[55,93,64],image_sym_type_void:121,cudamemcpi:15,argsv:[25,26,30,31,32,33,34],cond_next:[20,34],"__llvm":124,authent:[126,117],achiev:[70,91,98,40,95,61,77,78],tokcodefrag:45,lto_module_is_object_file_in_memory_for_target:98,found:[47,71,120,1,48,49,2,103,52,53,77,4,78,60,9,54,93,12,7,115,13,14,15,19,20,21,42,24,25,26,64,81,29,30,31,32,33,34,84,106,38,70,119,92,40,56,100,41,125,98],gettermin:21,errata:117,bpf_mem:93,quesion:17,"0b000011":64,stringli:80,realli:[55,76,70,29,95,41,114],loweralloc:84,getcalleesavedreg:64,reduct:76,reconstitut:78,ftp:[38,40],massiv
 :[40,35,58],ftz:12,stackframes:81,research:[54,50,55],sparingli:61,x86genregisterinfo:[93,64],occurr:[7,124],ftl:[96,78],loopbb:[25,26,32,33,34],isfirstclasstyp:17,mrm0r:64,numabbrevop:124,believ:[76,0,101,78,31,32,33,41,85,18,19,21],"__cxa_begin_catch":120,mrm0m:64,fnptrval:78,prefac:80,getdebugloc:115,xxxend:21,struggl:38,amper:51,testament:[28,22],ge_missing_jmp_buf:76,new_then_bb:[18,19,20],instprint:35,dw_at_high_pc:115,curesult:12,only_ascii:40,unprofit:47,number:[87,56],obj_root:38,horribl:76,dw_at_low_pc:115,"0xxxxxxxxx":115,exponenti:[47,29,78],getpoint:78,checkpoint:120,unrecogniz:37,functionast:[25,26,110,30,31,32,33,34,5,6],illeg:[47,93,113,12,49,29,1,78,107,21],dfa:[93,35,118],fptr:26,relationship:[81,120,7,17,77,78],meabi:86,bio_writ:40,compile_tim:50,dagarglist:45,consult:[38,69,70,106,54,52,84,15],compute_pgm_rsrc1_vgpr:39,aad:93,llvm_svn_rw:108,tokstr:45,seamlessli:98,reus:[93,115,84,41,96,80,78],arrang:[84,47,112,81,78,29,93,14,62],image_sym_class_stat:121,cgft_obj
 ectfil:25,comput:[74,76,117,56,93,15,61,53,92,68,107],packag:[38,70,13,51,103,68],qpx:78,returns_twic:78,linpack:1,flto:[73,46,98,70],equival:[47,76,49,27,11,7,60,12,78,15,16,80,17,21,113,81,29,115,36,87,89,38,39,120,93,95,122,124,45,128],odd:[29,41,76,71],self:[74,93,124],gnuabi64:46,also:[70,124,39,56,93,95,3,87,80,92],"__atomic_compare_exchange_n":95,ex2:12,ptrb:12,ptrc:12,coff:[93,117,124],ptra:12,pipelin:[84,47,64,12,49,34,14,15,61,124,53,85,18,19,20,78],rhs_val:[85,18,19,20,24],plai:[28,27,84,16,17,45,22],"_z3foov":78,plan:[38,107,12,81,49,93,59,41,21,8],thecontext:[25,26,30,31,32,33,34],exn:78,ptr7:78,src_reg:93,"0x14c":121,ptr2:78,ptr3:78,ptr0:78,ptr1:78,ext:[78,87],abnorm:[4,61],exp:3,gabi:117,artem:15,rewritestatepointsforgc:81,pubnam:115,gold:[38,93],getsymbolnam:64,xcode:[38,70,108],gcmetadaprint:81,session:[127,21,108],tracevalu:47,ugt:78,impact:[76,81,21,115,61,80,78],fputc:[25,26,31,32,33,34],cr0:78,cr7:78,addrri:64,writer:[93,58,95,124,118],solut:[38,70,29,93,95,87,8
 0],peculiar:45,baseregisterinfo:35,llvm_executionengin:[85,18,19,20],factor:[76,1,21,93,78,8,128],bernstein:115,i64imm:64,agg3:78,agg2:78,tmp_clang:40,mainten:[77,41,98],llvm_link_llvm_dylib:70,f2_1:64,synthet:64,f2_2:64,synthes:[85,55,76,31,115],"__chkstk":36,machinememoperand:95,crc:40,coerce_offset0:7,link_compon:42,set:[39,114],exec_tim:50,image_sym_class_member_of_enum:121,seq:121,creator:[84,70],overwhelm:[28,22],startup:[38,76,2,78],sex:101,cbpf:93,see:[70,101,39,56,124,93,95,3,87,80,92,68],sed:[38,107],sec:78,sea:[117,39],overboard:76,analog:[81,21,84,120,49,78,9,128],v_mov_b32:39,reglist:64,llvm_external_project:70,parsenumberexpr:[25,26,110,30,31,32,33,34],lto_codegen_cr:98,topmost:81,pickup:38,mymaptyp:100,mutex:95,documentlisttrait:100,thrive:54,signatur:[38,93,106,49,30,95,84,87,53,78],machineoperand:[93,64],javascript:[78,27,16,96],libnam:[84,111],myocamlbuild:[85,18,19,20,24],disallow:[113,49,29,96,43,78],death:40,nohup:48,dividend:[15,93,78],sparctargetlow:64,last:[7
 6,1,49,2,103,52,78,9,106,112,7,14,19,21,24,26,64,28,29,31,33,84,91,120,93,41,124,127,45,128],cmake_cxx_flags_relwithdebinfo:38,mmap:11,whole:[47,76,17,50,11,78,60,9,55,106,13,14,123,61,85,18,21,23,81,110,31,32,84,66,120,40,93,41,114,43],foo_var:80,sink:[29,56],load:[70,87,56,95,124,92],episod:[18,32],nakatani:93,dw_tag_namelist:115,hollow:100,lex:[26,28,85,18,19,20,45,22,23,24],functionpass:[47,56,21,64,12],"0x100000f24":88,getsourc:38,worthless:76,static_cast:[25,26,5,34],devic:[10,105,119,12,102,83,51,15],perpetu:41,"0xf":128,llvm_abi_breaking_check:70,xab:40,isstrongerthan:95,devis:[60,42],squirrel:60,gettokpreced:[25,26,110,30,31,32,33,34],fire:[76,92],nologo:116,registerpass:84,rdtsc:78,educ:101,uncertain:76,straight:[93,56,28,110,66,15,9,49,17,4,128,21,22,23,24],erron:[38,29],histor:[76,113,21,114,14,80,78],durat:[84,93,56],passmanag:[79,29,21],seed:[40,57],error:[93,80,70,56],dvariabl:70,v1size:56,machinecodeemitt:64,binutil:[126,38,117,13,73],genregisternam:93,miscommun:41,i
 nst_invok:124,chase:71,i29:78,llvmparsebitcod:46,irrelev:[113,56],initializerconst:78,i20:78,i24:78,x64:[126,38,11,7],shorter:[41,122],funni:[20,34],decod:[78,124],dllvm_enable_sphinx:38,boringssl:40,global_end:21,bitread:43,atomic_load_:95,predreg:77,dw_at_declar:115,stack:56,recent:[38,70,91,48,120,40,100,31,81,41,78,46,9],knl:46,call32r:128,eleg:[110,27,31,32,16,85,18,23],rdi:[82,93,78,8,96],dw_apple_property_readwrit:115,llvm_unreach:[17,5,76,21],person:[120,71,101,124],parse_prototyp:[85,18,19,20,23,24],expens:[99,47,76,70,64,17,29,95,84,15,120,21,40],call32m:128,llvm_tablegen:70,always_inlin:15,crosscompil:[93,13],else_v:[18,19,20],use_trac:40,hasopsizeprefix:8,simd:[89,86,78,1],numshadowbyt:96,sidebar:103,lfoo:93,smooshlab:54,eager:[21,60],fnast:[25,26,30,31,32,33,34,5,6],cmpxchg16b:11,input:[102,80,10,58,105,56,125,2,92,104,86,53,89,37,93,7,97],earlycs:61,transpar:[55,76,113,21,29,98,46],subfield:128,intuit:78,dw_tag_ptr_to_member_typ:[78,115],"0x00000048c979":40,formal:[0,7
 8,17,21,8,128],llvmgettargetmachinedata:46,todefin:35,atomicexpand:95,ivar:115,stylist:76,threadsaf:81,image_sym_type_nul:121,parse_toplevel:[85,18,19,20,23,24],ii32:128,x86framelow:93,moduleid:[14,30,24],encount:[64,21,93,37,61,120,78,60,9],image_file_debug_strip:121,acknowledg:0,sampl:[29,3,114,122,80],sight:[20,34],itanium_abi_tripl:14,attrvisitor:35,compilelay:[5,6,62,60,9],libssl:40,"_bool":[20,34],p5i8:12,foreign:[107,70,9],religion:101,llvm_obj_root:[14,50,42],xxxgendagisel:64,agreement:41,wget:[38,40],materi:[17,101],codeemittergen:35,numloc:96,condbranch:64,intd:7,oneormor:29,getinsertblock:[25,26,32,33,34],putchard:[25,26,27,31,32,33,34,16,85,18,19,20],primarili:[38,10,58,47,81,40,2,51,33,59,65,43,19,93,21,67,128],seamless:73,xxxinstrformat:64,requires_rtti:72,contributor:[114,41,70,80],volcan:39,pcre:40,occupi:[93,78,106],span:[84,76,8],textual:[41,86,93,31,14,104,35,69,85,44,128,78,8,107],custom:[125,76,93,7,70],createcondbr:[25,26,32,33,34],suit:114,parse_arg:[85,18,19,
 20,23,24],subgraph:47,poster:101,atop:81,nodupl:78,atoi:78,link:[111,76,70,106,56,125,93,95,75,116,104,92],atom:39,line:[76,102,2,104,53,7,10,105,106,125,80,92,83,86,88,89,67,70,119,93,95,122,37,114,118],bpf_exit:93,workitem_vgpr_count:39,cie:69,cin:107,intim:76,hex8:100,"0xffffffff":[93,78,124],doc:70,afed8lhqlzfqjer0:41,chao:114,call_site_num:120,"char":[76,1,110,5,78,9,74,106,12,115,108,15,85,18,19,20,21,22,23,24,25,26,64,113,29,30,31,32,33,34,84,40,56,98],gcfunctioninfo:81,superscalar:15,srcvalu:49,linkonceodrlinkag:21,tok_unari:[25,26,33,34],intrepid:[110,23],int32ti:21,xxxcodeemitt:64,ud2a:93,dox:101,scrape:2,download_prerequisit:38,cleanupret:120,disp32:93,isnotduplic:8,issiz:21,caml:[22,23],lang:29,mayalia:56,land:[120,49,46,59,41,82,78],x86codeemitt:64,algorithm:56,agg:78,discrimin:[76,93,78,112],fresh:[38,40],hello:[74,38,52,80,78,128],mustalia:56,llvmcontext:78,code:[87,39,56,95,3,124,114],partial:[93,69,78,118],resultv:78,scratch:[78,93,21,64],personalityfn:124,setcc:[93
 ,21],globallisttyp:21,quarantin:11,printimplicitdef:64,young:21,send:[10,105,102,86,93,95,41,61,118],api:[70,56],tr1:21,sens:[30,70,106,107,56,78,29,27,95,59,115,76,16,49,113,93,21,40,9,24],getprocesstripl:26,sent:[54,41,91,102,103,86,49,122],ddi0403:117,unzip:[48,38],flagscpumask:100,clearresourc:93,registeredarg:81,setmaxatomicsizeinbitssupport:95,tri:[47,70,64,28,40,93,31,92,84,17,127,78,22],bsd4:106,setconvertact:64,magic:95,dname:29,complic:[38,55,76,70,112,64,1,81,120,40,114,95,59,14,52,123,80,78],trc:93,scalabl:56,tre:47,fewer:[81,49,47],"__llvm_covmap":74,race:[78,11,21,95,101],build_uitofp:[85,18,19,20,24],vehicl:[76,80],impli:[64,56,81,45,93,15,41,96,78,120,88,4,113,21],dclang_enable_bootstrap:114,monospac:127,natur:[38,76,112,113,81,7,29,95,122,41,98,61,120,78],odr:78,wors:[76,93,78,87],psubu:14,rauw:[17,69,21],video:[21,101],ueq:[20,78,34],index:[74,117,106,56,81,120,29,93,124,122,36,61,87],step_val:[18,19,20],tdm:126,targetregisterclass:[93,64],skylak:46,asmwrit:[81,55]
 ,getanalysisusag:56,henceforth:[94,78],paramti:124,image_scn_align_64byt:121,dyn_cast_or_nul:21,lllexer:55,leb:74,dw_tag_gnu_template_param_pack:78,mappingtrait:100,len:78,short_enum:78,bitstreamwrit:55,rglob:10,let:[74,93,0,91,112,12,126,7,29,71,115,72,77,98,78,49,17,113,127,21,114],ubuntu:[38,46,13,51],ptx30:93,ptx31:93,maken:5,great:[76,81,28,93,33,84,41,61,114,19,21,22],survei:117,dllvm_enable_doxygen:70,force_off:70,technolog:[98,46,27,16],rdx:[49,93,96,8],flagshollow:100,cta:12,ifloc:26,qualifi:[93,76],sgt:78,pf1:17,pf0:17,sgn:78,llvm_enable_cxx1i:70,sge:78,movsx32rr16:93,"__________":21,getnumparam:21,eltti:[26,124],zip:38,commun:56,my_fmad:12,doubl:[47,93,17,27,52,110,5,78,117,112,7,16,85,18,19,20,21,22,23,24,25,26,64,28,29,30,31,32,33,34,100,11,124,128],upgrad:[38,115,41,80,65],next:[76,92,124,114],doubt:[127,112],n2439:76,commut:[47,93,64,56],fpregsclass:64,avx512:[46,78],gladli:[38,52],p2align:39,firstcondit:21,bunzip2:38,uvari:70,get_instrinfo_operand_enum:64,folder:[38,
 78,70],devmajor:12,erasur:21,intregssuperregclass:64,thin:[116,70,46,21],optimizelay:[5,6,62,60],gc_root:49,statepoint_token:49,dw_form_data4:115,n2431:76,weaker:78,pienaar:15,dw_form_data1:115,dw_form_data2:115,n2437:76,process:[70,80,95,114,92,68],shadowbyt:96,preformat:127,high:[114,124,56],wavefront_s:39,befor:[70,39,56,93,95,87,80,92],fprintf:[25,26,110,30,31,32,33,34],streamer:93,dw_ate_signed_char:78,msvc:[76,120,110,93,115,36,80,21],adc32mi8:8,visitsrl:55,delai:[21,46,0,17],amend:91,infeas:69,allocainst:[25,26,76,78,34,20,21],stand:[84,62,76,21,110,93,14,41,5,6,78,60,23],nullpointerexcept:99,overridden:[38,40,78,56],singular:[76,21],add32ri:8,xc3:121,loc0:96,loc1:96,xc7:121,xc4:121,x86registerinfo:[93,64],dw_at_apple_property_attribut:115,dw_tag_class_typ:[78,115],alloc:56,essenti:[64,81,21,83,95,124,17,45],install_prefix:70,sdiv:93,seriou:0,counter:[39,95,122,3,114,92],robot:54,element:[55,76,124,56,81,93,87,80],at_typ:115,unaccept:41,allow:[124,93,70,101,56,125,86,2,76,95,
 104,3,87,80,7,106],retval:[25,26,120,30,31,32,33,34,78],stepexpr:[25,26,32,33,34,20],movl:[78,7,96,49],decltyp:[76,78,5,6,62,60,9],fstrict:78,movi:76,typecod:55,move:[38,93,70,106,47,81,49,46,56,76,95,103,41,96,109,78,8,21],stacksav:59,evolutionari:40,movz:[78,87],movw:[78,36],movt:36,ofstream:29,ldpxpost:82,movq:[49,96],perfect:[41,87],chosen:[76,81,93,2,87,78],cond_tru:[20,34],lastinst:64,decad:8,therefor:[74,47,93,113,12,81,21,29,100,95,115,84,41,96,87,120,44,78],python:[38,27,48,40,2,13,14,81,52,16,45,50],initializenativetarget:[26,31,32,33,34,5],overal:[91,113,81,120,93,32,35,41,18,78],innermost:1,facilit:[76,21,100,115,41,78,42],gcodeview:115,smovq:93,fcc_val:64,anyth:[38,76,112,107,47,78,86,93,31,32,95,115,52,41,96,89,85,18,21,8,24],hasexternallinkag:21,xvjf:38,truth:[18,78,32],"0b111":128,llvminitializesparcasmprint:64,compute_xx:12,idxmask:78,subset:[27,113,12,78,50,2,56,95,115,14,41,16,96,21],"0x7fffffffe040":108,bump:[81,94,21],"0x400":115,lsampl:42,"static":[92,93,70,95,
 56],uiuc:41,differ:[39,114],unique_ptr:[25,26,62,110,30,31,32,33,34,5,6,21,60,9],variabl:[95,56],contigu:[78,21,115],myregalloc:84,tok_if:[25,26,32,33,34],tok_in:[25,26,32,33,34],memorysanit:[40,78],shut:[40,76,64],initializepass:56,bpf_dw:93,unpars:[110,2,23],tempt:[4,76,38],image_file_system:121,shortest:[17,45],shtest:2,spill:[49,93,96,64,89],"__atomic_fetch_xor_n":95,could:[99,76,2,77,78,56,7,107,13,59,61,80,92,112,113,81,29,66,38,70,93,95,73,41,126],opengl:[46,27,16,76],scari:[28,27,16,22],length:[74,106,124,29,2,104,87],enforc:[76,0,81,78,29,93,95,41,96,128,7,21],outsid:56,scare:41,spilt:93,softwar:[81,89,41,76,80],"__profn_foo":74,denorm:[15,100,78],add_pt:77,spaghetti:[28,22],selectiondagnod:64,fcontext:26,owner:[93,106],stringswitch:[46,35],add_pf:77,featurev9:64,sparcgensubtarget:64,licens:76,system:[55,93,70,106,113,56,81,117,29,65,86,95,41,87,80,89,76,107,114],parse_oper:[19,20],gcse:[84,47,21],termin:[10,58,105,119,39,120,102,29,2,76,3,61,83,93,92,106],f_inlined_into_ma
 in:88,returnindex:66,ldrex:95,expraddr:5,gotcha:[76,80],endexpr:[25,26,32,33,34,20],baseclasslist:45,third_parti:40,"12x10":78,haven:[76,50,84,52,5,6,78,9],datatyp:[28,29,93,21,22],bother:[20,60,34],arg_end:21,setfoo:78,featurevi:64,stricter:[7,95],f1f2:17,xxxregisterinfo:64,tdtag:35,getzextvalu:21,internalread:82,viewer:76,op_end:21,var_arg_function_typ:24,clearli:[76,41,96,115],optimis:85,mdstring:3,"0x00002200":115,tramp1:78,accuraci:[47,78],add_llvm_unittest:70,executeremoteexpr:5,amdfam10:25,type_of:[85,18,19,20,24],courtesi:41,griddim:12,poison4:78,poison3:78,poison2:78,aarch32:117,setloadextact:64,comparison:[112,113,40,95,3,61,78],placement:61,stronger:[78,21,95,49],parsevarexpr:[25,26,34],face:[76,94,84,35,61,4],isbranch:8,brew:21,sqrtorerr:21,linkonc:124,fact:[76,0,27,78,106,56,62,107,15,16,61,85,19,20,21,112,113,29,31,33,34,84,38,69,120,93,41,43,45,128],movslq:96,dbn:38,borderlin:76,truedest:78,dbg:[92,78],bring:[76,81,49,27,16,61,21,9],rough:[40,128,45,113],trivial:[47,5
 5,93,91,64,56,78,29,80,95,59,84,76,110,87,28,4,113,21,107,115],redirect:[26,125,40,103,14,123,78],isstor:93,getelementptr:[74,93,56,7,53],image_sym_class_argu:121,should:[76,101,2,104,3,55,106,56,125,15,92,29,83,86,87,89,68,70,39,120,93,95,41,124,114,118],jan:106,suppos:[93,112,17,100,84,15,120,43,4,78],create_funct:[85,18,19,20],opreand:21,nonzero:[124,128],hope:[76,81,49,40,72,41,17,46],meant:[74,38,0,54,48,45,83,52,78,17,127,21,128],insight:[74,78],notat:[29,93,106],familiar:[26,112,39,12,28,93,32,84,15,120,61,38,17,18,22,9],memcpi:[95,56],autom:[38,91,93,35,41,114,8,42],group_segment_align:39,smash:78,symtab:21,machineconstantpool:93,reid:4,dw_ate_sign:[78,115],stuff:[29,93,80],booltmp:[25,26,30,31,32,33,34,85,18,19,20,24],inlni:88,comma:[21,29,100,32,14,78,18,44,7,128],unimport:[48,49],cmake_cxx_compil:38,rtdyldmemorymanag:[5,6,62,60,9],temporarili:92,binary_nam:88,oprofil:[72,70],movsx16rm8w:93,wire:107,op_iter:21,compute_factori:108,live_iter:81,sectionmemorymanag:[79,5,6,62,
 60,9],unrecurs:[25,26,20,34],email:[38,69,0,101,91,54,27,95,41,16],superword:[69,1],dislik:41,linkonceanylinkag:21,memri:[93,64],use_iter:21,doxygen:70,scalaropt:111,valgrind:[14,125,2,71],sdtc:64,etc:[76,70,56,125,93,95,41,124,114,97,7],"0fbf317200":12,vk_basicblock:76,preheader_bb:[18,19],position_at_end:[85,18,19,20,24],exprprec:[25,26,110,30,31,32,33,34],distil:14,bininteg:45,rpcc:78,escudo:11,chromium:[40,46],v8p0f32:78,llvm_external_:70,triniti:117,insuffici:[4,78,51,64,115],path_to_llvm:38,immedi:[79,76,106,39,56,7,93,95,124,120,78,107],hex16:100,deliber:[76,96],image_sym_type_char:121,togeth:[47,76,87,1,17,50,7,74,106,56,125,14,21,110,30,81,28,29,83,32,33,115,84,37,78,68,119,92,40,93,122,41,120,43,128],allocationinst:21,sphinx_output_man:70,my_list_of_numb:80,dataflow:[20,78,34],cvt:12,reloc_absolute_dword:64,rbp:[93,8],llvm_tools_binary_dir:70,p0f_isvoidf:49,cve:40,"__sync_fetch_and_sub_n":95,lto_module_create_from_memori:98,"__sync_fetch_and_min_n":95,auxiliarydata:121,cbt
 w:93,site:[47,56,81,120,2,59,52,80,78],sn_map:17,archiv:75,mybuilddir:70,createlambdaresolv:[5,6,62,60,9],incom:[64,78,93,32,34,41,18,19,20,21],surprisingli:[38,110,31,61,85,23],greater:[47,113,76,124,64,12,81,17,46,93,104,3,87,53,5,78],mutat:[81,76],referenti:47,basicblocklisttyp:21,intra:56,lex_com:[85,18,19,20,22,23,24],android:46,dbgopt:115,preserve_mostcc:[78,124],phi:[120,93,76,124,53],kernarg_segment_align:39,expans:[74,93,64,78,80,95,104,61,66,45,82],upon:[79,64,81,21,83,115,41,78,42],foldmemoryoperand:[93,64],setbann:5,php:91,expand:[74,55,93,128,7,53,76,95,66,14,104,41,17,67,118,78,8,107],"__sync_fetch_and_max_n":95,off:[76,0,49,27,51,78,8,9,106,12,60,14,15,16,85,18,19,20,21,22,24,25,26,28,30,31,32,33,34,38,70,92,46,93,72,41],mention:[124,54,76,0,112,39,78,29,93,94,115,87,49,43,70,17,21,128],colour:101,call2:7,argnam:[25,26,29,30,31,32,33,34,110],exampl:[114,95,39,56],command:[92,114,70,56],svnup:38,filesystem:[25,2,13],outputfilenam:29,newest:[36,31],paus:[81,60,56],xec:1
 21,sharedfnast:[5,6],glue:[93,107],web:41,makefil:[38,111,93,70,65,81,71,98,107],blockfrequencyinfo:[54,68],exempt:76,openmp:[38,41],nonnul:[120,78,61],nvt:64,unintrus:78,dest:[25,78],goingn:21,piec:[93,103,52,76,78,115,14,61,80,18,19,20,92,22,23,24,26,113,28,110,30,32,33,34,38,40,71,41,124,43,128],placesafepoint:81,sequentialtyp:21,five:[120,29,93,31,21,60],tick:106,xe8:121,recurr:47,desc:[84,5,29,64],addsdrm:128,resid:[124,12,81,40,93,115,84,87,78],emmc:51,loopinfobas:21,isus:93,objectbuff:79,byteswap:55,resiz:76,"0x29273623":115,captur:[27,5,6,78,60,55,7,115,14,16,85,18,19,20,92,110,23,24,25,26,29,30,31,32,33,34,93,96,124],vsx:78,main_loop:[85,18,19,20,23,24],i64:[74,64,12,49,93,115,7,123,3,96,87,113,78,8],emitglobaladdress:64,safepoint_token:49,flush:[25,79,76,12,51,15,85,18,19,20,78,23,24],guarante:[47,0,49,78,56,107,41,61,21,113,81,29,115,34,84,35,38,120,93,95,123,96],ltmp1:49,"__syncthread":12,avoid:[87,56,93,124,80,92],image_sym_class_fil:121,arg_siz:[25,26,81,30,31,32,33,34
 ,21],barlist:76,cmake_minimum_requir:[70,80],"0x4200":115,c_str:[25,26,12,28,29,30,31,32,33,34,21,110],interven:96,nullari:[110,23],declcontext:112,bpf_mov:93,getbitwidth:21,ccinfo:[5,6],not_nul:99,handleextern:[25,26,110,30,31,32,33,34],dw_tag_base_typ:[78,115],dereferenceable_byt:78,retcc_x86_32:64,takecallback:21,waterfal:126,mere:[47,91,113,49,30,52,78,24],merg:[70,56,93,104,114,7],ifuncti:78,createsubroutinetyp:26,relpo:106,valuesuffix:45,multidef:128,textfileread:76,intellig:[78,21],p4i8:12,mandel:[19,33],mdnode:[3,78],"function":[87,39,56,95,124,68],reduc:[74,80,10,69,106,113,12,17,29,71,76,92,15,41,125,77,93,78],documentlist:100,getenv:4,dw_at_entry_pc:115,inst_cal:124,data16bitsdirect:64,lookup_funct:[85,18,19,20,24],evidenc:113,localexec:[78,124],otherwis:[47,100,0,120,49,2,51,103,104,76,110,53,7,60,74,10,105,78,58,13,61,17,85,18,19,20,21,22,23,24,25,26,111,83,65,81,28,29,30,31,32,33,34,84,86,89,67,68,114,102,69,70,119,39,92,71,95,98,124,125,97,118,45,128],problem:56,"int"
 :[100,120,1,49,27,52,76,77,5,7,8,9,74,93,12,78,115,107,59,108,15,16,17,85,18,19,20,21,110,23,24,25,26,64,113,81,28,29,30,31,32,33,34,87,88,38,92,40,56,121,95,73,98,125,127,45,128],inl:15,jessi:13,ini:43,ind:26,insertdeclar:26,ing:[47,76,30,34,85,20,24],inc:[38,64,82,93,84,88,35,77],filenameindex0:74,bzip2:38,nonetheless:[62,5,6,78,60],optsiz:[46,78,124],libcxx:[48,38],lookup:[47,76,38,17,78,21],eabi:[46,86],varieti:[76,27,51,117,106,56,16,80,85,18,19,21,24,81,30,31,32,33,115,38,69,120,40,93,95,96,124,43,45,46],deadli:40,liblzma:13,computearea:112,"0f3fb8aa3b":12,repeat:[47,48,78,115,120,17,44,92],defaultlib:52,kernarg_segment_byte_s:39,emitsymbolattribut:93,fexist:17,in0:78,in1:[93,78],in2:93,eof:[25,26,28,40,30,31,32,33,34,110],header_data:115,cumemfre:12,orcremotetargetcli:5,dumpabl:84,configmaxtest:21,hashes_count:115,sourceloc:26,sm_20:[93,12],sm_21:93,untrust:41,child:[120,19,78,112,33],show_bug:40,rapid:41,oldest:31,"const":[74,55,76,112,56,81,98,29,93,59,15,78,40],r8b:8,r8d:8
 ,deviat:[76,93,36],binoppreced:[25,26,110,30,31,32,33,34],thefunct:[25,26,30,31,32,33,34],r8w:8,rowfield:77,emploi:[78,21],printnextinstruct:21,my_list:80,getpar:[25,26,32,33,34,21],"__sync_fetch_and_or_n":95,ccmgrorerr:5,glibcxx_3:38,llvm_enable_ffi:70,cmd:91,upload:[91,103],reg:[64,12,82,93,7,96,44,21,128],"0x2a":87,unmanag:[49,78],red:78,add_rr:128,add_char:[85,18,19,20,22,23,24],externally_initi:[78,124],callcount:21,cmp:[78,40,93,21,47],abil:[100,101,78,55,115,108,61,18,19,20,21,22,42,81,28,29,83,32,33,34,46,93,44],soutbio:40,hork:128,consequ:[38,101,56,21,40,95,92,14,96,120,78],image_scn_mem_shar:121,llvmbuild:65,disk:[38,76,98,40,2,115,43,4,78,9],insid:[47,93,48,49,50,2,76,5,6,78,60,9,74,54,13,108,14,17,21,112,65,81,80,31,115,84,35,70,120,40,100,123,124,45,46,128],runfunctionasmain:108,loop_bb:[18,19,20],qux:78,sockfd:5,topolog:7,told:76,ontwo:78,somefunc:[76,21],mcoperand:93,pred_end:21,dw_op_bit_piec:78,"_ri":128,addrorerr:5,dw_virtuality_pure_virtu:78,optzn:[71,31,32,33,34
 ,85,18,19,20],"0f7f800000":12,aka:[78,56,85,18,19,20,21,22,23,24,25,26,28,110,30,31,32,33,34,40,93,114],werror:73,dcmake_cxx_link_flag:38,idnam:[25,26,110,30,31,32,33,34],instr:[74,70,81,93,122,104,118,128],setgc:81,sspstrong:78,ftoi:64,total:[47,17,40,94,95,115,84,124,53,78,50,21],bra:12,highli:[81,21,40,93,34,61,20,78,62,42],bookkeep:[47,21],plot:[19,33],postincr:76,insult:101,deref_bytes_nod:78,foster:[4,41],greedi:[93,29,86],simplifycfg:125,setreg:93,v_mul_i32_i24_e32:39,iscommut:8,llvm_enable_p:70,reinterpret:87,numberofauxsymbol:121,lto_module_is_object_file_in_memori:98,tblegen:35,valueenumer:55,armgenasmmatch:35,springer:15,insignific:[96,58,78],err:[25,101,12,40,84,5,6,21],restor:[25,26,64,59,93,94,32,33,34,124,120,18,19,20,78],next_prec:[85,18,19,20,23,24],work:[76,101,2,104,53,7,74,55,117,56,125,107,15,80,92,65,81,29,86,89,68,70,39,120,93,95,122,41,114],foo_ctor:59,endmacro:80,coalesc:[89,58,21,93],noreg:82,viewcfgonli:[21,32],runtimevers:[78,115],unnam:[47,76,78,29,82,45
 ],"16gb":126,novic:70,autodetect:[89,86,104],dllvm_enable_assert:[38,40,51],u64:12,indic:[74,41,70,106,56,120,29,2,76,124,3,36,87,53,93,68],llvmcore:[48,42],liter:[99,76,110,78,82,106,80,85,18,19,20,21,22,23,24,25,26,28,29,30,31,32,33,34,100,124,44,45,128],unavail:[95,64],xxxkind:112,constantstruct:21,getloopanalysisusag:84,indir:40,createinstructioncombiningpass:[31,32,33,34,5,6,62,60],str2:128,ordinari:[74,100,78],lexloc:26,fastisel:78,sever:[47,76,0,48,17,50,27,11,53,4,78,8,74,54,55,106,56,14,15,16,80,18,21,42,24,2,64,81,82,29,30,32,115,84,35,66,38,70,91,119,92,40,93,122,124,120,98,46,128],verifi:[93,92,124,114],"__atomic_fetch_add_n":95,bindir:111,ssl_set_bio:40,recogn:[26,50,47,28,29,93,32,98,17,18,78,22],superreg:64,rebas:38,lad:29,chines:38,after:[70,101,39,56,124,114,93,95,87,80,92,68],hex32:100,lab:[126,54,40],createlocalindirectstubsmanagerbuild:[6,62],endcod:76,law:[76,0],demonstr:[74,112,64,78,30,31,85,21,24],sparccallingconv:64,domin:[81,15,76,78],sgpr:78,opaqu:[124,87]
 ,lto_module_dispos:98,kdatalen:15,recompil:[99,56,32,96,87,18],icmpinst:21,buildslav:126,noitinerari:[8,64],order:56,movhpd:7,ud2:93,diagnos:[84,58,1],use_camlp4:[85,18,19,20,23,24],offici:[93,80],opnod:64,pascal:78,noimm:8,incid:0,getnexttoken:[25,26,110,30,31,32,33,34],flexibl:93,getattribut:17,bytecod:124,isellow:[35,95],initialexec:[78,124],setoperationact:[93,95,64],induct:[38,61,56],them:[47,100,0,101,48,49,50,27,80,104,52,76,82,77,4,5,7,60,9,74,93,12,112,78,115,107,13,110,14,15,16,61,17,85,18,19,20,21,22,23,24,26,64,113,81,28,29,30,31,32,33,34,84,37,87,66,120,106,38,70,91,119,116,92,46,56,94,95,122,72,41,96,42,124,125,43,44,98,128],dw_apple_property_atom:115,thei:[99,47,93,0,101,1,48,49,50,27,51,103,80,52,76,110,53,77,4,6,7,8,9,74,54,106,56,112,78,115,58,59,60,14,15,16,61,17,85,18,120,20,21,107,23,24,83,2,64,113,81,82,29,30,31,32,34,84,35,87,89,37,38,69,70,91,92,40,100,95,122,41,96,42,124,125,43,44,46,128],fragment:[45,65,81,21,50,93,115,49,78,128],safe:[56,125,29,93,95,41,61
 ,124,92],printccoperand:64,scene:21,"break":[38,55,41,70,81,120,29,93,76,103,72,3,87,66,44,78],bang:45,astread:35,selti:78,lifelong:54,stdarg:78,changelog:40,"__cxa_rethrow":120,myerror:21,monolith:[41,94],"0x000003cd":115,const_op_iter:21,network:[40,93,21],fuzzinglibc:40,visiticmpinst:92,misoptim:3,addxri:82,lib64:[38,15,70],forth:[95,87],image_file_relocs_strip:121,multilin:[2,45,128],"_ty":55,registeralias:35,ms_abi_tripl:14,barrier:95,multilib:13,lltok:55,nth:76,fixm:[38,0,64],shadowstackgclow:81,debuglev:29,mvt:[93,64],lock:[84,78,21,95,61],angl:[100,76],zerodirect:64,regress:[38,76,48,92,40,2,103,52,41,7,50,42],gcregistri:81,subtl:[113,40,27,32,16,80,85,18,110,23],boiler:29,render:[78,19,93,21,33],refin:[93,21,9,56],subreg:64,i48:78,setcondcodeact:64,llvm_build_32_bit:70,"0x00000000016677e0":108,ispredic:8,libllvmir:21,image_file_bytes_reversed_hi:121,fixedt:115,isalpha:[25,26,28,110,30,31,32,33,34],baseclasslistn:45,john:[41,76],"40th":[28,22],headerdata:115,getdatasect:81,i
 nexact:78,tee:92,registerpasspars:84,gcmetadataprinterregistri:81,happili:31,analyzebranch:64,hashdata:115,llvm_build_root:70,target:[70,87,39,114,95,124,80],provid:[70,39,56,114,93,95,3,124,80],cppflag:42,minut:38,uint64_t:[17,100,66,5,21,68],hassse2:128,hassse3:128,emitfunctionstub:64,contenti:76,frontend:[74,99,107,120,58,95],n1737:76,manner:[74,101,64,113,120,21,40,93,95,41,49,78],reali:40,strength:[101,29,93,95,61,78],recreat:[38,100,78],is_nul:99,laden:[27,16],latter:[64,17,40,93,95,49,78,110,23,21],image_rel_amd64_secrel:36,enablecompilecallback:5,"0x400528":88,"__attribute__":15,transmit:78,smul_lohi:93,initializemoduleandpassmanag:[25,31,32,33,34],bruce:21,cumodul:12,llvm_definit:70,lexic:[76,49,93,115,78,107],keystrok:76,micromips32r6:46,passthru:78,inc32r:82,excus:101,valuerequir:29,instritinclass:8,bracket:[76,82,100,115,41,120,43,78],unchang:[78,5,6,21,56],notion:[76,112,93,31,32,115,84,41,85,18,78],bpf_jeq:93,confront:[61,113],md_prof:3,opposit:[69,21,106,100],overload
 :[55,112,64,12,49,33,84,19,78,21],buildbot:2,identifi:[93,70,101,92,29,2,76,124,120,7,106],involv:[47,93,0,49,103,11,76,77,4,78,55,56,61,18,20,21,23,26,64,113,81,110,32,34,68,70,100,95],latent:40,op2:78,the_funct:[85,18,19,20,24],"41m":29,wzr:78,sroa:[15,69,95,61],baseopcod:[77,64],latenc:[89,93,78],callbackvh:21,instlisttyp:21,predecessor:[47,93,78,61,68],showdebug:108,likewis:[38,78],"0cleanup":120,llvm_include_tool:70,fp128:[17,78,124],didescriptor:115,numregionarrai:74,lit_arg:14,fomit:93,isosdarwin:26,emb:[78,27,16,124],bandwidth:78,targetaddress:[5,6,62],cleanli:[84,76,41,78,103],st_uid:106,cudevicegetcount:12,strncmp:40,commandlin:2,memorywithorigin:70,chapuni:54,dw_ate_float:[26,78],eatomtypedieoffset:115,awar:[38,76,113,56,29,93,95,41,80,7],sphinxquickstarttempl:127,unordered_set:21,awai:[47,76,112,81,7,115,60,84,68,98,78,28,21,22],getiniti:21,accord:[100,112,64,48,21,29,30,103,81,96,124,49,78,68],unsett:84,preprocessor:[74,107,70,64,29,27,31,104,15,16,85,21],isjumptableind
 ex:64,setsockopt:5,image_file_machine_armnt:121,cov:75,ill:106,xmm0:[14,96,7,8,128],xmm1:[8,128],calltmp:[25,26,30,31,32,33,34,85,18,19,20,24],ilp:1,themself:41,com:[38,76,117,91,63,40,116,41,21],ctxt:100,con:[45,87],testcleanup:78,widen:[93,78,1],solari:38,resultti:78,i8086:25,exeext:14,getbasicblocklist:[25,26,32,33,34,21],push_back:[25,26,100,64,62,110,30,31,32,33,34,76,5,6,21,60,9],prologu:[81,124],wider:[55,95,113],add_instruction_combin:[85,18,19,20],goodby:127,speak:[0,101,49,32,33,80,18,19],degener:[47,20,34],"__builtin_expect":3,terribl:114,uint16:[99,96],debug_info:115,subscrib:[41,91],mallocbench:50,mainfun:5,compatible_class:93,you:[47,71,101,48,17,2,51,75,103,104,52,76,7,74,55,106,12,125,107,13,108,15,61,80,93,21,42,112,113,81,82,29,83,78,66,88,89,102,38,70,91,39,92,46,56,95,72,73,41,124,114,126,40],machineblockfrequencyinfo:68,hoist:[47,21,95,96,56],unclutt:4,dwoid:78,use_llvm:[85,18,19,20,24],binaryoper:[76,21],inhibit:[78,122],ident:[47,76,0,101,17,78,106,56,7,115,13
 ,14,85,18,19,20,21,22,23,24,81,82,31,32,34,87,93,123,114],aix:[93,117],gnu:[25,38,76,70,106,64,120,40,93,51,84,73,86,114,126,37,78,128],mitig:[81,11],zlib:[14,38,70],cxx_statu:76,aim:[74,76,0,21,80,11,92,15,41,87,125,4,78,9],pairwis:56,publicli:[21,0,115],aid:[81,78],vagu:41,keytyp:115,immigr:101,opt:[76,56,125,95,75,92],xstep:[19,33],printabl:[78,106,64],conv:107,theexecutionengin:[26,34],harddriv:51,sockaddr_in:5,extractloop:47,shadowstackgc:81,uint32x2_t:87,cond:[25,26,64,107,32,33,34,18,19,20,78,68],int_of_float:[19,20],dw_tag_label:115,dumper:[115,122],old_val:[18,19,20],issimpl:95,incorrectli:[28,30,24],perform:[99,55,83,70,106,39,56,120,29,2,86,95,15,41,87,80,76,93,92,114],descend:[120,78],doxgyen:70,addintervalsforspil:93,fragil:[40,7],code_own:[41,91],evil:[21,8,87],hand:[47,93,0,48,17,76,4,8,112,16,85,19,21,22,23,24,64,113,81,28,110,30,31,33,35,66,100,95],fuse:[47,15,78,89],llvmaddtargetdata:46,use_llvm_scalar_opt:[85,18,19,20],disassembleremitt:35,operandv:[25,26,33,34],k
 ept:[69,0,56,40,76,84,41],undesir:78,scenario:[38,92,107,95,14,114,21],thu:[47,93,17,76,78,74,56,115,107,14,61,49,85,18,19,20,21,110,23,24,25,26,81,29,30,31,32,33,34,84,68,91,92,40,71,95,41,124,120],hypothet:[49,93,84,120,17,21],whizbang:76,word64:93,contact:[0,101,40,84,41,126,46],thi:[76,101,102,2,104,3,53,7,74,10,105,106,56,125,58,108,15,117,80,92,111,65,29,83,55,86,36,87,88,89,67,37,68,70,119,39,120,93,95,122,41,124,114,118],gettok:[25,26,28,110,30,31,32,33,34],clenumvaln:29,value_load:78,mcompact:46,basetyp:78,mandelbrot:[28,19,22,33],stack_loc:93,ifdef:[74,29,27,16,4,40],sparctargetasminfo:64,getkei:21,lowertypetest:123,opencl:[39,12],spread:47,board:[13,41,0,51],parse_primari:[85,18,19,20,23,24],relwithdebinfo:[38,70],mayb:[35,27,16,40,55],stringwithspecialstr:115,fusion:78,fsin:[86,64],mip:[93,95],ppc32:93,bpf:[38,40,93],sectnam:29,parsetypetyp:55,bucket_count:115,bpl:8,rvalu:76,image_file_machine_ebc:121,openfil:76,prefixdata:124,negat:[19,93,78,124,33],percentag:53,cfrac:5
 0,bork:[29,128],flatten:[93,78,1],rl247416:40,rl247417:40,rl247414:40,pos2:29,pos1:29,getmodulematchqu:64,colloqui:78,fpic:70,loadregfromaddr:64,dopartialredundancyelimin:29,trunk:[38,91,50,54,40,93,52,103,14,15,41,46,115],peek:[85,18,19,20,23,24],plu:[124,64,81,78,110,32,115,41,87,120,18,21,60,23],aggress:[99,38,69,56,81,93,15,76,78],memdep:56,someclass:45,pose:[81,69],confer:[81,93],"1cleanup":120,fastmath:12,repositori:[38,91,54,120,40,71,13,115,14,41],post:[101,82,93,41,89,78],obj:[111,48,49,50,115,81,52,86,120,88,78],literatur:93,image_scn_align_4byt:121,gc_transition_end:49,canonic:[93,7],s64:12,deltalinestart:74,nctaid:12,sames:78,curiou:17,xyz:[77,89,86],"float":[93,86,68,124],profession:41,bound:81,emitinstruct:[93,64],opportun:[47,64,1,31,61,85,78,60],accordingli:[77,78,21,81,120],wai:[99,76,7,74,106,56,125,107,108,61,80,92,81,29,88,120,93,95,122,41,124,114],copycost:64,callexprast:[25,26,110,30,31,32,33,34],n2764:76,swich:95,lowest:[25,26,76,110,30,31,32,33,34,74,87,95,85
 ,18,19,20,78,23,24],asmwriternum:118,raw_ostream:93,end_amd_kernel_code_t:39,maxim:[28,40,22,124,89],"true":[47,100,17,76,51,11,3,77,5,6,78,8,9,93,12,112,62,115,13,60,14,80,85,18,19,20,21,110,24,25,26,64,113,81,82,29,30,31,32,33,34,84,88,89,38,56,95,122,73,123,125,45],reset:[70,120,40,124,5,6,128],absent:21,optimizationbit:29,legalizeop:55,attornei:41,inaccur:80,anew:115,absenc:[93,92],llvm_gc_root_chain:81,emit:[124,39,92,93,95,75,86,87,89,7],hotter:68,alongsid:124,wcover:76,thunderbird:41,noinlin:[108,78,124,66],xxxjitinfo:64,postscript:47,llvmaddtargetdependentfunctionattr:46,valuelist:45,function_entry_count:3,encrypt:41,stake:46,refactor:[20,69,34],instr0:17,instr1:17,instr2:17,entrypoint:[40,78],test:[114,92,39,56],shrink:93,realiti:103,xxxtargetasminfo:64,fpreg:64,"2acr96qjuqsym":41,sanitizercoverag:40,debugflag:[29,21],outdat:13,clang_cl:14,pathnam:[38,111],manglednamestream:[5,6,62,60,9],set_value_nam:[85,18,19,20,24],libgcc1:13,concept:[93,76,124,87],mayload:8,consum:[65,2
 1,29,113,51,52,120,53,44,78,40],dw_tag_inlined_subroutin:115,supplement:[117,0],subcompon:41,value_typ:100,middl:[76,80],zone:78,graph:[38,69,70,92,93,120,118,78,68],certainli:[47,81,27,95,16,61],jvm:[27,16],terror:114,"0x200":115,exact_artifact_path:40,dootherth:76,munger_struct:113,fom:47,brows:[30,70,91,24],seemingli:64,dw_apple_property_readonli:115,avx1:14,avx2:14,administr:126,aad8i8:93,gui:[52,76,70],libthread_db:108,adc64ri8:8,sparcinstrformat:64,usescustominsert:8,upper:[78,76,21,64,125],isvolatil:78,brave:[110,23],bpf_jgt:93,preservemost:78,cost:[93,76],build_fmul:24,bpf_jge:93,cov_flag:40,after_bb:[18,19,20],gr16:93,appear:[74,45,58,106,64,47,21,29,2,95,92,56,76,49,113,78,60,115],scaffold:[110,23],"23421e":78,constantarrai:21,uniform:[76,21],isoptim:[78,115],outliv:[47,40,78],setter:[78,35,21,115],va_list:78,image_sym_class_funct:121,psabi:117,burn:51,defici:81,faultingpcoffset:99,floatingpointerror:21,gener:[87,39,56,95,3,124,114],inputcont:100,satisfi:[99,56,95,34,14,41
 ,103,4,20,78],pcre_fuzz:40,roots_end:81,devirtu:[123,78],precursor:41,plotter:[19,33],hash_data_count:115,mach_universal_binari:88,behav:[99,76,56,78,71,95,104,120,80,62,60,9],myvar:113,triag:93,tmp2:[20,34],regardless:[47,10,76,70,119,81,21,83,115,34,72,52,102,105,20,78],extra:[76,70,120,29,3,61,124],stingi:21,r_amdgpu_abs32:93,stksizerecord:96,marker:[93,29,2,76],emitt:[128,35,78,118,108],regex:[104,29,7,50],prove:[47,56,17,50,59,61,78],nothrow:95,naddit:29,subvers:41,live:[70,87,56],tape:38,lgtm:[69,91],tlsv1_method:40,"0xl00000000000000004000900000000000":78,cxxabi:38,finit:[93,35,78],viewcfg:[21,32],geordi:54,shouldexpandatomiccmpxchginir:95,iffals:78,logarithm:124,graphic:[19,27,16,40,33],at_nam:115,canconstantfoldcallto:55,prepar:[78,120,13,113],focu:[101,1,93,127,98,9],cat:[38,81,29,14,88,40],ctfe:46,can:[76,101,102,2,7,104,3,53,57,74,55,106,56,125,58,108,15,80,92,111,65,29,83,116,86,36,87,88,89,37,68,70,39,120,93,95,122,41,124,114,118],cam:40,debug_symbol:72,boilerpl:[85,81
 ,29,35,112],heart:[49,65],underestim:78,raw_fd_ostream:25,basemulticlasslist:45,chip:[64,12,93,13,51,14,86,89],spu:64,abort:[76,120,93,92,128,78,21],spl:8,occur:[47,93,0,49,2,76,3,53,4,78,10,105,106,7,14,80,21,42,25,111,113,81,110,83,84,86,102,69,119,120,46,71,41,96,23,124,125,118,45],multipl:[47,76,17,104,78,79,10,106,56,7,59,61,80,74,112,113,82,29,126,37,36,88,68,38,91,40,93,95,41,124,43],image_sym_class_regist:121,ge_missing_sigjmp_buf:76,regioninfo:47,"0x80":[106,115],x86instrss:64,product:[45,101,81,78,46,93,33,103,84,41,110,17,19,62,68,23],multiplicand:78,southern:[117,39],uint:86,drastic:4,lto_codegen_compil:98,breakag:41,voidtyp:21,newlin:[76,124],autotool:38,copyphysreg:64,getcalledfunct:21,explicit:[99,76,0,101,49,27,78,9,12,107,16,17,85,18,19,20,21,25,26,112,113,81,29,32,33,34,84,36,38,69,39,93,95,122,41,43],is_base_of:112,objectimag:79,somewhat:[54,76,56,21,50,95,33,41,49,19,78,110,23],asynchron:[78,95],ghc:[93,78],thread_loc:[49,93,78],approx:[15,12],arch_nam:88,approv:
 [41,91,103],graphviz:[47,21],brain:76,svnrevert:38,cold:[78,61,68],still:[74,93,120,29,2,76,104,15,41,87,92,107],ieee:[15,86,78,61,106],dynam:[92,124],mypass:[84,21],conjunct:[70,65,48,78,122,4,7,128],precondit:76,getoperand:[76,93,21,64],window:[29,93,70,76],addreg:93,curli:[14,78,76,21,128],val_success:78,llvm_doxygen_qhelpgenerator_path:70,has_asmprint:43,non:39,evok:78,recal:[100,17,30,31,32,85,24],halv:55,half:[104,93,76,124],recap:87,now:[93,101,17,50,27,103,11,76,7,60,9,54,62,106,12,78,115,13,59,123,16,85,18,19,20,21,110,23,24,25,26,2,112,120,82,29,30,31,32,33,34,84,38,90,70,91,92,40,100,41,96,55,46],nop:[78,36,96,49],discuss:[76,0,101,49,52,5,62,60,74,54,112,78,8,80,21,110,23,64,29,115,84,38,91,41,96],mybranch:38,organ:[120,76,80],drop:[78,76,41,21,91],reg1024:93,reg1025:93,reg1026:93,reg1027:93,image_scn_align_1024byt:121,dw_tag_vari:115,domain:[93,64,81,27,16,109,78,8],z8ifx:41,replac:[104,38,69,70,106,12,81,17,29,2,95,73,41,98,61,66,120,93,78,37],arg2:[28,78,22],condmovfp
 :128,contrib:38,backport:13,reallyhidden:29,year:[76,8],operand:[55,76,39,113,120,93,3,124,53,7],rl4:12,happen:[76,101,125,93,95,41,7],rl6:12,rl1:12,rl3:12,rl2:12,shown:[50,2,104,52,78,8,74,112,12,19,21,64,82,29,115,33,87,67,40,100,122,123,96,127],accomplish:[47,112,81,28,41,21,22],"_e32":39,oldval:[25,26,32,33,34,78],rational:[93,41],indirectstubsmgr:[5,6],ldrr:64,release_34:38,fiddl:[21,127,13],release_31:38,release_30:38,release_33:38,release_32:38,argu:76,argv:[74,12,29,115,108,15,80,89,5,92,40],quark:80,argn:80,mandelconverg:[19,33],argc:[74,12,29,115,108,15,5,78,40],card:[49,51],care:[76,101,50,27,103,4,78,60,56,7,8,15,16,20,21,64,34,84,38,40,93,95,44,128],xor16rr:93,couldn:[25,17,5,6,56],adc32rr:8,unwis:[78,106],cudamemcpydevicetohost:15,adc32ri:8,blind:93,subrang:78,yourself:[38,55,70,91,21,41,78,128],stringref:[29,76],size:[47,93,101,17,76,53,57,74,55,106,12,125,61,92,113,81,29,37,36,87,69,39,40,56,95,78,72,124,98],yypvr:127,silent:[41,78,128,56],caught:[120,46,76,78],yin:1
 00,himitsu:38,checker:[35,113,71],cumul:93,friend:[107,78],editor:[38,41,76,127],nummeta:81,ariti:81,especi:[38,41,70,101,64,47,78,29,76,51,95,115,3,61,17,4,122,21,69,9,42],dw_tag_interface_typ:115,apple_nam:115,cpu0:63,cpu1:100,llvmtop:84,mostli:[26,69,64,38,17,29,27,32,95,16,47,18,93,115],amazingli:[18,32],quad:[49,78,64],than:[76,104,53,74,55,106,56,107,15,61,92,81,29,86,87,68,70,120,93,95,122,41,124,114],png:[40,70],"0x432ff973cafa8000":78,elf64_rela:93,d02:123,gpgpu:15,"__atomic_load":95,spisd:64,optimist:78,p0v4p0f_i32f:78,browser:[54,91],anywher:[127,101,120,78,110,34,14,98,61,17,20,7,8,23],delin:2,cc_sparc32:64,bitcast:[113,81,120,56,87,7],engin:[38,111,69,113,40,107],fldcw:93,mccodeemitt:[93,35],begin:[93,17,103,52,76,4,78,60,9,79,106,56,112,115,58,61,85,18,19,20,21,23,24,25,26,64,81,29,32,34,38,69,39,120,100,11,41,96,124,45],importantli:[18,41,76,32,56],numrecord:96,toplevel:[85,18,19,20,23,24],cstdlib:[25,110,30,31,32,33,34],neatli:60,getpointers:81,renam:[38,6,48,78,115,
 34,76,5,20,21],crossov:40,"_p1":115,"_p3":115,steadi:99,callinst:21,llvm_libdir_suffix:70,femul:78,add_reassoci:[85,18,19,20],image_file_bytes_reversed_lo:121,capston:40,fifth:[78,64,12],ground:101,discardvaluenam:46,onli:[99,93,17,2,76,51,103,104,52,3,53,77,78,74,55,117,106,12,7,58,13,59,15,61,80,92,113,112,65,81,82,29,83,116,86,36,87,88,89,67,37,38,69,70,39,120,40,56,95,122,41,124,114,43,118,98],ratio:68,image_rel_i386_dir32nb:36,expr_prec:[85,18,19,20,23,24],llvm_enable_abi_breaking_check:21,endloop:[25,26,32,33,34,20],overwritten:[96,93,78,120],llvminitializesparctargetinfo:64,cannot:[47,76,0,101,1,50,27,7,104,52,4,78,9,79,56,125,59,16,80,21,64,113,81,29,30,84,37,36,87,70,92,93,95,122,41,120],truli:[62,21],mrm6r:64,inttoptr:61,operandlist:128,seldom:17,intermitt:38,bio_new:40,object_addr:81,sutabl:115,gettypenam:21,servaddr:5,rrinst:128,terminatesessionid:5,dllvm_include_exampl:38,hierarchi:[38,55,2],istreambuf_iter:12,"0x48c978":40,foo_test:14,concern:[113,81,49,41,43,78,60],"1
 svn":103,dityp:26,mrminitreg:64,printinstruct:[35,64],regcomp:40,between:[74,55,93,124,56,81,120,29,58,86,95,122,41,87,80,76,7,107],"import":[47,93,101,17,2,51,103,52,76,77,78,56,58,13,15,61,80,92,81,29,87,38,70,40,71,95,122,41,124],modulelevelpass:84,paramet:[93,70,113,81,120,29,2,76,66,3,124,80],constantpoolsect:64,modulesethandlet:[5,6,62,60,9],clang_cpp:14,dosomethinginterestingwithmyapi:40,typedef:[76,21,100,5,6,62,60,9],blame:[101,91],"__text":93,intregssubclass:64,dw_tag_subrange_typ:115,pertain:[120,41,115],inputfilenam:29,nearbi:[99,17],inconsist:[76,115,113],qualtyp:76,image_sym_type_struct:121,gr32:[93,8,128],prefix2:7,prefix1:7,my86flag:100,caret:104,clarif:[117,41,76],resort:120,rebuild:[38,40,96,114],shim:47,valuekind:76,invers:[47,78],fixabl:61,uglifi:[85,31],getentryblock:[25,26,21,34],derefer:[78,113,21,115,80],ircompil:9,normalformat:29,llvmremovefunctionattr:46,getjitinfo:[93,64],x86_fastcal:93,thischar:[25,26,28,110,30,31,32,33,34],infrastuctur:2,eip:8,global_con
 text:[85,18,19,20,24],retcc_x86_32_c:64,fastemit:35,fneg:78,initializenativetargetasmpars:[26,31,32,33,34,5],dw_at_artifici:115,functionaddress:99,metric:[84,40,68,103],henc:[38,78,29,96,98,45],uncov:40,eras:[25,26,29,32,33,34,95,21,46,115],ship:[38,81,27,95,108,16,114],bigblock:89,antisymmetri:17,proto:[25,26,20,110,30,31,32,33,34,85,18,5,6,19,23,24],"__nv_powf":12,sizeofimm:64,bpf_lsh:93,p0v16f32:78,epoch:[100,106],shouldinsertfencesforatom:95,externalstorag:29,document:[70,101,56,124,93,95,87,80,68],finish:[1,48,17,103,78,79,108,85,18,19,20,92,23,24,25,26,30,31,32,33,34,84,70,91,120,93,114,127],closest:[26,78],someon:[55,93,0,101,81,27,76,41,16,61,127],removebranch:64,freeli:[41,95],tradition:[93,56],pervas:[21,112],whose:[74,45,76,64,56,37,78,40,93,92,33,34,128,41,124,19,20,21,110,23,115],createstor:[25,26,34],destreg:93,ccc:[78,124],comment:[93,39],bitmap:124,tpoff:49,touch:[47,76,0,78,115,84,21],idl:60,noat:46,speed:[38,76,70,29,34,14,15,41,20,60,40],create_modul:[85,18,19,20,
 24],startreceivingfunct:5,struct:[93,124],bb0_29:12,bb0_28:12,getx86regnum:64,bb0_26:12,desktop:72,identif:[78,13,38],gettoknam:26,treatment:[81,64],versa:95,real:[76,0,64,12,7,29,56,115,33,40,78,28,19,21,8],imul16rmi8:93,frown:41,"0x82638293":115,read:[99,76,102,104,53,7,10,105,106,56,58,108,117,80,92,107,29,83,55,86,87,88,89,67,70,93,95,122,41,124,118],cayman:117,amd:[93,35,13,117,39],regfre:40,googletest:2,bangoper:45,funcresolv:21,benefit:[25,47,76,56,81,40,113,31,115,11,61,6,21,60,9,42],lex_numb:[85,18,19,20,22,23,24],output:[76,70,56,125,93,7,114,92,68],downward:78,strcmp:40,debug_pubtyp:115,stackrestor:59,initid:124,cmake_install_prefix:[38,52,13,70],viral:41,getregisterinfo:[93,64],debug_with_typ:21,blockidx:12,lto_codegen_set_debug_model:98,v2i32:78,n64:46,raw_string_ostream:[5,6,62,60,9],tok_binari:[25,26,33,34],sixth:64,objectbufferstream:79,asan:[40,11],flagprototyp:26,"throw":93,dw_tag_subprogram:115,src:[111,70,64,48,40,93,103,78,50,42],sra:[45,128],central:[4,115,120]
 ,greatli:[49,61,115],underwai:46,image_sym_class_sect:121,srl:[45,128],numbit:21,chop:115,degre:[126,61,95,1],intens:[21,61,1],dw_tag_subroutine_typ:115,sixkind:78,backup:73,processor:[25,38,70,64,1,81,117,29,93,115,35,87,89,78,8],valuecol:77,bodylist:45,op3val:64,llibnam:29,localaddress:78,xxxbegin:21,outloop:[25,26,32,33,34,20],yout:100,your:[114,92,95,56],parsebinoprh:[25,26,110,30,31,32,33,34],verifyfunct:[25,26,30,31,32,33,34],loc:[26,97,115,64,49],log:[41,2,92,56],area:[76,81,120,93,41,87,107],aren:[38,93,101,113,47,81,78,27,31,32,56,52,41,16,82,85,76,21,60],haskel:[21,27,16,78],start:[114,92,124,39,56],lop:40,low:[93,124],lot:[47,93,50,27,51,76,110,62,8,82,55,112,78,107,16,80,85,19,20,21,22,23,24,26,64,113,81,28,29,30,31,115,33,34,84,66,38,92,46,100,72,41,114],colder:68,submiss:41,typeid2:123,typeid3:123,typeid1:123,satur:[19,33],addresssanit:[40,78],"default":[70,39,56,93,95,3,124,114],tok_def:[25,26,28,110,30,31,32,33,34],start_bb:[18,19,20],bucket:[21,115],visibil:9,v31:78
 ,v32:12,llvmgetfunctionattr:46,loadabl:[81,84],scanner:[28,22],decreas:[89,11],opnam:64,value_1:43,value_2:43,valid:[47,17,103,7,79,12,78,107,21,111,113,29,86,89,68,38,70,39,120,40,93,41],release_19:38,release_18:38,release_17:38,release_16:38,release_15:38,release_14:38,release_13:38,release_12:38,release_11:38,poor:[101,18,76,32,49],polar:100,lowerbound:78,registri:81,base_offset:49,bpf_st:93,multidimension:78,binfmt:38,pool:[64,93,84,96,124,53],namedvalu:[25,26,30,31,32,33,34],bulk:[93,20,21,34],adc64mr:8,value_n:43,osx:106,messi:93,ssl3_read_byt:40,month:[54,103],correl:[81,78],"__cxa_end_catch":120,getglob:64,pandaboard:51,paramidx:124,mrmsrcmem:64,getnullvalu:[25,26,32,33,34,21],myregisteralloc:84,cpufrequtil:51,sparcinstrinfo:64,articl:[47,38,17,32,34,18,20],sdisel:69,gcfunctionmetadata:[81,96],phielimin:93,"_rr":128,dllvm_external_project:70,datalayout:124,verb:76,mechan:[93,124],veri:[47,93,1,49,50,27,51,103,80,76,110,7,8,107,54,62,56,78,115,58,60,14,16,61,17,85,18,19,20,21
 ,22,23,24,112,113,81,28,29,30,31,32,33,34,84,35,38,92,40,100,95,41,124,120,44,128,46,109],passmanagerbas:64,targetregisterdesc:[93,64],methodbodi:64,rbx:[93,8],eatomtypetag:115,emul:[55,76,21,93,61,89,78],cosin:[78,64],customari:[29,41,78],dimens:78,unnorm:78,r_amdgpu_rel32:93,preserveal:78,casual:41,kistanova:126,nand:78,fpformat:[8,128],isobjcclass:115,consecut:[45,1,7,115,84,11,123,87,78],"0x00000100":115,signextimm:93,endfunct:80,modular:[43,84,83,76,56],excess:[89,40,86],mclabel:93,strong:[17,107,95,7,41,61,49,78],modifi:[76,70,56,93,95,80,92],divisor:[15,78],ahead:[38,76,28,110,71,84,52,41,120,9],dform_1:93,t1_lib:40,amount:[47,93,101,49,11,76,78,8,55,62,107,17,85,92,22,81,28,29,83,31,84,86,89,21,40,71,94,35,96,120],sphinx_warnings_as_error:70,n1757:76,put:[99,47,76,101,17,103,7,74,56,78,115,108,14,93,92,81,28,29,31,32,34,84,38,91,21,100,95,120,127],famili:[101,39,78,27,115,16,49,21],sequencetrait:100,dangl:[18,21],"0x710":88,is64bitmod:64,isimmedi:64,getproto:[5,6],zorg:126,m
 assag:76,formul:4,bash:[4,127],libxml2:[40,13],taken:[47,93,106,64,56,48,78,29,27,120,123,3,16,61,49,17,4,21,8,82],zork:128,vec:[78,21],build_arch:42,targetinfo:[41,64],apfloat:[25,26,38,30,31,32,33,34,24],valuetyp:[55,93,8,64],axpi:15,regoffset:44,oblivi:87,targetcallingconv:64,"0b000111":64,x00:121,x86instrmmx:64,device_i:15,histori:[38,41,91],ninf:78,"0x40054d":88,device_x:15,reindent:76,templat:[104,29,76,112,56],vectortyp:21,unreli:[40,56],parsabl:[49,122],phrase:[76,80],uncheck:21,anoth:[47,93,101,17,51,104,52,76,77,78,74,55,106,12,7,107,13,59,80,81,29,83,36,87,38,69,120,40,56,95,41,124,43,98],disclaim:80,llvm_enable_rtti:70,snippet:[81,41,21],reject:[29,7],threat:[0,101],rude:120,personlist:100,secondlastopc:64,unlink:[38,21],retcc_x86common:64,logerrorp:[25,26,110,30,31,32,33,34],"0x00003500":115,stabil:41,undergo:[47,78],machinepassregistri:84,inline:[78,115],egg:50,help:[76,101,102,2,75,104,53,7,10,105,56,125,92,111,65,83,86,87,89,67,70,119,95,122,37,97,118],mbbi:93,soon:[
 48,40,32,84,41,110,18,98,60,23],mrmdestreg:[8,64],ffp:15,held:[41,78,91,87],ffi:[107,70],foo4:[73,98],xdemangl:104,foo1:[73,98],foo2:[73,98],foo3:[73,98],obviou:[47,41,56,17,110,27,31,95,33,92,35,16,76,87,85,96,19,93,78,107,115],eatomtypecuoffset:115,tok_els:[25,26,32,33,34],perserv:78,mergebb:[25,26,32,33,34],systemz:93,finer:56,dil:8,cee:21,dexonsmith:115,sentenc:76,wideaddr:78,ninja:[38,70,40,13,51,114],libllvm:[72,38,70],stopper:48,addenda:117,x0c:121,iff:78,scalarevolut:[113,56],fulli:[80,70,93,124,114,68],radare2:40,dir2:40,dir1:40,unknownvalu:78,heavi:[49,21,60],succ_iter:21,llvm_build_tool:70,beyond:[118,113,21,93,61,120,44,127,78,8],todo:[47,55,48,93,13,84,35,109],ific:29,isunaryop:[25,26,33,34],ppcinstrinfo:55,safeti:[99,78,46,0,61],robert:15,publish:[48,76,21],debuglevel:29,astnod:35,regexec:40,unreview:41,labf:29,ast:[35,62,9,69],dw_tag_volatile_typ:[78,115],mystruct:113,pub:[40,115],mips64:46,reason:[76,0,49,80,110,4,78,9,55,56,62,115,13,14,61,17,85,18,20,21,22,23,24,26
 ,112,113,81,28,29,30,31,32,34,84,35,38,70,120,40,93,94,95,41,43,127,128],base:[70,39,56,114,3,124,80,92],ask:[55,41,101,56],asi:64,targetopt:25,intermodular:[54,98],wglobal:76,asm:124,basi:[81,28,29,53,33,78,49,19,21,22],launch:[15,62,12],american:40,warpsiz:12,lifetim:[81,93,61],assign:[3,69,113,12,17,29,93,76,95,122,41,124,120,77,78,68,107],myawesomeproject:78,dfpreg:64,ultrasparc3:64,islazi:64,isregist:93,placehold:120,add_dep:80,uninterest:[28,22],implementor:[85,18,31,8,32],miss:[76,39,1,78,50,13,95,33,34,73,92,61,19,20,21,110,23],st6:8,st4:8,st5:8,nodetail:53,transcendent:15,st0:[8,64,128],st1:[93,87,8,64],st2:8,st3:8,scheme:[62,6,64,81,21,114,66,34,76,53,20,78,9],disagr:101,schema:[100,2,121,115,65],adher:[101,41,109,4,21,8],xxxgencodeemitt:64,make_error:21,libunwind:46,bidirect:21,newabbrevlen:124,adc32ri8:8,grep:[25,38,70,29,93,51,14,7,50],stl:[38,76,47,40,100,21,107],stm:78,symbolinfo:[5,6,62,60,9],do_something_with_t:99,rootmetadata:81,store:[70,124,39,56,95,87,68],str:[2
 5,26,62,100,12,78,40,30,31,32,33,34,121,110,87,5,6,21,60,9,74],consumpt:[84,40,93],aliaseeti:78,toward:[54,70,21,41,78,68],grei:48,lexidentifi:55,gofmt:76,"null":[99,76,56,120,86,61,89],dllvm_target_arch:13,attrimpl:35,imagin:17,mips32:95,unintend:47,bz2:38,lib:[111,70,39,93,75,53],lic:47,ourfunctionpass:21,lit:[70,75,114],unintent:41,useless:[27,32,115,16,87,18],commentstr:64,numfunct:[99,96],mixtur:128,c_ctor_bas:7,maco:[38,107,21],alpha:[78,64],mach:[88,117,78,124],isbarri:[8,128],changebyt:40,clear:[76,49,78,59,85,18,19,20,21,23,24,25,26,30,113,81,110,83,31,32,33,34,41,43],implicitdef:93,getter:[78,35,21,115],clean:[47,93,91,38,125,71,103,84,120,12,98,9],latest:[38,91,48,46,52,7],createreassociatepass:[31,32,33,34,5,6,62,60],v4f64:78,test1:[14,49,127],"__clang__":15,stackprotectorcheck:78,v16:12,v15:78,instrins:78,i32imm:[64,128],"3x4":78,get_instrinfo_named_op:64,test5:7,ptrval:78,coerc:17,pretti:[47,17,50,4,85,18,19,20,22,23,24,113,28,110,30,31,32,33,34,84,66,88,40,44,127,45,1
 28],setnam:[25,26,30,31,32,33,34,21],less:[47,76,48,49,27,51,104,110,78,8,74,106,56,115,107,59,14,16,61,17,85,18,19,20,21,22,23,24,25,26,2,81,28,29,30,31,32,33,34,87,38,40,93,41,124,127],lastopc:64,createfsub:[25,26,30,31,32,33,34],suspect:83,darwin:[99,26,93,14,96,88,78],ymm:78,defaultdest:78,dinod:26,prolang:50,parenexpr:[25,26,110,30,31,32,33,34,85,18,19,20,23,24],has_asmpars:43,nativ:95,same_cont:36,"133700e":[30,24],setdata:76,rejit:85,whenev:[125,76,56,7,29,80,114,108,14,77,96,78,28,43,21,60],setpreservescfg:84,dw_macinfo_start_fil:78,kawahito:93,userspac:120,remov:[76,102,103,104,7,10,106,12,78,107,61,17,93,92,112,29,83,86,66,38,69,70,120,40,56,72,41,98],ctaid:12,seventeen:82,compute_pgm_rsrc1_sgpr:39,xword:64,close:[38,69,113,65,40,93,76,78],"0x0b17c0de":124,whatsoev:78,deriv:[93,41,76,106,39],libcmt:52,particip:[101,91,21,14,41,78],parse_unari:[19,20],pifft:50,won:[76,113,56,48,46,93,13,115,41,66,78],isprefix:29,cst_code_integ:124,emitint32:81,oversimplifi:21,fpform:8,memal
 ign:11,numer:[29,37],isol:[76,70,92,93,78,68],lowercas:[85,31,64],numel:78,distinguish:[74,81,49,27,16,87,4,78,21],both:[76,101,2,104,7,74,117,106,56,107,15,61,80,92,113,81,29,116,70,120,93,95,122,41,124,114],clang_attr_identifier_arg_list:35,delimit:[38,39,45,120,80,44,78],fancyaa:84,lako:76,sty:8,forgotten:25,getnumvirtreg:93,isrematerializ:8,randomli:57,block_par:[18,19,20],"__objc":78,jeff:4,byval:[93,78,124],header:[70,95,124],instrsch:21,hasdelayslot:8,linux:[76,93,70,95],forgiv:17,llvm_enable_thread:70,addfunctionast:[5,6],stamp:106,territori:38,empti:[76,49,2,11,78,14,80,17,18,21,110,23,24,26,64,81,82,29,30,32,115,88,70,120,40,100,41,45,128],destructor:[76,21,107,84,120,78],newcom:[109,20,8,34],sslverifi:38,newinst:21,as_float:[85,18,19,20],threaten:101,box:[93,115,91],lattner:[27,16],imag:[79,46,93,33,37,36,19,78],ada:120,imac:1,coordin:[81,49,100,78],modrefv:128,imap:38,look:[74,55,93,70,39,56,120,29,2,76,95,108,15,41,124,80,88,7],flat_store_dword:39,invit:[5,6,62,60],rami
 f:113,"while":[99,47,76,101,17,2,77,78,56,7,13,59,108,80,92,113,29,83,69,91,120,40,93,72,41,124,114,98],smart:[76,78],loos:8,loop:[95,56],pack:[30,48,93,61,124,78,24],malloc:[54,81,40,27,84,11,16,21],pragmat:46,readi:[17,103,110,9,79,115,85,18,19,20,22,23,24,25,26,28,29,30,31,32,33,34,84,73,41],readm:[14,38,41,127],jpg:40,"__gcmap_":81,threadlocalquarantinesizekb:11,thesparctarget:64,hideaki:93,"0x00001203":115,quadrat:[93,86,21],targetlow:92,fedora:[38,46],grant:[17,41,9],tokinteg:45,belong:[120,21,29,11,123,17,78],llvm_site_config:[14,52],indvar:78,octal:[29,37,106,128],curloc:26,conflict:[38,128,78,110,93,14,41,85,18,19,20,21,8,24],"0b10":128,goodwil:41,ccif:64,optim:[114,56],image_sym_class_type_definit:121,temporari:[47,69,0,100,78,50,2,14,76,93,21,107],"3gb":52,vreg:93,numarg:[26,96],sha1:40,"0x16677e0":108,older:[38,64,81,29,95,51,41,61,44],mctargetstream:93,cmake_toolchain_fil:[38,70],pointtoconstantmemori:56,without:[74,124,111,76,70,106,122,120,125,29,93,95,92,104,41,87,80
 ,89,108,7,68],reclaim:[69,78],use_:21,positionaleatsarg:29,weakest:[93,95],predetermin:56,violat:[76,0,101,113,81,21,32,41,18,78],safestack:[46,78],cout:[25,76,12,100,15,107],isunord:95,accumulateconstantoffset:17,afre:59,source_filenam:78,dw_ate_unsigned_char:78,undeclar:[30,78,24],password:[126,41],dictionary_fil:40,recurs:[47,30,81,28,110,2,32,33,34,35,16,78,49,18,19,20,21,22,23,24],shortcut:[28,22,23],supersparc:64,"__apple_objc":115,unknownptr:78,gettargettripl:[6,62],subsequ:[79,47,113,93,64,1,120,29,30,31,115,96,5,6,78,44,128],gnueabihf:13,dw_macinfo_undef:78,arm_aapcscc:124,mcsectionelf:93,xterm:76,game:41,optimizationlist:29,atomic_cmpxchg:95,characterist:[55,64,21,93,121,78,60,62],isproto:124,like:[70,56,93,95,3,124,114,92],outright:113,signal:[99,120,29,95,108,14,78,40],resolv:[0,101,2,5,6,62,60,9,79,78,8,80,85,18,21,24,30,31,32,84,93,41,98],"______________________________________":21,"32bit":25,popular:[38,93,80,51,56],bpf_alu:93,regionsforfile1:74,regionsforfile0:74,ptr
 off:93,some:[0,1,2,3,4,5,6,7,8,9,13,14,15,16,17,18,19,20,21,22,23,24,25,26,27,28,29,30,31,32,33,34,35,38,39,40,41,43,45,46,47,48,49,50,51,95,52,54,55,56,62,59,60,61,64,66,69,70,100,72,71,77,78,80,81,82,84,85,86,87,92,93,94,11,96,98,99,76,101,103,104,106,107,109,110,112,113,115,91,120,37,124,114,127,128],urgent:41,"__llvm_faultmap":99,mnemonicalia:93,shlib:38,mem_address:93,uselistorder_bb:78,addpreserv:56,"__sync_fetch_and_umin_n":95,printinlineasm:64,pathsep:[14,2],n2930:76,slash:[78,106],castinst:21,bcanalyz:[124,75],cgi:40,run:[76,70,56,125,114,93,95,92,87,80,7],cgo:15,jit_serv:5,stem:21,"_ztii":78,movsx64rr8:93,curtok:[25,26,110,30,31,32,33,34],assignvirt2phi:93,subtract:[74,55,93,78],"_ztid":78,faith:120,blocksizei:12,idx:[25,26,76,113,82,30,31,32,33,34,78],nnnnnn:93,inaccessiblememonli:78,shini:84,blocksizez:12,f31:[78,64],blocksizex:12,block:56,nvvm:78,"123kkk":29,gcroot:81,aq2:78,within:[47,100,0,101,49,50,2,11,76,78,9,93,12,7,115,15,17,85,18,19,20,21,42,25,26,83,112,113,81,
 28,80,31,32,33,34,84,87,38,69,92,56,123,96,124,120,128],loadsdnod:21,proj_install_root:42,ensur:[99,47,93,101,1,49,103,76,53,78,12,7,107,14,61,20,21,24,26,111,64,81,29,83,115,33,34,84,36,38,120,56,95,41,96,124],llvm_package_vers:70,properli:[93,92,95,56],cmp32ri8:93,unpoison:78,loopunswith:61,use_count:40,pwd:[38,40,13],bio_s_mem:40,vfprintf:78,newer:[38,52,41,95,108],cmpxchg:95,flagsfeatureb:100,flagsfeaturec:100,flagsfeaturea:100,specialti:21,info:[38,69,70,81,98,40,2,13,108,41,124,120,88,93,78,118],fde:[93,69],"0xc3":128,"__bitcod":124,hipe:[93,78],abs_fp64:8,similar:[47,93,1,17,51,76,4,78,60,82,106,12,7,14,15,80,85,18,19,21,22,42,24,26,111,64,113,81,28,29,30,31,32,33,84,35,36,38,120,40,100,95,41,124,128],createdefaultmypass:84,obviat:42,reflectparam:12,doesn:[76,101,71,2,103,3,7,74,106,56,78,107,15,61,80,92,112,113,81,29,87,120,93,95,73,41],repres:[124,56,95,3,87,80,68],arg_iter:[21,34],incomplet:[76,107,5,6,62,60],nextvari:[32,33],minsiz:78,titl:[41,91],speccpu2006:50,nan:[89,8
 6,78,115],compileondemandlay:[5,6,62],proxi:93,"0x00007fff":93,dosometh:76,resign:41,xtemp:95,drag:91,canfoldasload:8,rnnnn:41,svn:[15,41,70,61],typeid:124,infrequ:84,svg:70,addmbb:93,dagarg:45,devminor:12,depth:[47,17,46,93,32,8,73,60,18,78,29],loadobject:79,unconnect:113,mystringtyp:100,msbuild:[52,70],thetargetmachin:25,getkind:[35,112],deletesizemismatch:11,image_scn_mem_preload:121,compact:[26,93,81,120,46,27,16,53,96,21],friendli:[41,76,101],unsimm:93,breakcriticaledg:84,aris:[78,41,21,113],instr_iter:93,yoyodyn:41,findstub:[5,6],then_bb:[18,19,20],roots_siz:81,runnabl:38,nonatom:115,llvmdisasminstruct:44,weakvh:21,gender:101,button:91,llvm_enable_doxygen:[38,70],use_llvm_target:[85,18,19,20],dw_tag_const_typ:[78,115],dw_tag_structure_typ:[78,115],amdgpu_hsa_kernel:39,lazier:[60,9],relink:[111,92],vgpr:78,calleef:[25,26,30,31,32,33,34],jump:124,imper:[76,81,32,34,18,20],download:[70,64,48,46,13,52,103,14,73,15,126,21],click:[52,91],hasoneus:76,poke:124,image_scn_lnk_nreloc_ovf
 l:121,llvmaddattribut:46,cell:64,experiment:[55,39],registerschedul:84,ramsei:93,init_v:20,legalizeact:64,becom:[47,76,1,51,78,60,112,8,14,61,80,18,20,21,110,23,64,113,29,32,34,84,87,93,96],accessor:[84,110,93,115],"_source_dir":70,startexpr:[25,26,32,33,34,20],convert:[2,102,93,95,75,104,87],convers:[99,29,93,76,61],vacat:0,value_kind:78,converg:[19,78,33],solaris2:84,findings_dir:40,chang:[111,58,70,101,56,125,29,2,76,124,65,92,3,87,105,93,7],hexagon:[38,35,78,93],epilogu:[81,78,64],chanc:[3,79,28,100,22,41,61,78,8],testcase_dir:40,selectinst:76,n3272:76,"0xffff":[96,78],claim:95,revok:41,realloc:[11,56],degen:78,dyn_cast:[76,112],"boolean":[93,76,86,70,124],llvmtyperef:55,"0x0000000000d953b3":108,externallyiniti:78,getrawsubclassoptionaldata:17,implic:[93,41],recordid:124,fibi:[20,34],remaind:[74,38,55,64,93,14,43,78],llvm_enable_warn:70,"0x00ff0000":93,gc_transition_start:49,numelt:124,benchmark:[38,1,48,50,115,14,15,41,21,42],landingpad:120,dcmake_osx_architectur:38,findlead:21
 ,callvoidvoid:5,retriev:[79,106,91,12,49,29,100,84,96,120,21,40],image_scn_gprel:121,perceiv:[27,16],memory_order_acq_rel:[78,95],linearscan:[84,89,93],jitsymbol:[5,6,62,60,9],meet:[38,0,101,17,93,84,41],machine_kind:39,control:[92,70,95],malform:[47,21,92],sudo:[38,50,51],typeprint:55,llvm_use_intel_jitev:70,compactli:128,myfooflag:100,int_get_dynamic_area_offset:78,sought:78,emitepilogu:64,clang_attr_arg_context_list:35,egrep:38,dw_op_deref:78,addpreemitpass:64,tag_base_typ:115,templatearglist:45,lto_module_is_object_fil:98,live_s:81,c11:[15,95],eliminatecallframepseudoinstr:[46,64],aliasanalysiscount:56,"0x3feaed548f090ce":31,filterclass:77,syscal:93,image_scn_lnk_info:121,vsetq_lane_s32:87,subtyp:[120,64],primaryexpr:[110,23],llvmgetdatalayoutstr:46,irtest:70,jne:93,onzero:78,newptr2:78,objectlay:[5,6,62,60,9],outer:[25,26,76,59,100,32,34,84,120,18,20,78],consensu:41,pushfl:93,perf:114,llvmgetbitcodemoduleincontext:46,foreach:[76,128,80],build_alloca:20,label_branch_weight:3,han
 dl:[70,95,87],auto:93,handi:[127,30,21,60,24],memberlist:64,armgenregisterinfo:35,p15:12,p16:12,p17:12,front:[120,93,76],gridsizei:12,modr:93,somewher:[84,112,78,50,30,33,14,120,19,7,24],faultkind:99,slide:[15,21,101],ourfpm:[26,34],upward:[2,78],unwind:[47,69,64,62,46,93,59,36,61,120,67,78],globl:[49,36,39,12],selectiondag:95,grok:[30,107,24],chunk:[47,76,87,40,93,124],"__atomic_fetch_sub_n":95,special:[99,38,71,124,113,56,81,120,29,2,13,95,108,15,41,87,80,43,93],image_sym_type_byt:121,"0x00000130":115,image_scn_lnk_oth:121,influenc:[84,69,78,115,87],discharg:61,suitabl:[79,47,12,81,21,29,93,14,104,15,124,80,78,74],hardwar:[89,15,93,95],statist:[74,56,40,83,86,53,89],llvmtransformutil:42,spec95:50,lcssa:69,"__cuda_ftz":12,manipul:[38,107,66,93,65],undo:87,typebuild:[55,21],ssl_set_accept_st:40,ecx:[93,36,8,128],image_scn_mem_writ:121,jacqu:15,pictur:[17,30,113,24],mac:[38,106,108,84,103,21],keep:[93,56],counterpart:78,bpf_and:93,wrote:[25,26,55,78,113],dumpmymapdoc:100,svptr:78,lin
 kallcodegencompon:84,qualiti:93,arr:[78,21,113],fmul:93,prng:40,art:81,find_a:21,atomic_f:95,rs1:64,rs2:64,scalartrait:100,perfectli:[76,113,7,110,93,78,107,23],mkdir:[38,70,40,73,15,50],second_end:78,attach:[38,76,108,91,12,123,78,115,30,31,32,33,34,41,20,21],attack:101,functionpassctor:84,llvmremoveattribut:46,"final":[74,38,93,106,81,120,29,2,13,95,41,124,76,92],prone:[29,93,8,51],my_valu:76,rsi:[93,8],fuzzi:40,methodolog:120,proactiv:[41,92],rst:[93,35,127],exactli:[76,70,124,112,56,81,78,29,2,122,36,87,120,43,7],rsp:[49,93,94,8,96],rss:40,ehashfunctiondjb:115,bloat:76,a_ctor_bas:7,instvisitor:[55,21],openssl_add_all_algorithm:40,dubiou:106,bare:[111,64,21,96,78,9],f16:78,exhibit:[92,95],multhread:21,xor8rr:93,reg2:7,procnoitin:8,reg1:7,goldberg:81,lightli:[48,78],tabl:[124,87,39,56],need:[99,76,104,7,55,106,56,107,108,15,61,80,92,111,65,81,29,83,86,87,89,67,68,70,120,93,95,41,124,114,118],altivec:[93,78],ind4:78,createfunctiontyp:26,ind1:78,reloc_pcrel_word:64,"0x04":115,"0x05"
 :96,"0x06":96,"0x07":96,"0x00":[74,96,106],parse_extern:[85,18,19,20,23,24],"0x02":[74,115],fileit:29,unawar:78,lgkcmt:39,llvmgold:73,detector:17,equal_rang:21,singl:[76,2,104,7,74,55,106,59,15,80,92,113,81,29,87,66,38,70,39,119,120,93,95,122,41,124,114],parseidentifierexpr:[25,26,110,30,31,32,33,34],discop:26,discov:[93,81,40,2,32,34,103,18,4,20,115],rigor:93,x86_ssecal:64,deploi:91,x86_fp80:[17,78,124],promoteop:55,url:[41,91,127],hasrex_wprefix:8,"0xe8":128,indx:100,brought:17,inde:40,llvm_parallel_link_job:70,unoptim:[38,86],"0x0d":96,"0x0e":96,constrain:[38,107,120,30,72,14,128,78,24],disable_assert:[72,103],"0x0a":[96,106],"0x0b":96,"0x0c":74,ssl_load_error_str:40,cute:[27,16],verbos:[125,2,106,119,100],objc:[54,127,115],molest:78,anywai:[78,76,13,47],scudo_opt:11,tire:[76,8],losslessli:17,bpf_alu64:93,envp:108,x86_thiscal:93,themodul:[25,26,30,31,32,33,34],add_to_library_group:43,llvmtypekind:55,q31:78,tbb:64,shr:76,enabl:[99,76,102,2,104,74,10,105,125,107,108,15,61,80,81,29,
 83,86,87,89,38,70,119,93,73,41],getmbb:64,she:[126,8],contain:[93,2,76,51,103,104,52,3,77,78,74,105,106,56,7,13,108,15,61,80,112,113,81,29,116,126,37,36,87,88,68,38,69,70,120,71,95,122,73,41,124,114,43,118],shapekind:112,grab:[26,48,103,35,18,19,20,21],image_file_local_syms_strip:121,shl:76,legaci:[25,70,62,31,32,33,34,5,6,78,60,9],pni8:120,singlton:[5,6,62,60,9],nolink:29,flip:76,vectorize_width:1,target_link_librari:70,image_scn_mem_16bit:121,danger:[7,0,78,21],mileston:17,statu:[70,101],correctli:[100,49,76,78,107,14,17,18,21,110,42,113,29,32,115,84,70,120,93,94,95,41,23],writter:29,sectvalu:29,lua:81,written:[80,10,93,56,102,114,65,76,122,104,41,36,53],cxx_flag:51,neither:[47,124,56,17,40,52,96,61,87,120,78,46],tent:78,vfp3:13,kei:[112,39,21,40,93,84,77,41,49,17,78,8,82],header_data_len:115,parseabl:[49,78],crc32:11,setgraphcolor:21,monitor:56,islandingpad:82,xxxreloc:64,admin:126,handledefinit:[25,26,110,30,31,32,33,34],behaviour:[29,76,87],dw_tag_inherit:78,test_format:2,ungla
 mor:41,outfil:57,multi_v:29,orig:78,quit:[49,27,4,78,54,55,56,62,108,16,61,17,18,21,24,113,81,30,32,38,93,96,127],slowli:[38,41],addition:[38,93,47,81,49,29,56,95,73,41,43,78,21],classnam:118,libdir:111,image_sym_dtype_nul:121,treat:[124,93,70,95,87],seqeuenc:46,cputyp:124,alphacompilationcallback:64,otp:78,createcal:[25,26,30,31,32,33,34,21],acq_rel:[78,95],replic:[71,98,128,100],image_file_machine_arm64:121,dw_tag_typedef:[78,115],cindex:64,harder:[47,49,40,107,4,78,110,23],qualcomm:46,print_str:[85,18,19,20,23,24],engag:41,demo:29,rootstackoffset:81,povray31:50,revis:[38,76,70,91,115,103,41,96,61,21],inf:[89,29,86,78,115],so_reuseaddr:5,welcom:[101,17,27,52,5,6,62,60,9,117,16,85,18,19,20,22,23,24,25,26,28,110,30,31,32,33,34,84,38,40,41],parti:[76,0,49,41,61,42],reloc_picrel_word:64,print_float:[85,18,19,20],ro_signed_pat:8,llvm_all_target:[38,64],setcategori:29,matcher:[93,40,35,118],nightli:[41,103],http:[38,76,117,91,63,48,54,40,13,52,103,14,15,41,116,126,50],hsatext:39,tokprec
 :[25,26,110,30,31,32,33,34],effect:[76,70,56,29,93,15,124],isopt:29,llvm_use_oprofil:70,global_s:21,clang_enable_bootstrap:114,appendinglinkag:21,dllvm_enable_p:13,callgraphscc:84,protector:[78,115],dw_form_strp:[7,115],well:[99,76,101,103,104,55,56,125,107,108,15,61,80,92,29,83,38,93,95,73,41,124,43],cudadevicesynchron:15,undefin:[76,70,113,120,71,95,37,61,87,107],memory_order_consum:95,createindirectstubsmanag:5,mistaken:[85,31],diflagartifici:78,aform_1:93,aform_2:93,"0x000000c9":7,xs1:117,size1:78,size2:78,"__atomic_stor":95,outstream:81,dcmake_build_typ:[38,40,51],densiti:[19,76,46,33],logger:0,warrant:55,nodebuginfo:29,takelast:21,bpf_xadd:93,howto:[63,35,13,127],mcsectioncoff:93,add_gvn:[85,18,19,20],burden:[41,78],getopt:29,n2343:76,zchf:13,n2346:76,n2347:76,loss:[81,21],lost:[78,27,16,107,120],aliasresult:56,ldflag:[25,26,111,30,31,32,33,34,5,6,62,60,9],necessari:[93,49,103,104,11,76,4,78,79,55,106,56,7,13,108,14,123,61,21,25,26,64,81,29,30,84,87,66,68,38,69,70,91,120,71,95
 ,41,96,127,98,74],fp5:[8,128],lose:[84,27,16,115],profraw:[74,104,114],page:[76,70,29,75,15,41,36,114,117],didn:[93,78,30,115,34,84,76,61,17,20,21,23,24],isnul:76,"04e":78,notfp:128,"__cxa_allocate_except":120,home:[38,50,51,108,14,61,21],librari:[80,70,95,124,56],hannob:40,win32:[14,4,52,93,38],makelight:76,broad:[81,28,29,31,85,21,22],createexpress:26,overlap:[93,56,1,59,84,96,80,78],outgo:[78,68],exitonerror:5,combinedalloc:11,asmstr:[8,64,128],myfunct:12,encourag:[47,71,101,38,27,76,41,16,21],ifequ:78,nutshel:21,offset:[106,113,81,93,124,7],zeroormor:29,image_file_32bit_machin:121,testsuit:7,bcreader:111,freedom:[78,21],viewvc:54,bodyitem:45,cocoa:78,cmake_cxx_flag:70,attrtemplateinstanti:35,pointless:[49,120],"0x00000110":115,libomp:[48,38],gcov_prefix:104,image_file_removable_run_from_swap:121,"_cuda_ftz":12,printoperand:64,dbuild_shared_lib:38,ndebug:[72,29,70],global_iter:21,interleave_count:1,pty2:78,addpassestoemitfil:[25,84],liveintervalanalysi:93,eax:[64,78,93,36,82,7,8,
 128],gain:29,spuriou:[76,78],overflow:[41,61],highest:[25,26,110,30,31,32,33,34,87,85,18,19,20,78,23,24],eat:[25,26,28,29,30,31,32,33,34,110,85,18,19,20,22,23,24],liblto:73,dmb:95,displac:[93,78],displai:[74,47,93,64,50,67,28,29,2,76,122,126,104,41,80,53,112,44,37,22,101],sectiondata:121,w31:78,w30:78,cruel:127,"0xffbef174":84,indefinit:40,llvm_enable_assert:[70,21],add_llvm_loadable_modul:70,tmp9:[7,113],atyp:113,isconvertibletothreeaddress:8,reciproc:78,lastchar:[25,26,28,110,30,31,32,33,34],twist:9,intregsregclassid:64,fourinarow:50,rule:[76,105,101,65,93,95,41,7],quot:[70,39,82,29,100,115,14,43,78,40,128],eor:78,dloc:7,tok_var:[25,26,34],arctan:100,hash_set:21,getjmp_buftyp:76,futur:[70,124],rememb:[76,101,49,50,51,52,78,9,107,13,18,20,21,110,23,25,26,113,29,32,34,84,38,40,41],parse_id:[85,18,19,20,23,24],baselin:[93,103],stat:[106,56,83,86,89,92],cmake_build_typ:[38,70,80],dw_tag:115,stab:115,same_s:36,dyld:79,sphinx:[38,70],samsung:46,"_ztv3foo":7,indirectli:[76,78,95,128],bcc
 :64,portion:[74,38,64,47,120,125,29,93,31,92,41,80,85,44,78,82],image_file_machine_sh3dsp:121,perhap:[76,56,81,21,17,78],"7ykb2k5f":116,callingconv:124,getpointertofunct:[79,26,21],tcpchannel:5,enable_sgpr_kernarg_segment_ptr:39,secondli:26,use_bind:[85,18,19,20],accur:[81,104,56],unaryexprast:[25,26,33,34],parse_var_nam:20,sorri:[27,16],sanitizercoveragetracedataflow:40,swap:[78,51,87,95],getllvmcontext:76,preprocess:[71,107],aux:21,doubleword:78,downstream:[58,68],"void":[74,99,55,76,124,113,56,81,120,29,93,95,59,73,15,87,7,68,107],llbuilder:20,govern:78,appar:[20,34],x86_stdcallcc:124,theier:47,bpf_x:93,stageselectioncat:29,image_file_machine_m32r:121,bpf_w:93,uint32:[99,96],scalarbitsettrait:100,vector:[76,87,29,93,61,124],bpf_h:93,bpf_k:93,llvm_build_test:70,mllvm:1,initialis:[25,29,8],bpf_b:93,whirlwind:[110,23],likeli:3,cpu_x86:100,"10m":40,"__cuda__":15,"10x":15,aggreg:[120,76],binop_preced:[85,18,19,20,23,24],bpf_imm:93,"goto":[25,26,76,1,17,32,33,34,20],even:[99,93,101,1,4
 9,50,27,51,76,4,5,78,8,106,56,7,60,14,15,16,61,17,85,19,20,21,22,2,112,81,28,109,31,32,33,34,84,35,89,68,38,91,40,100,37,124,44,127,98,128],rope:21,libstdc:[38,46,76,13],fcur:17,addllvm:[70,80],neg:[120,41,7,61,124],asid:[78,40,21,11,39],transcrib:[30,24],libpo:29,"new":114,net:[99,54,126],add_depend:80,metadata:[68,124],llvmgetattribut:46,elimin:[38,69,56,81,92,29,12,86,73,41,61,76,93,78,107],centric:78,old_bind:20,henrik:4,restat:76,q15:78,met:[81,17,11,93,78],ccassigntostack:64,image_scn_cnt_initialized_data:121,interpret:[49,27,78,8,74,125,115,58,14,16,85,18,19,20,21,110,23,24,25,26,111,2,29,30,31,32,33,34,87,89,38,70,93,122,72,96,124,43,45],dcmake_crosscompil:13,gcname:124,getunqu:21,credit:41,ebenders_test:108,permit:[25,26,69,81,78,93,34,14,86,36,20,21,128],parlanc:[28,123,22],volunt:[48,126,40],immin:103,bpf_jset:93,avenu:0,machineregisterinfo:93,quickcheck:21,fcoverag:[74,104],handlerpcoffset:99,leaki:40,createnvvmreflectpass:12,icc_n:64,overhead:[81,78,40,107,31,77,85,21],
 calm:[20,34],recommend:[76,49,2,52,78,12,59,14,61,80,85,20,23,25,113,81,110,31,34,84,38,70,91,40,93,72,41,46],icc_g:64,type:[70,124,56,95,3,87,92],tell:[74,55,76,70,56,81,125,29,93,41,92],"__eh_fram":93,columnend:74,warn:70,all_build:52,wari:61,align_nod:78,dw_tag_apple_properti:115,room:[84,110,23,66],rightr:17,floattyp:21,dw_apple_property_nonatom:115,setup:[73,36,114],worth:[76,112,21,51,61,92],librarygroup:43,root:[111,93,70,65,2,15,41],clang_cc1:[14,7],defer:[79,17,31,85,62,60,9],give:[47,100,49,27,78,60,74,12,62,13,16,61,17,19,93,21,22,24,25,26,64,28,29,30,31,115,33,84,38,92,40,56,41,124,126,44,127,45],dlsym:[85,84,31],dw_at_loc:7,binpath:108,subtmp5:[20,34],force_on:70,dragonegg:[54,41,93,103],unsign:[100,1,17,76,3,78,74,12,115,93,21,24,25,26,64,113,81,82,29,30,31,32,33,34,35,56,124,98],secidx:36,gcn:[93,39],symaddr:[5,6,62,60,9],sata:51,tbaa:61,answer:[47,76,112,54,17,29,56,31,32,34,61,127,85,18,113,20,78,60,107],registerlist:64,config:[114,2,70,75,65],confid:41,reloc_absolu
 te_word:64,attempt:[47,76,0,49,4,5,6,78,60,79,56,125,61,21,64,83,84,38,92,93,41,96,124,120],unnamed_addr:[78,124],"0x7fffe3e85ca8":40,maintain:[55,93,56,81,78,29,80,76,95,103,84,11,41,96,124,17,4,21,8,115],yourregex:7,i65:78,vfp:[78,87],decl:[30,8,112],stlextra:[25,26,30,31,32,33,34,5,6,62,60,9],privileg:[4,78,9],gcda:104,invalidid:5,unexpetedli:14,sigplan:[81,93],"_except_handler4":120,better:[47,93,1,17,50,27,51,76,78,60,9,7,108,16,18,20,21,23,110,32,34,84,69,120,40,71,95,41],argti:78,persist:[40,21,101,80],vmcnt:39,gpucc:15,ircompilelay:[5,6,62,60,9],newtoset:76,dummytargetmachin:64,promin:[14,50],overestim:78,promis:41,then_:[18,19,20],"0x7f":[78,128],mapsectionaddress:79,isel:[93,69,128,64,118],"instanceof":21,grammat:[50,110,23],grammar:[55,110,33,80,19,23],meat:85,build_for_websit:103,setdescript:29,getvalu:[76,21],somefancyaa:84,went:[18,31,32],thenv:[25,26,32,33,34],side:[47,93,12,81,78,110,30,56,32,33,95,14,76,49,17,18,19,21,23,24],bone:[96,64,9],mean:[47,93,0,101,109,49,2
 7,103,80,11,76,4,7,8,9,106,56,112,78,115,13,59,60,14,16,61,17,85,18,120,20,21,22,42,24,26,2,64,113,81,28,29,30,31,32,34,84,37,36,87,38,70,91,39,98,40,100,122,73,41,124,82,45,128],rev64:87,add_ri:128,taught:93,f108:12,f107:12,extract:[7,106,75],getsextvalu:21,unbound:[93,78,64],crucial:[78,91],bpf_end:93,content:[87,56],rewrit:[47,69,112,64,49,34,76,20,78],mtripl:[78,86,7,89],dfpregsregclass:64,reader:[76,124,75,122],end_cond:[18,19,20],parseforexpr:[25,26,32,33,34],nodetyp:64,linear:[38,113,56,93,84,86,89,21],parse_definit:[85,18,19,20,23,24],current_corpus_dir:40,mytyp:78,verif:[47,29,78,40,39],situat:[84,47,0,112,64,1,78,29,93,31,95,14,73,120,17,85,113,21,62],infin:78,ineffici:[1,93,34,61,124,20,21],insttoreplac:21,getfunctiontyp:21,retcc_x86_32_fast:64,dw_at_rang:115,nummodulevalu:124,typesaf:78,ish:[19,33],prefetch:117,ism:5,isa:[76,117,112,39,81,93,95,61],getinstrinfo:[93,64],isd:[55,93,95,64],cpuinfo:51,symbollookup:5,floorf:1,my_kernel:12,thereof:101,targetregistri:[25,93,64]
 ,hook:[120,93,32,18,92,42],unlik:[47,76,49,51,78,62,80,85,20,21,112,81,31,34,84,38,120,93,95,73,41,96,124,45],featureb:100,featurec:100,featurea:100,agre:[47,41,101,100],payload:[93,78],hood:[14,74],global_empti:21,tsc701:64,acquaint:9,sevenkind:78,ieee754:78,sometim:[38,41,124,112,64,47,7,29,100,76,92,14,15,35,110,78,17,113,93,21,40],sphinx_output_html:70,arm_apcscc:124,memcmp:40,dwell:30,filepo:29,llvm_enable_pedant:70,bodyv:[25,26,34],a32:87,namespac:[70,124],build_cond_br:[18,19,20],isascii:[25,26,110,30,31,32,33,34],buildmod:14,dllvm_tablegen:13,bitpattern:78,ri_inst:128,symptom:38,enjoi:126,r14d:8,silli:[28,107,76,22,56],r14b:8,keyword:[93,56],mcdesc:64,r14w:8,matter:[55,76,95,84,41,96,85,78],emitjumptableaddress:64,pointkind:81,modern:[108,76,117,107,80],mind:[76,110,34,41,20,21,23],stackar:81,bitfield:95,signature_invalid:38,seen:[93,64,78,29,27,31,33,122,84,76,16,124,49,17,19,21,46,62],seem:[93,70,112,56,81,17,29,58,87,113,92,9],seek:[47,41,36,113,54],minu:[94,78],ty2:78,me
 mcheck:[14,2],image_sym_class_register_param:121,rethrow:[49,120],myset:76,myseq:100,cudevic:12,regular:[38,10,100,106,50,78,29,27,95,116,104,76,16,17,7,40,82],ccassigntoreg:64,secrel32:36,tradit:[47,38,28,93,115,84,37,114,21,22,9],simplic:[81,28,30,96,21,24],don:[93,80,101,56],pointe:[78,124],simplif:[84,47,92],pointi:100,obtus:113,dog:29,doe:[76,2,104,7,55,105,106,56,58,108,15,80,92,29,37,36,70,120,93,95,41,124,114],digress:[19,33],isatleastorstrongerthan:95,my_str:80,dot:103,"0xffff000000000002":96,hunger:[27,16],visitor:[55,81,28,30,35,92,22],esoter:128,llvm_enable_werror:70,syntax:[93,76,39,80],selftl:40,ehabi:46,image_sym_class_weak_extern:121,istruncatingstor:64,despit:[49,29,93,95,115,84,109,78,8,128],explain:[54,76,70,106,91,56,17,93,94,34,84,87,28,20,21,22,107],sugar:78,regnum:96,safepoint_pol:49,emissionkind:[78,115],pinst:21,hasgc:17,stop:[38,55,76,70,101,81,21,40,58,120,84,41,82,78,110,23],llvm_enable_lto:70,bar:[76,1,49,2,78,74,12,7,107,59,14,80,18,93,21,24,29,30,32,11
 5,36,70,100,122,123,45],"__atomic_compare_exchang":95,sacrific:[17,78],bpf_div:93,baz:[76,1,21,29,32,115,123,80,18,122,45],reload:[25,26,69,81,40,93,34,20],bad:[26,125,76,48,21,100,115,33,92,17,4,19,78],dw_tag_shared_typ:115,ban:0,bam:76,addinstselector:64,flagpointi:100,cstdio:[25,26,110,30,31,32,33,34],instalias:93,"0x40":115,"0x42":124,"0x43":124,v8f64:78,msan:40,subject:[76,91,100,93,41,21],p1i8:[49,12],said:[76,78,27,115,11,16,120,21],myinitprng:40,xarch:38,ld64:46,simplest:[100,64,29,30,60,52,110,114,85,93,40,23],attribut:[89,86,58,124],add_memory_to_register_promot:20,triplet:[29,78],howtousejit:111,manpag:80,lazi:[78,56],gr1:78,diflagprototyp:[78,115],abs_fp80:8,add_custom_command:80,imagmag:[19,33],against:[47,101,50,11,3,7,106,12,78,107,59,14,123,61,21,111,112,30,38,70,120,40,100,72,41,114],fno:[40,1],uni:12,readnon:[47,12,49,115,123,61,124,78],constantindex:96,uno:78,foobaz:76,createload:[25,26,34],devbufferc:12,devbufferb:12,devbuffera:12,foobar:[100,76],int32_t:[81,100]
 ,rcmemorymanag:5,"16b":87,loader:38,theoret:[4,21],"__________________________________________________________":21,three:[47,48,49,50,7,125,107,14,80,17,92,110,23,64,113,82,29,114,32,84,35,78,38,21,93,122,124,120],objc_properti:115,specul:[56,120,95,15,61,78],succ_begin:21,trigger:[79,10,100,70,56,81,62,40,71,31,60,14,92,96,82,76,78,50],interest:[47,93,49,50,27,75,52,76,110,53,7,60,9,79,54,56,78,115,107,14,16,61,85,18,19,20,21,22,23,24,26,2,112,81,28,29,30,31,32,33,34,84,87,38,120,40,100,95,41,125,126,46],basic:95,mo_registermask:93,tini:[17,112],llvmpassnam:70,build_load:20,deeper:80,suppress:[81,76,2,78,100],mce:64,multithread:[81,21],some_var:80,lpae:95,lpad:[120,78],argumentexpr:[85,18,19,20,23,24],llvm_include_test:70,ugli:[19,107,7,33],codegener:71,intregsvt:64,itinerari:[93,8,64],noredzon:[78,124],slt:78,servic:[4,107,56],lex_id:[85,18,19,20,22,23,24],slp:69,splitdebugfilenam:78,calcul:[84,47,69,64,56,78,50,93,32,115,14,18,113,21,68],neat:60,typeflag:115,occas:76,sle:78,r600:
 [93,39],gninja:40,march:[25,38,82,46,71,13,115,86,89,7],disappear:[38,107,51],grown:[19,27,16,33],receiv:[79,62,0,78,40,93,120,61,124,80,21,8,23],make:[70,101,56,124,114,93,95,87,80,92],bitmask:78,isspac:[25,26,28,40,30,31,32,33,34,110],setcompileact:[5,6],kevin:93,"0x5cf8c24cdb18bdac":74,ssl_ctx_new:40,zlib1g:[14,13],kib:29,overs:21,studi:[61,42],binopprototyp:[19,20],vehiclemak:76,ea_r:93,addrawvalu:66,inherit:[84,76,112,56,21,29,93,123,72,35,4,45,8,128],llvm_dir:[17,70],endif:[74,26,76,29,27,60,15,16,80,4,5,6,62,40,9],programm:[93,112,39,81,29,83,95,15,76,92],paradigm:[46,21,113],left:[47,76,1,17,50,78,8,9,106,61,80,18,93,92,23,24,26,64,110,30,32,100,41,124],op0:124,op1:[78,124],just:[47,100,48,49,50,2,51,104,52,76,110,53,4,5,6,7,8,9,107,74,62,93,56,112,78,115,58,13,60,14,16,80,17,85,18,19,20,21,22,23,24,25,26,27,64,113,28,29,30,31,32,33,34,84,35,36,87,89,37,68,114,106,38,91,92,71,94,95,73,41,96,42,124,82,43,127,128],op3:64,cstdint:[31,32,33,34],human:[102,38,76,105,101,119,47,17
 ,100,122,84,104,53,88,97,78,8,82],nowadai:13,yet:[47,76,17,50,5,6,62,60,9,79,78,59,15,49,85,18,19,21,111,64,81,82,29,30,32,33,84,126,120,46,93,95,122,43,40],languag:[101,93,70,95,80],discriminatori:101,character:78,macport:72,save:[93,1,52,53,78,79,55,12,62,115,59,85,18,19,20,21,25,26,64,29,31,32,33,34,87,38,70,91,120,46,71,72,96,124,40,128],vpsubusw:14,u999999:91,applic:[99,76,49,50,27,104,78,8,79,54,117,106,14,16,61,17,85,19,21,22,111,64,81,28,29,31,33,84,87,70,120,40,93,41,96,124,43,128],segnam:29,background:[101,80],opc:[25,26,128,33,34],wojciech:47,fact1:17,fact0:17,getinstlist:21,manual:[92,76,83,70,93],dindex:64,tolmach:81,machinepassregistrynod:84,choic:[102,38,55,76,91,28,40,27,32,51,96,86,16,78,49,18,21,60],unnecessari:93,cxxflag:[25,26,111,30,31,32,33,34,5,6,62,60,9],printd:[25,26,27,31,32,33,34,16,19,20],www:[40,103],deal:[99,47,76,124,101,112,120,115,95,34,35,41,87,20,21,60],somehow:[84,21],dead:[38,69,56,82,29,12,98,61,93,78,107],intern:[93,80,70,124,56],hd6xxx:93,make
 _pair:[25,26,17,34],ldststoreupd:93,insensit:56,collect:[104,76,70,68,56],henderson2002:81,tracker:[41,101,91],getchar:[25,26,28,110,30,31,32,33,34],xmm15:8,creatur:[28,19,22,33],burg:69,idiomat:[14,76,21],bold:127,identifierexpr:[25,26,110,30,31,32,33,34,85,18,19,20,23,24],uncompress:[38,21,70],mappingnorm:100,buri:76,strippointercast:76,promot:[55,69,56,93,15,41,61,78],burr:89,codenam:46,"super":[93,98,64],fnty:78,unsaf:[27,95,115,96,86,16,89,78],movsd:7,argv0:89,culaunchkernel:12,ppcf128:78,simul:[93,78,87],dissassembl:40,movsx:93,commit:76,marshal:96,movsq:93,mrm7m:64,contriv:[107,128],f128:[78,64],down:[47,93,101,17,27,62,8,9,74,54,112,56,78,60,16,18,19,21,110,23,25,26,64,113,120,28,29,32,33,115,84,86,87,89,38,91,92,40,71,72,41,125],f3_12:64,indexreg:93,mrm7r:64,nomodref:56,insidebundl:93,subl:[93,7],parsesubtargetfeatur:64,precomput:56,perldoc:38,frameinfo:64,changeasciiint:40,xpass:2,imit:[127,45],ssl_do_handshak:40,r173931:35,fraction:[77,40,68,112],stage1:114,stage2:114,sta
 ge3:114,fork:4,numxform:21,creation:[81,103,78,66],form:[114,80,70,124,56],sub1:7,forc:[76,1,49,51,78,60,74,13,59,15,80,21,29,115,84,89,38,70,39,120,100,96],retarget:[54,93],llvm_:80,nounwind:[12,7,115,14,123,61,124,120,78],phid:76,emitbyt:64,shufflebyt:40,err2:21,autoinsert:21,addmoduleflag:26,bugfix:103,writeattribut:35,processrelocationref:79,multisourc:[14,50,41,115,71],"__i386__":[27,16],unrel:[41,21,115,64,103],classid:45,classif:[4,78],featur:[70,39,80],semicolon:[25,26,70,38,110,30,31,32,33,34,85,18,19,20,128,23,24],parent_scop:80,visitgcroot:81,diagnost:[58,7,40,2,35,21,8],glanc:[76,27,16],dw_form_sec_offset:7,dwarfnumb:64,getfunctionlist:21,excel:[38,80,21,64,56],image_scn_align_2048byt:121,a15:51,matur:[81,49,29,61],journei:[20,34],subdivid:50,"0fc2d20000":12,iteri:[85,18,19,20,24],fell:5,libffi:[72,70],axi:1,furthermor:[47,113,7,46,49,78],pseudo:[93,68,87,118],ignor:[99,1,17,110,53,78,9,54,56,7,115,58,85,18,19,20,21,22,23,24,25,26,64,28,29,30,31,32,33,34,116,68,38,40,93,
 41,124,43,44],image_sym_type_int:121,include_directori:70,skip:[76,1,49,78,74,115,80,85,18,19,20,22,23,24,25,26,64,81,28,110,30,31,32,33,34,87,93,122,124],"0x00000150":115,inlineasm:17,skim:76,createvirtualregist:93,mill:29,primer:70,pldi:81,hierarch:[47,124],misread:76,libit:29,depend:114,fancier:[84,127],intermedi:[54,10,83,70,119,64,48,21,110,66,59,81,15,120,82,124,49,78,107,23],targetinstrformat:64,hasinternallinkag:21,image_scn_align_2byt:121,letitem:45,memorymanag:9,llvmbuilder:85,aspx:76,fnir:[25,26,30,31,32,33,34],string:[93,70,106,39,29,2,86,122,3,124,80,88,89,76,7],bpf_add:93,create_argument_alloca:20,kernel_param_2:12,kernel_param_0:12,kernel_param_1:12,print_endlin:[85,18,19,20,23,24],initializealiasanalysi:56,did:[120,76,56],dif:47,dig:[28,22,128],iter:[79,47,69,56,81,17,29,93,76,92,68,41,98,80,78,40],item:[106,124,29,53,61,87,80],s_load_dword:39,div:[93,21],kernel_code_version_major:39,round:[74,15,93,87,103],dir:[38,70,48,40,2,13,115,104,114,78,50,42],initializealltar
 get:25,add_:80,sparclit:64,max_len:40,originput:29,nozero:89,sideeffect:78,addr:[88,5,78,64],addq:96,filler:46,insertbranch:64,favour:[8,109],addx:128,respres:21,rephras:113,addi:[78,128],xml:124,dwarf:[93,75],livein:82,makeup:21,elsev:[25,26,32,33,34],slow:[84,38,21,40,72,86,78,60],imul16rmi:93,wait:[76,39,48,110,31,126,4,60,23],patleaf:64,insan:76,canadian:38,shift:[47,55,17,29,93,68,61,124,78,8],max_total_tim:40,bot:[54,41,76,114],storeregtoaddr:64,extrem:[99,38,93,64,47,21,40,56,95,92,84,41,124,77,128,78,45,62,115],bob:100,else_:[18,19,20],opcstr:64,stb_local:78,elect:41,bzero:5,modul:[92,70,124,56],"__jit_debug_register_cod":108,patchabl:[49,78,96],"0baz":21,"0x60":106,"0x800":115,sake:[84,21],ruv:40,allocinst:20,getsubtargetimpl:[81,64],visit:[81,92,55,21,60],tokidentifi:45,deplib:124,perl:81,everybodi:[17,41],numfaultingpc:99,zeroargfp:128,checkout:15,rpath:38,fcomi:93,com_fir:93,"__atomic_fetch_and_n":95,appel:81,oop:49,examin:[79,64,21,29,93,92,14,104,49,103,78,60,9],effort
 :[79,47,55,76,30,115,41,96,61,4,107,24],armhf:13,fly:[110,93,31,9,85,23],reviewe:41,ulp:78,uniqu:[93,124,1,7,2,115,66,77,98,36,78,49,43,96,17,21,8],ult:[32,34,85,18,19,20,78,24],"_ztv1d":123,tvo:46,sparcisellow:64,imped:78,nextvar:[25,26,32,33,34,18,19,20],nearest:[74,78],basic_block:24,predict:[54,76,84,15,3,61],crazi:[28,29,27,16,22],subregion:78,agenc:0,exctype1:120,strikingli:[19,33],delete_funct:[85,18,19,20,24],subnorm:[78,12],binarypreced:[25,26,33,34],"0x000034f0":115,ping:[17,41],f32:[15,93,78,64,12],idiv:93,till:[126,21,108],purg:76,attrparserstringswitch:35,pure:[47,69,64,49,30,95,41,43,93,45,24],ptr_is_nul:99,doclist:100,testingconfig:2,map:[124,39,56],exctypen:120,max:[74,29,2,78],usabl:[64,29,93,115,86,21],intrus:[78,21],membership:[120,21],mag:78,mai:39,underscor:[82,76,115],maj:48,grow:[101,78,29,93,32,59,18,44,21,9],man:[14,38,29,70,54],noun:76,"0x00001000":115,myglob:115,targetframeinfo:64,purifi:71,containingtyp:78,talk:[55,30,0,28,110,27,31,32,34,84,15,76,16,23,8
 5,18,20,21,22,9,24],image_sym_class_automat:121,abbrevop0:124,abbrevop1:124,lsb:93,shield:[4,11,93],iptr:78,comdat:[36,124],recoup:124,nbsp:93,gcmetadata:81,entiti:[78,76,21,124,96],group:[67,93,7,76,106],thank:[11,71],polici:[80,76,56],build_shared_lib:70,mail:[38,76,0,101,91,48,49,46,41,126,127,42],inlinehint:[78,124],main:[76,103,104,52,78,74,59,108,15,29,87,88,68,38,70,120,40,93,73,41,43,98],irbuild:[25,26,30,31,32,33,34,85,18,21,24],recoveri:[25,26,110,30,31,32,33,34,85,18,19,20,21,23,24],parseunari:[25,26,19,33,34],amdkernelcodet:39,remateri:95,sooner:126,initv:[25,26,34],lower16:36,possess:[74,21],lo16:93,subproject:[38,46,41,103,54],xlc:38,crypto:40,careless:76,x11:21,myflag:100,misbehav:48,loopunswitch:47,compilecallbackmgr:[5,6],llvm_dylib_compon:[38,70],continu:[93,124,56],redistribut:41,libgcc:94,tmp8:113,bpf_or:93,arcp:78,tmp7:[7,113],tmp6:113,tmp1:[76,7],tmp3:7,lai:[26,69,113,123,78,93,34,76,85,18,19,20,21],simplecompil:[5,6,62,60,9],getbinarypreced:[25,26,33,34],catch
 ret:120,"3rd":[40,78,9],mess:[38,47],bespok:81,numval:[25,26,28,110,30,31,32,33,34,124],dw_tag_unspecified_typ:[78,115],arminstrinfo:64,correct:[47,93,1,48,49,50,103,76,4,78,55,56,13,14,61,85,21,29,31,115,84,87,38,69,70,46,71,94,95,73,41,126],earlier:[74,64,46,30,31,95,61,43,78,60,9],dw_apple_property_unsafe_unretain:115,orr:78,tmpb:[25,26,34],ori:93,org:[38,100,0,101,91,54,48,82,40,30,13,52,103,14,73,15,41,126,70,76,50],ord:78,orc:9,may_throw:120,v8deprecatedinst:64,"_flags_":80,sn_mapr:17,createasmstream:93,thing:[74,93,124,101,56,120,92,29,2,76,41,87,80,7],sn_mapl:17,principl:[76,117,17,28,4,22],think:[76,27,77,4,78,9,74,55,12,16,18,93,21,22,25,112,113,81,28,32,69,70,91,56,41],first:[76,102,2,104,3,7,74,106,56,107,80,92,81,29,83,87,89,120,93,95,41,124],carri:[106,113,21,44,78,60],fast:[76,93,51,15,86,61,118],oppos:[38,69,45,29,37,18,78,42],getfoo:78,handleknownfunct:5,workaround:80,numop:[124,64],const_iter:21,indiviu:93,indivis:59,numindic:74,averag:[25,18,40,32,53],daunt:70,"0f
 42d20000":12,broadcast:78,my_kei:76,attrkind:[35,66],foldingsetnod:21,getpredopcod:77,vbr6:124,vbr4:124,vbr5:124,vbr8:124,redefinit:[30,34,85,18,19,20,9,24],valuedisallow:29,exclusionari:101,were:[47,93,0,1,49,27,104,52,76,78,60,9,74,7,59,8,16,61,17,21,2,65,29,83,115,87,38,120,40,71,95,41,97,46],createlocalcompilecallbackmanag:[6,62],lcpi0_0:14,mcexpr:93,mrm5m:64,dw_tag_set_typ:115,dash:[29,100,40],mageia:38,greet:128,gettargetlow:64,remotejit:5,exclud:[7,93,41,125,77,78],mrm5r:64,repeatedli:[99,78],unadorn:78,weak_odr:[78,124],squar:[43,41,78,112,100],cumoduleloaddataex:12,llvm_target:[85,18,19,20],"_crit_edg":78,bpf_op:93,advis:[106,66,32,103,80,18],interior:[81,49,69,112],immsext16:93,channel:[54,5,101],sparciseldagtodag:64,llvm_analysi:[85,18,19,20,24],ptrloc:[81,78],pain:[29,21,91,108],norman:93,trace:[69,49,29,115,84,40],normal:[99,76,1,49,2,104,4,78,10,105,106,7,15,61,102,21,81,29,83,115,84,35,87,37,38,70,91,119,120,46,93,94,95,41,96,124,44,98,128],track:[47,93,17,2,76,78,8,5
 6,125,107,61,49,19,20,21,24,26,81,30,115,33,34,84,38,92,40,71,41,96],nestabl:[45,128],cucontext:12,pair:[47,93,49,76,78,56,7,17,18,21,23,25,26,64,110,32,34,87,66,39,120,40,100,95,46],r31:[93,78],isphysreg:21,isglobaladdress:64,synonym:106,rtdyldmemoyrmanag:9,cumodulegetfunct:12,dw_form_:115,rev128:87,defaultconfig:21,gracefulli:21,show:[3,93,2,7],shoe:100,threshold:[47,15,78,104],corner:[46,96],getadjustedanalysispoint:56,emitexternalsymboladdress:64,dice:21,fenc:[76,95,61],behind:[93,12,7,71,76,78,66,77,21],argidx:26,frexp:78,adc64mi32:8,parametr:45,ftest:104,dict:40,hello_world:39,memmgr:[5,60],sourcewar:[73,40],intptr_t:[26,1,31,32,33,34],gep:107,html_cov_report:40,variou:[76,2,77,78,79,117,12,125,61,93,92,74,82,83,116,38,70,120,40,56,95,124,43,98],get:[114,95,87,56],mung:[47,113],secondari:[120,41,96],repo:38,emitlabel:93,repl:[5,31,60,9],inreg:[93,78,124,64],gen:[118,39],r10b:8,busiest:91,nullptr:[25,26,76,62,110,30,31,32,33,34,5,6,78,60,9],yield:[47,113,21,29,60,124,49,78,50],
 r10d:8,stupid:92,mediat:[0,56],r10w:8,wiki:[38,40,13,70],kernel:[40,93,95,51,15,89,78],setpreservesal:84,"__builtin_setjmp":120,intrinsicsnvvm:12,spars:[38,55,69,93,122],lfunc_end0:39,msa:78,sean:21,testcas:[21,30,41,125,78,24],"0b1001011":128,infinit:[47,40,93,78,56],expandatomicrmwinir:95,timeit:50,innov:46,maskedbitset:100,datalayoutpass:26,enumer:[93,124],label:[124,93,68,39],innoc:[18,32],enumem:64,volatil:[81,107,93,95,56],across:[47,1,49,27,53,78,8,12,15,16,61,80,85,21,29,31,115,84,87,38,69,120,40,93,95,96,43],august:79,parent:[2,76,68,80],fpregsregisterclass:64,bodyexpr:[25,26,32,33,34,20],modref:[128,95,56],parseprototyp:[25,26,110,30,31,32,33,34],copyabl:21,false_branch_weight:3,llvm_enable_sphinx:[38,70],blocklen:124,audienc:61,library_nam:43,litloc:26,p0i64:7,improv:[47,49,27,103,62,9,56,78,15,16,61,17,85,2,64,81,31,115,84,38,91,120,40,46],octeon:46,peephol:[55,93,31,32,33,34,84,85,18,19,20,21],among:[47,98,93,38,17,12,76,56,35,36,61,21],acceler:103,undocu:76,imm:[44,93,
 64,128],unittest:70,tsflag:64,getnumsuccessor:76,cancel:120,iscal:[8,128],inadvert:[4,7],mctargetdesc:35,xadd:95,ultim:[76,48,2,31,85,78,8],cleargraphattr:21,p0i8:[78,12],mark:[74,38,93,39,81,17,114,2,95,99,15,76,61,124,120,44,108,78],certifi:107,"0x4004f4":88,calledcount:92,fadd:[55,93],squash:[38,87],f92:12,f93:12,f90:12,f91:12,f96:12,f97:12,f94:12,f95:12,univers:[74,76,104,41,80,88],f98:12,f99:12,those:[47,93,0,101,17,2,51,104,76,53,4,78,8,74,54,106,56,7,58,13,60,14,123,49,20,21,25,26,64,113,81,29,80,115,34,84,38,92,40,100,95,41,96,120,43,46],llvm_executionengine_orc_kaleidoscopejit_h:[5,6,62,60,9],sound:[40,9,56],isvararg:21,interoper:[81,78,27,95,16,120,21],invok:[38,76,70,56,81,92,29,93,59,104,15,3,61,124,120,7],"0x3feb":115,invol:120,"0x3fea":115,invoc:[38,70,7,40,93,114,92,84,125,122,78],isdoubl:128,gvneedslazyptr:64,advantag:[98,93,113,81,78,29,27,76,95,33,34,41,16,87,66,19,20,21,40],mfloat:13,destin:[25,26,106,64,120,93,34,14,3,61,20,78],llvm_gcc_dir:50,variable_op:128,add
 32mr:8,cudeviceget:12,liveoffset:81,same:[76,124,56,93,95,87,80,92],ssl_library_init:40,image_file_machine_unknown:121,pad:[74,106,82,59,96,124,120,78],emitloadlink:95,testrunn:2,pai:[14,41,76,64],oneargfp:128,add32mi:8,exhaust:[81,38,93,61,101],assist:[76,71,33,61,19,118],executionengin:[38,20,108,62,46,93,60,85,18,5,6,21,19,9],capabl:[27,78,55,117,12,15,16,85,19,20,21,24,64,29,30,31,33,34,84,38,93,56,98],selecttarget:[5,6,62,60,9],kernel_code_entry_byte_offset:39,executeprogramandwait:4,runonmachinefunct:[93,64],appropri:[47,100,0,48,49,2,103,76,77,4,62,8,9,55,93,12,112,78,13,61,19,20,21,110,23,64,81,29,115,33,34,84,87,66,38,91,120,56,95,41,126,98],macro:70,markup:[40,76],v4p0f64:78,spadini:47,getobjfilelow:81,sizeclassalloc:11,dllvm_include_test:38,roughli:[69,112,120,93,95,103],emitleadingf:95,release_22:38,execut:[68,92,95,56],speccpu2000:50,mo1:64,mul_ri:128,mygcprint:81,subblock:124,aspect:[26,30,70,81,78,46,27,32,115,11,41,16,110,18,93,21,45,23,24],mul_rr:128,flavor:[78,21,1
 15,128],"125000e":78,xxxtargetmachin:64,critial:103,param:[76,12,81,2,126,52,85,18,19,20,21,24],cumoduleunload:12,sparcregisterinfo:64,"__cxa_throw":120,rcindirectstubsmanag:5,dclang_tablegen:13,setrequiresstructuredcfg:64,mcregaliasiter:93,mov:[12,78,46,93,95,36,7],sk_specialsquar:112,libsfgcc1:13,mod:[78,56],cast_or_nul:21,is_ptr64:39,ifstream:12,qnan:78,server:[46,5,21,40],bb0_4:12,bb0_5:12,prologuedata:124,halid:46,bb0_2:12,physreg:93,nice:[47,76,27,11,110,7,16,85,18,19,20,21,22,23,24,28,29,30,31,32,33,34,84,38,128],mappingnormalizationheap:100,fulfil:[4,112],exitcod:2,createremotememorymanag:5,fastcal:[93,78],ascend:[74,78],substitu:14,llvm_enable_doxygen_qt_help:70,adequ:[81,52,70,64],confirm:[40,76],llvmscalaropt:42,recomput:[84,21,56],ffi_library_dir:70,"__llvm_stackmap":96,inject:76,dw_op_plu:78,toolkit:[21,12],ret_val:[85,18,19,20,24],overli:41,broken:[84,54,107,64,49,46,2,14,41,87,21,128],cuinit:12,selectaddrrr:64,cornerston:113,x32:7,x30:78,dw_ate_address:78,island:[117,
 39],loadinst:76,pluginfilenam:89,deopt:[49,78],llvm_targets_to_build:[38,52,70],livecount:81,terminolog:39,hashtbl:[85,18,19,20,23,24],strip:[104,29,83,98],"0x3fe9":115,ymax:[19,33],mingw32:[14,126,93],"__cudacc__":15,overwrit:[29,96,42],compliant:15,int_stacksav:78,legalact:64,savethi:7,x86inst:8,llvmattributeref:46,source_x86_64:88,uintptr_t:5,dw_ate_boolean:78,enough:95,gori:41,buggi:71,xxxtrait:100,stringmapentri:21,gprc:93,reappli:41,possibl:[70,124,56,93,95,87,92],optnum:29,poolalloc:56,unusu:[93,81,27,94,16,21],sanitize_address:78,embed:124,i32mem:128,emitpseudoexpansionlow:35,filt:104,machinefunctioninfo:[82,93],emitloc:26,threadloc:[78,124],subprogram:[26,78,115],deep:[47,76,112],orbit:[19,33],simpletyp:121,"__sync_fetch_and_add_n":95,deem:[55,71,78,103],file:114,emitvalu:93,proport:[29,122],fill:[25,26,71,56,28,29,30,31,32,33,34,84,76,110,78,126,100,21,46,115],again:[17,50,27,103,78,9,7,16,61,80,85,18,20,21,29,30,31,32,34,84,87,120,40,71,94,114,127],mangler:[64,5,6,62,60,9
 ],field:[74,93,106,113,56,81,2,37,61,124,80,77,78],"_cxxthrowexcept":120,xxxgeninstrinfo:64,"0xc0de":124,riinst:128,architectur:[93,70,39,2,95,104,15,86,87,88,89,7],reextern:[85,18,19,20,24],"0th":113,sequenc:[47,76,1,49,7,74,56,78,61,17,21,64,113,81,115,84,35,87,89,120,40,93,95,96,45,128],arrayidx:78,unload:[84,78],descript:[95,124,56],v2f64:78,version_less:70,winzip:52,getreturntyp:21,unset:[26,45,70,80],insertbefor:21,forget:[26,76,101,112,81,91],mrm3m:64,dollar:51,dw_form_ref2:115,sunk:56,llvmdummyasmprint:64,dw_form_ref1:115,regno:93,mrm3r:64,dw_form_ref8:115,children:112,edg:[81,7,40,93,92,120,78,68],image_sym_class_clr_token:121,at_byte_s:115,insertion_block:[18,19,20],daniel:115,brtarget8:64,build_stor:20,immt:8,image_scn_lnk_comdat:121,r14:[93,8],r15:[82,93,78,8],r12:[78,93,36,8],r13:[93,8],r10:[93,94,8,12],r11:[94,78,8,96],fals:[47,76,17,2,11,3,77,5,6,62,60,9,112,56,78,115,107,13,18,21,25,26,64,29,30,31,32,33,34,84,35,88,89,38,92,122,125,98],offlin:[93,12],util:[70,106,56,
 114,75,53,89],seprat:40,fall:[25,26,76,64,47,81,21,29,31,32,33,34,78,49,85,18,19,20,7,68,9],"0x629000004748":40,"__clear_cach":78,basereg:93,sin_port:5,run_funct:[85,18,19,20],dispel:113,egg_info:50,dereferenceable_or_nul:78,gcno:104,use_end:21,stderr:[125,40],fuzzerinterfac:40,quiet2:29,webkit_jscc:[78,124],rawfrm:[64,128],globalalia:84,lawyer:41,val3:78,val2:[40,78],val1:[40,78],val0:78,val7:78,excit:[46,27,16,103],abc:78,parsedattrinfo:35,close_fd_mask:40,abi:[70,87],worthwhil:21,abl:[74,38,69,106,113,56,81,78,29,71,13,59,92,41,98,61,43,93,7,40,107],"0x3fed":115,cont6:120,abu:106,g0l6pw:38,hurdl:107,"public":80,exit5:12,cumemcpydtoh:12,logerrorv:[25,26,30,31,32,33,34],valc:12,variat:[93,64,56,120,40,1,4,127,9],vala:12,sophist:[81,50,93,84,127,78],analysisusag:56,memory_order_acquir:[78,95],writetypet:55,variad:76,standard:[114,87,95,39,56],valu:[76,102,2,104,3,53,7,10,105,106,56,125,58,80,111,65,83,86,87,89,70,39,119,93,95,122,37,124,118],getint32ti:76,search:[38,69,70,81,7,29,2,
 92,77,41,120,43,78,40],unabbrevi:124,upcast:112,createfcmpon:[25,26,32,33,34],r12w:8,p0v8p0f_i32f:78,r12b:8,val_:20,r12d:8,codebas:[76,91],narrow:[38,55,76,113,56,125,71,95,92,21],iuml:93,quotient:78,primit:95,transit:93,inappropri:0,establish:[64,81,49,93,41,61,120,85,78],memor:76,regallocregistri:84,vptr:[78,21],"0x1234":115,zeroiniti:78,parse_expr:[85,18,19,20,23,24],tackl:[85,20,31,107,34],two:[70,124,39,56,114,95,3,87,80,92,68],x86targetasminfo:64,getbit:29,saptr:78,desir:[47,76,0,49,27,77,78,8,79,7,14,16,61,21,2,64,81,29,115,84,36,70,92,95,96],upper16:36,penultim:64,reconfigur:[43,126],particular:[47,71,0,17,50,2,104,76,78,8,79,93,12,112,59,14,61,49,85,20,21,110,23,74,64,113,81,29,31,115,34,84,35,38,70,92,40,56,95,123,96,124,120,43,45,46],ultrasparc:[38,64],dictat:[94,76,21],none:[93,49,2,103,77,4,78,106,15,85,18,19,20,21,23,24,113,81,29,84,88,89,38,120,71,128],hour:[0,114],dep:[85,18,19,20],elsebb:[25,26,32,33,34],dev:[76,49,27,54,55,13,14,16,61,21,25,81,82,115,84,86,89,91,95
 ,41,45,128],remain:[47,76,0,49,103,78,9,74,106,7,14,19,20,21,81,82,115,33,34,70,120,95,41,96,124,128],paragraph:[17,76,127],deb:13,binfmt_misc:38,def:[55,69,82,93,37,77],share:[38,93,70,12,125,40,71,13,95,92,86,98,124,120,77,89,76,108,78],sln:52,loopend:[25,26,32,33,34,20],mcobjectstream:93,minimum:[38,55,76,70,64,78,46,71,11,115,52,41,96,80,125,62,110,23],image_file_executable_imag:121,dw_ate_unsign:78,strlen:21,retcc_x86_32_ss:64,calltmp1:[18,30,32,24],calltmp2:[85,31],awkward:[29,76,113],secur:[47,29,31,54],programmat:[81,122,12],comfort:[17,0],csx:40,cst:78,csv:50,bar_map:76,regener:[71,103],"0x0000000000000002":108,number2:17,number1:17,pat:[93,8,64],memory_order_seq_cst:[78,95],bloom:93,ccpassbyv:64,sse4:1,binloc:26,sse2:[14,78],mislead:76,hfc:99,cs1:[78,56],image_sym_dtype_arrai:121,takeerror:[5,21],rotat:[55,93],intermediari:21,isconstantpoolindex:64,mydoctyp:100,through:[70,56,93,95,124,80,92,68],suffer:81,llvm_src_root:[50,42],patfrag:64,pch:115,pend:[25,26,108,38,110,30,3
 1,32,33,34,9,85,18,19,20,23,24],realpr:78,independ:95,pollut:76,compound:74,nor:[47,76,113,81,17,40,93,52,96,124,120,4,78,46,107],revector:[47,21],adventur:21,complain:[38,52,73],cmpflag:17,mysteri:113,micro:76,token:93,findsymbol:[31,32,33,34,5,6,62,60,9],looputil:84,subsystem:[93,78],harm:93,mental:101,mm5:[8,128],unequ:78,mm7:[8,128],hard:[93,106,91,109,120,28,100,13,51,33,92,72,41,61,17,4,76,78,8,42,107],mm1:[8,128],idea:[47,76,48,17,50,51,78,9,55,61,110,29,30,31,32,115,68,120,41,124,114,128],functor:[76,60],mm2:[8,128],image_file_machine_thumb:121,connect:[47,69,91,126,5,21,9],orient:[76,101,112,27,115,16,21],sparcgenregisterinfo:64,usedlib:42,handleerror:21,dw_tag_xxx:115,isref:128,variable_nam:70,dagcombin:55,ccifnest:64,isinlin:115,cconv:78,mmx:[93,78,64],intregssubregclass:64,suspici:4,b32:12,cuctxdestroi:12,mmi:82,dw_tag_union_typ:[78,115],omit:[47,10,93,105,102,40,83,32,122,84,86,96,53,88,18,67,37,78,110,23],intermingl:78,buildmast:126,testfnptr:78,llvmgccdir:50,vmov:7,pe
 rman:0,"__c_specific_handl":120,callon:21,registerasmstream:93,printsth:47,exchang:[38,21],harfbuzz:40,argstart:29,done:[47,93,48,49,50,51,103,76,77,4,5,6,78,60,79,55,106,62,115,108,14,123,17,85,18,19,20,21,110,23,24,25,26,83,112,81,98,29,30,31,32,33,34,84,70,91,92,40,100,94,95,41,120,45,128],dylib:[72,14,5,6,62,60,9],stabl:[64,21,58,103,41,98],rootnum:81,functionindex:66,image_sym_type_uint:121,somewhatspecialsquar:112,expansionregiontag:74,least:[47,76,48,49,2,51,103,78,106,56,13,14,85,18,19,20,21,110,23,24,25,26,64,29,30,31,32,33,34,35,87,38,120,40,93,95,41,96,124,128],createpromotememorytoregisterpass:[26,34],is_arrai:110,unalign:[95,61],cfe:[38,15,41,91,103],binop:[25,26,110,30,31,32,33,34,85,18,19,20,23,24],selector:[38,120,93,115,35,118,78],part:[47,93,0,120,49,27,80,52,76,110,5,6,78,8,9,112,56,62,115,60,14,15,16,61,17,85,18,19,20,21,22,23,24,26,2,64,113,81,28,29,30,31,32,33,34,84,35,87,38,70,92,40,100,95,41,124,125,43,98],pars:[124,80],toolset:70,contrari:93,cyclic:38,i32:[7
 4,99,107,81,120,93,3,87,7,68],"_tag":[85,18,19,20,23,24],horizont:7,i8mem:93,"_runtim":96,fpinst:8,constval:21,timeout_exitcod:40,xxxtargetlow:64,uncontroversi:81,compileutil:[5,6,62,60,9],char6:124,debug_loc:97,consol:[85,54,93,31,127],writeonli:78,built:[124,114],ctor:[76,78,59,107],extractel:87,asmnam:64,cleanuppad:120,gettransform:60,distribut:[38,76,125,114,2,13,108,52,41,80,68,107],significand:78,previou:[93,48,49,7,103,76,62,9,74,55,106,12,78,17,18,19,20,21,23,24,25,26,64,110,30,31,32,33,34,84,87,46,100,94,95,122,41,124,43,127],chart:1,xuetian:15,most:[71,17,2,51,103,76,53,78,79,55,12,7,107,13,108,15,61,80,93,111,112,113,81,29,83,87,66,38,70,39,120,40,56,95,72,41,114,43,44,118],cygwin:[38,52,93],undetect:40,charg:93,addsdrr:128,emitandfin:60,"234000e":[30,24],resolvereloc:79,t2item:17,sector:4,visitbasicblock:21,carefulli:[81,115,34,41,61,20,78],espresso:50,"__sync_val_compare_and_swap_n":95,"__try":120,particularli:[76,64,7,95,84,61,78,21],fine:[76,112,113,29,52,61,87],find:
 [74,55,58,70,56,125,29,2,76,114,118,104,41,120,93,92],realmag:[19,33],merger:17,filesizepars:29,printmemoperand:64,hasctrldep:[8,128],unus:[10,69,12,40,93,76,43],express:[93,76,101,56],cheaper:[99,21],"__cuda_arch__":15,wrinkl:[59,60],restart:[84,126,40,21,95],misnam:93,uncomfort:101,detect_leak:40,catcherror:21,mycustomtyp:100,image_file_machine_arm:121,diloc:7,common:[55,76,124,106,113,56,81,120,29,93,95,15,41,61,87,80,37,107,114],target_compile_definit:80,intptrsiz:81,"__nv_isnanf":12,printout:[83,21],decompos:[55,41],atomtyp:115,reserv:[99,64,49,40,93,103,96,124,78],mrm1m:64,ccdelegateto:64,dispatch2:[120,78],dispatch1:78,someti:78,initializemodul:26,debat:76,smallest:[71,78],subscript:[47,78,56],experi:[70,101,49,31,51,115,17,85,127,60,9],altern:[92,93,70,104],dw_at_apple_property_gett:115,bourn:[38,29,107],appreci:41,complement:[78,21,113],kryo:46,unrol:15,popul:[38,55,2,12,120,40,30,35],findsymbolinlogicaldylib:9,uniprocessor:95,alon:[29,93,14,41,110,23],tempor:78,densemapinf
 o:21,cpufreq:51,allocs:78,libcrypto:40,simpli:[47,76,49,50,4,78,60,106,56,7,107,13,14,85,21,110,42,24,83,64,113,29,30,31,115,84,38,91,92,93,41,96,23,120,44],fldcww:93,point:[76,70,56,93,95,86,124,92,68],instanti:[79,100,112,64,29,2,84,104,35,21,8,128],linkagenam:78,alloca:[120,93,76],shutdown:40,suppli:[120,71,51,103,104,124,122,78],setinternallinkag:21,throughout:[79,74,124,38,87,80,4,78],backend:[92,95],global_begin:[76,21],dovetail:[20,34],aarch64:87,linkonce_odr:[78,61,124,12],retq:[49,82],val1l:78,globalvarnam:78,reformat:44,multiclassobject:45,image_sym_class_extern:121,lto_codegen_add_must_preserve_symbol:98,unnecessarili:[84,56],gap:[76,78],understand:[55,2,101,56,120,93,76,41,124],atomicrmw:95,isstoretostackslot:64,raw:[79,74,10,83,105,119,102,29,30,104,35,66,44,93,50],noexcept:120,unifi:[40,78,61,124],fun:[28,27,36,16,85,18,19,20,22,24],everyon:[16,41,27,0,76],subsect:21,propag:[38,69,70,82,29,93,15,120,78],lto_codegen_add_modul:98,mystic:[27,16],semispac:81,itself:[100,0,
 120,48,49,2,104,52,76,114,5,6,78,60,9,55,93,56,62,115,107,13,59,14,16,61,17,85,18,19,20,21,110,23,24,25,26,27,112,65,81,29,30,31,32,33,34,84,87,113,38,70,98,40,71,11,41,96,124,125,43,45,46,128],codegen_func:[85,18,19,20,24],swiftcc:[78,124],"0x00007ffff7ed40a9":108,case_branch_weight:3,myseqel:100,incarn:55,benign:50,getlin:[26,115],flag2:[17,40],flag1:[17,40],nameflag:115,multicor:95,keyr:38,sym:[48,37,36,5,6,62,60,9],keyt:21,moment:[81,49,82,78,62,24],travers:[47,93,112,81,17,2,43],task:[120,55,76],n_bucket:115,entri:[124,68,39,56],"16mib":36,globalisel:46,uint32_t:[5,100,115],spend:2,instr_begin:20,explan:[0,112,39,17,107,70,78],llvm_target_definit:64,ldm:78,ldl:15,shape:[115,21,8,112,103],at_decl_lin:115,depriv:21,stwu:93,cut:[29,64,9,68],shiftinst:76,snan:78,singlesourc:[14,50],"0b000000":64,restructuredtext:127,objectbodi:45,largeconst:96,dllvm_experimental_targets_to_build:64,win:[76,21,56],rgm:84,postcal:81,bin:[38,104,48,125,29,13,51,14,73,52,40,114,8,42],"0x00001023":115,x
 codebuild:70,llvmsetinstrparamalign:46,judgement:41,llvm_doxygen_qhp_namespac:70,fucomip:93,irgen:[5,6,61],bit:[87,95,39,114],ccassigntoregwithshadow:64,knock:76,writealia:17,semi:[43,81,27,16,80],sema:35,wit:0,has_jit:43,aliasset:[64,56],often:[55,76,70,56,81,92,29,93,95,15,41,61,87,120,7,107],steensgaard:56,weakodrlinkag:21,dllimport:[78,124],bach:4,dw_apple_property_null_resett:115,"0x00002000":115,breviti:[87,12],sizeof:[12,49,107,15,5,78,21],sparcreg:64,compilecallbackmanag:[6,62],cont:[120,78,59],per:[93,49,50,11,53,78,60,74,106,12,14,21,112,81,29,115,84,35,68,70,98,40,100,95,37,96,124,120,43,45],usernam:[38,41],substitut:[93,7,95,80],mathemat:[12,17,110,107,78,23],larg:[76,125,29,93,95,15,41,36,124,53,89,92],chandlerc:91,cmake_instal:70,reproduc:[40,71,34,14,41,20,92],createentryblockalloca:[25,26,34],either:[47,71,0,120,49,50,27,103,76,110,83,78,8,9,79,55,106,12,60,14,123,16,61,17,85,18,93,21,22,23,26,111,2,64,113,81,28,29,30,32,86,87,88,38,92,40,56,95,73,41,96,124,82,46,128
 ],intial:21,patient:[84,101],dw_tag_template_value_paramet:78,initialse:57,addpdrr:128,unvectoriz:1,s15:78,fnstart:93,adc64rm:8,addpdrm:128,float_of_str:[85,18,19,20,22,23,24],impos:[0,78,93,41,96,82,21],usb:51,constraint:[93,55,83,120],preclud:[49,87],createfadd:[25,26,30,31,32,33,34],litconfig:2,forexprast:[25,26,32,33,34],disclosur:[41,0],timberwolfmc:50,fmin:78,image_sym_type_long:121,add32mi8:8,ostream:[76,21],nsz:78,frames:81,n2242:76,nsw:[41,78,61,113],inclus:[4,118,78,42,104],hydra:114,errno:[78,56],megabyt:125,x86_fastcallcc:124,subst:[45,8,128],includ:[70,101,56,114,93,95,3,87,80,92],cptmp0:64,cptmp1:64,forward:[47,76,49,4,78,55,56,21,22,23,24,81,28,110,32,115,66,120,93,124,45,128],image_scn_align_1byt:121,llvm_build_doc:70,myservert:5,reorgan:100,failure_ord:95,dwarfdump:[7,75],int8_t:100,translat:[47,76,27,78,74,105,56,107,16,61,93,21,26,64,113,29,115,35,38,100,95,118],llvmfoldingbuild:85,sdk:[38,15],concaten:[45,38,21,14,87,78,128],handshak:40,movsx16rr8w:93,movnt:78,v8
 i16:64,"0x00000009":115,curr:22,xxxiter:21,attrinfomap:35,flow:[92,56],debug_nam:115,functioninfo:99,codgen:24,isdigit:[25,26,28,110,30,31,32,33,34],prevail:106,singli:81,cmake:114,crypt:41,sequenti:[78,93,7,124,120],llvm_target_arch:70,bpf_rsh:93,vg_leak:2,asymmetr:113,deseri:35,llvm:114,functionnod:17,mismatch:[87,122],globalvar:124,orcabisupport:5,formatt:78,tok_numb:[25,26,28,110,30,31,32,33,34],cater:35,deserv:[78,61],image_sym_type_float:121,image_comdat_select_associ:78,machine_version_step:39,debugloc:[26,93],downcast:112,i16:[93,78,64,12],tradeoff:[85,81,31,95],required_librari:43,dwarfregnum:64,"0fb5bfbe8e":12,queri:[76,56,29,93,95,61,66,77,78],strex:95,classic:[46,93,21],demangl:[88,104,37,115],pred_begin:21,privat:[124,39],antisymmetr:17,ulimit:40,elsewher:[49,64],createtargetasminfo:64,granular:4,cumoduleloaddata:12,istream:21,exit:[93,68],priority_queu:21,loopinfowrapperpass:84,bpf_sub:93,immsubreg:64,disclos:0,named_valu:[85,18,19,20,24],"0xe413754a191db537":74,cudevi
 ceptr:12,volum:[54,21],implicitli:[93,1,27,76,110,78,16,80,85,18,19,20,21,22,23,24,25,26,28,29,30,31,32,33,34,84,100,41,96,124,45,128],flagscpu2:100,parenthandl:78,postord:69,stddef:40,knight:46,refer:[93,70,124,56,125,114,2,92,76,87,80,88,89,37,7,68],pbqp:[93,86],"0x9":93,"0x8":93,fortun:[25,76,27,31,32,34,16,85,18,20,21],veli:93,"0x3":[96,93,21],segmentreg:93,"0x1":[96,93,21,115],"0x0":[93,21,124,39],toplevelexpr:[25,26,110,30,31,32,33,34,85,18,19,20,23,24],"0x6":93,"0x5":[93,96],"0x4":[93,96],arcpatch:91,append:[70,106,78,105,14,104,124,125,18,21,42,128],"0x1f84":88,resembl:113,unwound:78,access:[70,95,87,56],agg1:78,microprocessor:[93,78,64],regstat:[82,93],deduc:[78,61],camlp4:[22,23],sint:78,bodi:[76,120,7,29,92,41,124,17,78,40,82],dw_macinfo_defin:78,"0xh":78,partialalia:56,"0xm":78,jonathan2251:63,"0xc":[93,124],"0xb":93,"0xa":93,sine:[78,64],sinc:[71,100,48,49,51,103,52,76,77,4,78,8,9,79,93,12,112,115,107,13,60,17,85,18,19,20,21,110,23,24,26,64,113,81,28,29,30,31,32,33,34,8
 4,68,106,38,120,40,56,94,122,41,96,124,127,45,46,74],"0xe":124,"0xd":[93,124],remark:[92,1],fpregsregclass:64,cerr:12,irreduc:[47,64],foundat:[84,41,0,101,9],mov64ri:64,tool_nam:38,toshio:93,getimm:64,websit:80,advoc:[76,101],select_isd_stor:64,"_regoffset":8,at_encod:115,elfv1:46,elfv2:46,bpf_jne:93,trait:[76,100,21],attrspel:35,image_scn_align_512byt:121,undefinedbehaviorsanit:40,trail:[74,100,113,7,29,2,76,78,80,21],train:[114,122],account:[38,0,101,112,81,17,126,41,91,78],dcmake_c_compil:40,komatsu:93,rdynam:[19,20,31,33],obvious:[47,55,76,113,56,48,28,29,93,84,41,110,78,17,21,22,23,128],ch9:26,unread:[76,95],fetch:[38,11,3,78,93],aliv:[84,47,93,21,17],n2657:76,abcd:124,sqlite:40,tarbal:[54,13,103],virtualindex:78,onlin:[80,20,70,34],formmask:64,serial:[38,55,54,17,100,35,82,42],everywher:[14,85,100,31,17],surfac:93,rootcount:81,optyp:64,add32rm:8,inteldialect:78,llvm_lit_tools_dir:[52,70],ssl_ctx_use_privatekey_fil:40,list_nam:80,add32rr:8,add64mr:8,tag_memb:115,powerpc64:[117,
 78],getehframesect:79,inst:[47,40,21,64,128],nothidden:29,llvm_include_dir:70,redund:[93,15,69,29,61],bind:[76,5,78,54,107,85,18,19,20,23,24,25,26,64,110,30,31,32,33,34,100,45,128],correspond:[47,100,49,52,76,110,77,7,8,74,55,112,12,78,58,123,17,18,93,21,107,23,24,26,111,64,113,81,82,29,30,32,115,84,86,36,87,88,38,69,70,91,92,71,95,41,124,120,45],afterloop:[25,26,32,33,34,18,19,20],region1:74,region0:74,noitin:89,fallback:[11,124],loopendbb:[25,26,32,33,34],writethunkoralia:17,declet:78,ptr_rc:93,deallocationtypemismatch:11,symbolt:21,cpu_x86_64:100,bunch:[28,50,107,31,114,33,80,85,19,21,22],acycl:[93,69,115,64,118],fpcmp:50,outputdebuginfo:29,labor:29,i1942652:78,list_of_list:80,typemap:55,immtyp:8,clientaddr:5,basic_ss:128,uncategor:29,passnam:83,grpc:40,dan:100,spell:[41,35,76],dai:[54,70,38,27,103,41,16,21],symbol2:36,symbol1:36,nval:78,mylist:100,isimplicitdef:8,strive:[14,76,101],createfcmpult:[25,26,30,31,32,33,34],parseexpress:[25,26,110,30,31,32,33,34],mem2reg:[81,61],mem2r
 ef:49,sin:[15,56],dllvm_libdir_suffix:70,add16ri8:8,lie:[49,29],getloopinfo:84,ssl_filetype_pem:40,ddi0419c:117,asymptomat:125,addtypenam:21,llvmsupport:[38,42],fluctuat:56,sexual:101,rex:78,paramattr:124,twice:[38,48,78,114,31,84,52,17,85,21],createmyregisteralloc:84,rev:[103,87,85,18,19,20,23,24],ret:[107,113,81,120,93,95,3,87,7],stub:[117,64,21,93,17,5,6,62],typenam:[5,21,60,110],stuf:7,rel:[38,93,70,81,29,2,103,76,36,61,124,53,122,7,68],rem:93,image_file_machine_powerpc:121,rec:[85,18,19,20,22,23,24],dw_apple_property_assign:115,barrier0:78,ref:[38,56,78,12],defens:41,math:[76,29,15,86,61,80,89],clarifi:[49,115],deregisterehframesinprocess:5,workflow:[91,114],flaghollow:100,thejit:[26,31,32,33,34],standalon:[43,26,27,93,28],invas:[41,100],bleed:[54,80],setinsertpoint:[25,26,30,31,32,33,34],jite:[54,6,62,9,108],retain:[69,21,29,107,84,11,41,87,78],hex64:100,suffix:[84,55,30,70,64,39,78,29,2,76,106,14,104,86,102,105,5,6,21,24],createcompileunit:26,targetregsterinfo:93,pgr:54,ualph
 a:45,secondlastinst:64,facil:[76,56,81,29,2,115,52,4,107,42],suffic:87,llvm_enable_eh:70,ancient:114,dllvm_use_sanitize_coverag:40,habit:[47,76],target_data:[85,18,19,20],messag:[76,70,106,119,92,29,2,80,7],sadli:91,dw_apple_property_sett:115,memory_order_releas:[78,95],lookuptarget:25,comparefp:128,gear:70,ogt:78,s31:78,s32:12,pg0:17,pg1:17,"__objc_imageinfo":78,nontempor:78,image_file_aggressive_ws_trim:121,source_i386:88,rpass:1,structur:[93,106,65,7,56,95,75,76,124,92],ssl_ctx_use_certificate_fil:40,"123mb":29,then_val:[18,19,20],machinemoduleinfo:82,thereaft:96,subclassoptionaldata:17,ehobj:120,deprec:[70,46,21,51,124],createtargetmachin:25,ispack:124,have:[99,76,101,2,104,53,7,74,55,106,56,58,15,61,80,92,107,81,29,83,37,36,87,68,70,39,120,93,95,41,124,114],tidi:84,llvm_build_dir:38,bpf_jsge:93,min:[48,40,78],mib:36,mid:[78,59,61],in64bitmod:93,sspreq:[78,124],mix:[76,113,7,93,95,73,98,80,43,21],builtin:[2,95,124,65],bpf_jsgt:93,startval:[25,26,32,33,34],p3i8:12,mit:41,isloc:[7
 8,115],poison_yet_again:78,unless:[47,76,0,49,50,103,104,78,10,7,14,61,80,18,20,21,64,113,81,29,114,32,34,84,86,70,119,39,92,40,41,96,120,127],freebsd:[38,46,93,103],fcuda:15,preliminari:46,nativeptrt:5,eight:[93,78,106],transcript:[85,31],v8i32:78,arm_aapcs_vfpcc:124,gather:[43,120,29,41],request:[79,38,106,81,78,41,124,120,98],image_file_machine_mipsfpu16:121,getdirectori:[26,115],institer:21,instantiatetemplateattribut:35,occasion:[81,124],removemodul:[31,32,33,34,5,6,62,60,9],addpassestoemitmc:79,addtmp:[25,26,30,31,32,33,34,85,18,19,20,24],dllexport:[78,124],elid:[81,59,128],ifconvers:64,text:[76,70,101,93,122,104,37,7,106],ifconvert:64,empir:15,sanitize_thread:78,targetpars:46,llvm_map_components_to_libnam:70,staff:0,dw_tag_pointer_typ:[78,115],loweroper:64,src_root:38,"__morestack":94,cpunam:[89,86],inferior:108,data64bitsdirect:64,print_newlin:[85,18,19,20],lower_bound:21,litvalu:124,sysv:[37,117],disagre:[78,101],bear:7,dllvm_dir:70,image_sym_class_member_of_struct:121,incr
 eas:[47,71,1,30,76,11,41,61,109,89,98,8,24],build_sub:[85,18,19,20,24],at_end:[85,18,19,20,24],callpcrel32:128,integr:[70,75],printlabel:64,conform:[38,100,81,21,2,76,86,78,60,62,107],project_nam:42,emitfnstart:93,ssl_ctx:40,dw_tag_file_typ:115,"0x00000233":7,athlon:25,dpython_execut:51,reform:76,pattern:[114,93,95,87,80],boundari:[47,124,78,93,31,95,87,21],progress:[69,70,81,28,2,103,41,78,82,117,93,21,22],"0b100":128,"0b101":128,switchtosect:93,nvptx64:12,phase3:48,plugin:[125,83,89],joke:101,equal:[76,17,3,78,112,56,107,61,18,19,20,21,110,23,25,26,64,29,32,33,34,68,39,120,93,124,128],instanc:[79,93,70,91,112,48,7,29,2,76,59,115,81,35,96,78,17,21,82],valuelistn:45,venu:0,revert:[38,41],guidelin:[21,76,41,13],vend:59,functionnam:[81,78],setmcjitmemorymanag:79,uid:106,gc_transit:49,endforeach:80,json:50,defini:77,llvm_cmake_dir:70,autovector:1,component_1:43,component_0:43,kw2:40,createmul:21,assert:[93,70],untyp:82,determinist:[56,21,40,93,35,114,92],plain:[84,127,21,9],baselay:60,
 defin:[70,124,56,93,95,3,87,80,68],operandtyp:64,noimplicitfloat:[78,124],func_typ:49,helper:[76,17,2,110,78,9,79,56,115,14,19,20,21,22,23,24,25,26,64,29,30,31,32,33,34,35],almost:[55,69,81,49,93,76,95,41,61,87,4,21],virt:21,srand:40,maystor:8,isreturn:[8,128],in32bitmod:93,"4gib":36,substanti:[76,56,81,31,85,78],prose:76,st7:8,unneed:[20,34],llvm_enable_zlib:70,japanes:38,addmoduleset:[5,6,62,60,9],"__cxxframehandler3":120,codepath:95,infer:[93,112,65,49,100,76,15,86,61,87,89],backtrac:[26,93],denot:[38,93,81,100,124,78],valueopt:29,dealloc:[81,78,11,21],default_branch_weight:3,sm_30:93,image_scn_align_32byt:121,sm_35:[15,93],center:26,neural:50,nevertheless:78,getopcod:[21,64],builder:38,col:26,dfpregsregisterclass:64,setp:12,choos:[71,0,101,77,78,9,125,13,21,110,64,81,28,29,31,32,115,84,87,89,70,91,46,93,41,126],error_cod:[25,21],usual:[76,17,50,27,11,53,78,60,9,55,112,56,7,14,16,21,26,64,113,81,82,29,83,115,84,36,38,69,70,91,92,40,93,94,95,73,41,124,127,98,128],unari:[28,45],tar
 jan:84,getgloballist:21,listconcat:[45,128],numberexprast:[25,26,110,30,31,32,33,34],p18:12,f_none:25,p19:12,tough:[110,23],cortex:[46,13,51,66],gendfapacket:93,adt:38,tight:[98,61],add_cfg_simplif:[85,18,19,20],memorymanagerptrt:60,onward:70,uwtabl:[78,115],add:[99,76,2,104,7,55,106,56,125,107,108,15,61,80,92,81,29,83,36,70,39,120,93,95,41,124],cleanup:41,getsymboladdressinprocess:[5,6,62,60,9],voila:40,citizen:21,dced:21,adl:110,successor:[76,120,93,58,78,68,61],match:[92,95,124,80],apple_typ:115,hypersparc:64,fnscopemap:26,pcre2posix:40,image_file_net_run_from_swap:121,punctuat:[45,76,78],realiz:[85,19,55,33],llvalu:[85,18,19,20,24],coldcc:[49,78,124],clang_bootstrap_cmake_arg:114,insert:[92,95,87,56],checkerrorcondit:21,success:[100,76,5,6,78,125,85,18,19,20,21,23,24,25,26,64,65,110,30,31,32,33,34,84,38,120,71,41],sstream:76,registeranalysisgroup:56,inferenc:93,c1x:78,soft:[89,115],crawler:81,unreach:[74,120,10],vec01:78,convei:[81,120,41,78,61],registermcobjectstream:93,"_m4enu
 m":78,proper:[74,76,112,64,21,2,95,78],getparamtyp:21,release_1:38,tmp:[70,113,81,21,93,31,34,14,88,78,85,20,7,42],incant:15,nvcc:93,llvmrock:76,esp:[46,93,7,8],nvcl:12,llvmaddfunctionattr:46,nonempti:78,"__internal_accurate_powf":12,esi:[82,93,8],trap:[61,113],notail:[46,78],intregsregisterclass:64,dce:[125,29,55],word32:93,noisi:[47,41,21],host:[76,70,93,15,114,89],although:[76,49,2,52,78,55,14,15,80,21,24,112,65,81,82,29,33,84,38,40,93,95,41,124,43,127],geometr:[27,16],simpler:[47,55,93,115,33,34,19,20,78,9],about:[76,2,53,7,55,106,56,108,15,41,80,29,37,67,68,70,119,120,93,95,122,86,124],actual:[99,47,93,48,49,50,27,11,76,110,4,5,6,7,60,9,79,62,106,56,112,78,115,107,14,15,16,61,17,85,18,19,20,21,22,23,24,26,2,64,113,81,28,29,30,32,33,34,84,126,87,80,69,92,40,100,95,41,42,124,120,43,128],socket:5,discard:[38,78,29,93,36,21,46],addendum:54,orcx86_64_sysv:5,vocabulari:78,guard:[76,36,61],ifexpr:[25,26,32,33,34,18,19,20],leverag:[81,38,21],rcx:[93,78,8],eh_fram:120,naveen:47,rcn:48,g
 etelementptrinst:21,"__cxxthrowexcept":120,biggest:[93,59],calltwo:21,macinfo:78,mm3:[8,128],d18035:46,functionlisttyp:21,unexpect:[76,17,50,34,52,41,80,20],f4rc:93,bur:69,brand:84,machinefunctionpass:64,bui:51,inlin:95,bug:[76,101,39,125,93,7,80,92],wise:78,mcpu:[39,64,12,13,51,14,86,89],wish:[38,55,71,0,91,64,113,78,29,2,15,61,49,17,70,21,128],srcarglist:78,rc1:48,rc2:48,"__nvcc__":15,emitjumptableinfo:64,sockaddr:5,pin:[49,78],sin_famili:5,hashfunctiontyp:115,dure:[99,48,49,50,103,3,77,78,55,14,15,61,80,17,21,81,29,115,68,38,70,120,46,93,122,41,96,98,40],pic:[93,64,46,71,13,115,89],print_list:80,int64_t:[100,21],pf_inet:5,extra_sourc:80,llvm_append_vc_rev:70,guidanc:[76,61],my_function_precis:12,detail:[70,101,56,93,95,80,92,68],virtual:56,dw_apple_property_strong:115,out:[87,56,95,124,114,92],apple_objc:115,gcc:[104,47,93,117,38,120,78,29,71,13,95,103,73,76,80,125,122,21],pi8:123,escap:[38,56,45,7,33,14,81,98,120,19,78,44],ksdbginfo:26,al_aliasset:64,kw3:40,afterbb:[25,26,32,33,
 34],craft:21,predsens:77,"_zfoov":78,unshadow:[25,26,32,33,34,18,19,20],twoaddressinstructionpass:93,eliminateframeindex:64,liveout:[49,96],n2756:76,poorli:[76,68],bpf_arsh:93,getreginfo:93,undef:[120,7,95],patcher:96,isvi:64,spec:[45,100,21,50,71,115,103,14,82,78,128],bb0_1:12,add_incom:[18,19],concret:[29,93,124,103],under:[76,49,27,5,6,62,60,9,74,12,125,107,59,8,14,123,16,61,110,23,63,2,64,29,84,126,78,38,70,91,120,40,93,73,41,114,43],runhelp:76,testabl:91,playground:[28,22],everi:[124,56,93,95,3,87,80,92,68],risk:[78,51,103],f934:64,rise:76,risc:[93,95,64],implicit:[120,76,93,7],upstream:[38,15,61],printfunctionpass:47,llvm_yaml_strong_typedef:100,mygc:81,isv9:64,llvmparsebitcodeincontext:46,isdefinit:[78,115],x86_64:[88,93,7,51,61],properti:[74,76,124,56,29,93,95,87],x86call:128,xxxinstrinfo:[77,64],codeviewdebug:115,naiv:47,nail:[18,32],xf8:40,xor32rr:[82,93],llvm_yaml_is_document_list_vector:100,xf7:40,hide:76,introspect:[49,44,98,78,66],foundfoo:76,hi16:93,asymmetri:[99,17],
 functiontyp:[25,26,30,31,32,33,34,21],studio:[38,76,36,70,114],path:[99,47,76,49,50,2,51,104,52,78,9,106,12,125,13,14,15,116,61,80,20,21,42,111,65,81,34,84,86,88,89,38,70,120,40,56,95,122,73,114,118],dlopen:84,forum:[54,78,101],parallel_dir:42,mypassopt:84,anymor:[84,21],pointcount:81,portabl:[93,70],precis:[38,112,56,81,93,95,86,89],isomorph:107,nontempl:29,cmake_c_compil:38,strai:14,printf:[25,26,38,92,115,107,31,32,33,34,73,52,98,5,20,78,19,74],dllvm_enable_backtrac:38,ymin:[19,33],smallsetvector:21,describ:[74,99,55,93,124,106,39,65,120,29,2,86,95,75,41,36,87,80,76,7,68],would:[99,93,52,76,53,7,74,56,78,107,15,61,80,112,113,81,82,29,126,86,87,68,38,69,120,40,71,95,73,41,124,114,43],gcstrategi:81,addincom:[25,26,32,33,34],llvm_doxygen_qhp_cust_filter_nam:70,initializealltargetmc:25,autogen:40,musl:[40,46],n1720:76,must:[39,114],shoot:[85,31],"__sync_fetch_and_xor_n":95,join:[84,78,21,89],getnumoperand:21,"0x4db504":40,image_file_machine_mipsfpu:121,runfunct:[21,108],norm:[45,0,12
 8],localrecov:120,"__data":78,succee:31,virtreg2indexfunctor:93,inadvis:113,registerehfram:[79,5],attract:[81,41],norecurs:78,makellvm:38,uselistord:78,straightforward:[93,112,64,115,30,31,32,33,34,84,16,87,85,18,19,20,21,107,24],pipefail:2,compiler_rt:41,concis:[93,29,41,76,113],hasnam:21,env:[48,50],frameless:93,ancestor:[78,112],getcompilecallback:[5,6],collaps:78,dialect:[44,78],memorydependencyanalysi:95,createfil:26,badli:61,getreservedreg:64,mesa:46,attrspellinglistindex:35,parallel:[38,2,70,93,69,126,78],descent:[28,110,33,19,22,23],r_arm_thm_movw_abs_nc:13,parserclass:29,includedir:111,environ:[104,38,93,70,47,81,78,29,2,95,72,73,11,76,36,4,21],incorpor:[93,21,112],enter:[38,93,70,91,78,110,2,31,115,92,9,124,120,85,21,23,61],exclus:[49,29,93,95,123,78],composit:[78,21],wavefront_sgpr_count:39,over:[87,56,93,124,80,92],commasepar:29,imul:93,blatent:[20,34],optional_dir:42,str_offset:115,rfunc:10,parseparenexpr:[25,26,110,30,31,32,33,34],align32bit:124,qeaa:120,baseinstrinfo:
 35,image_sym_type_dword:121,tramp:78,surpris:[21,27,16,78,17],replaceinstwithinst:21,getorinsertfunct:21,llvmbitread:42,comprehens:[38,47],llvmbc:124,settruncstoreact:64,cfgsimplifi:21,getlazyresolverfunct:64,echo:[38,127],const_global_iter:21,"0x60500020":121,cmake_cxx_flags_releas:38,alex:74,exampletest:2,modrefresult:56,each:[71,101,17,2,103,104,76,77,7,79,55,106,12,78,107,61,80,93,92,74,111,112,113,81,29,83,86,87,66,89,67,37,68,38,69,70,119,120,40,56,95,122,72,41,124,114,43,98],use_begin:[76,21],sk_lastsquar:112,prohibit:[98,95],abbrevwidth:124,setsubprogram:26,runtest:[48,13],ptrtoreplacedint:21,tag_pointer_typ:115,goe:[26,100,70,93,64,12,81,78,40,71,95,34,61,120,44,20,21,107,115],llvm_optimized_tablegen:[38,70],newli:[26,62,47,38,49,30,31,32,33,60,73,85,18,5,6,21,19,9,24],laid:[85,78,93,21,87],adjust:[122,59,61],has_disassembl:43,got:[38,29,93],unimagin:49,debug_pubnam:115,precaut:21,threadidx:[15,12],free:[76,0,101,49,27,103,11,62,9,117,56,14,16,61,85,21,22,24,81,28,30,31,32,
 33,34,84,69,91,40,93,95,46],getfilenam:[26,115],rangelist:45,objectlinkinglay:[5,6,62,60,9],galina:126,"0x580be3":40,precompil:12,sandylak:25,distract:41,puzzl:71,astdump:35,r9d:8,r9b:8,openssl:40,filter:70,addrspac:[49,120,78,12],rais:[47,81,78,92,120,49,85,18,19,20,21,22,23,24],runtimedyldimpl:79,r9w:8,app:[72,76,21],onto:[38,123,81,17,93,115,103,41,78,21],rand:40,rang:[76,101,39,56,29,93,86,92,68],xnorrr:64,dw_apple_property_class:115,wordsiz:81,rank:47,restrict:[93,29,41,76,95],datastructur:21,alreadi:[100,0,49,52,76,5,78,8,9,55,93,56,112,115,59,60,14,80,17,85,18,19,20,21,22,42,24,25,26,64,81,28,29,30,31,32,33,34,84,38,70,46,71,94,41,96,127],hackabl:[28,22],createcfgsimplificationpass:[26,31,32,33,34,5,6,62,60],primari:[101,78,54,56,80,85,18,19,20,21,22,23,24,25,26,81,28,110,30,31,32,33,34,120,40,93,41],rewritten:93,nomenclatur:114,top:[93,70,65,2,95,56,76,124,80,89,7],cstring:5,seq_cst:[78,95],tot:49,downsid:21,tok:[26,78],ton:[28,22],too:[99,93,17,27,51,52,76,4,78,60,14,16,20,
 92,110,23,26,29,34,84,38,21,40,100,73,41,114,128],tom:100,toc:93,dw_apple_property_nul:115,initialize_native_target:[85,18,19,20],targettripl:25,createalloca:[25,26,34],tool:[114,124,56],usesmetadata:81,took:[46,85,18,19,20,24],"__sync_fetch_and_nand_n":95,targetgroup:43,conserv:[76,56,81,49,95,103,84,98,96,78,68],createparametervari:26,dw_tag_gnu_template_template_param:78,reinterpret_cast:5,expr:[25,26,10,118,110,32,33,34,85,18,19,20,23,24],zero:[76,102,2,104,53,7,74,10,105,125,58,15,111,65,29,83,86,87,89,119,93,37,124,118],initsynclibcal:95,misunderstood:107,"__atomic_exchang":95,fashion:[78,55,36,64],ran:[84,104],ram:[126,40],dw_tag_string_typ:115,lbd:63,further:[124,38,76,70,120,113,81,7,40,2,95,103,52,41,61,78,17,21],unreloc:49,rax:[64,49,93,96,82,78,8],get_reginfo_target_desc:35,adc32mi:8,unresolv:[27,2,16],thorough:76,sk_somewhatspecialsquar:112,xfail:[14,50,2],expr0lh:74,thoroughli:[18,46,32],adc32mr:8,atom_count0:115,interproceedur:60,though:[47,76,17,50,52,78,9,55,115,14,
 61,85,20,21,110,23,24,26,112,113,81,29,30,32,34,84,68,120,40,93,95,98],visitfab:55,glob:10,"__apple_typ":115,bss:89,sethi:64,bsd:[38,37,41,106],"_ztv1c":123,"16bit":25,"0x00000002":115,"0x00000003":115,"0x00000000":115,"0x00000004":115,v8p0f64:78,excis:78,metal:78,roots_begin:81,getorcreatefoo:21,abbrev:[97,124],declar:[55,93,112,12,17,29,56,59,7,76,124,43,78,107],radix:[37,93,76],prepend:[104,78,21,115,80],shouldexpandatomicstoreinir:95,saga:[18,32],"0x70b298":84,random:[125,76,2,92,75],radiu:112,smallvectorhead:21,popq:[49,96],pkg:50,radic:93,dfapacket:93,lit_config:2,absolut:[104,76,7,68],package_str:70,bitcoderead:55,resolverti:78,cxx_fast_tl:78,nextprec:[25,26,110,30,31,32,33,34],multiclassid:45,getreg:[93,64],llvm_yaml_is_sequence_vector:100,label0:78,twiddl:[31,32,33,34,85,18,19,20,78],watch:[41,76],image_scn_type_no_pad:121,pointertyp:21,report:[101,56,2,86,53,92],rl247422:40,rl247420:40,jitcompilecallbackmanag:[5,6,62],woff2:40,sparclet:64,aliasanalysisdebugg:56,start_val:[
 18,19,20],sunit:93,isoper:[25,26,33,34],basicblock:[38,76],stringwithcstr:115,lto_module_is_object_file_for_target:98,irgenandtakeownership:[5,6],nuw:[78,61],adttest:70,storesdnod:64,richer:96,nul:[19,21,33],num:[81,49,78,64],libsampl:42,corrupt:[106,120,40,27,11,16],dumpattr:35,afterward:[49,61,47],hopefulli:[47,29,76,124,56],databas:[27,16,100],image_file_machine_mips16:121,valb:12,tolmach94:81,mul:[7,113],approach:[76,70,112,113,92,29,93,87,120,77,78],weak:[17,95,34,98,61,124,37,20,78,21],protect:[76,0,64,40,93,95,124,4,78],blocknam:124,fault:[125,41,87,120],lgkmcnt:39,r7xx:117,llvmdummycodegen:64,mybarflag:100,lto_module_cr:98,kwd:[85,18,19,20,22,23,24],callseq_end:49,canlosslesslybitcastto:17,test_suite_host_cc:50,max_int_bit:21,trust:[41,76],nake:[78,124],xemac:38,nonsens:[20,127,34],been:[47,93,0,120,109,48,49,27,103,80,52,76,53,4,5,6,7,8,9,79,55,106,11,12,78,115,107,60,15,16,61,17,85,18,19,21,110,23,24,25,26,2,83,108,64,113,81,29,30,31,32,33,34,84,87,38,70,91,92,40,100,95,41
 ,96,42,125,127,45,46,128],accumul:[47,1,40,85,18,19,20,23,24],fnloc:26,quieta:29,oldbind:[25,26,20,34],quickli:[76,106,56,120,29,93,92],getsymbolt:21,"0x000003bd":115,msec:1,xxx:[50,76,7,64],uncommon:[120,78,80],kw1:40,expected_v:78,testcaselength:21,vulcan:46,"catch":[29,41,108],image_rel_amd64_sect:36,image_sym_class_undefined_stat:121,simplevalu:45,basic_p:128,basic_r:128,lesser:87,weren:41,curvar:[25,26,20,34],cumemalloc:12,binoprh:[25,26,110,30,31,32,33,34,85,18,19,20,23,24],cdecl:78,p_reg:93,image_sym_type_mo:121,svr4:106,vk_argument:76,exterior:49,registermypass:84,tediou:100,list_property_nam:43,suggest:[84,38,76,91,56,49,13,72,41,61,78,109,21,8,42],armasmprint:35,ilp32:[27,16],disposit:41,dooneiter:92,complet:[47,100,0,49,2,75,103,104,52,76,110,4,5,6,78,60,9,79,54,93,12,62,115,14,17,85,18,19,20,22,23,24,25,26,83,64,81,28,29,30,31,32,33,34,84,68,80,69,70,120,40,56,41,124,125,97,98,128],asan_opt:40,sched:[89,93,64],darwin9:7,pick:[93,70,91,113,81,40,71,13,76,87,89],xyzzi:76,b
 inaryexprast:[25,26,110,30,31,32,33,34],build_ret:[85,18,19,20,24],"0x08":115,introductori:54,property_nam:43,redefin:[128,30,33,34,19,20,24],sethiddenflag:29,image_scn_mem_not_pag:121,bugzilla:[54,48,49,40,103,14,41,46],shortli:26,memarg:59,everyth:[51,103,52,110,78,60,54,12,13,14,80,18,19,22,23,24,113,28,29,30,32,33,84,38,93,95,73],spencer:4,addend:[93,78],makevehicl:76,setcurrentdebugloc:26,finalizememori:79,"0x01":[74,8,115],meta:[81,21,46,93,115,96,78,8],numliveout:96,shorthand:128,lambdaresolv:[5,6,62,60,9],"0x03":96,eli:15,expos:[38,93,47,81,49,29,2,76,95,92,56,98,78,40,21],interfer:[120,78,61,113],patchpoint:78,ifcond:[25,26,32,33,34,18,19,20],elf:[67,93,117,124],"0x7fffffffe018":108,at_artifici:115,explanatori:[50,41],elt:78,gave:[17,62],xnor:64,setloadxact:64,disableencod:8,x0abar:40,howtosubmitabug:38,atomic_swap:95,"______________________":21,thumb2:[117,93,78,66],rip:[14,82,78,8],thumb1:[117,46,78],gr64:93,end_:[18,19,20],apart:[70,21,87,56],unindex:64,arbitrari:[76,49,
 27,110,78,56,113,16,85,20,21,22,23,24,2,64,65,81,28,29,30,31,115,34,84,120,93,41,96,124,43,128],loadlal:78,contradict:41,dynamiclibrari:[5,6,62,60,9],build_add:[85,18,19,20,24],unstabl:[48,51],entry_block:20,hung:21,ifexprast:[25,26,32,33,34,18],scopelin:[26,78,115],llvm_use_sanit:70,excerpt:12,"000000e":[30,31,32,34,85,18,20,24],enumcas:100,indirect:[93,36,107],successfulli:[71,56,49,1,13,33,103,120,126,97,19],live_end:81,"0x401000":88,icc:[38,115,1],attrparsedattrimpl:35,guaranteedtailcallopt:78,armv5:95,armv7:[38,117,13,51,103,87,78],armv6:[117,51],armv8:[46,117,8],registerclass:[93,35,8,64],icu:40,core:[38,55,70,56,120,40,13,51,126,41,80,43,78],clase:21,tour:[110,23],subtmp:[25,26,30,31,32,33,34,85,18,19,20,24],new_corpus_dir:40,cast210:78,"0x2":[96,93,21],meyer:76,chapter:[17,54],min_int_bit:21,canreserveresourc:93,surround:[47,113,7,95,96,78,8],unfortun:[76,78,46,27,31,32,59,84,16,17,85,18,21],distinct:[47,93,124,113,56,7,40,30,115,14,120,78,49,43,21,24],g_inlined_into_f:88,al
 go:84,bitsetcas:100,produc:[47,100,120,1,49,2,76,53,4,78,60,9,74,93,7,115,58,13,59,16,17,85,18,20,21,107,62,24,26,83,64,113,81,86,30,31,32,34,84,35,87,106,38,70,92,40,71,95,73,41,125,43,44,46],addpsrr:128,ppa:38,"_zts1a":123,"_zts1c":123,"_zts1b":123,instcombin:92,regist:[87,56],heffernan:15,encod:[87,95,39],othervt:64,unwelcom:101,parse_bin_rh:[85,18,19,20,23,24],functionproto:[25,26,31,32,33,34],createfmul:[25,26,30,31,32,33,34],storag:[93,124],addpsrm:128,git:[41,70],frustrat:101,closur:[43,27,16],why:[41,76,101,56],gif:40,"0x7":93,gid:106,image_sym_type_enum:121,"__sync_lock_test_and_set_n":95,sub_8bit:82,head:[38,76,81,45,114,127,78,128],medium:[89,78],heal:99,unconvinc:40,modulepass:56,p0i32:7,add_definit:70,heap:56,icmp:[99,124],n2541:76,counsel:41,attr:[35,78,115,124],symbolresolv:[60,9],pugixml:40,fundament:[120,29,93,76,80],autoconf:[70,46,107,51,103,80,21],motion:[38,69,78,56],loadregfromstackslot:[93,64],adorn:[127,78],uncoop:81,logerror:[25,26,110,30,31,32,33,34],trig:6
 4,eieio:78,"_ztv3bar":7,adjac:[78,21,45],bore:84,readonli:[47,49,115,96,61,124,78],tirefactori:76,instrprof_:78,add_execut:[70,80],when:[124,114,95,87,56],tii:93,tid:12,tie:78,pseudonym:0,node:[93,68,3,56,53],v_mul_i32_i24_e64:39,uint8:[99,96],consid:[74,99,76,124,101,39,56,125,29,93,108,37,87,120,68,107],idx3:113,cooper:[81,73],idx1:[78,113],idx0:78,uniformli:76,"0x0f":96,libcuda:12,longer:[47,76,78,60,106,107,61,20,21,42,81,31,34,84,66,40,93,95,122,41,127,46],bullet:[107,112],freebench:50,seciton:36,backward:[29,124],rob:15,focus:[93,64,81,49,58,14,21],catagor:47,movabsq:[96,94],signific:[55,76,124,87,56,81,28,40,32,33,84,41,98,78,49,17,19,21,22],computation:69,llc:[125,93,7,75,92],mips64el:46,n32:[46,78],printdatadirect:64,addregisterclass:[93,64],readabl:[93,95],d18562:46,getorcreatetypearrai:26,pop_back:[26,29,21],sourc:[114,92,56],t1item:17,feasibl:[78,115],cool:[25,26,29,30,31,32,33,34,84,85,18,19,20,24],cuctxcreat:12,curop:64,sparcv8:[78,95],level:[114,95,56],quick:[92,56],r
 elease_26:38,release_27:38,release_24:38,release_25:38,"__builtin_longjmp":120,release_23:38,release_20:38,release_21:38,release_28:38,release_29:38,hsa:[93,39],magnif:[28,19,22,33],endcond:[25,26,32,33,34,20],port:[38,93,1,46,27,16,126,4,5,107],llvmlib:42,repli:41,"64bit":[48,78],exitcond:78,sgi:21,alphajitinfo:64,cmp0054:80,eckel:21,u32:[93,12],negeightkind:78,varnam:[25,26,32,33,34,18,20],declare_funct:[85,18,19,20,24],fmax:78,memory_order_relax:[78,95],rl247405:40,fmag:106,dw_tag_restrict_typ:[78,115],cmakeparseargu:80,preorder:112,zerocont:11,errorinfo:21,createbasicaliasanalysispass:[26,31],writethunk:17,switchsect:[81,93],strtod:[25,26,28,29,30,31,32,33,34,110],r6xx:117,legalizedag:55,"__sync_synchron":95,dorit:1,weird:93,automaton:[93,35],machine_version_minor:39,semant:[76,120,93,95,15,107],inlinedat:[78,7],builder_at:20,circumv:29,tweak:[38,112,29,31,72,15],visibl:[76,106,29,93,95,124],memori:39,camlp4of:[85,18,19,20,23,24],pred:[12,78,32,34,120,18,20,21],preg:[40,93],pref
 :[78,21],todai:[49,76,96,95,113],handler:[99,21,93,95,120,78],upheld:49,instalia:93,diflagvector:78,msg:[78,21],andw:7,prev:21,msb:93,reorder:[78,115,7,95,49],newptr:78,plug:[30,24],capit:[41,76],p0v2f64:78,drown:50,prototyp:[10,76,78,55,61],build_br:[18,19,20],registerinfo:[82,93],function_typ:[85,18,19,20,24],purpos:[47,76,109,48,49,11,4,78,8,9,12,61,17,21,26,113,29,30,84,35,87,38,120,93,41],explor:[49,21,91],preemptibl:47,sidelength:112,parse_binary_preced:[19,20],backslash:40,add8rr:93,critic:[76,56,81,103,61,80,89],gettyp:[76,21],alwai:[74,80,10,41,124,101,39,56,120,29,2,76,95,3,61,87,53,93,7,107,106],differenti:[43,4,36,91],localescap:120,stepval:[25,26,32,33,34],twoargfp:128,anyon:[0,64,115,95,41,80],fourth:[64,29,115,84,96,18,78],cstptr:78,"__nv_isinff":12,testfunc:[85,31],xzr:78,clone:[38,40,2,34,84,73,35,20,21,110],mcdisassembl:93,r_amdgpu_rel64:93,"4th":93,netinet:5,shared_ptr:[5,6],geforc:12,testresult:54,colfield:77,practic:[99,76,29,107,95,41],firstlett:108,calltmp6:[2
 0,34],predic:[95,87],the_fpm:[85,18,19,20],cse:[85,55,69,31,95],preced:[47,76,2,11,78,9,56,7,115,85,18,19,20,21,22,23,24,25,26,65,28,110,30,31,32,33,34,37,96,45],combin:[92,70,95,124],practis:68,image_file_machine_amd64:121,sphinx_execut:70,"_zts1d":123,blocker:48,ymmv:76,size_t:[81,40,100,98,95],synthesizedcd:87,canari:78,fsanit:40,foo_dtor:59,gte:78,branch_weight:[3,68],passag:76,gvnhoist:46,pinsrd:7,platform:[95,114],gtu:12,symbolresolverptrt:60,getsymboladdress:[5,60,61],ymm0:96,underneath:[14,38,42],maskedbitsetcas:100,flagspointi:100,inoperandlist:[8,64],term:[47,76,101,49,4,78,60,54,56,107,14,17,81,82,115,87,69,91,120,93,95,41,96,45,128],amdgcn:93,name:[70,39,114,95,3,124,80],getoperatornam:[25,26,33,34],realist:[81,110,23,128],r_amdgpu_abs32_hi:93,varexprast:[25,26,34],retcc_sparc32:64,the_execution_engin:[85,18,19,20],individu:[38,55,76,124,106,92,40,2,103,104,52,41,61,87,53,43,78],otherspecialsquar:112,const0:124,getdoubleti:[25,26,30,31,32,33,34],hacker:[54,41],profit:[99
 ,47,1,93,15,61],decimalinteg:45,profil:[104,3,75,114],sctx:40,debug_level:29,roundp:1,iscxxclass:115,factori:[47,76,21],aliase:[17,78,124],unfriendli:40,numberofcpucor:40,use_s:21,"\u03c6":78,migrat:[81,41],write_escap:84,hd2xxx:93,integertyp:21,theori:[17,27,16,100],getvalueid:17,"_r0h":120,boehm:81,cmake_parse_argu:80,synchron:[98,78,95],refus:[38,10,70,119,47,102,83,105,9],codegen:39,turn:[70,101,93,95,87,80,92],place:[47,93,1,48,49,27,76,110,114,78,8,82,74,55,106,60,14,16,61,17,85,19,20,21,22,42,24,2,64,113,81,28,29,30,31,115,33,34,84,126,87,89,38,91,39,92,46,100,73,41,96,120,43,128],ture:[85,110,31,23],imposs:[64,56,27,95,41,16,87,9],str1:128,origin:[0,101,49,104,4,78,60,9,106,7,65,8,41,109,21,26,113,115,38,120,93,123],suspend:81,redhat:72,toruntimedyldsymbol:[5,6,62,60,9],dw_apple_property_copi:115,arrai:[106,56,93,15,87,124],bou_fals:29,rodata:64,readattribut:35,predefin:[84,93,19,2,33],unrecogn:29,"0x00003550":115,given:[47,93,49,2,104,52,76,110,53,4,5,6,62,60,9,79,55,106,56
 ,112,78,58,61,80,19,21,107,23,24,83,64,65,29,30,31,115,33,84,35,88,68,38,70,91,120,100,95,122,73,123,96,124,43,45,128],frameindex:64,stuck:[27,16],image_sym_class_external_def:121,associ:[47,76,49,11,3,4,78,79,106,80,17,21,110,23,74,64,81,29,31,86,36,87,66,68,69,120,46,93,123,96,124,43,128],reli:[76,1,48,49,78,9,107,14,61,80,20,21,113,81,115,34,87,68,40,93,41,98],assort:26,necessarili:[26,76,113,38,48,49,107,115,89,78],circl:112,white:117,alac:50,cope:[29,21],exitonerr:5,copi:[70,56,93,95,124,92],dblty:26,image_scn_mem_execut:121,enclos:[76,7,14,96,124,88,21,128],pragma:15,grunt:29,releasei:48,serv:[47,0,113,54,45,2,115,14,96,87,120,5,6,21],wide:[101,27,51,95,78,54,12,16,80,85,18,21,113,81,31,32,115,38,46,93,56,124,45,128],image_sym_type_doubl:121,subexpress:[69,56,110,31,32,33,34,84,85,18,19,20,23],getoperationnam:55,posix:[37,70,106],balanc:[41,95,114],posit:[89,93,7,124,122],ebp:[120,93,8],xxxgenasmwrit:64,p20:12,pre:93,pro:87,isfunct:115,subroutin:[81,78],doiniti:[40,64],imm_eq0
 :8,bitwis:93,llvm_create_xcode_toolchain:70,techniqu:[1,17,78,56,85,18,19,20,92,22,23,64,81,28,110,31,32,33,34,84,21,93],ebx:[93,36,8],moreov:[47,93,78],codegen_proto:[85,18,19,20,24],instrprof:78,sure:[93,1,48,51,103,104,52,76,4,8,55,56,125,115,107,13,14,16,61,109,20,21,110,24,25,26,112,29,30,31,32,33,34,84,87,38,70,91,71,95,72,73,41,126],multipli:[47,55,69,21,93,122,15,78,68],"__asan_memcpi":40,clearer:76,fca:69,nproc:38,llvm_build_llvm_dylib:[38,70],gunzip:[38,52],fco:64,bb0_30:12,earlyclobb:82,later:[47,76,49,50,80,104,78,9,79,7,115,14,61,17,85,18,19,20,21,23,24,26,64,110,30,31,32,33,34,84,38,70,120,40,93,96,42,114,127,46,74],quantiti:78,mybison:50,runtim:[74,3,29,93,95,108,104,15,41,114,117,92],readjust:93,"0x90":49,xxxasmprint:64,cs2:[78,56],cmakelist:[38,80,70,64,65],apple_namespac:115,build_cal:[85,18,19,20,24],uncondit:[47,64,49,93,32,104,18,19,20,78],cheat:62,cheap:[62,76,21,95],recombin:9,permiss:[79,38,0,106,41,126,9],culinkst:12,"__global__":15,explicitli:[47,76,1,49,50
 ,27,7,79,56,78,107,59,16,61,21,24,113,81,82,29,30,38,70,91,40,93,114,128],realign:78,derivedtyp:[55,30,31,32,33,34,21],state:[99,76,56,81,82,29,93,95,103,41,87,120,78,40],sk_circl:112,buildmodul:9,abs_fp32:8,analys:[47,55,83,54,21,56,115,84,38,93,78,68],llvm_scalar_opt:[85,18,19,20],mcsectionmacho:93,viewpoint:101,yaxxz:120,jazz:42,ssp:[78,115,124],allocat:[93,78,64],ssl:40,dyn:67,tailor:51,image_comdat_select_largest:78,use_llvm_executionengin:[85,18,19,20],sse:[25,64,93,11,66,78],regtyp:64,dw_tag_packed_typ:115,reveal:113,"0x00002023":115,dramat:[38,76,29,31,86,85,78],irrespect:70,fastcc:[93,78,107,124],indirectstubmanag:[6,62],bison:50,scott:76,backedg:[47,49,32,33,18,19,68],drawback:[41,29,6,21,80],n16:12,pane:91,noth:[84,47,0,113,81,28,93,34,14,78,4,20,21,22],maximum:[93,70,56,21,29,53,95,68,17,78,40],labori:21,mov32rm:82,detect:[70,2,7,58,39],mov32ri:[82,93],review:76,get_register_match:35,cxx_fast_tlscc:[78,124],image_scn_cnt_uninitialized_data:121,abs_f:8,cycl:[98,78,115,120
 ],bitset:[100,64,123],collect2:73,come:[93,101,17,27,104,76,77,62,9,55,106,12,78,115,59,14,16,80,85,18,20,21,22,42,24,113,81,28,30,31,32,34,84,38,70,100,41,124,125,128],latch:78,at_apple_runtime_class:115,region:[104,124,39],quiet:[29,2,78,108],contract:[15,61],nocaptur:[47,78,124],entir:[47,71,1,49,50,27,104,76,53,78,106,12,7,14,16,61,85,93,21,24,2,64,113,81,29,30,31,115,84,87,38,40,56,95,100,41,124,43],image_scn_mem_purg:121,imgrel:36,image_file_machine_powerpcfp:121,nnn:106,color:[104,93,21],rescan:17,inspir:[47,78,115],period:[81,92,40,14,41,78],pop:[25,26,81,78,93,32,34,124,114,18,20,21],hblcnsviw:29,image_file_machine_sh4:121,image_file_machine_sh5:121,colon:[70,100,14,80,43,7,128],image_file_machine_sh3:121,dw_form_ref4:115,poll:[81,49],coupl:[26,98,91,78,27,32,33,95,84,41,16,61,18,19,21,128],ssl_free:40,test_source_root:2,sectionnumb:121,debug_str:[7,115],hexinteg:45,savesomewher:76,variableexprast:[25,26,110,30,31,32,33,34],mytype1:100,andrew:81,mytype2:100,mrmdestmem:64,in
 strssrr:128,intertwin:69,"case":[124,76,70,101,56,92,93,95,3,87,80,7],addimm:93,subtool:15,permut:78,stackgrowsdown:64,registerwithsubreg:64,dw_apple_property_weak:115,cast:[29,76,87],tblgen:[93,70,75],"__atomic_load_n":95,exportedsymbolsonli:60,dcmake_c_flag:51,emittrailingf:95,isextern:115,good:[38,55,69,117,56,125,29,93,76,51,92,41,61,103,78],clutter:41,image_file_up_system_onli:121,rangepiec:45,d14:64,d15:64,addedcomplex:8,value_desc:29,d10:64,d11:64,d12:[123,64],d13:64,ubsan:40,trip:[47,40,76,78,87],html:[38,55,76,70,48,40,13,103,104,35,117,50],intreg:[77,64],eventu:[47,112,49,40,32,59,78,120,18,7,50,9],llvmlibthin:116,hasadsizeprefix:8,week:[41,0],image_sym_class_label:121,nest:[76,56,81,120,2,124,80,93],confidenti:[41,0],driver:[117,12,28,13,14,104,15,98,42],director:41,devoid:93,viewgraph:21,moder:[21,76,0,91],supporttest:70,justifi:[98,106],iterat:21,"__main":84,model:[93,120,29,2,95,76,36,124,80,89,107],unimpl:84,tip:[41,92],"0x000003f3":115,violent:101,redwin:93,kill:[84,
 125,93,92,82],xxxbranchselector:64,dynamic_cast:[25,26,76,112,34,21],blow:40,miscellan:106,widest:41,hint:[76,113,78,61,88,92],except:[70,101,39,56,124,93,95,87],blog:46,cxx:[48,38,13,73],blob:[48,124],notori:4,vulner:11,disrupt:127,cudadevicereset:15,image_sym_dtype_point:121,predrel:77,subtargetfeatur:[46,8,64],createbr:[25,26,32,33,34],image_sym_class_union_tag:121,"0x000003ff":93,saniti:[43,38,40,61],"0x1000":115,whitespac:[25,26,76,38,45,28,110,30,31,32,33,34,41,85,18,19,20,7,22,23,24],image_scn_align_256byt:121,tend:[99,38,76,113,48,58,115,41,43,21],evergreen:117,at_apple_property_attribut:115,critedge1:12,freez:103,slice:[45,21,128],"__atomic_fetch_nand_n":95,easili:[25,38,71,47,81,49,29,65,115,84,100,14,76,96,61,17,43,4,93,21,62],benefici:1,legal:95,gridsizex:12,encodecompactunwindregisterswithoutfram:93,gridsizez:12,freea:59,libfil:111,freed:[94,21,60,9,56],ffi_include_dir:70,llvm_doxygen_svg:70,garbag:[107,124],inspect:[93,78,61,124,113],boolordefault:29,bpf_mul:93,oneargf
 prw:128,microcontrol:117,immut:[84,78,21,66],execv:4,mergabl:47,cmptmp:[25,26,30,31,32,33,34,85,18,19,20,24],stanc:76,cuda:93,image_scn_align_16byt:121,onon:78,routin:[47,93,81,17,2,95,41,120,78],llvmsetdisasmopt:44,dw_at_nam:[7,115],tbcc:64,lastli:[14,26,84,66],overrod:128,idx2:113,cpu_powerpc:100,possbil:100,unconvent:[27,16],classess:64,baeslayert:60,fcc_g:64,getbuff:100,strict:[109,7,30,115,61,87,17,43,21,8,24],racist:101,v_mul_i32_i24:39,mm4:[8,128],out_of_bound:80,strictli:[25,38,12,49,7,30,32,115,120,78,18,4,21,9],blocklen_32:124,machin:[70,87],fcc_u:64,"__llvm_coverage_map":74,mm6:[8,128],tupl:78,regard:[54,76,107,95,59,35,103,78],ocaml_lib:[85,18,19,20,24],amongst:95,mm0:[93,8,128],setjmp_buf:120,type_info:120,r_amdgpu_abs64:93,getdata:76,faster:[38,76,106,21,46,51,92,15,120,17,126,78,40,115],cmakecach:[70,80],nmake:70,parsetoplevelexpr:[25,26,110,30,31,32,33,34],handletoplevelexpress:[25,26,110,30,31,32,33,34],make_uniqu:[25,26,110,30,31,32,33,34,5,6,62,60,9],dstindex:64,x
 86_stdcall:93,primarli:82,dllvm_external_bar_source_dir:70,clrq:93,clrw:93,cbe:71,frighten:40,strongli:[69,81,46,27,13,32,34,76,16,61,80,18,20,128],clrb:93,intro:[54,20,117,34],enginebuild:[79,5,6,62,60,9],umax:78,encompass:[51,66],rearrang:69,jitfuncid:5,tok_eof:[25,26,28,110,30,31,32,33,34],clrl:93,incorrect:3,new_potentially_interesting_inputs_dir:40,idiom:[29,30,21,24],"0xabcdef00":49,symbol:[76,106,56,93,75,116,104,124,53,89],briefli:[74,17,84],mrmsrcreg:64,lexicalblock:26,llvmcreatedisasm:44,serious:52,buildmi:93,llvm_include_exampl:70,callq:[49,94,96],directori:[111,93,70,114,2,76,104,15,41,61,80,118],invest:55,calle:[93,107,87],potenti:[47,76,0,49,2,103,11,110,78,56,107,123,61,18,92,22,23,28,29,32,38,120,40,93,41,96],degrad:81,rabfik:106,"0xl":78,metatada:3,all:[76,101,2,75,104,3,53,7,10,106,56,125,58,108,80,92,111,29,83,55,86,36,87,88,67,37,70,39,120,93,95,122,41,124,114,97,118],replacealluseswith:[17,69,21],dist:21,fp_to_sint:64,lack:[101,113,81,78,93,72,15,109,85,45,8,128
 ],scalar:[69,81,29,93,15,76,61,43,78],basicblockutil:21,print_final_stat:40,pty:78,ptx:[15,93,117],follow:[99,76,2,75,104,53,7,74,55,105,106,56,125,107,108,15,61,80,92,81,29,116,37,36,87,70,39,120,93,95,41,124,114],changebit:40,spcc:64,ptr:[99,76,95],printinformationalmessag:29,uint8_t:[5,100,40],getaddressingmod:64,init:[38,29],program:[39,56,95,124,80,92],mayfail:21,neglig:[99,40],deepcheck:21,lsbit:21,far:[62,30,56,78,29,27,55,33,34,84,115,16,80,43,19,20,21,110,23,24],urem:[55,93],getbasicblock:93,novel:[81,78,21],worst:[21,27,16,94,49],failur:[84,38,71,50,100,48,7,40,2,51,92,14,52,41,78,125,103,21,22,23,115],unoffici:113,mips64r6:46,mips64r2:46,basicaliasanalysi:[84,26,56,47],lisp:[81,27,16],sectionnam:124,list:[70,39,56,95,3,124,92],lli:[125,86,75],"_zst1a":123,snapshot:56,ten:113,use_llvm_analysi:[85,18,19,20,24],eas:51,still_poison:78,tex:50,rate:[41,106,124,53],pressur:[93,76,1],design:[95,124,56],storageclass:121,llvm_ani:55,hasard:81,subobject:123,attrdump:35,what:[124,68,
 95,87,56],namedindex:64,handler0:78,sub:[2,93,95,124,80,7],handler2:78,sun:[14,84],sum:[1,21,104,124,78,68],brief:[38,76,70,56,81,17,29,71,80],tailcallopt:[93,78],asmprint:[81,93,35,64],version:[70,39,56,114,93,95,124,80],intersect:76,llvmgetbitcodemodul:46,lld:[116,38,46,76,70],themselv:[93,21,29,2,95,115,41,110,124,17,43,78,8,23],memorybuff:76,xmm3:[78,8,128],shouldn:[79,76,56,28,29,13,78,22],jitcompilerfn:64,xmm6:[8,128],committ:41,xmm4:[8,128],xmm5:[8,128],build_config:52,xmm8:8,xmm9:8,asmpars:[38,55,35],misinterpret:[76,92],quarantinesizemb:11,deregisterehfram:5,slave:126,instrsdrm:128,bb2:[78,124],llvm_profdata_fil:[70,114],xmm2:[78,8,128],magnitud:78,"0x0000006e":115,filenam:[74,10,76,70,118,119,37,125,29,83,111,122,102,86,57,53,89,67,105,7,97],heurist:[47,20,78,93,34],avx:[14,46,78,1],sparcasmprint:[93,64],dump_modul:[85,18,19,20,24],hexadecim:[29,37],proceed:[81,38,15,93],normalizedpolar:100,coverag:75,qch:70,forcefulli:113,llvmtargetmachin:64,at_apple_property_sett:115,cxa
 _demangl:115,isload:93,"80x86":126,eptr:78,flag:[111,76,70,125,93,104,80,88,7],stick:[76,21,51],"0x00000067":115,known:[47,76,48,49,103,56,52,78,12,125,61,21,42,112,113,81,38,120,93,94,95,124],ensu:[64,114],valuabl:[50,41],allroot:50,"_e64":39,outlin:[84,93,41,120,100],portugues:11,caveat:26,cmake_:80,relocationtyp:64,dmpqrtx:106,image_scn_align_8192byt:121,ppc64:[46,93],reevalu:45,bjark:15,pong:17,bjarn:21,invokeinst:21,cours:[55,70,56,28,29,27,60,84,16,40,110,17,21,22,23],goal:[74,93,41,76,120],divid:[47,55,78,50,93,14,15,53,4,7,68],rather:[47,76,101,48,49,2,51,52,62,60,9,56,78,107,14,15,61,21,23,26,64,113,81,110,30,115,68,40,93,41,124,45,46],anxiou:70,hash_map:21,divis:[19,93,78,33],value_align:78,targetasminfo:[81,64],icon:91,goat:76,distro:13,resourc:[29,80],algebra:[47,78],ranlib:[38,73],reflect:[38,56,78,103,41,98],okai:[25,26,69,91,113,110,30,31,32,33,34,76,18,85,4,19,20,78,23,24],ptxstring:12,pr26774:46,"short":[93,49,2,52,76,78,60,74,12,107,18,19,20,26,64,32,33,34,87,88,38
 ,100,56,41,96,118],postfix:76,unhid:29,stash:112,ambigu:[112,29,33,14,19,45,110,23],caus:[47,71,1,93,2,104,76,110,53,4,78,79,55,106,12,7,58,14,123,116,20,21,107,23,26,83,81,29,30,32,33,34,84,87,89,38,92,46,56,95,100,73,41,42,125,40],callback:[64,56,81,21,93,96,62,9],prepass:93,llvmgetdatalayout:46,fslp:1,hton:5,reachabl:[81,49,69,78,70],s_load_dwordx2:39,geomean:1,next_var:[18,19,20],dso_path:86,style:114,exyno:46,call:114,d31:78,harmless:47,anachronist:124,retti:124,might:[93,101,49,27,76,103,52,3,4,78,106,11,56,112,7,107,13,16,61,17,18,19,20,21,42,25,2,64,81,29,109,32,115,35,38,69,70,91,92,40,100,95,41,43,44,127],alter:[84,78,29,21],wouldn:[26,20,76,34],"return":[124,56,93,95,3,87,92],success_ord:95,var_nam:[18,19,20,80],framework:[47,55,93,54,81,28,50,30,56,33,34,84,115,78,19,20,21,22,24],preheaderbb:[32,33],somebodi:[41,60],bigger:[100,76],strr:64,complexpattern:[93,64],sourcebas:54,blockdim:12,"__dwarf":115,refresh:98,const_float:[85,18,19,20,24],difficult:[26,76,56,78,29,95,33
 ,41,98,120,19,127,21,40],remotejitutil:5,truncat:[46,78,64,128],compriz:53,dcmake_cxx_compil:40,"2x3x4":78,stkmaprecord:[49,96],compute_20:12,linkag:[38,58,93,61,124,88],regmapping_f:93,asmparsernum:118,expect:[124,68,95,87,56],atom_count:115,constindex:96,fdrpcchannel:5,resulttyp:78,foolproof:84,ccifinreg:64,lineno:26,image_file_line_nums_strip:121,benjamin:81,isempti:21,uncommit:38,dofin:64,guess:[70,40,31],teach:[55,28,30,22,9,24],flagflat:100,thrown:[99,120,78],handler1:78,putchar:[25,26,31,32,33,34,85,18,19,20],thread:[2,70,56,81,120,93,95,108,124],vararg:[93,21,30,124,78,24],toolnam:42,runtimedyldelf:79,machineframeinfo:93,ccifnotvararg:64,circuit:[19,33],precal:81,libclc:41,bitpack:14,feed:[56,40,115,32,114,18],notifi:[103,41,0,56,1],ystep:[19,33],feel:[30,0,101,28,46,27,76,92,41,16,61,78,22,24],cuda_success:12,add16mi8:8,isunpredicatedtermin:64,summaris:87,cond_val:[18,19,20],construct:[80,95,124,56],stdlib:38,blank:[76,106,91,28,110,27,41,16,127,22,23],slower:[76,81,21,93,1
 5,120,61,17,78,107],fanci:50,gpl:[41,107],superpos:21,script:[70,114],interact:[79,70,91,81,92,29,93,95,120,78],gpg:38,stori:[74,38,52],gpu:[54,117,64,39,12,93,15,35,78],gpr:[44,93,78,46,128],luckili:81,option:[87,39,56,124,114,92],iftru:78,atempt:78,wswitch:76,st_gid:106,cmake_c_flag:70,mcasmpars:93,initializealltargetinfo:25,r_amdgpu_abs32_lo:93,secondcondit:21,dsym:88,albeit:[20,34],kind:[47,76,0,101,17,3,53,78,8,9,74,55,106,107,86,123,19,20,21,25,26,112,81,82,29,115,33,34,35,66,69,120,40,93,95,41,96,43,127,98],assert_valid_funct:[85,18,19,20,24],doubli:[94,21,80],artifact_prefix:40,setgraphattr:21,remot:[79,38,6,9],immutablepass:56,get_subtarget_feature_nam:35,empty_subregsset:64,dinkumwar:21,cleaner:[29,76,21],body_v:20,nnan:78,ysvn:103,astwrit:35,dedic:[40,93,64,9],"0x10":[96,115],entireti:49,"0b000100":64,check:[80,76,70,93,95,114],"64mb":11,manglednam:[5,6,62,60,9],intregsclass:64,paramidx1:124,paramidx0:124,belief:101,exec:[125,40],unsur:[45,0],getrawpoint:66,reach:[99,47,7
 6,0,64,81,17,40,96,120,43,78],flagsround:100,no_switch:1,shouldexpandatomicloadinir:95,image_rel_amd64_addr32nb:36,cmakefil:[38,50],amaz:[19,33],dw_tag_enumeration_typ:[78,115],xmm7:[8,128],blockid:124,destruct:[46,27,59,16,96,21,9],libopag:72,sandybridg:1,arg_empti:21,rtl:93,getcol:26,intti:78,optimizationlevel:29,inapplic:51,brtarget:64,penalti:[78,21],"__llvm_deoptim":78,dw_apple_property_retain:115,bfd:73,create_add:24,image_file_large_address_awar:121,hash_funct:115,stackoffset:81,shlibext:14,address_s:12,blockscalartrait:100,pushfq:93,"0x0001023":115,hit:[5,6,76,40,68],invoke:78,aliasopt:29,spurious:[14,78],mydoclist:100,mydoclisttyp:100,fastest:126,sizabl:21,stdcall:[93,78],sextload:[8,64],him:17,exactmatch:78,llvmdummi:64,sk_otherspecialsquar:112,getvaluetyp:64,getpointertonamedfunct:79,your_lib:40,use_empti:21,sk_buff:93,stump:64,dump:[93,53,115,85,18,92,24,25,26,30,31,32,33,34,84,35,21,40,100,122,124,97],cleverli:87,sensit:[58,70,56,82,40,100,84],shared_librari:42,subsum:4
 0,mutabl:[28,78,32,33],arc:[104,91],dumb:[27,16],arg:[76,17,2,104,110,78,125,108,49,85,18,19,20,22,23,24,25,26,28,29,30,31,32,33,34,89,40,71,122,45],disadvantag:[98,29,21,66],icc_:64,unqualifi:[110,93,115],arm:95,property_valu:43,setupmachinefunct:64,inconveni:[40,20,34],inst_end:21,old_valu:20,maprequir:100,pubtyp:115,condv:[25,26,32,33,34],extensioan:48,syntact:[85,31,7,78],unabbrev:124,sole:[41,21],aspir:[19,33],namedvar:26,setbid:124,succeed:[84,2,78,68],indirectstubsmanag:[5,6],solv:[93,113,56,27,115,33,34,41,16,103,19,20],setindexedloadact:64,v128:[78,12],amd64:38,isdopcod:[55,93],interprocedur:[98,78,56],size3:78,blissfulli:29,available_extern:[78,124],context:[76,0,17,78,8,12,107,14,61,21,112,113,29,84,35,69,91,120,46,56,95,126,44,45,128],subclassref:45,internallinkag:21,tgt:118,getsrc:38,die_offset_bas:115,sweep:81,lbar:93,arbitrarili:[112,46,32,115,18,78],mistak:[76,61,101],java:[99,47,81,78,27,95,16,21],due:[76,48,49,51,3,7,56,78,108,15,61,17,93,81,38,69,45,40,71,123,120,
 98,46],whom:17,stdint:40,brick:17,whoa:[85,31],strategi:[29,93],thunk:[123,47,93,78,17],dw_tag_imported_modul:78,flight:[120,78],append_block:[85,18,19,20,24],llvm_map_components_to_librari:70,demand:[38,93,34,124,20,9],instructor:64,asmmatcheremitt:35,eatomtypedietag:115,frozen:108,batch:[46,52],dagtodagisel:55,dw_tag_friend:78,abov:[99,47,100,0,101,48,49,50,27,80,76,82,77,5,6,7,8,9,79,62,93,56,112,78,115,107,13,110,60,14,16,61,17,85,18,19,20,21,22,23,24,26,64,113,81,28,29,30,31,32,33,34,84,87,88,68,106,38,70,125,40,71,94,95,123,96,42,124,55,44,127,98,128],intendend:78,int32:96,runonfunct:[92,21,64,56],image_file_machine_am33:121,"0x0000000000dc8872":108,x8b:121,rid:17,illinoi:[41,76],mioperandinfo:64,dw_lang_c:26,shirt:101,minim:[74,76,106,39,113,21,40,93,95,115,98,96,114,89,78,42],getnumel:21,dominatortreebas:21,higher:[93,41,3,56],x83:121,x87:78,x86:[70,95,114],wherea:[21,46,93,15,61,87,120,78],robust:[14,44],wherev:[26,15,76,21],obit:78,stateless:95,lower:[55,76,56,120,93,95,61
 ,87,118,107],n2429:76,machineri:[50,112],discourag:[4,29,0,21],find_packag:70,"try":[93,101,65,125,29,56,76,95,41,87,92],searchabl:[60,9],cudamemcpyhosttodevic:15,throwawai:114,chees:76,local_unnamed_addr:[78,124],erasebyt:40,propos:[17,40,41,61,68],rewound:120,targets_to_build:13,succ_end:21,bpf_call:93,parse_var_init:20,xxxisellow:64,globallayoutbuild:123,exposit:[28,22],getbinarycodeforinstr:64,lmalloc:29,lcudart_stat:15,finder:54,view_function_cfg_onli:18,complaint:[27,16],erasefrompar:[25,26,64,30,31,32,33,34,21],int32x4_t:87,v64:[78,12],ispoint:17,mypassnam:21,preexist:47,awaken:120,image_sym_class_bit_field:121,fbb:64,selp:12,llvm_yaml_is_flow_sequence_vector:100,short_wchar:78,xmm10:8,xmm11:8,xmm12:8,xmm13:8,xmm14:8,hatsiz:100,cst_code_wide_integ:124,global:[76,2,53,7,74,10,106,56,58,108,61,107,113,81,29,37,38,39,120,93,95,124],understood:[76,93,16],litter:41,unspecifi:[39,12,49,50,93,78],llvmgettypekind:55,isaddresstaken:82,condition_vari:38,multmp:[25,26,30,31,32,33,34,85,
 18,19,20,24],affili:80,dataflowsanit:40,glibc:40,socklen_t:5,image_scn_mem_read:121,proj:103,prof:[3,68],patchset:38,proc:[38,51,64],rotl:55,n3206:76,setdatalayout:[25,26,31,32,33,34],assignvirt2stackslot:93,runtimedyld:[79,5,6,62,60,9],mustquot:100,lhs_val:[85,18,19,20,24],ispointertyp:76,"_unwind_resum":120,"3dnow":25,arg_begin:[21,34],row:77,"_ztv1a":123,"_ztv1b":123,image_file_machine_wcemipsv2:121,registerasmprint:64,getdatalayout:[81,26,64,34],threadid:12,tok_then:[25,26,32,33,34],plethora:[38,107,21],branchfold:64,prec:[25,26,33,34,19,20],stretch:46,operandmap:64,question:56,"long":[93,0,48,49,27,76,104,3,53,4,5,78,60,117,106,56,112,125,107,14,16,61,80,21,24,2,64,113,81,114,30,31,115,84,36,38,91,92,46,100,95,41,120],lldb:[76,46,115,108,41,43],"__cxa_call_unexpect":120,files:57,lto_codegen_set_pic_model:98,of_channel:[85,18,19,20,23,24],gcca:105,"0x7fffe3e864f0":40,delta:71,consist:[93,80,95,124,56],confusingli:95,caller:[47,107,64,81,78,40,93,94,32,33,92,84,120,87,17,18,19,21
 ,24],cmpnumber:17,parsedefinit:[25,26,110,30,31,32,33,34],mflop:1,arm64:38,tdrr:89,highlight:[74,26,38,93,35,61,80,127,21],worklist:[47,21,17],alu32_rr:77,icc_val:64,createdatalayout:[25,26,31,32,33,34,5,6,62,60,9],phieliminationid:93,cover:93,o32:46,numconst:96,simm13:64,cciftyp:64,xmsvc:80,sdvalu:[93,64],remove_if:21,registerdescriptor:64,maybeoverridden:17,ecosystem:[43,21],at_decl_fil:115,storeregtostackslot:[93,64],parseprimari:[25,26,110,30,31,32,33,34,19],containsfoo:76,ccpromotetotyp:64,meaning:[113,81,21,83,35,49,89,127,78],thedoc:100,ccifcc:64,dllvm_default_target_tripl:13,numeltsparam:78,ternari:93,vice:95,elementtyp:78,gr8:[93,64],spillsiz:64,scroll:91,cmpq:94,pervert:[8,109],tag_structure_typ:115,edi:[82,93,7,8],numfilenam:74,block_begin:[85,18,19,20,24],gmake:[84,50],memoryssa:46,int8ti:21,edx:[93,78,8,128],modulehandl:[5,6,62,60,9],printexprresult:5,uphold:78,xxxiseldagtodag:64,else_bb:[18,19,20],initializenativetargetasmprint:[26,31,32,33,34,5],needstub:64,estim:[17,
 68,1],attributerefer:35,formbit:8,fpformbit:8,templateparam:78,whichev:[115,91],w64:70,vadv:50,emitconstantpool:64,reles:51,relev:[93,7,95,56],mandelhelp:[19,33],"0x0002023":115,maxsiz:76,loop_end_bb:[18,19,20],h_inlined_into_g:88,pleas:[93,0,101,48,49,27,51,103,52,76,77,78,12,13,14,16,61,80,21,24,63,64,81,30,126,38,90,118,70,91,40,71,95,41,114,43,127,45,46,128],smaller:[47,76,91,81,21,50,93,95,116,41,61,78],"_main":[88,121],cfi:[82,69,120],lcuda:12,memset:95,hardcod:[77,64],dllvm_binutils_incdir:73,fold:[95,56],investig:[50,27,16,9],folk:[40,91],compat:[70,106,124,93,95,75,104,87,80,89],pointer_offset:49,b13e8756b13a00cf168300179061fb4b91fefb:40,image_file_machine_i386:121,compar:[93,56,120,114,58,95,3,80,7,68],mainlin:[41,103],smallconst:96,err_load_bio_str:40,dllvm_enable_doxygen_qt_help:70,proj_obj_root:42,finishassembl:81,juggl:15,dllvm_targets_to_build:[70,13,51],chose:[85,48],sexi:[28,22],ocamlbuild_plugin:[85,18,19,20,24],inaccessiblemem_or_argmemonli:78,sse41:7,larger:[10,9
 3,64,78,53,76,55,115,41,36,124,49,21],shader:[117,46,93,76],n2927:76,nsstring:115,unattend:92,typic:[99,47,76,27,103,104,52,53,78,79,106,56,112,7,14,15,16,21,42,64,113,81,82,115,84,37,69,70,91,119,120,40,93,95,96,43,44,98],n2928:76,apr:4,appli:[47,93,101,48,27,103,104,76,4,78,60,79,106,56,16,61,80,85,19,20,21,64,113,98,29,83,31,115,33,34,84,36,87,38,91,39,92,40,100,95,41,126,45,128],approxim:[3,15,2,40,52],inequ:93,loopcond:[25,26,32,33,34,18,19,20],core2:14,duck:21,opcod:[25,26,93,112,64,78,40,30,95,33,34,76,110,17,77,19,128,21,8,23,24],transformutil:43,gnuwin32:[52,70],sourcefil:104,emitconstpooladdress:64,fed:93,from:[87,39,56,95,124,114],stream:[93,1,102,7,76,78,74,10,105,125,85,18,19,20,21,22,23,24,64,82,110,83,55,115,84,37,38,119,40,100,124],ineg:93,few:[47,76,101,1,49,27,103,114,4,62,106,12,78,14,15,16,80,85,19,21,23,24,26,83,64,81,110,30,31,115,33,84,38,70,92,46,93,95,41,42,124,120,43],usr:[38,70,12,29,13,51,73,15],regconstraint:93,my_addit:115,sort:[74,76,70,29,71,95,41,37,
 78,107],clever:[27,16,112],ap2:78,cimag:[19,33],adc64mi8:8,toolchain:[76,93,70],tok_identifi:[25,26,28,110,30,31,32,33,34],is_zero_undef:78,localdynam:[78,124],dllc:14,optimizefunct:[5,6,62,60],augment:[19,21,33],"_name_":80,lbb0_2:94,corpus_dir:40,annot:[120,61,122],annoi:76,no_dead_strip:78,lf_typeserver2:115,getregclass:93,proof:3,expr1lh:74,tar:[48,38,40,13,52],isindirectbranch:8,movapd:7,tag:[76,124],proprietari:41,xmin:[19,33],tag_apple_properti:115,predicate_stor:64,jingyu:15,sit:60,featurefparmv8:8,six:[93,2,95],linaro:51,sig:38,implicitdefin:82,subdirectori:[38,70,2,103,80,43],instead:[70,101,56,93,95,124,80,92],constantfp:[25,26,30,31,32,33,34,21,24],dwo:97,chri:[93,27,76,103,84,15,41,16],sil:8,tension:[20,34],msdn:[116,76],"__atomic_exchange_n":95,vehicletyp:76,hazard:[46,69],singlethread:78,printdens:[19,33],attent:[38,0,101,64,14,41,78,9],ethnic:101,hasiniti:21,initialize_ag_pass:84,mynewpass:125,light:[76,78],llvm_build_exampl:70,modulesett:60,retainedtyp:[78,115],elig
 :47,elim:[86,115],dw_tag_memb:[78,115],attrparsedattrlist:35,build_fsub:24,reilli:21,criterion:11,"80x87":93,multimap:21,attrpchread:35,nonneg:78,devel:48,createbasictyp:26,nfc:69,trac:126,edit:[38,21,70,106],polit:[93,101],instsp:64,forcibl:78,image_scn_align_8byt:121,mylistel:100,virtregmap:93,"__stack_chk_fail":78,our:[93,0,101,1,49,27,76,110,5,6,62,60,9,12,115,15,16,80,17,85,18,19,20,21,22,23,24,25,26,81,28,29,30,31,32,33,34,84,38,70,46,71,72,41,114,98],argumentlisttyp:21,const_use_iter:21,llvm_compiler_job:70,m_func:21,double_typ:[85,18,19,20,24],categori:76,sectalign:29,stroustrup:21,llvmbb:54,llvmconfig:70,gettargetmachin:[26,31,32,33,34,5,6,62,60,9],dive:[28,22,112],proviso:41,powerpc:[70,95],dictionari:[2,78],anyhow:78,promptli:41,my86_64flag:100,image_sym_class_undefined_label:121,tailcalle:93,lto:124,libcxxabi:38,optimizemodul:[5,6,62,60],isdef:93,mrm1r:64,flaground:100,isfoo:76,"0x2000":115,"0dev":50,prioriti:[78,0,115,113],invidu:0,unknown:[73,29,93,78,106],ntohl:93,boi
 l:[112,32,33,41,87,18,19],inner:[54,76,125,100,59,120,80,78,21],tidbit:[26,56,28],shell:[26,107,70,38,29,2,14,127,92],unabridg:[20,34],shelf:[60,9],juli:81,difwddecl:78,protocol:[49,76,78],lea:[93,8],emac:[38,76,8],probe:93,utf:[38,35],ssl_new:40,bitcodewrit:[55,21],clip:108,favorit:[18,69,32],cohen:4,linker:[93,111,86,92,75],appel89:81,peform:87,coher:[43,78],lowerfp_to_sint:64,disjoint:[56,78,1],inform:[70,101,56,93,3,124,80],diverg:[19,78,33,113],rout:56,roun:15,"__unwind_info":93,anyregcc:[96,78,124],postrapseudo:82,which:39,movsx32rm16:93,createstub:[5,6],ncsa:41,llvmtarget:42,clash:[5,6,78,76],machine_version_major:39,safepointaddress:81,who:[76,0,17,27,4,78,9,74,54,14,15,16,80,20,64,34,38,91,71,72,41,43],sunwspro:38,image_file_machine_ia64:121,dw_op_addr:115,hassideeffect:8,attributelist:[35,66],dens:[78,21,124],addregfrm:64,pipe:[4,2,7],add_custom_target:80,osuosl:126,nextindvar:78,someth:[47,100,49,27,52,76,77,4,78,55,93,56,112,7,16,17,85,18,19,20,21,110,23,24,25,26,64,29,3
 0,31,32,33,35,37,38,91,40,71,41,114,127,45,128],const_arg_iter:21,setindexedstoreact:64,"30pm":100,mainloop:[25,26,110,30,31,32,33,34],filetyp:[25,52,86,115],arm_neon:[35,87],liveinterv:[89,93],mistyp:76,strtol:29,locat:[93,70,106,65,2,95,75,56,7],preserve_allcc:[78,124],much:[47,71,0,100,48,49,27,76,53,4,78,8,55,93,12,112,107,13,59,116,60,14,15,16,61,85,20,21,110,23,24,64,98,29,30,31,115,34,84,106,38,91,92,40,56,95,72,73,41,96,42,126,127,45,46],eatomtypetypeflag:115,multmp4:[85,31],local:[76,39,56,93,124,68],multmp1:[30,24],multmp2:[30,24],multmp3:[30,24],contribut:[47,63,21,93,84,41,54,61,49,78],succe:[102,10,118,105,106,119,112,125,110,83,111,34,14,86,53,126,120,20,7,23],buildtool:43,blarg:21,operating_system:78,selectcod:64,regalloclinearscan:93,image_rel_i386_sect:36,partit:[93,86,92,51],view:[95,124],modulo:[93,78,115,39],knowledg:[74,47,93,81,27,76,14,41,16,124,44,127,78],maketir:76,objectcach:79,dw_form_xxx:115,int16_t:[100,64],terminatorinst:[76,3,21],image_sym_class_enum_t
 ag:121,image_scn_lnk_remov:121,becaus:[99,47,93,1,49,50,27,103,80,52,76,110,114,77,4,7,8,79,62,106,56,112,78,115,107,13,59,60,15,123,16,61,17,85,18,19,20,21,22,23,24,25,26,2,64,113,81,28,29,30,31,32,33,34,84,37,87,66,38,91,92,40,100,95,41,96,124,120,128,98,46,74],gmail:[38,91],closer:[69,113],ht206167:40,entranc:78,framemap:81,mainli:[17,15,35,78,42],divisionbyzero:78,dll:[120,124],favor:[46,41,50],libsystem:76,beginassembl:81,"__apple_nam":115,rppassmanag:84,image_sym_dtype_funct:121,amen:93,cudamodul:12,sprinkl:21,job:[70,112,40,84,4,60],mapopt:100,noalia:[113,61,124,56],externallinkag:[25,26,30,31,32,33,34,24],exclam:78,swift:[46,78],addit:[76,70,101,56,125,114,93,95,92,124,80,7],"0x00000120":115,thenbb:[25,26,32,33,34,18],constantint:[76,21],tgtm:38,mlimit:125,progbit:36,"__nv_truncf":12,committe:[21,101],libtinfo:13,uint16_t:[77,100,115,64],unclear:[20,34],wall:[27,84,2,16],wonder:[76,112,113,107,31,41,85],arriv:113,chmod:38,walk:[47,69,17,100,84,21],rpc:5,"_var":80,respect:[76
 ,101,49,78,60,62,112,56,125,8,14,123,20,21,42,64,113,81,34,88,38,70,92,93,41,120,44],rpo:69,yaml:82,decent:[26,55,28,51,103,84,21],xxxcallingconv:64,compos:[74,106,82,52,78,60,9],compon:[70,80],besid:[76,0,64,29,33,14,19,78,110,23],safepoint_token1:49,unregist:84,inbound:[74,78,61,113],presenc:[112,64,7,50,93,95,78,120,21],sock_stream:5,gtx:12,ptxa:15,llparser:55,present:[99,38,71,39,113,81,78,29,2,120,36,124,80,88,89,93,7],xorrr:64,align:[95,39],dfpregsclass:64,constprop:29,wili:113,wild:[19,29,33],xorri:64,indirectstubsmgrbuild:6,bb3:78,observ:[93,49,46,27,95,76,16,78],bb1:[78,124],d_ctor_bas:7,layer:56,customiz:15,instrinfo:[82,93],cctype:[25,26,110,30,31,32,33,34],customis:70,avl:21,dual:41,add64mi32:8,operandti:93,incq:7,getattributespellinglistindex:35,uint16x4_t:87,headlight:76,xxxschedul:64,cross:114,member:[76,106,93,116,80,101],binary_preced:[19,20],largest:[78,93,36,61],ifndef:[5,6,62,60,9],f64:[93,78,64,12],expcnt:39,"0x1b":124,hasjit:64,maptag:100,swiftself:78,ssecal:64
 ,hardcodedsmalls:21,bcpl:45,decoupl:128,debug_abbrev:97,inc4:7,minsizerel:[38,70],firstli:78,pdb:115,faultingload:99,linkagetyp:21,english:[38,76],initializeallasmprint:25,my_function_fast:12,llvm_enable_expensive_check:70,mips16:95,getoffset:64,camel:76,obtain:93,tcp:5,corei7:[14,1],heavili:[81,54,27,16,107],simultan:[1,40,95,14,87,21],tcb:94,expr1rh:74,superset:[78,95,106],methodproto:64,full_corpus_dir:40,eatomtypenul:115,parseandsquareroot:21,smith:76,book:[84,54,76,69,21],cultur:101,waypoint:92,emitobject:79,registerehframesinprocess:5,llvm_on_win32:4,agnost:[4,93,115,87],strconcat:[45,64,128],lightweight:[76,2,21],know:[76,2,52,78,74,56,107,108,61,80,93,92,81,29,87,38,70,120,40,71,95,41,126,98],denser:[19,33],press:25,librarynam:[81,84,42],python2:51,"7e15":29,hostc:12,hostb:12,hosta:12,incred:[41,76],bpf_class:93,repurpos:115,"0xff":[78,128],createphi:[25,26,32,33,34],growth:[78,93,21],"export":[38,70,56,62,29,93,33,103,73,98,5,6,78,60,9],superclass:[64,56,84,21,8,128],smooth
 li:[60,80],package_vers:70,add64ri32:8,not_found:[85,18,19,20,23,24],leaf:[120,115],image_sym_class_struct_tag:121,lead:[26,62,93,113,47,78,29,100,95,7,73,76,110,80,21,40,23,128],leak:[81,2,59],boolean_property_nam:43,leap:91,leaq:94,leav:[38,71,91,64,12,81,17,29,2,115,73,41,47,78,60,107],prehead:[18,32,47],leader:76,getnam:[25,26,107,30,31,32,33,34,84,5,6,21],numstr:[25,26,28,110,30,31,32,33,34],settargettripl:25,acronym:54,"enum":[93,76,77,78,8,55,112,56,115,21,110,25,26,64,81,28,29,30,31,32,33,34,35,66,46,100,121,118],xxxgencallingconv:64,obei:78,eatomtypenameflag:115,rare:[99,76,101,64,81,78,93,13,61,124,120,128,7,60,21],add64mi8:8,column:[74,26,100,38,78,50,1,115,76,77,7],fudg:13,vset_lan:87,constructor:[93,95],spiller:[89,86,93],disabl:[104,38,71,70,56,81,125,29,2,13,92,73,86,87,83,89,76,103,7],stackentri:81,desrib:74,own:[47,76,103,78,79,55,15,80,74,112,81,29,68,38,70,91,120,40,93,73,41,124,43],automat:[39,56],warranti:[84,41],dbuilder:26,isprint:40,"59620e187c6ac38b36382685c
 cd2b63b":50,build_mod:52,val:[25,26,76,64,12,78,29,30,31,32,33,34,96,124,95,66,5,21,110,128],transfer:[25,26,59,31,32,33,34,15,94,87,120,78],llvmattribut:46,secret:11,threadsanit:78,intention:[84,110,76,78,23],arg1:[28,78,22],"var":80,eltsizeparam:78,varexpr:[25,26,20,34],mailer:41,"0x7fffffff":78,codegen_expr:[85,18,19,20,24],lazyresolverfn:64,made:[99,47,93,49,27,103,76,78,8,9,54,56,115,107,16,61,17,18,20,21,42,112,113,109,31,32,34,84,35,87,120,100,94,41,124,127],temp:[46,71],whether:[93,70,106,56,83,76,86,124,89,92,68],troubl:[38,29,41,52],below:[47,100,1,48,49,50,76,51,103,52,3,5,6,7,60,9,74,10,93,11,12,112,78,115,13,59,14,15,123,61,17,85,19,20,21,110,23,25,26,64,82,29,80,31,32,33,34,84,35,106,38,70,91,39,86,56,94,95,122,41,96,42,124,114,43],structtyp:21,ptrreg:93,lvm:26,targetdescript:64,llvmasmpars:42,numberexpr:[25,26,110,30,31,32,33,34,85,18,19,20,23,24],significantli:[99,76,70,124,120,78,40,32,84,41,98,110,53,18,21,46,23],meaningless:21,rl5:12,create_entry_block_alloca:20,"
 8bit":40,findsymbolin:60,rl7:12,mutual:[49,28,29,22,24],targetfunc:21,throwinfo:120,immateri:17,the_modul:[85,18,19,20,24],percent:56,constantfold:55,other:114,bool:[93,17,76,78,60,55,112,56,85,18,19,20,21,24,25,26,64,29,30,31,32,33,34,84,70,40,100,95],llvmdisassembler_option_usemarkup:44,modulehandlet:9,gline:1,neelakantam:47,inst_iter:21,junk:[85,18,19,20,23,24],xxxsubtarget:64,vea6bbv2:41,indexedmap:93,add_subdirectori:70,tok_extern:[25,26,28,110,30,31,32,33,34],swifterror:78,debian:[72,38,46,13],stringmap:[29,12],experienc:92,sass:12,reliabl:70,subregclasslist:64,pdata:36,emerg:108,auxiliari:[64,9],invari:[38,61,56],istermin:[8,128]},objtypes:{"0":"std:option"},objnames:{"0":["std","option","option"]},filenames:["ReportingGuide","Vectorizers","CommandGuide/lit","BranchWeightMetadata","SystemLibrary","tutorial/BuildingAJIT5","tutorial/BuildingAJIT4","CommandGuide/FileCheck","TableGen/index","tutorial/BuildingAJIT1","CommandGuide/llvm-extract","ScudoHardenedAllocator","NVPTXUsage"
 ,"HowToCrossCompileLLVM","TestingGuide","CompileCudaWithLLVM","tutorial/OCamlLangImpl8","MergeFunctions","tutorial/OCamlLangImpl5","tutorial/OCamlLangImpl6","tutorial/OCamlLangImpl7","ProgrammersManual","tutorial/OCamlLangImpl1","tutorial/OCamlLangImpl2","tutorial/OCamlLangImpl3","tutorial/LangImpl08","tutorial/LangImpl09","tutorial/LangImpl10","tutorial/LangImpl01","CommandLine","tutorial/LangImpl03","tutorial/LangImpl04","tutorial/LangImpl05","tutorial/LangImpl06","tutorial/LangImpl07","TableGen/BackEnds","Extensions","CommandGuide/llvm-nm","GettingStarted","AMDGPUUsage","LibFuzzer","DeveloperPolicy","Projects","LLVMBuild","MarkedUpDisassembly","TableGen/LangRef","ReleaseNotes","Passes","ReleaseProcess","Statepoints","TestSuiteMakefileGuide","HowToBuildOnARM","GettingStartedVS","CommandGuide/llvm-bcanalyzer","index","ExtendingLLVM","AliasAnalysis","CommandGuide/llvm-stress","CommandGuide/llvm-diff","InAlloca","tutorial/BuildingAJIT2","Frontend/PerformanceTips","tutorial/BuildingAJ
 IT3","tutorial/index","WritingAnLLVMBackend","CommandGuide/llvm-build","HowToUseAttributes","CommandGuide/llvm-readobj","BlockFrequencyTerminology","Lexicon","CMake","HowToSubmitABug","Packaging","GoldPlugin","CoverageMappingFormat","CommandGuide/index","CodingStandards","HowToUseInstrMappings","LangRef","MCJITDesignAndImplementation","CMakePrimer","GarbageCollection","MIRLangRef","CommandGuide/opt","WritingAnLLVMPass","tutorial/OCamlLangImpl4","CommandGuide/llc","BigEndianNEON","CommandGuide/llvm-symbolizer","CommandGuide/lli","TableGenFundamentals","Phabricator","Bugpoint","CodeGenerator","SegmentedStacks","Atomics","StackMaps","CommandGuide/llvm-dwarfdump","LinkTimeOptimization","FaultMaps","YamlIO","CodeOfConduct","CommandGuide/llvm-dis","HowToReleaseLLVM","CommandGuide/llvm-cov","CommandGuide/llvm-as","CommandGuide/llvm-ar","FAQ","DebuggingJITedCode","TableGen/Deficiencies","tutorial/LangImpl02","CommandGuide/llvm-config","HowToSetUpLLVMStyleRTTI","GetElementPtr","AdvancedBuild
 s","SourceLevelDebugging","CommandGuide/llvm-lib","CompilerWriterInfo","CommandGuide/tblgen","CommandGuide/llvm-link","ExceptionHandling","yaml2obj","CommandGuide/llvm-profdata","TypeMetadata","BitCodeFormat","CommandGuide/bugpoint","HowToAddABuilder","SphinxQuickstartTemplate","TableGen/LangIntro"],titles:["Reporting Guide","Auto-Vectorization in LLVM","lit - LLVM Integrated Tester","LLVM Branch Weight Metadata","System Library","5. Building a JIT: Remote-JITing – Process Isolation and Laziness at a Distance","4. Building a JIT: Extreme Laziness - Using Compile Callbacks to JIT from ASTs","FileCheck - Flexible pattern matching file verifier","TableGen","1. Building a JIT: Starting out with KaleidoscopeJIT","llvm-extract - extract a function from an LLVM module","Scudo Hardened Allocator","User Guide for NVPTX Back-end","How To Cross-Compile Clang/LLVM using Clang/LLVM","LLVM Testing Infrastructure Guide","Compiling CUDA C/C++ with LLVM","8. Kaleidoscope: Conclusion and other 
 useful LLVM tidbits","MergeFunctions pass, how it works","5. Kaleidoscope: Extending the Language: Control Flow","6. Kaleidoscope: Extending the Language: User-defined Operators","7. Kaleidoscope: Extending the Language: Mutable Variables","LLVM Programmer’s Manual","1. Kaleidoscope: Tutorial Introduction and the Lexer","2. Kaleidoscope: Implementing a Parser and AST","3. Kaleidoscope: Code generation to LLVM IR","8. Kaleidoscope: Compiling to Object Code","9. Kaleidoscope: Adding Debug Information","10. Kaleidoscope: Conclusion and other useful LLVM tidbits","1. Kaleidoscope: Tutorial Introduction and the Lexer","CommandLine 2.0 Library Manual","3. Kaleidoscope: Code generation to LLVM IR","4. Kaleidoscope: Adding JIT and Optimizer Support","5. Kaleidoscope: Extending the Language: Control Flow","6. Kaleidoscope: Extending the Language: User-defined Operators","7. Kaleidoscope: Extending the Language: Mutable Variables","TableGen BackEnds","LLVM Extensions","llvm-nm - list LL
 VM bitcode and object file’s symbol table","Getting Started with the LLVM System","User Guide for AMDGPU Back-end","libFuzzer \u2013 a library for coverage-guided fuzz testing.","LLVM Developer Policy","Creating an LLVM Project","LLVMBuild Guide","LLVM’s Optional Rich Disassembly Output","TableGen Language Reference","LLVM 3.9 Release Notes","LLVM’s Analysis and Transform Passes","How To Validate a New Release","Garbage Collection Safepoints in LLVM","LLVM test-suite Guide","How To Build On ARM","Getting Started with the LLVM System using Microsoft Visual Studio","llvm-bcanalyzer - LLVM bitcode analyzer","Overview","Extending LLVM: Adding instructions, intrinsics, types, etc.","LLVM Alias Analysis Infrastructure","llvm-stress - generate random .ll files","llvm-diff - LLVM structural ‘diff’","Design and Usage of the InAlloca Attribute","2. Building a JIT: Adding Optimizations – An introduction to ORC Layers","Performance Tips for Frontend Authors",
 "3. Building a JIT: Per-function Lazy Compilation","LLVM Tutorial: Table of Contents","Writing an LLVM Backend","llvm-build - LLVM Project Build Utility","How To Use Attributes","llvm-readobj - LLVM Object Reader","LLVM Block Frequency Terminology","The LLVM Lexicon","Building LLVM with CMake","How to submit an LLVM bug report","Advice on Packaging LLVM","The LLVM gold plugin","LLVM Code Coverage Mapping Format","LLVM Command Guide","LLVM Coding Standards","How To Use Instruction Mappings","LLVM Language Reference Manual","MCJIT Design and Implementation","CMake Primer","Garbage Collection with LLVM","Machine IR (MIR) Format Reference Manual","opt - LLVM optimizer","Writing an LLVM Pass","4. Kaleidoscope: Adding JIT and Optimizer Support","llc - LLVM static compiler","Using ARM NEON instructions in big endian mode","llvm-symbolizer - convert addresses into source code locations","lli - directly execute programs from LLVM bitcode","TableGen Fundamentals","Code Reviews with Phabricato
 r","LLVM bugpoint tool: design and usage","The LLVM Target-Independent Code Generator","Segmented Stacks in LLVM","LLVM Atomic Instructions and Concurrency Guide","Stack maps and patch points in LLVM","llvm-dwarfdump - print contents of DWARF sections","LLVM Link Time Optimization: Design and Implementation","FaultMaps and implicit checks","YAML I/O","LLVM Community Code of Conduct","llvm-dis - LLVM disassembler","How To Release LLVM To The Public","llvm-cov - emit coverage information","llvm-as - LLVM assembler","llvm-ar - LLVM archiver","Frequently Asked Questions (FAQ)","Debugging JIT-ed Code With GDB","TableGen Deficiencies","2. Kaleidoscope: Implementing a Parser and AST","llvm-config - Print LLVM compilation options","How to set up LLVM-style RTTI for your class hierarchy","The Often Misunderstood GEP Instruction","Advanced Build Configurations","Source Level Debugging with LLVM","llvm-lib - LLVM lib.exe compatible library tool","Architecture & Platform Information for Com
 piler Writers","tblgen - Target Description To C++ Code Generator","llvm-link - LLVM bitcode linker","Exception Handling in LLVM","yaml2obj","llvm-profdata - Profile data tool","Type Metadata","LLVM Bitcode File Format","bugpoint - automatic test case reduction tool","How To Add Your Build Configuration To LLVM Buildbot Infrastructure","Sphinx Quickstart Template","TableGen Language Introduction"],objects:{"":{"--stats":[86,0,1,"cmdoption--stats"],"-D":[37,0,1,"cmdoption-llvm-nm-D"],"-A":[37,0,1,"cmdoption-llvm-nm-A"],"-name-regex":[104,0,1,"cmdoption-llvm-cov-show-name-regex"],"-B":[37,0,1,"cmdoption-llvm-nm-B"],"-":[83,0,1,"cmdoption-"],"-O":[86,0,1,"cmdoption-O"],"-seed":[57,0,1,"cmdoption-seed"],"--show-xfail":[2,0,1,"cmdoption--show-xfail"],"-mattr":[89,0,1,"cmdoption-mattr"],"-pretty-print":[88,0,1,"cmdoption-pretty-print"],"-print-address":[88,0,1,"cmdoption-print-address"],"-gen-register-info":[118,0,1,"cmdoption-tblgen-gen-register-info"],"-gen-subtarget":[118,0,1,"cmdoptio
 n-tblgen-gen-subtarget"],"-S":[83,0,1,"cmdoption-S"],"-binary":[122,0,1,"cmdoption-llvm-profdata-merge-binary"],"--max-time":[2,0,1,"cmdoption--max-time"],"-verify-each":[83,0,1,"cmdoption-verify-each"],"-counts":[122,0,1,"cmdoption-llvm-profdata-show-counts"],"-region-coverage-gt":[104,0,1,"cmdoption-llvm-cov-show-region-coverage-gt"],"-d":[119,0,1,"cmdoption-d"],"-g":[37,0,1,"cmdoption-llvm-nm-g"],"-f":[122,0,1,"cmdoption-llvm-profdata-merge-f"],"-a":[2,0,1,"cmdoption-a"],"-c":[104,0,1,"cmdoption-llvm-cov-gcov-c"],"-demangle":[88,0,1,"cmdoption-demangle"],"--no-progress-bar":[2,0,1,"cmdoption--no-progress-bar"],"-l":[104,0,1,"cmdoption-llvm-cov-gcov-l"],"-o":[37,0,1,"cmdoption-llvm-nm-o"],"-n":[37,0,1,"cmdoption-llvm-nm-n"],"--long-file-names":[104,0,1,"cmdoption-llvm-cov-gcov--long-file-names"],"--defined-only":[37,0,1,"cmdoption-llvm-nm--defined-only"],"-j":[2,0,1,"cmdoption-j"],"-u":[67,0,1,"cmdoption-u"],"-t":[37,0,1,"cmdoption-llvm-nm-t"],"-enable-unsafe-fp-math":[89,0,1,"cmd
 option-enable-unsafe-fp-math"],"-v":[37,0,1,"cmdoption-llvm-nm-v"],"-q":[2,0,1,"cmdoption-q"],"--show-tests":[2,0,1,"cmdoption--show-tests"],"-s":[67,0,1,"cmdoption-s"],"-r":[67,0,1,"cmdoption-r"],"-gen-dag-isel":[118,0,1,"cmdoption-tblgen-gen-dag-isel"],"-show-line-counts-or-regions":[104,0,1,"cmdoption-llvm-cov-show-show-line-counts-or-regions"],"-use-symbol-table":[88,0,1,"cmdoption-use-symbol-table"],"--max-tests":[2,0,1,"cmdoption--max-tests"],"-class":[118,0,1,"cmdoption-tblgen-class"],"--radix":[37,0,1,"cmdoption-llvm-nm--radix"],"-I":[118,0,1,"cmdoption-tblgen-I"],"-line-coverage-gt":[104,0,1,"cmdoption-llvm-cov-show-line-coverage-gt"],"-instr":[122,0,1,"cmdoption-llvm-profdata-show-instr"],"-input-files":[122,0,1,"cmdoption-llvm-profdata-merge-input-files"],"-sparse":[122,0,1,"cmdoption-llvm-profdata-merge-sparse"],"-regalloc":[89,0,1,"cmdoption-regalloc"],"-all-functions":[122,0,1,"cmdoption-llvm-profdata-show-all-functions"],"-use-color":[104,0,1,"cmdoption-llvm-cov-repor
 t-use-color"],"-pre-RA-sched":[89,0,1,"cmdoption-pre-RA-sched"],"--vg-leak":[2,0,1,"cmdoption--vg-leak"],"-format":[104,0,1,"cmdoption-llvm-cov-show-format"],"--branch-probabilities":[104,0,1,"cmdoption-llvm-cov-gcov--branch-probabilities"],"--all-blocks":[104,0,1,"cmdoption-llvm-cov-gcov--all-blocks"],"-P":[37,0,1,"cmdoption-llvm-nm-P"],"--print-file-name":[37,0,1,"cmdoption-llvm-nm--print-file-name"],"-stats":[83,0,1,"cmdoption-stats"],"-name":[104,0,1,"cmdoption-llvm-cov-show-name"],"-dyn-symbols":[67,0,1,"cmdoption-dyn-symbols"],"-symbols":[67,0,1,"cmdoption-symbols"],"-print-sets":[118,0,1,"cmdoption-tblgen-print-sets"],"-program-headers":[67,0,1,"cmdoption-program-headers"],"--check-prefixes":[7,0,1,"cmdoption--check-prefixes"],"--disable-fp-elim":[86,0,1,"cmdoption--disable-fp-elim"],"-obj":[88,0,1,"cmdoption-obj"],"--check-prefix":[7,0,1,"cmdoption--check-prefix"],"--strict-whitespace":[7,0,1,"cmdoption--strict-whitespace"],"--x86-asm-syntax":[86,0,1,"cmdoption--x86-asm-synt
 ax"],"--show-suites":[2,0,1,"cmdoption--show-suites"],"-time-passes":[83,0,1,"cmdoption-time-passes"],"-relocations":[67,0,1,"cmdoption-relocations"],"-gcc":[122,0,1,"cmdoption-llvm-profdata-merge-gcc"],"-show-line-counts":[104,0,1,"cmdoption-llvm-cov-show-show-line-counts"],"-needed-libs":[67,0,1,"cmdoption-needed-libs"],"-line-coverage-lt":[104,0,1,"cmdoption-llvm-cov-show-line-coverage-lt"],"-nodetails":[53,0,1,"cmdoption-llvm-bcanalyzer-nodetails"],"--enable-no-nans-fp-math":[86,0,1,"cmdoption--enable-no-nans-fp-math"],"-asmwriternum":[118,0,1,"cmdoption-tblgen-asmwriternum"],"-join-liveintervals":[89,0,1,"cmdoption-join-liveintervals"],"-debug-dump":[97,0,1,"cmdoption-debug-dump"],"--print-machineinstrs":[86,0,1,"cmdoption--print-machineinstrs"],"-asmparsernum":[118,0,1,"cmdoption-tblgen-asmparsernum"],"-section-symbols":[67,0,1,"cmdoption-section-symbols"],"--print-size":[37,0,1,"cmdoption-llvm-nm--print-size"],"-h":[67,0,1,"cmdoption-h"],"--config-prefix":[2,0,1,"cmdoption--c
 onfig-prefix"],"-sections":[67,0,1,"cmdoption-sections"],"--object-directory":[104,0,1,"cmdoption-llvm-cov-gcov--object-directory"],"-function":[122,0,1,"cmdoption-llvm-profdata-show-function"],"-print-records":[118,0,1,"cmdoption-tblgen-print-records"],"-gen-dfa-packetizer":[118,0,1,"cmdoption-tblgen-gen-dfa-packetizer"],"--load":[86,0,1,"cmdoption--load"],"-dump":[53,0,1,"cmdoption-llvm-bcanalyzer-dump"],"-nozero-initialized-in-bss":[89,0,1,"cmdoption-nozero-initialized-in-bss"],"--quiet":[2,0,1,"cmdoption--quiet"],"--match-full-lines":[7,0,1,"cmdoption--match-full-lines"],"-disable-post-RA-scheduler":[89,0,1,"cmdoption-disable-post-RA-scheduler"],"--show-all":[2,0,1,"cmdoption--show-all"],"-b":[104,0,1,"cmdoption-llvm-cov-gcov-b"],"--spiller":[86,0,1,"cmdoption--spiller"],"-gen-instr-info":[118,0,1,"cmdoption-tblgen-gen-instr-info"],"-meabi":[86,0,1,"cmdoption-meabi"],"-gen-intrinsic":[118,0,1,"cmdoption-tblgen-gen-intrinsic"],"--enable-unsafe-fp-math":[86,0,1,"cmdoption--enable-
 unsafe-fp-math"],"-arch":[104,0,1,"cmdoption-llvm-cov-report-arch"],"--unconditional-branches":[104,0,1,"cmdoption-llvm-cov-gcov--unconditional-branches"],"-strip-debug":[83,0,1,"cmdoption-strip-debug"],"--size-sort":[37,0,1,"cmdoption-llvm-nm--size-sort"],"-version":[67,0,1,"cmdoption-version"],"-section-data":[67,0,1,"cmdoption-section-data"],"-size":[57,0,1,"cmdoption-size"],"--enable-no-infs-fp-math":[86,0,1,"cmdoption--enable-no-infs-fp-math"],"--path":[2,0,1,"cmdoption--path"],"-text":[122,0,1,"cmdoption-llvm-profdata-show-text"],"--shuffle":[2,0,1,"cmdoption--shuffle"],"-spiller":[89,0,1,"cmdoption-spiller"],"-march":[89,0,1,"cmdoption-march"],"--show-unsupported":[2,0,1,"cmdoption--show-unsupported"],"-elf-section-groups":[67,0,1,"cmdoption-elf-section-groups"],"-disable-inlining":[83,0,1,"cmdoption-disable-inlining"],"--time-passes":[86,0,1,"cmdoption--time-passes"],"-region-coverage-lt":[104,0,1,"cmdoption-llvm-cov-show-region-coverage-lt"],"--vg":[2,0,1,"cmdoption--vg"],"
 -p":[104,0,1,"cmdoption-llvm-cov-gcov-p"],"--dynamic":[37,0,1,"cmdoption-llvm-nm--dynamic"],"--no-output":[104,0,1,"cmdoption-llvm-cov-gcov--no-output"],"-section-relocations":[67,0,1,"cmdoption-section-relocations"],"-help":[53,0,1,"cmdoption-llvm-bcanalyzer-help"],"--verbose":[2,0,1,"cmdoption--verbose"],"-jit-enable-eh":[89,0,1,"cmdoption-jit-enable-eh"],"-show-regions":[104,0,1,"cmdoption-llvm-cov-show-show-regions"],"-fake-argv0":[89,0,1,"cmdoption-fake-argv0"],"-gen-asm-writer":[118,0,1,"cmdoption-tblgen-gen-asm-writer"],"-enable-no-nans-fp-math":[89,0,1,"cmdoption-enable-no-nans-fp-math"],"--preserve-paths":[104,0,1,"cmdoption-llvm-cov-gcov--preserve-paths"],"--branch-counts":[104,0,1,"cmdoption-llvm-cov-gcov--branch-counts"],"-load":[83,0,1,"cmdoption-load"],"-expand-relocs":[67,0,1,"cmdoption-expand-relocs"],"--disable-excess-fp-precision":[86,0,1,"cmdoption--disable-excess-fp-precision"],"--format":[37,0,1,"cmdoption-llvm-nm--format"],"-print-enums":[118,0,1,"cmdoption-tbl
 gen-print-enums"],"-show-instantiations":[104,0,1,"cmdoption-llvm-cov-show-show-instantiations"],"-enable-no-infs-fp-math":[89,0,1,"cmdoption-enable-no-infs-fp-math"],"-filetype":[86,0,1,"cmdoption-filetype"],"-gen-emitter":[118,0,1,"cmdoption-tblgen-gen-emitter"],"-unwind":[67,0,1,"cmdoption-unwind"],"-gen-pseudo-lowering":[118,0,1,"cmdoption-tblgen-gen-pseudo-lowering"],"-verify":[53,0,1,"cmdoption-llvm-bcanalyzer-verify"],"-gen-tgt-intrinsic":[118,0,1,"cmdoption-tblgen-gen-tgt-intrinsic"],"--help":[2,0,1,"cmdoption--help"],"--implicit-check-not":[7,0,1,"cmdoption--implicit-check-not"],"-x86-asm-syntax":[89,0,1,"cmdoption-x86-asm-syntax"],"-disable-opt":[83,0,1,"cmdoption-disable-opt"],"-mcpu":[89,0,1,"cmdoption-mcpu"],"-relocation-model":[89,0,1,"cmdoption-relocation-model"],"-file-headers":[67,0,1,"cmdoption-file-headers"],"-disable-spill-fusing":[89,0,1,"cmdoption-disable-spill-fusing"],"--undefined-only":[37,0,1,"cmdoption-llvm-nm--undefined-only"],"-debug":[83,0,1,"cmdoption-
 debug"],"-code-model":[89,0,1,"cmdoption-code-model"],"--function-summaries":[104,0,1,"cmdoption-llvm-cov-gcov--function-summaries"],"-sample":[122,0,1,"cmdoption-llvm-profdata-show-sample"],"--param":[2,0,1,"cmdoption--param"],"-dynamic-table":[67,0,1,"cmdoption-dynamic-table"],"-inlining":[88,0,1,"cmdoption-inlining"],"--vg-arg":[2,0,1,"cmdoption--vg-arg"],"-functions":[88,0,1,"cmdoption-functions"],"-Xdemangler":[104,0,1,"cmdoption-llvm-cov-show-Xdemangler"],"--debug":[2,0,1,"cmdoption--debug"],"-force-interpreter":[89,0,1,"cmdoption-force-interpreter"],"-mtriple":[89,0,1,"cmdoption-mtriple"],"--numeric-sort":[37,0,1,"cmdoption-llvm-nm--numeric-sort"],"--threads":[2,0,1,"cmdoption--threads"],"--succinct":[2,0,1,"cmdoption--succinct"],"-gen-fast-isel":[118,0,1,"cmdoption-tblgen-gen-fast-isel"],"-gen-disassembler":[118,0,1,"cmdoption-tblgen-gen-disassembler"],"-gen-asm-matcher":[118,0,1,"cmdoption-tblgen-gen-asm-matcher"],"-show-expansions":[104,0,1,"cmdoption-llvm-cov-show-show-ex
 pansions"],"--time-tests":[2,0,1,"cmdoption--time-tests"],"-soft-float":[89,0,1,"cmdoption-soft-float"],"--no-sort":[37,0,1,"cmdoption-llvm-nm--no-sort"],"--extern-only":[37,0,1,"cmdoption-llvm-nm--extern-only"],"--object-file":[104,0,1,"cmdoption-llvm-cov-gcov--object-file"],"-dsym-hint":[88,0,1,"cmdoption-dsym-hint"],"--input-file":[7,0,1,"cmdoption--input-file"],"-st":[67,0,1,"cmdoption-st"],"--debug-syms":[37,0,1,"cmdoption-llvm-nm--debug-syms"],"-sr":[67,0,1,"cmdoption-sr"],"-gen-enhanced-disassembly-info":[118,0,1,"cmdoption-tblgen-gen-enhanced-disassembly-info"],"-output-dir":[104,0,1,"cmdoption-llvm-cov-show-output-dir"],"--regalloc":[86,0,1,"cmdoption--regalloc"],"-output":[122,0,1,"cmdoption-llvm-profdata-show-output"],"-sd":[67,0,1,"cmdoption-sd"],"-default-arch":[88,0,1,"cmdoption-default-arch"],"-weighted-input":[122,0,1,"cmdoption-llvm-profdata-merge-weighted-input"],"-disable-excess-fp-precision":[89,0,1,"cmdoption-disable-excess-fp-precision"]}},titleterms:{callingco
 nv:35,prefix:[78,7],undef:107,"const":17,lsda:120,globalvari:21,concret:112,everi:76,"void":[17,78],module_code_funct:124,clangattrclass:35,type_code_numentri:124,vector:[47,78,113,21,1],verif:49,x86_64:13,paramattr_block:124,bitstream:124,mcstreamer:93,direct:[39,1,78,93,14,36,96,7],getposit:29,ilist:21,aggreg:[47,78,61],llvmbuild:43,blockinfo:124,scalarenumerationtrait:100,hide:29,neg:113,poison:78,conduct:[0,101],"new":[84,47,55,56,48,120,115,34,14,20,21],postdomin:47,hasglobalalias:17,metadata:[99,123,3,78,12],elimin:47,behavior:56,mem:78,copysign:78,lowerswitch:47,accur:78,studio:52,debugg:[47,78,115,92],valuemap:21,precis:[47,78],thinlto:46,portabl:[4,76,27,16,107],fsub:78,unit:[26,93],tst_code_entri:124,describ:61,would:17,tail:[47,93],dimacrofil:78,subregist:82,call:[47,93,64,56,21,1,59,76,78,107],callgraph:[84,47],simplifycfg:[47,107],type:[74,47,55,76,64,1,21,100,123,61,80,113,78,45,128],tell:113,relat:64,warn:[55,76],unpack:38,must:[29,56],word:124,setup:[26,30,112,24],wo
 rk:[17,38,113,115,49],targetframelow:93,root:81,localrecov:78,phabric:91,coreclr:81,indic:[54,113,61,82],want:17,codegen:95,end:[76,39,12,21,86,71,115,35,113,78,107],thing:[107,61],how:[93,126,112,113,48,17,40,71,13,51,103,73,15,35,66,77,21,107],tbaa:78,type_symtab_block:124,verifi:[47,107,7],config:111,updat:[103,56],attrdoc:35,after:[98,76,0],befor:76,arch:39,parallel:40,domin:47,opaqu:78,bootstrap:114,alias:[17,29,93,78,61],environ:84,reloc:[49,93,36],lambda:76,order:[100,78,95,87,61],frontend:61,over:[76,21,61],type_code_opaqu:124,ia64:117,flexibl:7,clangstmtnod:35,fix:[17,93,21,115,124],fadd:78,comprehens:46,erlang:81,safe:81,"break":[47,21],itanium:[120,117],each:47,debug:[26,56,115,75,108,14,47,21],foldingset:21,resum:78,extract:[47,10],content:[63,124,115,112,97],reader:67,inteqclass:21,dse:[47,56],umul:78,log2:78,barrier:[81,78,12],written:107,lto_module_t:98,filter:[120,93],pointstoconstantmemori:56,fptoui:78,regress:14,cmpvalu:17,isa:21,size:[94,21],rang:[74,78],neededsaf
 epoint:81,catchswitch:78,independ:[93,27,16,107],restrict:[120,61],lto_code_gen_t:98,instruct:[47,55,107,64,39,113,120,21,93,95,3,87,82,77,44,78],wrapper:[124,80],exp2:78,top:[29,45],type_code_struct:124,evolut:47,toi:40,namespac:76,tool:[38,125,107,75,122,116,52,92],lower:[81,47,78,113],bpf_ind:93,removeus:17,mergereturn:47,target:[25,47,93,64,12,46,27,103,36,89,16,113,118,78],keyword:76,provid:76,tree:[47,110,42,23],project:[38,70,65,46,73,80,43,42],aapc:87,consumeaft:29,modern:38,increment:41,strength:47,aliassettrack:56,preincrement:76,simplifi:[47,76],object:[25,63,38,21,113,115,79,37,124,67,78,42],lexic:45,breakpoint:84,phase:[93,98,64],tinyptrvector:21,don:[4,76,107,113],dom:47,doc:117,flow:[18,40,100,32,80],doe:[84,40,107,113],declar:[47,45,115],caml:63,dot:47,ldc:46,random:[17,11,57],syntax:[45,12,7,110,121,36,49,96,78,8,23,128],freeform:29,advisori:0,buildbot:[126,40],dfapacket:35,getanalysisusag:84,absolut:29,layout:[47,93,38,21,12,115,123,78,42],acquir:95,machineinstr:93
 ,configur:[25,38,50,2,13,86,114,126],sroa:47,ditemplatetypeparamet:78,rich:44,predecessor:21,ceil:78,smul:78,report:[48,104,71,0],x86_mmx:78,method:[84,4,76,21,56],basicblock:[17,21],commandlin:29,attributeset:66,bitvector:21,result:[49,2,56],miscompil:[71,92],respons:[47,29,56],best:61,awar:112,hopefulli:127,discoveri:2,dicompileunit:78,diderivedtyp:78,mul:78,irc:54,approach:98,attribut:[47,82,29,59,115,41,66,78],extend:[55,93,32,33,34,18,19,20],extens:[29,32,115,84,36,18],lazi:[62,5,6,21,47],rtti:[76,112],notatom:95,cov:104,fault:99,elf:36,diff:58,guid:[47,0,39,12,54,29,95,75,14,50,82,43,40],assum:78,duplic:[4,47],"__nvvm_reflect":12,basic:[47,70,112,64,28,110,82,124,75,22,84,9,78,17,122,21,8,23,61],quickli:38,deeper:112,type_code_x86_fp80:124,argument:[47,21,29,80,78,128],multithread:84,"catch":120,smallbitvector:21,read_regist:78,bitcod:[119,107,37,124,53,89,98],dissect:[74,12],properti:[27,16,61,115],slp:1,anchor:76,mcsymbol:93,dwarfdump:97,globaldc:47,bitcast:78,perform:[61,1]
 ,make:[99,76,41,21,107],complex:[78,21,114],codeemitt:35,disubroutinetyp:78,fragil:14,reassoci:47,tune:86,libcal:[47,95],qualif:103,bewar:76,client:56,thi:[26,127,113,17,40,107,34,61,20,46],programm:21,identifi:[81,78],languag:[45,76,63,28,115,27,32,33,34,128,16,61,18,19,20,78,22,107],expos:4,patchpoint:96,help:[15,107,21,29,42],els:[18,76,32,80],opt:[84,29,83],background:[120,115,112,108],shadow:81,linux:117,mir:82,specif:[93,70,106,27,115,103,14,86,16,61,36,4],deprec:50,manual:[78,29,117,21,82],unnecessari:76,underli:113,right:21,global_ctor:[107,78],interv:[47,93],argpromot:[47,56],type_code_fp128:124,intern:[47,29,76],indirect:78,global_dtor:78,functioncompar:17,subclass:[21,64],optparserdef:35,condit:47,core:21,replacedirectcal:17,memdep:47,codeview:115,tablegen:[90,93,35,109,45,8,128],promot:[47,64],emitt:64,chapter:[25,26,20,110,30,31,32,33,34,60,23,85,18,5,6,62,19,9,24],slightli:21,trophi:40,localescap:78,canonic:[47,78],commit:[41,91],looppass:84,instcombin:[47,107],"float"
 :[78,36,89],encod:[74,93,124],bound:113,storag:[78,29,21],git:[38,91],wai:[21,113],support:[76,64,49,40,93,31,15,3,96,85,78,46,107],transform:[47,56],type_code_half:124,"class":[45,76,112,64,56,21,29,93,84,77,78,128],avail:[81,56],width:[76,78,61,124],memorydependenceanalysi:56,sitofp:78,analysi:[47,113,56,1,93,84,45],form:[47,93],raw_ostream:76,modulepass:84,dead:47,heap:[81,21],icmp:78,profdata:122,inttoptr:[78,113],"__atomic_":95,fundament:[55,90],sampl:[77,74],emit:[25,81,104],featur:[72,76,1,81,40,93,14],request:91,"abstract":[81,110,61,124,4,78,23],diagnost:1,exist:[84,20,56,34],nvvmreflect:12,trip:1,bswap:78,assembl:[105,39,64,81,93,36,87,78],floor:78,when:[40,76,92,61,107],test:[38,123,70,48,125,40,2,103,14,41,82,78,50],node:[47,55,78],stackrestor:78,intend:59,smallset:21,put:25,cmpgep:17,consid:61,pseudo:74,time:[26,76,71,98,73],offsetof:[27,16],hsa_code_object_vers:39,corpu:40,concept:[74,84,8],nearbyint:78,chain:[38,52,21,56],ptrtoint:[78,113],global:[47,1,17,115,82,78],l
 li:89,llc:86,primer:80,middl:107,depend:[72,47,36,56],graph:[47,21],readabl:76,uadd:78,sourc:[74,26,76,70,38,46,107,115,88,78,42],string:[74,78,21],administr:103,level:[74,47,76,45,29,93,115,87,82,4,78,107],did:107,die:47,iter:[21,1],item:38,quick:[74,84,70,81,29,14],round:78,paramattr_code_entri:124,sign:[124,91],scev:[47,56],sopp:39,funclet:[120,78],appeal:0,defici:[8,109],deriv:[49,55,21],gener:[47,93,50,2,78,21,79,106,57,107,18,92,24,81,82,30,32,36,89,120,71,118,128],globalsmodref:[47,56],modif:3,address:[79,39,12,93,123,88,113,78],along:17,monoton:95,nondebug:47,extrem:6,safepoint:49,basiccg:47,overrid:56,semant:[12,49,96,61,4,78],maxnum:78,extra:[14,113],modul:[25,47,10,76,21,84,80,78,60,82],prefer:[76,61],ipo:46,cttz:78,marker:78,instal:13,should:[17,107],dagisel:35,post:47,deadtypeelim:47,memori:[47,56,21,34,61,20,78],univers:107,subvers:[38,91],live:[82,93],criteria:103,scope:[128,78,115,80],checkout:38,share:72,enhanc:49,visual:[52,70],prototyp:47,logarithm:17,ibm:117,regi
 sterinfo:35,prepar:79,uniqu:100,can:[107,61,113],topic:[63,21,70],critic:47,fp16:78,alwai:[47,113],multipl:21,targetsubtarget:93,write:[84,76,64,56,81,29,93,14,35,113,50,42,107],legalizetyp:93,foreach:45,map:[74,99,93,64,81,21,100,96,49,77,78],remap:79,armneonsema:35,memcpi:[47,78],smallstr:21,clang:[38,40,13,51,103,15,35,114],mai:[17,56],data:[74,47,93,12,78,40,100,122,124,4,21],newlin:7,stress:57,autotool:73,practic:61,assici:17,ebpf:93,predic:76,inform:[26,76,117,47,46,115,123,14,104,41,21],"switch":[76,3,78],combin:[47,93],runonbasicblock:84,mapvector:21,callabl:21,comdat:78,microscop:76,still:61,pointer:[56,1,49,113,78,21],dynam:[84,29,93,78],entiti:128,armneontest:35,group:[84,29,78],thumb:112,fastisel:35,polici:41,gen:12,platform:[14,117,107,70],jit:[63,64,62,93,31,108,85,5,6,21,60,9],cmptype:17,fuzzer:40,main:17,non:[81,47,46,114],synopsi:[102,2,7,104,53,57,10,105,106,125,58,111,65,83,116,86,88,89,67,119,122,37,97,118],initi:[76,56,81,40,93,21],half:78,introduct:[47,71,100,4
 8,17,76,51,103,11,3,110,114,77,5,6,78,8,9,79,55,93,12,62,115,13,59,60,15,109,80,85,18,19,20,21,22,23,24,25,26,64,113,81,28,29,30,31,32,33,34,84,126,35,36,87,66,128,68,70,39,120,40,56,94,95,73,41,82,43,44,127,45,46,74],name:[47,76,64,29,93,115,78],getanalysi:84,revers:1,sequentiallyconsist:95,sjlj:120,callsit:[47,120],compil:[25,26,111,76,70,38,31,46,71,13,72,15,86,85,117,6,78,107,62],replac:[47,21],individu:[82,21],continu:76,releasememori:84,redistribut:107,operand:[49,96,78,64,82],happen:[107,0,113],switchinst:[47,3],catchret:78,armneon:35,space:[113,93,76,39,12],profil:[47,122],rational:[78,113],state:17,orc:60,clangattrvisitor:35,frequenc:68,ocaml:81,motion:47,turn:[76,21,107],gcmetadataprint:81,frequent:[107,70],first:[78,113],oper:[106,21,33,34,61,19,20,78],directli:[89,56],type_code_arrai:124,rint:78,arrai:[74,36,21,78,113],stringref:21,fast:78,crit:47,open:[46,107],module_code_datalayout:124,convent:[107,39,64,12,93,59,78],type_block:124,fma:78,clangsacheck:35,copi:[76,59],s
 pecifi:[81,84,29,61,56],pragma:1,than:113,xcore:117,posit:29,seri:68,pre:[48,2],loweratom:47,licm:[47,56],ani:[14,40],doiniti:84,recover:21,bitwis:78,engin:79,readcyclecount:78,advic:[72,92],note:[46,93,117,51],printer:[47,64],normal:100,c99:36,insertel:78,"_global__i_a":107,cmpoper:17,runtim:[120,78,1],mcjit:[79,108],lexicon:69,show:[104,107,122],atom:[47,78,95],concurr:[78,95],hack:[47,13],runonscc:84,slot:47,onli:[47,21],mergefunct:17,fenc:78,activ:49,behind:115,analyz:53,customwritebarri:81,offici:117,gep:[61,113],variou:47,get:[38,40,78,52,68],module_code_gcnam:124,ssa:[47,93,107],targetjitinfo:93,requir:[38,113,56,81,29,93,14,52,84,42],intrins:[47,55,12,81,49,115,35,96,87,120,78],type_code_ppc_fp128:124,cmpconstant:17,where:107,summari:[38,113,87,53],kernel:12,gcwrite:[81,78],postdom:47,deadargelim:47,detect:[47,15],review:[41,91],enumer:76,label:[78,76,7],clangcommenthtmltagsproperti:35,jite:5,clangattrpchread:35,volatil:78,between:[84,98,21,113],"import":21,spars:47,parent:1
 20,sparc:117,frameaddress:78,dimacro:78,region:[74,47,84],contract:112,audienc:64,tutori:[63,12,28,27,15,16,7,22],doesnotaccessmemori:56,acceler:115,pow:78,exploit:29,sccp:47,sentinel:21,mark:12,basicaa:[47,56],fptrunc:78,type_code_funct:124,module_code_vers:124,module_code_alia:124,trick:[27,16],cast:[21,113],invok:[47,78,21,12],tblgen:118,onlyreadsmemori:56,freelist:11,mergefunc:47,develop:[38,70,54,40,75,41],author:61,same:[21,7],rgpassmanag:84,binari:[110,107,33,103,19,78,23],document:[54,76,117,17,100,103,61],immutableset:21,exhaust:47,srem:78,ssub:78,preassign:93,nest:59,driver:[110,30,23,24],sreg:12,driven:56,value_symtab_block:124,setversionprint:29,extern:[47,29,46,50,63],defm:45,runonmachinefunct:84,macro:[100,21,80],markup:44,clobber:[93,78],without:107,model:[46,78,61],dereferenc:[113,80],customreadbarri:81,execut:[70,2,21,89,12],tip:[27,16,61],s_waitcnt:39,neon:87,rest:[110,23],gdb:[84,108],smallvector:21,asmmatch:35,struct:[76,78,113],hint:[21,1],filecheck:7,except:[47
 ,76,78,59,120],littl:76,versa:21,overview:[76,48,49,50,52,77,78,74,54,12,14,80,42,81,82,38,120,56,72,96,124,43],disubprogram:78,endcatch:120,earli:76,read:[81,17,98,64,12],va_start:78,world:84,mod:47,intel:86,integ:[78,124,113],dilexicalblockfil:78,output:[100,50,29,2,53,44,78,40],targetinstrinfo:[93,64],deduct:76,trampolin:78,catchpad:78,gvn:[47,56],definit:[76,69,96,128,53],token:[120,78],legal:[93,61,64],exit:[47,76,102,2,7,104,53,57,10,105,106,125,58,111,65,83,86,88,89,67,119,122,37,97,118],refer:[45,47,81,21,29,82,43,78],garbag:[81,78,27,16,49],inspect:21,fpmath:78,clangattrimpl:35,"throw":[4,120],comparison:17,patent:41,stacklet:94,cuda:15,faultmap:99,routin:21,clangdiagsdef:35,effici:[59,56],bpf_ab:93,terminolog:[38,68],strip:47,your:[84,126,70,112],compon:[43,40,93,111],log:[17,78],area:[49,78],hex:100,nvvm:12,start:[74,38,70,81,29,93,84,14,52,78,40,9],interfac:[4,107,21,91,56],low:76,clear_cach:78,kaleidoscop:[25,26,30,63,28,110,27,31,32,33,34,16,85,18,19,20,22,23,24],resol
 ut:98,addrequiredtransit:84,timelin:103,enough:92,bundl:[93,78],stackmap:96,epilog:93,conclus:[110,27,16,23],notat:[38,45],tripl:[93,78,12],runonregion:84,"default":[100,76],embed:[82,70],creat:[84,21,42,103],deep:127,deletevalu:56,file:[74,38,93,0,106,47,57,29,2,76,115,14,98,124,37,7,128],incorrect:71,collector:[81,78],multiclass:[45,128],field:17,valid:[48,100],copyright:41,you:[127,0],architectur:[49,117,96],formed:78,registri:84,sequenc:100,symbol:[88,47,37,98],ilist_trait:21,amd_kernel_code_t:39,ilist_nod:21,reduc:47,ipsccp:47,backward:41,directori:38,type_code_float:124,smrd:39,mask:78,hello:84,calle:59,mass:68,scudo:11,"__sync_":95,represent:[74,107,56],all:[25,47,107],consider:[21,59,87],forbidden:76,scc:47,scalar:[47,100],ptx:12,follow:[17,113],ptr:[78,12],clangattrspellinglistindex:35,addescapingus:56,init:78,program:[54,93,8,42,89],datalayout:93,"case":[125,41],consum:115,faq:[40,107],urem:78,util:[47,38,100,65,49],candid:103,mechan:76,got:71,fab:78,type_code_integ:124,in
 duct:[47,1],list:[76,5,6,62,60,9,54,117,78,80,85,18,19,20,21,110,23,24,25,26,29,30,31,32,33,34,37,46,100],managedstat:21,adjust:[20,78,34],stderr:47,zero:120,design:[79,54,113,92,93,59,11,98,21],pass:[99,47,70,56,17,31,84,61,49,85,21,82],further:42,enter_subblock:124,heartble:40,type_code_point:124,what:[0,113,81,17,40,107,84,61,92],xor:78,sub:[74,78],abi:[117,46,93,21,120],section:[99,96,127,36,97],ast:[18,110,6,32,23],abl:17,delet:[47,21],abbrevi:124,version:[40,76,108,103],subtarget:[35,64],ctpop:78,"public":[15,76,21,103],full:[25,26,20,62,110,30,31,32,33,34,60,23,85,18,5,6,78,19,9,24],hash:115,berkelei:93,behaviour:36,analysisusag:84,prologu:78,standard:[38,76,106,78,115,124,4,21],modifi:[29,107,78,106],valu:[45,107,113,47,17,29,100,115,82,128,78,21],trunc:78,search:17,ahead:26,shufflevector:78,pick:21,via:[50,91],primit:[124,128],transit:[49,78,120],filenam:78,select:[92,29,2,78,93],aggress:47,hexadecim:36,liber:76,regist:[47,107,64,12,82,93,84,61],two:[93,113],coverag:[74,104
 ,40],unwindless:47,va_end:78,asm:[120,93,78],metadata_block:124,minor:39,more:[76,21,114],flat:39,tester:2,type_code_metadata:124,statepoint:[81,49,78],flag:[1,82,29,72,15,78],known:109,cach:70,minnum:78,abandon:91,def:[45,21],indirectbr:78,registr:[84,64],emiss:[26,93,36],addrspacecast:78,templat:[78,127,21,128],dicompositetyp:78,readobj:67,goal:81,programmat:21,anoth:21,immutablemap:21,reject:107,unswitch:47,simpl:[47,78,21,12],isn:92,replacewithnewvalu:56,resourc:117,mccontext:93,reflect:12,exceptionpoint:120,arcanist:91,callback:6,rotat:47,through:76,constants_block:124,hierarchi:[21,112],paramet:[78,12],style:[76,112,56,36,78,42],late:93,clangcommenthtmltag:35,gcov:104,systemz:117,good:40,"return":76,frem:78,complain:12,module_code_sectionnam:124,diglobalvari:78,globalvalu:21,achiev:21,scalarevolut:47,fulli:76,subsystem:54,donoth:78,interleav:78,clangattrparsedattrimpl:35,weight:[3,68,122],branchinst:3,hard:[26,20,34],idea:[19,33],realli:107,linkag:78,expect:[3,78],sadd:78,redu
 ct:[47,125,1],safeti:[27,16],print:[84,47,111,97,56],subsubsect:127,occurr:29,qualifi:[107,103],advanc:[74,63,40,21,114],base:[47,107,112,113,49,46,93],instrmap:77,begincatch:120,thread:[78,21,47],bitconvert:87,clangattrparsedattrkind:35,postdomtre:47,clangcommenthtmlnamedcharacterrefer:35,lifetim:[78,59,115],assign:[47,20,34],major:[41,39],number:[47,29,124],smallptrset:21,module_block:124,differ:[50,113,56],script:[48,80],interact:[84,21],construct:[47,93,107],statement:3,cfg:[47,3],store:[47,93,78,61,107],option:[102,2,104,11,53,7,10,105,106,125,14,57,21,111,65,29,83,86,88,89,67,38,70,119,40,122,37,97,44,118],relationship:21,selector:64,pars:[29,93,110,23],std:[76,21],remot:5,i32:113,remov:47,cost:120,valuesymbolt:21,tailcallelim:47,comput:[81,113,12],packag:72,"null":[81,113],built:[81,80,3,93,100],lib:[116,38],check:[99,47,1,7,78,21],self:107,lit:2,also:[102,10,76,105,106,125,2,86,53,89,37],powi:78,build:[63,70,126,65,40,107,13,51,103,84,73,15,42,114,43,5,6,62,60,9],extractvalu
 :78,extractel:78,brace:76,coff:[121,36],cleanuppad:78,distribut:[78,103],machinebasicblock:93,most:47,plan:84,mach:115,cover:76,libdevic:12,exp:78,rewritestatepointsforgc:49,microsoft:[52,70],visibl:78,ctag:35,runonmodul:[84,17],gold:73,clangattrparsedattrlist:35,fine:21,find:[47,21,61],write_regist:78,writer:117,solut:[17,40],unus:[4,47],express:[74,47,78,110,30,32,120,18,128,7,23,24],nativ:[93,124],externalfnconst:47,diloc:78,common:[38,52,21,12],immutablepass:84,set:[47,112,64,56,29,84,21],clangattrpchwrit:35,startup:40,mutabl:[20,34],see:[102,10,76,105,106,125,2,86,53,89,37],close:[47,30,24],arm:[117,46,13,51,36,87],dwarf:[26,115,97],module_code_tripl:124,vop1:39,vop3:39,vop2:39,altern:[29,98],numer:15,unrol:[47,78,1],miscellan:[84,82,29,117,42],both:38,vopc:39,interprocedur:47,inalloca:59,debug_typ:21,context:100,let:[45,128],machinefunct:[84,93],load:[79,84,93,78,61],point:[81,78,36,96,89],schedul:[93,64],header:[74,4,11,76,115],alloca:[94,78,61],classof:112,functionpass:84,ba
 ckend:[64,113,93,35,8,128],aarch64:117,diimportedent:78,strategi:[81,78],irtransformlay:60,understand:107,atomicrmw:78,dequ:21,look:61,fptosi:78,passmanag:84,"while":21,unifi:47,match:[93,7],amdgpu:[46,93,117,39],error:[4,76,100,21],anonym:[47,76],loop:[47,76,1,32,84,80,18,78,68,128],prolog:93,subsect:127,propag:47,reg2mem:47,runonfunct:84,demot:47,bitrevers:78,illinoi:107,targetlow:93,minim:4,clangdiagsindexnam:35,decod:47,higher:107,x86:[117,46,93,36],diobjcproperti:78,optim:[47,71,83,27,31,95,115,73,15,16,85,93,98,60,107],va_copi:78,user:[47,39,12,54,40,100,33,34,86,19,20,21],function_block:124,specialis:78,stack:[47,93,81,49,27,94,96,36,16,78],stateless:47,travers:21,task:[21,103],entri:[47,3,96],parenthes:76,person:78,propos:115,always_inlin:47,functionattr:47,module_code_asm:124,ipconstprop:47,ldr:87,mubuf:39,waymark:21,input:[100,78,122],type_code_label:124,vendor:39,format:[74,93,106,120,49,29,2,115,76,96,124,82,43,40],big:87,bia:68,ld1:87,bit:[78,29,21,124],pcre2:40,pcmarke
 r:78,collect:[117,81,49,29,27,16,78],constmerg:47,clangdeclnod:35,often:113,creation:79,back:[35,107,39,12],lowerinvok:47,mirror:38,densemap:21,sizeof:[27,16],instcount:47,addpreserv:84,scale:68,per:62,substitut:[14,2],larg:61,bcanalyz:53,machin:[25,64,82,93,36,61],run:[50,12,40,2,13,84,8],step:[126,64,39],prerequisit:64,copyvalu:56,setjmp:120,bugpoint:[47,92,125],constraint:78,indirectbrinst:3,dofin:84,runonloop:84,block:[47,76,21,100,124,82,78,68],gcroot:78,gcread:[81,78],chang:[91,46,30,115,41,21,24],announc:103,inclus:128,kaleidoscopejit:9,question:[107,101],submit:[41,71],custom:[64,113,81,29,100,50],arithmet:[93,78,113],includ:[4,76,107,38],suit:[38,70,48,50,2,14],fmuladd:78,aliasanalysi:56,properli:76,lint:47,link:[38,119,12,73,52,98],cmpxchg:78,line:[29,91,1],info:[47,21,115,64,128],clangattrspel:35,consist:[4,76],fcmp:78,fdiv:78,impl:47,constant:[47,78,31,115,36,85,21],debugtrap:78,parser:[29,93,32,18,110,23],doesn:40,repres:[93,123],clangattrlist:35,cmake:[70,50,13,80],seq
 uenti:21,cleanupret:78,llvm:[1,27,3,4,10,12,13,14,15,16,85,18,20,21,24,2,30,31,32,34,35,36,38,40,41,44,46,47,49,50,51,52,53,54,55,56,57,58,42,63,64,65,67,68,69,70,71,72,73,75,78,74,80,81,83,84,86,87,88,89,92,93,94,95,96,97,98,76,101,102,103,104,105,106,107,111,112,113,115,116,119,120,122,37,124,126],mismatch:107,domfronti:47,eval:[47,56],parseenvironmentopt:29,extrahelp:29,difil:78,svn:[38,91],typeid:120,lane:87,algorithm:[93,21],vice:21,intervalmap:21,llvm_shutdown:21,llvmcontext:21,code:[47,93,0,101,76,4,5,6,78,60,9,79,128,62,115,107,108,15,85,18,19,20,21,23,24,25,26,64,81,82,110,30,31,32,33,34,84,88,89,38,91,92,40,71,41,42,120,118,74],partial:[47,1],edg:47,module_code_globalvar:124,queri:47,privat:76,friendli:40,send:38,dienumer:78,mcinst:93,probe:36,vla:113,stackguard:78,relev:117,magic:124,"try":120,udiv:78,natur:47,memset:78,jump:[47,93],fold:[85,93,31,64],instnam:47,compat:[116,40,41],index:113,twine:21,memcpyopt:[47,56],compar:[17,113],asmwrit:35,access:[17,41,78,93],experim
 ent:[49,78,96],deduc:47,targetregisterinfo:[93,64],bodi:[47,45],objects:78,sext:[78,61],sink:47,implicit:99,convert:[88,78],convers:[12,78,64,1],vbr:124,implement:[79,63,93,64,56,81,21,110,27,94,84,98,16,87,17,4,78,68,23],domtre:47,dyn_cast:21,api:[107,93,41,44,21,9],dinamespac:78,from:[38,10,113,47,29,93,13,89,6,78,68],commun:[54,98,101,103],next:7,websit:103,sort:21,insertvalu:78,hierchari:21,landingpad:78,nvptx:[93,117,12],alia:[47,113,56,1,29,93,78],annot:[44,78],endian:87,scatter:[78,1],control:[18,15,80,29,32],quickstart:[14,73,127],process:[54,48,17,93,103,5],optioncategori:29,high:[74,76,82,93,4,78],tag:[74,46,100,115,103,21],tab:76,afl:40,gcc:46,getregisteredopt:29,usub:78,subdirectori:42,instead:76,sin:78,delai:11,fpext:78,overridden:17,implicitnullcheck:99,targetdata:47,redund:47,philosophi:[98,92,115],physic:93,alloc:[94,11,93,21],sdiv:78,counter:74,element:113,issu:[56,76,12],pseudolow:35,allow:29,deoptim:78,move:90,stacksav:78,getanalysisifavail:84,elis:59,narr:17,defi
 ne_abbrev:124,initroot:81,infrastructur:[14,126,2,56],dag:[93,7,68],crash:[71,92],handl:[47,100,21,93,120,80,78],auto:[76,1],front:[115,71,107,113],successor:[82,21],module_code_purgev:124,mem2reg:47,fuzz:40,mode:[26,40,93,87],mnemon:93,basicblockpass:84,acquirereleas:95,denseset:21,postdomfronti:47,selectiondag:[55,93,64],chunk:11,licm_vers:78,clangcommentcommandlist:35,"static":[47,86,76],function_ref:21,patch:[38,41,96,103],dilexicalblock:78,special:[78,12],out:[70,9,113],variabl:[26,76,70,1,78,93,94,115,34,36,124,80,47,20,7,42],matrix:93,frontier:47,ret:78,categori:29,rel:78,hardwar:[38,52,117],barrier0:12,ref:47,math:78,statist:[84,21],iostream:[76,107],lcssa:47,attrbuild:66,manipul:78,powerpc:[46,93,117],dictionari:40,deadarghax0r:47,releas:[48,46,95,103],indent:76,could:17,lexer:[18,22,32,28],ask:107,membership:123,keep:[4,76],length:36,outsid:95,lto:73,softwar:[38,52],pgo:114,qualiti:41,fmul:78,lshr:78,owner:41,unknown:1,licens:[73,41,107],system:[4,52,128,78,38],messag:41,r
 egionpass:84,termin:78,"final":[79,103],misunderstood:113,tidbit:[27,16],deconstruct:93,debuginfo:47,uitofp:78,arrayref:21,exactli:40,steen:56,prune:47,structur:[1,17,50,58,14,82,78,21],charact:[7,124],bitvalu:100,clangattrparserstringswitch:35,mergetwofunct:17,linker:[98,78,119],have:113,tabl:[63,54,120,93,115,123,37],need:[127,113],disassembl:[93,44,35,102],mix:1,builtin:29,which:[113,56],mip:[46,117],seh:120,singl:[47,78],preliminari:64,segment:[93,94],why:[26,113,17,40,107,34,20],instrprof_incr:78,placement:[47,42],returnaddress:78,gather:[78,1],yaml2obj:121,getmodrefinfo:56,determin:[29,114],linkonc:36,text:29,dbg:[47,115],findregress:48,module_code_deplib:124,trivial:[85,31],locat:[88,26,38],tire:[19,33],getelementptr:[107,78],type_code_void:124,ditemplatevalueparamet:78,won:127,stackprotector:78,elseif:80,local:[20,38,2,78,34],targetmachin:93,enabl:78,organ:[14,4,43],possibl:[17,29,76],stuff:107,integr:[43,47,2],partit:47,contain:[40,21],shl:78,view:[47,21,80],end_block:124,f
 rame:[93,27,16,120],packet:93,polymorph:21,statu:[102,2,7,104,53,57,10,105,106,125,58,49,111,65,83,86,88,89,67,91,119,122,37,97,118],pattern:7,dll:78,callgraphsccpass:84,instrprof_value_profil:78,kei:100,clangattrdump:35,isol:[5,21],diexpress:78,noalia:78,endl:76,addit:[46,2],doxygen:76,plugin:[81,73],leb128:74,etc:[55,21],instanc:128,grain:21,committe:0,comment:[76,128],parallel_loop_access:78,guidelin:127,hyphen:29,yaml:100,window:[117,40,36,120],va_arg:78,packedvector:21,treat:[76,21],immedi:82,hsa_code_object_isa:39,ifunc:78,assert:76,togeth:25,mail:54,ptxa:12,present:17,multi:[98,114],align:[124,61,87],libfuzz:40,contextu:44,harden:11,defin:[76,64,2,33,34,19,20],sop2:39,layer:[93,60],sop1:39,demo:[107,103],instrinfo:35,site:21,uglygep:113,archiv:[38,106],motiv:[99,96],mutat:[40,20,34],disubrang:78,cross:[38,13,70],sqrt:78,member:[21,0,113],nightli:48,clangdiaggroup:35,phi:78,longjmp:120,effect:[61,113],sopc:39,expand:64,mcsection:93,sparsebitvector:21,builder:126,well:78,though
 t:[30,24],exampl:[88,38,111,122,81,21,40,2,108,84,73,52,98,87,77,127,78,8],command:[91,1,29,75,122,104,80],choos:25,undefin:[78,12],setvector:21,sibl:93,unari:[19,33],distanc:[5,113],"boolean":29,obtain:[15,41],memmov:78,parsecommandlineopt:29,web:91,adt:21,makefil:[14,50,42],add:[126,78,113],cleanup:[120,59],adc:[47,56],kick:[19,33],globalopt:47,indvar:47,clangcommentnod:35,placesafepoint:49,know:17,insert:[49,93,21],like:[76,21,107],type_code_vector:124,registeranalysisgroup:84,unord:95,soft:4,page:[107,103],unreach:[107,78],unabbrev_record:124,suppli:40,guarante:[27,16],stringset:21,librari:[38,76,78,29,72,11,116,4,21,40,42],nvcc:15,leak:40,avoid:[76,61],trap:78,codegenprepar:47,dce:47,usag:[70,1,59,122,73,11,96,92],host:[38,107],prefetch:78,offset:[123,78],clangattrtemplateinstanti:35,stage:114,about:[40,107],toolchain:38,uniquevector:21,type_code_doubl:124,lppassmanag:84,constructor:76,zext:[78,61],disabl:78,ashr:78,metadata_attach:124,own:21,dibasictyp:78,automat:[125,78,92],g
 uard:78,merg:[47,103,122,17],machineinstrbuild:93,appl:114,"var":78,dilocalvari:78,log10:78,"function":[47,76,1,17,3,4,78,74,10,12,62,107,80,21,24,26,82,29,30,55,115,84,93],machinefunctionpass:84,gain:17,overflow:[78,113],inlin:[47,76,93,78],bug:[71,112,48,49,58,37],liblto:98,count:[47,3,78,56,1],whether:29,unpredict:78,record:[74,124],limit:[82,123,56],problem:[26,38,49,40,34,84,52,87,109,20],evalu:[47,76,56],descript:[102,2,7,104,53,57,10,105,106,125,58,92,111,65,83,116,86,88,89,67,119,93,122,37,97,118,98],dure:1,constprop:47,sparseset:21,probabl:68,detail:[76,1,94,115,103,53,44],virtual:[4,93,76,107,123],other:[76,117,113,12,78,29,27,56,14,3,16,61,80,21,107],lookup:115,futur:[84,93],branch:[47,3,68,64,103],iplist:21,stat:21,indexedmap:21,clangcommentcommandinfo:35,addrequir:84,ctlz:78,sparsemultiset:21,stringmap:21,stai:41,sphinx:127,reliabl:93,customroot:81,rule:[113,78,112,103],vliw:93,invari:[47,78]}})
\ No newline at end of file

Added: www-releases/trunk/3.9.0/docs/tutorial/BuildingAJIT1.html
URL: http://llvm.org/viewvc/llvm-project/www-releases/trunk/3.9.0/docs/tutorial/BuildingAJIT1.html?rev=280493&view=auto
==============================================================================
--- www-releases/trunk/3.9.0/docs/tutorial/BuildingAJIT1.html (added)
+++ www-releases/trunk/3.9.0/docs/tutorial/BuildingAJIT1.html Fri Sep  2 10:56:46 2016
@@ -0,0 +1,583 @@
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>1. Building a JIT: Starting out with KaleidoscopeJIT — LLVM 3.9 documentation</title>
+    
+    <link rel="stylesheet" href="../_static/llvm-theme.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '3.9',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="LLVM 3.9 documentation" href="../index.html" />
+    <link rel="up" title="LLVM Tutorial: Table of Contents" href="index.html" />
+    <link rel="next" title="2. Building a JIT: Adding Optimizations – An introduction to ORC Layers" href="BuildingAJIT2.html" />
+    <link rel="prev" title="8. Kaleidoscope: Conclusion and other useful LLVM tidbits" href="OCamlLangImpl8.html" />
+<style type="text/css">
+  table.right { float: right; margin-left: 20px; }
+  table.right td { border: 1px solid #ccc; }
+</style>
+
+  </head>
+  <body>
+<div class="logo">
+  <a href="../index.html">
+    <img src="../_static/logo.png"
+         alt="LLVM Logo" width="250" height="88"/></a>
+</div>
+
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="BuildingAJIT2.html" title="2. Building a JIT: Adding Optimizations – An introduction to ORC Layers"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="OCamlLangImpl8.html" title="8. Kaleidoscope: Conclusion and other useful LLVM tidbits"
+             accesskey="P">previous</a> |</li>
+  <li><a href="http://llvm.org/">LLVM Home</a> | </li>
+  <li><a href="../index.html">Documentation</a>»</li>
+
+          <li><a href="index.html" accesskey="U">LLVM Tutorial: Table of Contents</a> »</li> 
+      </ul>
+    </div>
+
+
+    <div class="document">
+      <div class="documentwrapper">
+          <div class="body">
+            
+  <div class="section" id="building-a-jit-starting-out-with-kaleidoscopejit">
+<h1>1. Building a JIT: Starting out with KaleidoscopeJIT<a class="headerlink" href="#building-a-jit-starting-out-with-kaleidoscopejit" title="Permalink to this headline">¶</a></h1>
+<div class="contents local topic" id="contents">
+<ul class="simple">
+<li><a class="reference internal" href="#chapter-1-introduction" id="id11">Chapter 1 Introduction</a></li>
+<li><a class="reference internal" href="#jit-api-basics" id="id12">JIT API Basics</a></li>
+<li><a class="reference internal" href="#kaleidoscopejit" id="id13">KaleidoscopeJIT</a></li>
+<li><a class="reference internal" href="#full-code-listing" id="id14">Full Code Listing</a></li>
+</ul>
+</div>
+<div class="section" id="chapter-1-introduction">
+<h2><a class="toc-backref" href="#id11">1.1. Chapter 1 Introduction</a><a class="headerlink" href="#chapter-1-introduction" title="Permalink to this headline">¶</a></h2>
+<p>Welcome to Chapter 1 of the “Building an ORC-based JIT in LLVM” tutorial. This
+tutorial runs through the implementation of a JIT compiler using LLVM’s
+On-Request-Compilation (ORC) APIs. It begins with a simplified version of the
+KaleidoscopeJIT class used in the
+<a class="reference external" href="LangImpl1.html">Implementing a language with LLVM</a> tutorials and then
+introduces new features like optimization, lazy compilation and remote
+execution.</p>
+<p>The goal of this tutorial is to introduce you to LLVM’s ORC JIT APIs, show how
+these APIs interact with other parts of LLVM, and to teach you how to recombine
+them to build a custom JIT that is suited to your use-case.</p>
+<p>The structure of the tutorial is:</p>
+<ul class="simple">
+<li>Chapter #1: Investigate the simple KaleidoscopeJIT class. This will
+introduce some of the basic concepts of the ORC JIT APIs, including the
+idea of an ORC <em>Layer</em>.</li>
+<li><a class="reference external" href="BuildingAJIT2.html">Chapter #2</a>: Extend the basic KaleidoscopeJIT by adding
+a new layer that will optimize IR and generated code.</li>
+<li><a class="reference external" href="BuildingAJIT3.html">Chapter #3</a>: Further extend the JIT by adding a
+Compile-On-Demand layer to lazily compile IR.</li>
+<li><a class="reference external" href="BuildingAJIT4.html">Chapter #4</a>: Improve the laziness of our JIT by
+replacing the Compile-On-Demand layer with a custom layer that uses the ORC
+Compile Callbacks API directly to defer IR-generation until functions are
+called.</li>
+<li><a class="reference external" href="BuildingAJIT5.html">Chapter #5</a>: Add process isolation by JITing code into
+a remote process with reduced privileges using the JIT Remote APIs.</li>
+</ul>
+<p>To provide input for our JIT we will use the Kaleidoscope REPL from
+<a class="reference external" href="LangImpl7.html">Chapter 7</a> of the “Implementing a language in LLVM tutorial”,
+with one minor modification: We will remove the FunctionPassManager from the
+code for that chapter and replace it with optimization support in our JIT class
+in Chapter #2.</p>
+<p>Finally, a word on API generations: ORC is the 3rd generation of LLVM JIT API.
+It was preceded by MCJIT, and before that by the (now deleted) legacy JIT.
+These tutorials don’t assume any experience with these earlier APIs, but
+readers acquainted with them will see many familiar elements. Where appropriate
+we will make this connection with the earlier APIs explicit to help people who
+are transitioning from them to ORC.</p>
+</div>
+<div class="section" id="jit-api-basics">
+<h2><a class="toc-backref" href="#id12">1.2. JIT API Basics</a><a class="headerlink" href="#jit-api-basics" title="Permalink to this headline">¶</a></h2>
+<p>The purpose of a JIT compiler is to compile code “on-the-fly” as it is needed,
+rather than compiling whole programs to disk ahead of time as a traditional
+compiler does. To support that aim our initial, bare-bones JIT API will be:</p>
+<ol class="arabic simple">
+<li>Handle addModule(Module &M) – Make the given IR module available for
+execution.</li>
+<li>JITSymbol findSymbol(const std::string &Name) – Search for pointers to
+symbols (functions or variables) that have been added to the JIT.</li>
+<li>void removeModule(Handle H) – Remove a module from the JIT, releasing any
+memory that had been used for the compiled code.</li>
+</ol>
+<p>A basic use-case for this API, executing the ‘main’ function from a module,
+will look like:</p>
+<div class="highlight-c++"><div class="highlight"><pre><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">></span> <span class="n">M</span> <span class="o">=</span> <span class="n">buildModule</span><span class="p">();</span>
+<span class="n">JIT</span> <span class="n">J</span><span class="p">;</span>
+<span class="n">Handle</span> <span class="n">H</span> <span class="o">=</span> <span class="n">J</span><span class="p">.</span><span class="n">addModule</span><span class="p">(</span><span class="o">*</span><span class="n">M</span><span class="p">);</span>
+<span class="kt">int</span> <span class="p">(</span><span class="o">*</span><span class="n">Main</span><span class="p">)(</span><span class="kt">int</span><span class="p">,</span> <span class="kt">char</span><span class="o">*</span><span class="p">[])</span> <span class="o">=</span>
+  <span class="p">(</span><span class="kt">int</span><span class="p">(</span><span class="o">*</span><span class="p">)(</span><span class="kt">int</span><span class="p">,</span> <span class="kt">char</span><span class="o">*</span><span class="p">[])</span><span class="n">J</span><span class="p">.</span><span class="n">findSymbol</span><span class="p">(</span><span class="s">"main"</span><span class="p">).</span><span class="n">getAddress</span><span class="p">();</span>
+<span class="kt">int</span> <span class="n">Result</span> <span class="o">=</span> <span class="n">Main</span><span class="p">();</span>
+<span class="n">J</span><span class="p">.</span><span class="n">removeModule</span><span class="p">(</span><span class="n">H</span><span class="p">);</span>
+</pre></div>
+</div>
+<p>The APIs that we build in these tutorials will all be variations on this simple
+theme. Behind the API we will refine the implementation of the JIT to add
+support for optimization and lazy compilation. Eventually we will extend the
+API itself to allow higher-level program representations (e.g. ASTs) to be
+added to the JIT.</p>
+</div>
+<div class="section" id="kaleidoscopejit">
+<h2><a class="toc-backref" href="#id13">1.3. KaleidoscopeJIT</a><a class="headerlink" href="#kaleidoscopejit" title="Permalink to this headline">¶</a></h2>
+<p>In the previous section we described our API, now we examine a simple
+implementation of it: The KaleidoscopeJIT class <a class="footnote-reference" href="#id7" id="id1">[1]</a> that was used in the
+<a class="reference external" href="LangImpl1.html">Implementing a language with LLVM</a> tutorials. We will use
+the REPL code from <a class="reference external" href="LangImpl7.html">Chapter 7</a> of that tutorial to supply the
+input for our JIT: Each time the user enters an expression the REPL will add a
+new IR module containing the code for that expression to the JIT. If the
+expression is a top-level expression like ‘1+1’ or ‘sin(x)’, the REPL will also
+use the findSymbol method of our JIT class find and execute the code for the
+expression, and then use the removeModule method to remove the code again
+(since there’s no way to re-invoke an anonymous expression). In later chapters
+of this tutorial we’ll modify the REPL to enable new interactions with our JIT
+class, but for now we will take this setup for granted and focus our attention on
+the implementation of our JIT itself.</p>
+<p>Our KaleidoscopeJIT class is defined in the KaleidoscopeJIT.h header. After the
+usual include guards and #includes <a class="footnote-reference" href="#id8" id="id4">[2]</a>, we get to the definition of our class:</p>
+<div class="highlight-c++"><div class="highlight"><pre><span class="cp">#ifndef LLVM_EXECUTIONENGINE_ORC_KALEIDOSCOPEJIT_H</span>
+<span class="cp">#define LLVM_EXECUTIONENGINE_ORC_KALEIDOSCOPEJIT_H</span>
+
+<span class="cp">#include "llvm/ExecutionEngine/ExecutionEngine.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/RTDyldMemoryManager.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/CompileUtils.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/IRCompileLayer.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/LambdaResolver.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/ObjectLinkingLayer.h"</span>
+<span class="cp">#include "llvm/IR/Mangler.h"</span>
+<span class="cp">#include "llvm/Support/DynamicLibrary.h"</span>
+
+<span class="k">namespace</span> <span class="n">llvm</span> <span class="p">{</span>
+<span class="k">namespace</span> <span class="n">orc</span> <span class="p">{</span>
+
+<span class="k">class</span> <span class="nc">KaleidoscopeJIT</span> <span class="p">{</span>
+<span class="nl">private:</span>
+
+  <span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">TargetMachine</span><span class="o">></span> <span class="n">TM</span><span class="p">;</span>
+  <span class="k">const</span> <span class="n">DataLayout</span> <span class="n">DL</span><span class="p">;</span>
+  <span class="n">ObjectLinkingLayer</span><span class="o"><></span> <span class="n">ObjectLayer</span><span class="p">;</span>
+  <span class="n">IRCompileLayer</span><span class="o"><</span><span class="n">decltype</span><span class="p">(</span><span class="n">ObjectLayer</span><span class="p">)</span><span class="o">></span> <span class="n">CompileLayer</span><span class="p">;</span>
+
+<span class="nl">public:</span>
+
+  <span class="k">typedef</span> <span class="n">decltype</span><span class="p">(</span><span class="n">CompileLayer</span><span class="p">)</span><span class="o">::</span><span class="n">ModuleSetHandleT</span> <span class="n">ModuleHandleT</span><span class="p">;</span>
+</pre></div>
+</div>
+<p>Our class begins with four members: A TargetMachine, TM, which will be used
+to build our LLVM compiler instance; A DataLayout, DL, which will be used for
+symbol mangling (more on that later), and two ORC <em>layers</em>: an
+ObjectLinkingLayer and a IRCompileLayer. We’ll be talking more about layers in
+the next chapter, but for now you can think of them as analogous to LLVM
+Passes: they wrap up useful JIT utilities behind an easy to compose interface.
+The first layer, ObjectLinkingLayer, is the foundation of our JIT: it takes
+in-memory object files produced by a compiler and links them on the fly to make
+them executable. This JIT-on-top-of-a-linker design was introduced in MCJIT,
+however the linker was hidden inside the MCJIT class. In ORC we expose the
+linker so that clients can access and configure it directly if they need to. In
+this tutorial our ObjectLinkingLayer will just be used to support the next layer
+in our stack: the IRCompileLayer, which will be responsible for taking LLVM IR,
+compiling it, and passing the resulting in-memory object files down to the
+object linking layer below.</p>
+<p>That’s it for member variables, after that we have a single typedef:
+ModuleHandle. This is the handle type that will be returned from our JIT’s
+addModule method, and can be passed to the removeModule method to remove a
+module. The IRCompileLayer class already provides a convenient handle type
+(IRCompileLayer::ModuleSetHandleT), so we just alias our ModuleHandle to this.</p>
+<div class="highlight-c++"><div class="highlight"><pre><span class="n">KaleidoscopeJIT</span><span class="p">()</span>
+    <span class="o">:</span> <span class="n">TM</span><span class="p">(</span><span class="n">EngineBuilder</span><span class="p">().</span><span class="n">selectTarget</span><span class="p">()),</span> <span class="n">DL</span><span class="p">(</span><span class="n">TM</span><span class="o">-></span><span class="n">createDataLayout</span><span class="p">()),</span>
+  <span class="n">CompileLayer</span><span class="p">(</span><span class="n">ObjectLayer</span><span class="p">,</span> <span class="n">SimpleCompiler</span><span class="p">(</span><span class="o">*</span><span class="n">TM</span><span class="p">))</span> <span class="p">{</span>
+  <span class="n">llvm</span><span class="o">::</span><span class="n">sys</span><span class="o">::</span><span class="n">DynamicLibrary</span><span class="o">::</span><span class="n">LoadLibraryPermanently</span><span class="p">(</span><span class="n">nullptr</span><span class="p">);</span>
+<span class="p">}</span>
+
+<span class="n">TargetMachine</span> <span class="o">&</span><span class="n">getTargetMachine</span><span class="p">()</span> <span class="p">{</span> <span class="k">return</span> <span class="o">*</span><span class="n">TM</span><span class="p">;</span> <span class="p">}</span>
+</pre></div>
+</div>
+<p>Next up we have our class constructor. We begin by initializing TM using the
+EngineBuilder::selectTarget helper method, which constructs a TargetMachine for
+the current process. Next we use our newly created TargetMachine to initialize
+DL, our DataLayout. Then we initialize our IRCompileLayer. Our IRCompile layer
+needs two things: (1) A reference to our object linking layer, and (2) a
+compiler instance to use to perform the actual compilation from IR to object
+files. We use the off-the-shelf SimpleCompiler instance for now. Finally, in
+the body of the constructor, we call the DynamicLibrary::LoadLibraryPermanently
+method with a nullptr argument. Normally the LoadLibraryPermanently method is
+called with the path of a dynamic library to load, but when passed a null
+pointer it will ‘load’ the host process itself, making its exported symbols
+available for execution.</p>
+<div class="highlight-c++"><div class="highlight"><pre><span class="n">ModuleHandle</span> <span class="nf">addModule</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">></span> <span class="n">M</span><span class="p">)</span> <span class="p">{</span>
+  <span class="c1">// Build our symbol resolver:</span>
+  <span class="c1">// Lambda 1: Look back into the JIT itself to find symbols that are part of</span>
+  <span class="c1">//           the same "logical dylib".</span>
+  <span class="c1">// Lambda 2: Search for external symbols in the host process.</span>
+  <span class="k">auto</span> <span class="n">Resolver</span> <span class="o">=</span> <span class="n">createLambdaResolver</span><span class="p">(</span>
+      <span class="p">[</span><span class="o">&</span><span class="p">](</span><span class="k">const</span> <span class="n">std</span><span class="o">::</span><span class="n">string</span> <span class="o">&</span><span class="n">Name</span><span class="p">)</span> <span class="p">{</span>
+        <span class="k">if</span> <span class="p">(</span><span class="k">auto</span> <span class="n">Sym</span> <span class="o">=</span> <span class="n">CompileLayer</span><span class="p">.</span><span class="n">findSymbol</span><span class="p">(</span><span class="n">Name</span><span class="p">,</span> <span class="nb">false</span><span class="p">))</span>
+          <span class="k">return</span> <span class="n">Sym</span><span class="p">.</span><span class="n">toRuntimeDyldSymbol</span><span class="p">();</span>
+        <span class="k">return</span> <span class="n">RuntimeDyld</span><span class="o">::</span><span class="n">SymbolInfo</span><span class="p">(</span><span class="n">nullptr</span><span class="p">);</span>
+      <span class="p">},</span>
+      <span class="p">[](</span><span class="k">const</span> <span class="n">std</span><span class="o">::</span><span class="n">string</span> <span class="o">&</span><span class="n">S</span><span class="p">)</span> <span class="p">{</span>
+        <span class="k">if</span> <span class="p">(</span><span class="k">auto</span> <span class="n">SymAddr</span> <span class="o">=</span>
+              <span class="n">RTDyldMemoryManager</span><span class="o">::</span><span class="n">getSymbolAddressInProcess</span><span class="p">(</span><span class="n">Name</span><span class="p">))</span>
+          <span class="k">return</span> <span class="n">RuntimeDyld</span><span class="o">::</span><span class="n">SymbolInfo</span><span class="p">(</span><span class="n">SymAddr</span><span class="p">,</span> <span class="n">JITSymbolFlags</span><span class="o">::</span><span class="n">Exported</span><span class="p">);</span>
+        <span class="k">return</span> <span class="n">RuntimeDyld</span><span class="o">::</span><span class="n">SymbolInfo</span><span class="p">(</span><span class="n">nullptr</span><span class="p">);</span>
+      <span class="p">});</span>
+
+  <span class="c1">// Build a singlton module set to hold our module.</span>
+  <span class="n">std</span><span class="o">::</span><span class="n">vector</span><span class="o"><</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">>></span> <span class="n">Ms</span><span class="p">;</span>
+  <span class="n">Ms</span><span class="p">.</span><span class="n">push_back</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">M</span><span class="p">));</span>
+
+  <span class="c1">// Add the set to the JIT with the resolver we created above and a newly</span>
+  <span class="c1">// created SectionMemoryManager.</span>
+  <span class="k">return</span> <span class="n">CompileLayer</span><span class="p">.</span><span class="n">addModuleSet</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">Ms</span><span class="p">),</span>
+                                   <span class="n">make_unique</span><span class="o"><</span><span class="n">SectionMemoryManager</span><span class="o">></span><span class="p">(),</span>
+                                   <span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">Resolver</span><span class="p">));</span>
+<span class="p">}</span>
+</pre></div>
+</div>
+<p>Now we come to the first of our JIT API methods: addModule. This method is
+responsible for adding IR to the JIT and making it available for execution. In
+this initial implementation of our JIT we will make our modules “available for
+execution” by adding them straight to the IRCompileLayer, which will
+immediately compile them. In later chapters we will teach our JIT to be lazier
+and instead add the Modules to a “pending” list to be compiled if and when they
+are first executed.</p>
+<p>To add our module to the IRCompileLayer we need to supply two auxiliary objects
+(as well as the module itself): a memory manager and a symbol resolver.  The
+memory manager will be responsible for managing the memory allocated to JIT’d
+machine code, setting memory permissions, and registering exception handling
+tables (if the JIT’d code uses exceptions). For our memory manager we will use
+the SectionMemoryManager class: another off-the-shelf utility that provides all
+the basic functionality we need. The second auxiliary class, the symbol
+resolver, is more interesting for us. It exists to tell the JIT where to look
+when it encounters an <em>external symbol</em> in the module we are adding.  External
+symbols are any symbol not defined within the module itself, including calls to
+functions outside the JIT and calls to functions defined in other modules that
+have already been added to the JIT. It may seem as though modules added to the
+JIT should “know about one another” by default, but since we would still have to
+supply a symbol resolver for references to code outside the JIT it turns out to
+be easier to just re-use this one mechanism for all symbol resolution. This has
+the added benefit that the user has full control over the symbol resolution
+process. Should we search for definitions within the JIT first, then fall back
+on external definitions? Or should we prefer external definitions where
+available and only JIT code if we don’t already have an available
+implementation? By using a single symbol resolution scheme we are free to choose
+whatever makes the most sense for any given use case.</p>
+<p>Building a symbol resolver is made especially easy by the <em>createLambdaResolver</em>
+function. This function takes two lambdas <a class="footnote-reference" href="#id9" id="id5">[3]</a> and returns a
+RuntimeDyld::SymbolResolver instance. The first lambda is used as the
+implementation of the resolver’s findSymbolInLogicalDylib method, which searches
+for symbol definitions that should be thought of as being part of the same
+“logical” dynamic library as this Module. If you are familiar with static
+linking: this means that findSymbolInLogicalDylib should expose symbols with
+common linkage and hidden visibility. If all this sounds foreign you can ignore
+the details and just remember that this is the first method that the linker will
+use to try to find a symbol definition. If the findSymbolInLogicalDylib method
+returns a null result then the linker will call the second symbol resolver
+method, called findSymbol, which searches for symbols that should be thought of
+as external to (but visibile from) the module and its logical dylib. In this
+tutorial we will adopt the following simple scheme: All modules added to the JIT
+will behave as if they were linked into a single, ever-growing logical dylib. To
+implement this our first lambda (the one defining findSymbolInLogicalDylib) will
+just search for JIT’d code by calling the CompileLayer’s findSymbol method. If
+we don’t find a symbol in the JIT itself we’ll fall back to our second lambda,
+which implements findSymbol. This will use the
+RTDyldMemoyrManager::getSymbolAddressInProcess method to search for the symbol
+within the program itself. If we can’t find a symbol definition via either of
+these paths the JIT will refuse to accept our module, returning a “symbol not
+found” error.</p>
+<p>Now that we’ve built our symbol resolver we’re ready to add our module to the
+JIT. We do this by calling the CompileLayer’s addModuleSet method <a class="footnote-reference" href="#id10" id="id6">[4]</a>. Since
+we only have a single Module and addModuleSet expects a collection, we will
+create a vector of modules and add our module as the only member. Since we
+have already typedef’d our ModuleHandle type to be the same as the
+CompileLayer’s handle type, we can return the handle from addModuleSet
+directly from our addModule method.</p>
+<div class="highlight-c++"><div class="highlight"><pre><span class="n">JITSymbol</span> <span class="nf">findSymbol</span><span class="p">(</span><span class="k">const</span> <span class="n">std</span><span class="o">::</span><span class="n">string</span> <span class="n">Name</span><span class="p">)</span> <span class="p">{</span>
+  <span class="n">std</span><span class="o">::</span><span class="n">string</span> <span class="n">MangledName</span><span class="p">;</span>
+  <span class="n">raw_string_ostream</span> <span class="n">MangledNameStream</span><span class="p">(</span><span class="n">MangledName</span><span class="p">);</span>
+  <span class="n">Mangler</span><span class="o">::</span><span class="n">getNameWithPrefix</span><span class="p">(</span><span class="n">MangledNameStream</span><span class="p">,</span> <span class="n">Name</span><span class="p">,</span> <span class="n">DL</span><span class="p">);</span>
+  <span class="k">return</span> <span class="n">CompileLayer</span><span class="p">.</span><span class="n">findSymbol</span><span class="p">(</span><span class="n">MangledNameStream</span><span class="p">.</span><span class="n">str</span><span class="p">(),</span> <span class="nb">true</span><span class="p">);</span>
+<span class="p">}</span>
+
+<span class="kt">void</span> <span class="nf">removeModule</span><span class="p">(</span><span class="n">ModuleHandle</span> <span class="n">H</span><span class="p">)</span> <span class="p">{</span>
+  <span class="n">CompileLayer</span><span class="p">.</span><span class="n">removeModuleSet</span><span class="p">(</span><span class="n">H</span><span class="p">);</span>
+<span class="p">}</span>
+</pre></div>
+</div>
+<p>Now that we can add code to our JIT, we need a way to find the symbols we’ve
+added to it. To do that we call the findSymbol method on our IRCompileLayer,
+but with a twist: We have to <em>mangle</em> the name of the symbol we’re searching
+for first. The reason for this is that the ORC JIT components use mangled
+symbols internally the same way a static compiler and linker would, rather
+than using plain IR symbol names. The kind of mangling will depend on the
+DataLayout, which in turn depends on the target platform. To allow us to
+remain portable and search based on the un-mangled name, we just re-produce
+this mangling ourselves.</p>
+<p>We now come to the last method in our JIT API: removeModule. This method is
+responsible for destructing the MemoryManager and SymbolResolver that were
+added with a given module, freeing any resources they were using in the
+process. In our Kaleidoscope demo we rely on this method to remove the module
+representing the most recent top-level expression, preventing it from being
+treated as a duplicate definition when the next top-level expression is
+entered. It is generally good to free any module that you know you won’t need
+to call further, just to free up the resources dedicated to it. However, you
+don’t strictly need to do this: All resources will be cleaned up when your
+JIT class is destructed, if the haven’t been freed before then.</p>
+<p>This brings us to the end of Chapter 1 of Building a JIT. You now have a basic
+but fully functioning JIT stack that you can use to take LLVM IR and make it
+executable within the context of your JIT process. In the next chapter we’ll
+look at how to extend this JIT to produce better quality code, and in the
+process take a deeper look at the ORC layer concept.</p>
+<p><a class="reference external" href="BuildingAJIT2.html">Next: Extending the KaleidoscopeJIT</a></p>
+</div>
+<div class="section" id="full-code-listing">
+<h2><a class="toc-backref" href="#id14">1.4. Full Code Listing</a><a class="headerlink" href="#full-code-listing" title="Permalink to this headline">¶</a></h2>
+<p>Here is the complete code listing for our running example. To build this
+example, use:</p>
+<div class="highlight-bash"><div class="highlight"><pre><span class="c"># Compile</span>
+clang++ -g toy.cpp <span class="sb">`</span>llvm-config --cxxflags --ldflags --system-libs --libs core orc native<span class="sb">`</span> -O3 -o toy
+<span class="c"># Run</span>
+./toy
+</pre></div>
+</div>
+<p>Here is the code:</p>
+<div class="highlight-c++"><div class="highlight"><pre><span class="c1">//===----- KaleidoscopeJIT.h - A simple JIT for Kaleidoscope ----*- C++ -*-===//</span>
+<span class="c1">//</span>
+<span class="c1">//                     The LLVM Compiler Infrastructure</span>
+<span class="c1">//</span>
+<span class="c1">// This file is distributed under the University of Illinois Open Source</span>
+<span class="c1">// License. See LICENSE.TXT for details.</span>
+<span class="c1">//</span>
+<span class="c1">//===----------------------------------------------------------------------===//</span>
+<span class="c1">//</span>
+<span class="c1">// Contains a simple JIT definition for use in the kaleidoscope tutorials.</span>
+<span class="c1">//</span>
+<span class="c1">//===----------------------------------------------------------------------===//</span>
+
+<span class="cp">#ifndef LLVM_EXECUTIONENGINE_ORC_KALEIDOSCOPEJIT_H</span>
+<span class="cp">#define LLVM_EXECUTIONENGINE_ORC_KALEIDOSCOPEJIT_H</span>
+
+<span class="cp">#include "llvm/ADT/STLExtras.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/ExecutionEngine.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/RuntimeDyld.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/SectionMemoryManager.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/CompileUtils.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/JITSymbol.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/IRCompileLayer.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/LambdaResolver.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/ObjectLinkingLayer.h"</span>
+<span class="cp">#include "llvm/IR/DataLayout.h"</span>
+<span class="cp">#include "llvm/IR/Mangler.h"</span>
+<span class="cp">#include "llvm/Support/DynamicLibrary.h"</span>
+<span class="cp">#include "llvm/Support/raw_ostream.h"</span>
+<span class="cp">#include "llvm/Target/TargetMachine.h"</span>
+<span class="cp">#include <algorithm></span>
+<span class="cp">#include <memory></span>
+<span class="cp">#include <string></span>
+<span class="cp">#include <vector></span>
+
+<span class="k">namespace</span> <span class="n">llvm</span> <span class="p">{</span>
+<span class="k">namespace</span> <span class="n">orc</span> <span class="p">{</span>
+
+<span class="k">class</span> <span class="nc">KaleidoscopeJIT</span> <span class="p">{</span>
+<span class="nl">private:</span>
+  <span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">TargetMachine</span><span class="o">></span> <span class="n">TM</span><span class="p">;</span>
+  <span class="k">const</span> <span class="n">DataLayout</span> <span class="n">DL</span><span class="p">;</span>
+  <span class="n">ObjectLinkingLayer</span><span class="o"><></span> <span class="n">ObjectLayer</span><span class="p">;</span>
+  <span class="n">IRCompileLayer</span><span class="o"><</span><span class="n">decltype</span><span class="p">(</span><span class="n">ObjectLayer</span><span class="p">)</span><span class="o">></span> <span class="n">CompileLayer</span><span class="p">;</span>
+
+<span class="nl">public:</span>
+  <span class="k">typedef</span> <span class="n">decltype</span><span class="p">(</span><span class="n">CompileLayer</span><span class="p">)</span><span class="o">::</span><span class="n">ModuleSetHandleT</span> <span class="n">ModuleHandle</span><span class="p">;</span>
+
+  <span class="n">KaleidoscopeJIT</span><span class="p">()</span>
+      <span class="o">:</span> <span class="n">TM</span><span class="p">(</span><span class="n">EngineBuilder</span><span class="p">().</span><span class="n">selectTarget</span><span class="p">()),</span> <span class="n">DL</span><span class="p">(</span><span class="n">TM</span><span class="o">-></span><span class="n">createDataLayout</span><span class="p">()),</span>
+        <span class="n">CompileLayer</span><span class="p">(</span><span class="n">ObjectLayer</span><span class="p">,</span> <span class="n">SimpleCompiler</span><span class="p">(</span><span class="o">*</span><span class="n">TM</span><span class="p">))</span> <span class="p">{</span>
+    <span class="n">llvm</span><span class="o">::</span><span class="n">sys</span><span class="o">::</span><span class="n">DynamicLibrary</span><span class="o">::</span><span class="n">LoadLibraryPermanently</span><span class="p">(</span><span class="n">nullptr</span><span class="p">);</span>
+  <span class="p">}</span>
+
+  <span class="n">TargetMachine</span> <span class="o">&</span><span class="n">getTargetMachine</span><span class="p">()</span> <span class="p">{</span> <span class="k">return</span> <span class="o">*</span><span class="n">TM</span><span class="p">;</span> <span class="p">}</span>
+
+  <span class="n">ModuleHandle</span> <span class="n">addModule</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">></span> <span class="n">M</span><span class="p">)</span> <span class="p">{</span>
+    <span class="c1">// Build our symbol resolver:</span>
+    <span class="c1">// Lambda 1: Look back into the JIT itself to find symbols that are part of</span>
+    <span class="c1">//           the same "logical dylib".</span>
+    <span class="c1">// Lambda 2: Search for external symbols in the host process.</span>
+    <span class="k">auto</span> <span class="n">Resolver</span> <span class="o">=</span> <span class="n">createLambdaResolver</span><span class="p">(</span>
+        <span class="p">[</span><span class="o">&</span><span class="p">](</span><span class="k">const</span> <span class="n">std</span><span class="o">::</span><span class="n">string</span> <span class="o">&</span><span class="n">Name</span><span class="p">)</span> <span class="p">{</span>
+          <span class="k">if</span> <span class="p">(</span><span class="k">auto</span> <span class="n">Sym</span> <span class="o">=</span> <span class="n">CompileLayer</span><span class="p">.</span><span class="n">findSymbol</span><span class="p">(</span><span class="n">Name</span><span class="p">,</span> <span class="nb">false</span><span class="p">))</span>
+            <span class="k">return</span> <span class="n">Sym</span><span class="p">.</span><span class="n">toRuntimeDyldSymbol</span><span class="p">();</span>
+          <span class="k">return</span> <span class="n">RuntimeDyld</span><span class="o">::</span><span class="n">SymbolInfo</span><span class="p">(</span><span class="n">nullptr</span><span class="p">);</span>
+        <span class="p">},</span>
+        <span class="p">[](</span><span class="k">const</span> <span class="n">std</span><span class="o">::</span><span class="n">string</span> <span class="o">&</span><span class="n">Name</span><span class="p">)</span> <span class="p">{</span>
+          <span class="k">if</span> <span class="p">(</span><span class="k">auto</span> <span class="n">SymAddr</span> <span class="o">=</span>
+                <span class="n">RTDyldMemoryManager</span><span class="o">::</span><span class="n">getSymbolAddressInProcess</span><span class="p">(</span><span class="n">Name</span><span class="p">))</span>
+            <span class="k">return</span> <span class="n">RuntimeDyld</span><span class="o">::</span><span class="n">SymbolInfo</span><span class="p">(</span><span class="n">SymAddr</span><span class="p">,</span> <span class="n">JITSymbolFlags</span><span class="o">::</span><span class="n">Exported</span><span class="p">);</span>
+          <span class="k">return</span> <span class="n">RuntimeDyld</span><span class="o">::</span><span class="n">SymbolInfo</span><span class="p">(</span><span class="n">nullptr</span><span class="p">);</span>
+        <span class="p">});</span>
+
+    <span class="c1">// Build a singlton module set to hold our module.</span>
+    <span class="n">std</span><span class="o">::</span><span class="n">vector</span><span class="o"><</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">>></span> <span class="n">Ms</span><span class="p">;</span>
+    <span class="n">Ms</span><span class="p">.</span><span class="n">push_back</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">M</span><span class="p">));</span>
+
+    <span class="c1">// Add the set to the JIT with the resolver we created above and a newly</span>
+    <span class="c1">// created SectionMemoryManager.</span>
+    <span class="k">return</span> <span class="n">CompileLayer</span><span class="p">.</span><span class="n">addModuleSet</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">Ms</span><span class="p">),</span>
+                                     <span class="n">make_unique</span><span class="o"><</span><span class="n">SectionMemoryManager</span><span class="o">></span><span class="p">(),</span>
+                                     <span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">Resolver</span><span class="p">));</span>
+  <span class="p">}</span>
+
+  <span class="n">JITSymbol</span> <span class="n">findSymbol</span><span class="p">(</span><span class="k">const</span> <span class="n">std</span><span class="o">::</span><span class="n">string</span> <span class="n">Name</span><span class="p">)</span> <span class="p">{</span>
+    <span class="n">std</span><span class="o">::</span><span class="n">string</span> <span class="n">MangledName</span><span class="p">;</span>
+    <span class="n">raw_string_ostream</span> <span class="nf">MangledNameStream</span><span class="p">(</span><span class="n">MangledName</span><span class="p">);</span>
+    <span class="n">Mangler</span><span class="o">::</span><span class="n">getNameWithPrefix</span><span class="p">(</span><span class="n">MangledNameStream</span><span class="p">,</span> <span class="n">Name</span><span class="p">,</span> <span class="n">DL</span><span class="p">);</span>
+    <span class="k">return</span> <span class="n">CompileLayer</span><span class="p">.</span><span class="n">findSymbol</span><span class="p">(</span><span class="n">MangledNameStream</span><span class="p">.</span><span class="n">str</span><span class="p">(),</span> <span class="nb">true</span><span class="p">);</span>
+  <span class="p">}</span>
+
+  <span class="kt">void</span> <span class="n">removeModule</span><span class="p">(</span><span class="n">ModuleHandle</span> <span class="n">H</span><span class="p">)</span> <span class="p">{</span>
+    <span class="n">CompileLayer</span><span class="p">.</span><span class="n">removeModuleSet</span><span class="p">(</span><span class="n">H</span><span class="p">);</span>
+  <span class="p">}</span>
+
+<span class="p">};</span>
+
+<span class="p">}</span> <span class="c1">// end namespace orc</span>
+<span class="p">}</span> <span class="c1">// end namespace llvm</span>
+
+<span class="cp">#endif </span><span class="c1">// LLVM_EXECUTIONENGINE_ORC_KALEIDOSCOPEJIT_H</span>
+</pre></div>
+</div>
+<table class="docutils footnote" frame="void" id="id7" rules="none">
+<colgroup><col class="label" /><col /></colgroup>
+<tbody valign="top">
+<tr><td class="label"><a class="fn-backref" href="#id1">[1]</a></td><td>Actually we use a cut-down version of KaleidoscopeJIT that makes a
+simplifying assumption: symbols cannot be re-defined. This will make it
+impossible to re-define symbols in the REPL, but will make our symbol
+lookup logic simpler. Re-introducing support for symbol redefinition is
+left as an exercise for the reader. (The KaleidoscopeJIT.h used in the
+original tutorials will be a helpful reference).</td></tr>
+</tbody>
+</table>
+<table class="docutils footnote" frame="void" id="id8" rules="none">
+<colgroup><col class="label" /><col /></colgroup>
+<tbody valign="top">
+<tr><td class="label"><a class="fn-backref" href="#id4">[2]</a></td><td><table border="1" class="first last docutils">
+<colgroup>
+<col width="33%" />
+<col width="67%" />
+</colgroup>
+<thead valign="bottom">
+<tr class="row-odd"><th class="head">File</th>
+<th class="head">Reason for inclusion</th>
+</tr>
+</thead>
+<tbody valign="top">
+<tr class="row-even"><td>ExecutionEngine.h</td>
+<td>Access to the EngineBuilder::selectTarget
+method.</td>
+</tr>
+<tr class="row-odd"><td>RTDyldMemoryManager.h</td>
+<td>Access to the
+RTDyldMemoryManager::getSymbolAddressInProcess
+method.</td>
+</tr>
+<tr class="row-even"><td>CompileUtils.h</td>
+<td>Provides the SimpleCompiler class.</td>
+</tr>
+<tr class="row-odd"><td>IRCompileLayer.h</td>
+<td>Provides the IRCompileLayer class.</td>
+</tr>
+<tr class="row-even"><td>LambdaResolver.h</td>
+<td>Access the createLambdaResolver function,
+which provides easy construction of symbol
+resolvers.</td>
+</tr>
+<tr class="row-odd"><td>ObjectLinkingLayer.h</td>
+<td>Provides the ObjectLinkingLayer class.</td>
+</tr>
+<tr class="row-even"><td>Mangler.h</td>
+<td>Provides the Mangler class for platform
+specific name-mangling.</td>
+</tr>
+<tr class="row-odd"><td>DynamicLibrary.h</td>
+<td>Provides the DynamicLibrary class, which
+makes symbols in the host process searchable.</td>
+</tr>
+</tbody>
+</table>
+</td></tr>
+</tbody>
+</table>
+<table class="docutils footnote" frame="void" id="id9" rules="none">
+<colgroup><col class="label" /><col /></colgroup>
+<tbody valign="top">
+<tr><td class="label"><a class="fn-backref" href="#id5">[3]</a></td><td>Actually they don’t have to be lambdas, any object with a call operator
+will do, including plain old functions or std::functions.</td></tr>
+</tbody>
+</table>
+<table class="docutils footnote" frame="void" id="id10" rules="none">
+<colgroup><col class="label" /><col /></colgroup>
+<tbody valign="top">
+<tr><td class="label"><a class="fn-backref" href="#id6">[4]</a></td><td>ORC layers accept sets of Modules, rather than individual ones, so that
+all Modules in the set could be co-located by the memory manager, though
+this feature is not yet implemented.</td></tr>
+</tbody>
+</table>
+</div>
+</div>
+
+
+          </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="BuildingAJIT2.html" title="2. Building a JIT: Adding Optimizations – An introduction to ORC Layers"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="OCamlLangImpl8.html" title="8. Kaleidoscope: Conclusion and other useful LLVM tidbits"
+             >previous</a> |</li>
+  <li><a href="http://llvm.org/">LLVM Home</a> | </li>
+  <li><a href="../index.html">Documentation</a>»</li>
+
+          <li><a href="index.html" >LLVM Tutorial: Table of Contents</a> »</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        © Copyright 2003-2016, LLVM Project.
+      Last updated on 2016-08-31.
+      Created using <a href="http://sphinx-doc.org/">Sphinx</a> 1.2.2.
+    </div>
+  </body>
+</html>
\ No newline at end of file

Added: www-releases/trunk/3.9.0/docs/tutorial/BuildingAJIT2.html
URL: http://llvm.org/viewvc/llvm-project/www-releases/trunk/3.9.0/docs/tutorial/BuildingAJIT2.html?rev=280493&view=auto
==============================================================================
--- www-releases/trunk/3.9.0/docs/tutorial/BuildingAJIT2.html (added)
+++ www-releases/trunk/3.9.0/docs/tutorial/BuildingAJIT2.html Fri Sep  2 10:56:46 2016
@@ -0,0 +1,565 @@
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>2. Building a JIT: Adding Optimizations – An introduction to ORC Layers — LLVM 3.9 documentation</title>
+    
+    <link rel="stylesheet" href="../_static/llvm-theme.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '3.9',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="LLVM 3.9 documentation" href="../index.html" />
+    <link rel="up" title="LLVM Tutorial: Table of Contents" href="index.html" />
+    <link rel="next" title="3. Building a JIT: Per-function Lazy Compilation" href="BuildingAJIT3.html" />
+    <link rel="prev" title="1. Building a JIT: Starting out with KaleidoscopeJIT" href="BuildingAJIT1.html" />
+<style type="text/css">
+  table.right { float: right; margin-left: 20px; }
+  table.right td { border: 1px solid #ccc; }
+</style>
+
+  </head>
+  <body>
+<div class="logo">
+  <a href="../index.html">
+    <img src="../_static/logo.png"
+         alt="LLVM Logo" width="250" height="88"/></a>
+</div>
+
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="BuildingAJIT3.html" title="3. Building a JIT: Per-function Lazy Compilation"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="BuildingAJIT1.html" title="1. Building a JIT: Starting out with KaleidoscopeJIT"
+             accesskey="P">previous</a> |</li>
+  <li><a href="http://llvm.org/">LLVM Home</a> | </li>
+  <li><a href="../index.html">Documentation</a>»</li>
+
+          <li><a href="index.html" accesskey="U">LLVM Tutorial: Table of Contents</a> »</li> 
+      </ul>
+    </div>
+
+
+    <div class="document">
+      <div class="documentwrapper">
+          <div class="body">
+            
+  <div class="section" id="building-a-jit-adding-optimizations-an-introduction-to-orc-layers">
+<h1>2. Building a JIT: Adding Optimizations – An introduction to ORC Layers<a class="headerlink" href="#building-a-jit-adding-optimizations-an-introduction-to-orc-layers" title="Permalink to this headline">¶</a></h1>
+<div class="contents local topic" id="contents">
+<ul class="simple">
+<li><a class="reference internal" href="#chapter-2-introduction" id="id4">Chapter 2 Introduction</a></li>
+<li><a class="reference internal" href="#optimizing-modules-using-the-irtransformlayer" id="id5">Optimizing Modules using the IRTransformLayer</a></li>
+<li><a class="reference internal" href="#full-code-listing" id="id6">Full Code Listing</a></li>
+</ul>
+</div>
+<p><strong>This tutorial is under active development. It is incomplete and details may
+change frequently.</strong> Nonetheless we invite you to try it out as it stands, and
+we welcome any feedback.</p>
+<div class="section" id="chapter-2-introduction">
+<h2><a class="toc-backref" href="#id4">2.1. Chapter 2 Introduction</a><a class="headerlink" href="#chapter-2-introduction" title="Permalink to this headline">¶</a></h2>
+<p>Welcome to Chapter 2 of the “Building an ORC-based JIT in LLVM” tutorial. In
+<a class="reference external" href="BuildingAJIT1.html">Chapter 1</a> of this series we examined a basic JIT
+class, KaleidoscopeJIT, that could take LLVM IR modules as input and produce
+executable code in memory. KaleidoscopeJIT was able to do this with relatively
+little code by composing two off-the-shelf <em>ORC layers</em>: IRCompileLayer and
+ObjectLinkingLayer, to do much of the heavy lifting.</p>
+<p>In this layer we’ll learn more about the ORC layer concept by using a new layer,
+IRTransformLayer, to add IR optimization support to KaleidoscopeJIT.</p>
+</div>
+<div class="section" id="optimizing-modules-using-the-irtransformlayer">
+<h2><a class="toc-backref" href="#id5">2.2. Optimizing Modules using the IRTransformLayer</a><a class="headerlink" href="#optimizing-modules-using-the-irtransformlayer" title="Permalink to this headline">¶</a></h2>
+<p>In <a class="reference external" href="LangImpl4.html">Chapter 4</a> of the “Implementing a language with LLVM”
+tutorial series the llvm <em>FunctionPassManager</em> is introduced as a means for
+optimizing LLVM IR. Interested readers may read that chapter for details, but
+in short: to optimize a Module we create an llvm::FunctionPassManager
+instance, configure it with a set of optimizations, then run the PassManager on
+a Module to mutate it into a (hopefully) more optimized but semantically
+equivalent form. In the original tutorial series the FunctionPassManager was
+created outside the KaleidoscopeJIT and modules were optimized before being
+added to it. In this Chapter we will make optimization a phase of our JIT
+instead. For now this will provide us a motivation to learn more about ORC
+layers, but in the long term making optimization part of our JIT will yield an
+important benefit: When we begin lazily compiling code (i.e. deferring
+compilation of each function until the first time it’s run), having
+optimization managed by our JIT will allow us to optimize lazily too, rather
+than having to do all our optimization up-front.</p>
+<p>To add optimization support to our JIT we will take the KaleidoscopeJIT from
+Chapter 1 and compose an ORC <em>IRTransformLayer</em> on top. We will look at how the
+IRTransformLayer works in more detail below, but the interface is simple: the
+constructor for this layer takes a reference to the layer below (as all layers
+do) plus an <em>IR optimization function</em> that it will apply to each Module that
+is added via addModuleSet:</p>
+<div class="highlight-c++"><div class="highlight"><pre><span class="k">class</span> <span class="nc">KaleidoscopeJIT</span> <span class="p">{</span>
+<span class="nl">private:</span>
+  <span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">TargetMachine</span><span class="o">></span> <span class="n">TM</span><span class="p">;</span>
+  <span class="k">const</span> <span class="n">DataLayout</span> <span class="n">DL</span><span class="p">;</span>
+  <span class="n">ObjectLinkingLayer</span><span class="o"><></span> <span class="n">ObjectLayer</span><span class="p">;</span>
+  <span class="n">IRCompileLayer</span><span class="o"><</span><span class="n">decltype</span><span class="p">(</span><span class="n">ObjectLayer</span><span class="p">)</span><span class="o">></span> <span class="n">CompileLayer</span><span class="p">;</span>
+
+  <span class="k">typedef</span> <span class="n">std</span><span class="o">::</span><span class="n">function</span><span class="o"><</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">></span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">></span><span class="p">)</span><span class="o">></span>
+    <span class="n">OptimizeFunction</span><span class="p">;</span>
+
+  <span class="n">IRTransformLayer</span><span class="o"><</span><span class="n">decltype</span><span class="p">(</span><span class="n">CompileLayer</span><span class="p">),</span> <span class="n">OptimizeFunction</span><span class="o">></span> <span class="n">OptimizeLayer</span><span class="p">;</span>
+
+<span class="nl">public:</span>
+  <span class="k">typedef</span> <span class="n">decltype</span><span class="p">(</span><span class="n">OptimizeLayer</span><span class="p">)</span><span class="o">::</span><span class="n">ModuleSetHandleT</span> <span class="n">ModuleHandle</span><span class="p">;</span>
+
+  <span class="n">KaleidoscopeJIT</span><span class="p">()</span>
+      <span class="o">:</span> <span class="n">TM</span><span class="p">(</span><span class="n">EngineBuilder</span><span class="p">().</span><span class="n">selectTarget</span><span class="p">()),</span> <span class="n">DL</span><span class="p">(</span><span class="n">TM</span><span class="o">-></span><span class="n">createDataLayout</span><span class="p">()),</span>
+        <span class="n">CompileLayer</span><span class="p">(</span><span class="n">ObjectLayer</span><span class="p">,</span> <span class="n">SimpleCompiler</span><span class="p">(</span><span class="o">*</span><span class="n">TM</span><span class="p">)),</span>
+        <span class="n">OptimizeLayer</span><span class="p">(</span><span class="n">CompileLayer</span><span class="p">,</span>
+                      <span class="p">[</span><span class="k">this</span><span class="p">](</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">></span> <span class="n">M</span><span class="p">)</span> <span class="p">{</span>
+                        <span class="k">return</span> <span class="n">optimizeModule</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">M</span><span class="p">));</span>
+                      <span class="p">})</span> <span class="p">{</span>
+    <span class="n">llvm</span><span class="o">::</span><span class="n">sys</span><span class="o">::</span><span class="n">DynamicLibrary</span><span class="o">::</span><span class="n">LoadLibraryPermanently</span><span class="p">(</span><span class="n">nullptr</span><span class="p">);</span>
+  <span class="p">}</span>
+</pre></div>
+</div>
+<p>Our extended KaleidoscopeJIT class starts out the same as it did in Chapter 1,
+but after the CompileLayer we introduce a typedef for our optimization function.
+In this case we use a std::function (a handy wrapper for “function-like” things)
+from a single unique_ptr<Module> input to a std::unique_ptr<Module> output. With
+our optimization function typedef in place we can declare our OptimizeLayer,
+which sits on top of our CompileLayer.</p>
+<p>To initialize our OptimizeLayer we pass it a reference to the CompileLayer
+below (standard practice for layers), and we initialize the OptimizeFunction
+using a lambda that calls out to an “optimizeModule” function that we will
+define below.</p>
+<div class="highlight-c++"><div class="highlight"><pre><span class="c1">// ...</span>
+<span class="k">auto</span> <span class="n">Resolver</span> <span class="o">=</span> <span class="n">createLambdaResolver</span><span class="p">(</span>
+    <span class="p">[</span><span class="o">&</span><span class="p">](</span><span class="k">const</span> <span class="n">std</span><span class="o">::</span><span class="n">string</span> <span class="o">&</span><span class="n">Name</span><span class="p">)</span> <span class="p">{</span>
+      <span class="k">if</span> <span class="p">(</span><span class="k">auto</span> <span class="n">Sym</span> <span class="o">=</span> <span class="n">OptimizeLayer</span><span class="p">.</span><span class="n">findSymbol</span><span class="p">(</span><span class="n">Name</span><span class="p">,</span> <span class="nb">false</span><span class="p">))</span>
+        <span class="k">return</span> <span class="n">Sym</span><span class="p">.</span><span class="n">toRuntimeDyldSymbol</span><span class="p">();</span>
+      <span class="k">return</span> <span class="n">RuntimeDyld</span><span class="o">::</span><span class="n">SymbolInfo</span><span class="p">(</span><span class="n">nullptr</span><span class="p">);</span>
+    <span class="p">},</span>
+<span class="c1">// ...</span>
+</pre></div>
+</div>
+<div class="highlight-c++"><div class="highlight"><pre><span class="c1">// ...</span>
+<span class="k">return</span> <span class="n">OptimizeLayer</span><span class="p">.</span><span class="n">addModuleSet</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">Ms</span><span class="p">),</span>
+                                  <span class="n">make_unique</span><span class="o"><</span><span class="n">SectionMemoryManager</span><span class="o">></span><span class="p">(),</span>
+                                  <span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">Resolver</span><span class="p">));</span>
+<span class="c1">// ...</span>
+</pre></div>
+</div>
+<div class="highlight-c++"><div class="highlight"><pre><span class="c1">// ...</span>
+<span class="k">return</span> <span class="n">OptimizeLayer</span><span class="p">.</span><span class="n">findSymbol</span><span class="p">(</span><span class="n">MangledNameStream</span><span class="p">.</span><span class="n">str</span><span class="p">(),</span> <span class="nb">true</span><span class="p">);</span>
+<span class="c1">// ...</span>
+</pre></div>
+</div>
+<div class="highlight-c++"><div class="highlight"><pre><span class="c1">// ...</span>
+<span class="n">OptimizeLayer</span><span class="p">.</span><span class="n">removeModuleSet</span><span class="p">(</span><span class="n">H</span><span class="p">);</span>
+<span class="c1">// ...</span>
+</pre></div>
+</div>
+<p>Next we need to replace references to ‘CompileLayer’ with references to
+OptimizeLayer in our key methods: addModule, findSymbol, and removeModule. In
+addModule we need to be careful to replace both references: the findSymbol call
+inside our resolver, and the call through to addModuleSet.</p>
+<div class="highlight-c++"><div class="highlight"><pre><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">></span> <span class="n">optimizeModule</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">></span> <span class="n">M</span><span class="p">)</span> <span class="p">{</span>
+  <span class="c1">// Create a function pass manager.</span>
+  <span class="k">auto</span> <span class="n">FPM</span> <span class="o">=</span> <span class="n">llvm</span><span class="o">::</span><span class="n">make_unique</span><span class="o"><</span><span class="n">legacy</span><span class="o">::</span><span class="n">FunctionPassManager</span><span class="o">></span><span class="p">(</span><span class="n">M</span><span class="p">.</span><span class="n">get</span><span class="p">());</span>
+
+  <span class="c1">// Add some optimizations.</span>
+  <span class="n">FPM</span><span class="o">-></span><span class="n">add</span><span class="p">(</span><span class="n">createInstructionCombiningPass</span><span class="p">());</span>
+  <span class="n">FPM</span><span class="o">-></span><span class="n">add</span><span class="p">(</span><span class="n">createReassociatePass</span><span class="p">());</span>
+  <span class="n">FPM</span><span class="o">-></span><span class="n">add</span><span class="p">(</span><span class="n">createGVNPass</span><span class="p">());</span>
+  <span class="n">FPM</span><span class="o">-></span><span class="n">add</span><span class="p">(</span><span class="n">createCFGSimplificationPass</span><span class="p">());</span>
+  <span class="n">FPM</span><span class="o">-></span><span class="n">doInitialization</span><span class="p">();</span>
+
+  <span class="c1">// Run the optimizations over all functions in the module being added to</span>
+  <span class="c1">// the JIT.</span>
+  <span class="k">for</span> <span class="p">(</span><span class="k">auto</span> <span class="o">&</span><span class="n">F</span> <span class="o">:</span> <span class="o">*</span><span class="n">M</span><span class="p">)</span>
+    <span class="n">FPM</span><span class="o">-></span><span class="n">run</span><span class="p">(</span><span class="n">F</span><span class="p">);</span>
+
+  <span class="k">return</span> <span class="n">M</span><span class="p">;</span>
+<span class="p">}</span>
+</pre></div>
+</div>
+<p>At the bottom of our JIT we add a private method to do the actual optimization:
+<em>optimizeModule</em>. This function sets up a FunctionPassManager, adds some passes
+to it, runs it over every function in the module, and then returns the mutated
+module. The specific optimizations are the same ones used in
+<a class="reference external" href="LangImpl4.html">Chapter 4</a> of the “Implementing a language with LLVM”
+tutorial series. Readers may visit that chapter for a more in-depth
+discussion of these, and of IR optimization in general.</p>
+<p>And that’s it in terms of changes to KaleidoscopeJIT: When a module is added via
+addModule the OptimizeLayer will call our optimizeModule function before passing
+the transformed module on to the CompileLayer below. Of course, we could have
+called optimizeModule directly in our addModule function and not gone to the
+bother of using the IRTransformLayer, but doing so gives us another opportunity
+to see how layers compose. It also provides a neat entry point to the <em>layer</em>
+concept itself, because IRTransformLayer turns out to be one of the simplest
+implementations of the layer concept that can be devised:</p>
+<div class="highlight-c++"><div class="highlight"><pre><span class="k">template</span> <span class="o"><</span><span class="k">typename</span> <span class="n">BaseLayerT</span><span class="p">,</span> <span class="k">typename</span> <span class="n">TransformFtor</span><span class="o">></span>
+<span class="k">class</span> <span class="nc">IRTransformLayer</span> <span class="p">{</span>
+<span class="nl">public:</span>
+  <span class="k">typedef</span> <span class="k">typename</span> <span class="n">BaseLayerT</span><span class="o">::</span><span class="n">ModuleSetHandleT</span> <span class="n">ModuleSetHandleT</span><span class="p">;</span>
+
+  <span class="n">IRTransformLayer</span><span class="p">(</span><span class="n">BaseLayerT</span> <span class="o">&</span><span class="n">BaseLayer</span><span class="p">,</span>
+                   <span class="n">TransformFtor</span> <span class="n">Transform</span> <span class="o">=</span> <span class="n">TransformFtor</span><span class="p">())</span>
+    <span class="o">:</span> <span class="n">BaseLayer</span><span class="p">(</span><span class="n">BaseLayer</span><span class="p">),</span> <span class="n">Transform</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">Transform</span><span class="p">))</span> <span class="p">{}</span>
+
+  <span class="k">template</span> <span class="o"><</span><span class="k">typename</span> <span class="n">ModuleSetT</span><span class="p">,</span> <span class="k">typename</span> <span class="n">MemoryManagerPtrT</span><span class="p">,</span>
+            <span class="k">typename</span> <span class="n">SymbolResolverPtrT</span><span class="o">></span>
+  <span class="n">ModuleSetHandleT</span> <span class="n">addModuleSet</span><span class="p">(</span><span class="n">ModuleSetT</span> <span class="n">Ms</span><span class="p">,</span>
+                                <span class="n">MemoryManagerPtrT</span> <span class="n">MemMgr</span><span class="p">,</span>
+                                <span class="n">SymbolResolverPtrT</span> <span class="n">Resolver</span><span class="p">)</span> <span class="p">{</span>
+
+    <span class="k">for</span> <span class="p">(</span><span class="k">auto</span> <span class="n">I</span> <span class="o">=</span> <span class="n">Ms</span><span class="p">.</span><span class="n">begin</span><span class="p">(),</span> <span class="n">E</span> <span class="o">=</span> <span class="n">Ms</span><span class="p">.</span><span class="n">end</span><span class="p">();</span> <span class="n">I</span> <span class="o">!=</span> <span class="n">E</span><span class="p">;</span> <span class="o">++</span><span class="n">I</span><span class="p">)</span>
+      <span class="o">*</span><span class="n">I</span> <span class="o">=</span> <span class="n">Transform</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="o">*</span><span class="n">I</span><span class="p">));</span>
+
+    <span class="k">return</span> <span class="n">BaseLayer</span><span class="p">.</span><span class="n">addModuleSet</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">Ms</span><span class="p">),</span> <span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">MemMgr</span><span class="p">),</span>
+                                <span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">Resolver</span><span class="p">));</span>
+  <span class="p">}</span>
+
+  <span class="kt">void</span> <span class="n">removeModuleSet</span><span class="p">(</span><span class="n">ModuleSetHandleT</span> <span class="n">H</span><span class="p">)</span> <span class="p">{</span> <span class="n">BaseLayer</span><span class="p">.</span><span class="n">removeModuleSet</span><span class="p">(</span><span class="n">H</span><span class="p">);</span> <span class="p">}</span>
+
+  <span class="n">JITSymbol</span> <span class="n">findSymbol</span><span class="p">(</span><span class="k">const</span> <span class="n">std</span><span class="o">::</span><span class="n">string</span> <span class="o">&</span><span class="n">Name</span><span class="p">,</span> <span class="kt">bool</span> <span class="n">ExportedSymbolsOnly</span><span class="p">)</span> <span class="p">{</span>
+    <span class="k">return</span> <span class="n">BaseLayer</span><span class="p">.</span><span class="n">findSymbol</span><span class="p">(</span><span class="n">Name</span><span class="p">,</span> <span class="n">ExportedSymbolsOnly</span><span class="p">);</span>
+  <span class="p">}</span>
+
+  <span class="n">JITSymbol</span> <span class="n">findSymbolIn</span><span class="p">(</span><span class="n">ModuleSetHandleT</span> <span class="n">H</span><span class="p">,</span> <span class="k">const</span> <span class="n">std</span><span class="o">::</span><span class="n">string</span> <span class="o">&</span><span class="n">Name</span><span class="p">,</span>
+                         <span class="kt">bool</span> <span class="n">ExportedSymbolsOnly</span><span class="p">)</span> <span class="p">{</span>
+    <span class="k">return</span> <span class="n">BaseLayer</span><span class="p">.</span><span class="n">findSymbolIn</span><span class="p">(</span><span class="n">H</span><span class="p">,</span> <span class="n">Name</span><span class="p">,</span> <span class="n">ExportedSymbolsOnly</span><span class="p">);</span>
+  <span class="p">}</span>
+
+  <span class="kt">void</span> <span class="n">emitAndFinalize</span><span class="p">(</span><span class="n">ModuleSetHandleT</span> <span class="n">H</span><span class="p">)</span> <span class="p">{</span>
+    <span class="n">BaseLayer</span><span class="p">.</span><span class="n">emitAndFinalize</span><span class="p">(</span><span class="n">H</span><span class="p">);</span>
+  <span class="p">}</span>
+
+  <span class="n">TransformFtor</span><span class="o">&</span> <span class="n">getTransform</span><span class="p">()</span> <span class="p">{</span> <span class="k">return</span> <span class="n">Transform</span><span class="p">;</span> <span class="p">}</span>
+
+  <span class="k">const</span> <span class="n">TransformFtor</span><span class="o">&</span> <span class="n">getTransform</span><span class="p">()</span> <span class="k">const</span> <span class="p">{</span> <span class="k">return</span> <span class="n">Transform</span><span class="p">;</span> <span class="p">}</span>
+
+<span class="nl">private:</span>
+  <span class="n">BaseLayerT</span> <span class="o">&</span><span class="n">BaseLayer</span><span class="p">;</span>
+  <span class="n">TransformFtor</span> <span class="n">Transform</span><span class="p">;</span>
+<span class="p">};</span>
+</pre></div>
+</div>
+<p>This is the whole definition of IRTransformLayer, from
+<tt class="docutils literal"><span class="pre">llvm/include/llvm/ExecutionEngine/Orc/IRTransformLayer.h</span></tt>, stripped of its
+comments. It is a template class with two template arguments: <tt class="docutils literal"><span class="pre">BaesLayerT</span></tt> and
+<tt class="docutils literal"><span class="pre">TransformFtor</span></tt> that provide the type of the base layer and the type of the
+“transform functor” (in our case a std::function) respectively. This class is
+concerned with two very simple jobs: (1) Running every IR Module that is added
+with addModuleSet through the transform functor, and (2) conforming to the ORC
+layer interface. The interface consists of one typedef and five methods:</p>
+<table border="1" class="docutils">
+<colgroup>
+<col width="23%" />
+<col width="77%" />
+</colgroup>
+<thead valign="bottom">
+<tr class="row-odd"><th class="head">Interface</th>
+<th class="head">Description</th>
+</tr>
+</thead>
+<tbody valign="top">
+<tr class="row-even"><td>ModuleSetHandleT</td>
+<td>Provides a handle that can be used to identify a module
+set when calling findSymbolIn, removeModuleSet, or
+emitAndFinalize.</td>
+</tr>
+<tr class="row-odd"><td>addModuleSet</td>
+<td>Takes a given set of Modules and makes them “available
+for execution. This means that symbols in those modules
+should be searchable via findSymbol and findSymbolIn, and
+the address of the symbols should be read/writable (for
+data symbols), or executable (for function symbols) after
+JITSymbol::getAddress() is called. Note: This means that
+addModuleSet doesn’t have to compile (or do any other
+work) up-front. It <em>can</em>, like IRCompileLayer, act
+eagerly, but it can also simply record the module and
+take no further action until somebody calls
+JITSymbol::getAddress(). In IRTransformLayer’s case
+addModuleSet eagerly applies the transform functor to
+each module in the set, then passes the resulting set
+of mutated modules down to the layer below.</td>
+</tr>
+<tr class="row-even"><td>removeModuleSet</td>
+<td>Removes a set of modules from the JIT. Code or data
+defined in these modules will no longer be available, and
+the memory holding the JIT’d definitions will be freed.</td>
+</tr>
+<tr class="row-odd"><td>findSymbol</td>
+<td>Searches for the named symbol in all modules that have
+previously been added via addModuleSet (and not yet
+removed by a call to removeModuleSet). In
+IRTransformLayer we just pass the query on to the layer
+below. In our REPL this is our default way to search for
+function definitions.</td>
+</tr>
+<tr class="row-even"><td>findSymbolIn</td>
+<td>Searches for the named symbol in the module set indicated
+by the given ModuleSetHandleT. This is just an optimized
+search, better for lookup-speed when you know exactly
+a symbol definition should be found. In IRTransformLayer
+we just pass this query on to the layer below. In our
+REPL we use this method to search for functions
+representing top-level expressions, since we know exactly
+where we’ll find them: in the top-level expression module
+we just added.</td>
+</tr>
+<tr class="row-odd"><td>emitAndFinalize</td>
+<td>Forces all of the actions required to make the code and
+data in a module set (represented by a ModuleSetHandleT)
+accessible. Behaves as if some symbol in the set had been
+searched for and JITSymbol::getSymbolAddress called. This
+is rarely needed, but can be useful when dealing with
+layers that usually behave lazily if the user wants to
+trigger early compilation (for example, to use idle CPU
+time to eagerly compile code in the background).</td>
+</tr>
+</tbody>
+</table>
+<p>This interface attempts to capture the natural operations of a JIT (with some
+wrinkles like emitAndFinalize for performance), similar to the basic JIT API
+operations we identified in Chapter 1. Conforming to the layer concept allows
+classes to compose neatly by implementing their behaviors in terms of the these
+same operations, carried out on the layer below. For example, an eager layer
+(like IRTransformLayer) can implement addModuleSet by running each module in the
+set through its transform up-front and immediately passing the result to the
+layer below. A lazy layer, by contrast, could implement addModuleSet by
+squirreling away the modules doing no other up-front work, but applying the
+transform (and calling addModuleSet on the layer below) when the client calls
+findSymbol instead. The JIT’d program behavior will be the same either way, but
+these choices will have different performance characteristics: Doing work
+eagerly means the JIT takes longer up-front, but proceeds smoothly once this is
+done. Deferring work allows the JIT to get up-and-running quickly, but will
+force the JIT to pause and wait whenever some code or data is needed that hasn’t
+already been processed.</p>
+<p>Our current REPL is eager: Each function definition is optimized and compiled as
+soon as it’s typed in. If we were to make the transform layer lazy (but not
+change things otherwise) we could defer optimization until the first time we
+reference a function in a top-level expression (see if you can figure out why,
+then check out the answer below <a class="footnote-reference" href="#id3" id="id2">[1]</a>). In the next chapter, however we’ll
+introduce fully lazy compilation, in which function’s aren’t compiled until
+they’re first called at run-time. At this point the trade-offs get much more
+interesting: the lazier we are, the quicker we can start executing the first
+function, but the more often we’ll have to pause to compile newly encountered
+functions. If we only code-gen lazily, but optimize eagerly, we’ll have a slow
+startup (which everything is optimized) but relatively short pauses as each
+function just passes through code-gen. If we both optimize and code-gen lazily
+we can start executing the first function more quickly, but we’ll have longer
+pauses as each function has to be both optimized and code-gen’d when it’s first
+executed. Things become even more interesting if we consider interproceedural
+optimizations like inlining, which must be performed eagerly. These are
+complex trade-offs, and there is no one-size-fits all solution to them, but by
+providing composable layers we leave the decisions to the person implementing
+the JIT, and make it easy for them to experiment with different configurations.</p>
+<p><a class="reference external" href="BuildingAJIT3.html">Next: Adding Per-function Lazy Compilation</a></p>
+</div>
+<div class="section" id="full-code-listing">
+<h2><a class="toc-backref" href="#id6">2.3. Full Code Listing</a><a class="headerlink" href="#full-code-listing" title="Permalink to this headline">¶</a></h2>
+<p>Here is the complete code listing for our running example with an
+IRTransformLayer added to enable optimization. To build this example, use:</p>
+<div class="highlight-bash"><div class="highlight"><pre><span class="c"># Compile</span>
+clang++ -g toy.cpp <span class="sb">`</span>llvm-config --cxxflags --ldflags --system-libs --libs core orc native<span class="sb">`</span> -O3 -o toy
+<span class="c"># Run</span>
+./toy
+</pre></div>
+</div>
+<p>Here is the code:</p>
+<div class="highlight-c++"><div class="highlight"><pre><span class="c1">//===----- KaleidoscopeJIT.h - A simple JIT for Kaleidoscope ----*- C++ -*-===//</span>
+<span class="c1">//</span>
+<span class="c1">//                     The LLVM Compiler Infrastructure</span>
+<span class="c1">//</span>
+<span class="c1">// This file is distributed under the University of Illinois Open Source</span>
+<span class="c1">// License. See LICENSE.TXT for details.</span>
+<span class="c1">//</span>
+<span class="c1">//===----------------------------------------------------------------------===//</span>
+<span class="c1">//</span>
+<span class="c1">// Contains a simple JIT definition for use in the kaleidoscope tutorials.</span>
+<span class="c1">//</span>
+<span class="c1">//===----------------------------------------------------------------------===//</span>
+
+<span class="cp">#ifndef LLVM_EXECUTIONENGINE_ORC_KALEIDOSCOPEJIT_H</span>
+<span class="cp">#define LLVM_EXECUTIONENGINE_ORC_KALEIDOSCOPEJIT_H</span>
+
+<span class="cp">#include "llvm/ADT/STLExtras.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/ExecutionEngine.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/RuntimeDyld.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/SectionMemoryManager.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/CompileUtils.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/JITSymbol.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/IRCompileLayer.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/IRTransformLayer.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/LambdaResolver.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/ObjectLinkingLayer.h"</span>
+<span class="cp">#include "llvm/IR/DataLayout.h"</span>
+<span class="cp">#include "llvm/IR/Mangler.h"</span>
+<span class="cp">#include "llvm/Support/DynamicLibrary.h"</span>
+<span class="cp">#include "llvm/Support/raw_ostream.h"</span>
+<span class="cp">#include "llvm/Target/TargetMachine.h"</span>
+<span class="cp">#include <algorithm></span>
+<span class="cp">#include <memory></span>
+<span class="cp">#include <string></span>
+<span class="cp">#include <vector></span>
+
+<span class="k">namespace</span> <span class="n">llvm</span> <span class="p">{</span>
+<span class="k">namespace</span> <span class="n">orc</span> <span class="p">{</span>
+
+<span class="k">class</span> <span class="nc">KaleidoscopeJIT</span> <span class="p">{</span>
+<span class="nl">private:</span>
+  <span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">TargetMachine</span><span class="o">></span> <span class="n">TM</span><span class="p">;</span>
+  <span class="k">const</span> <span class="n">DataLayout</span> <span class="n">DL</span><span class="p">;</span>
+  <span class="n">ObjectLinkingLayer</span><span class="o"><></span> <span class="n">ObjectLayer</span><span class="p">;</span>
+  <span class="n">IRCompileLayer</span><span class="o"><</span><span class="n">decltype</span><span class="p">(</span><span class="n">ObjectLayer</span><span class="p">)</span><span class="o">></span> <span class="n">CompileLayer</span><span class="p">;</span>
+
+  <span class="k">typedef</span> <span class="n">std</span><span class="o">::</span><span class="n">function</span><span class="o"><</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">></span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">></span><span class="p">)</span><span class="o">></span>
+    <span class="n">OptimizeFunction</span><span class="p">;</span>
+
+  <span class="n">IRTransformLayer</span><span class="o"><</span><span class="n">decltype</span><span class="p">(</span><span class="n">CompileLayer</span><span class="p">),</span> <span class="n">OptimizeFunction</span><span class="o">></span> <span class="n">OptimizeLayer</span><span class="p">;</span>
+
+<span class="nl">public:</span>
+  <span class="k">typedef</span> <span class="n">decltype</span><span class="p">(</span><span class="n">OptimizeLayer</span><span class="p">)</span><span class="o">::</span><span class="n">ModuleSetHandleT</span> <span class="n">ModuleHandle</span><span class="p">;</span>
+
+  <span class="n">KaleidoscopeJIT</span><span class="p">()</span>
+      <span class="o">:</span> <span class="n">TM</span><span class="p">(</span><span class="n">EngineBuilder</span><span class="p">().</span><span class="n">selectTarget</span><span class="p">()),</span> <span class="n">DL</span><span class="p">(</span><span class="n">TM</span><span class="o">-></span><span class="n">createDataLayout</span><span class="p">()),</span>
+        <span class="n">CompileLayer</span><span class="p">(</span><span class="n">ObjectLayer</span><span class="p">,</span> <span class="n">SimpleCompiler</span><span class="p">(</span><span class="o">*</span><span class="n">TM</span><span class="p">)),</span>
+        <span class="n">OptimizeLayer</span><span class="p">(</span><span class="n">CompileLayer</span><span class="p">,</span>
+                      <span class="p">[</span><span class="k">this</span><span class="p">](</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">></span> <span class="n">M</span><span class="p">)</span> <span class="p">{</span>
+                        <span class="k">return</span> <span class="n">optimizeModule</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">M</span><span class="p">));</span>
+                      <span class="p">})</span> <span class="p">{</span>
+    <span class="n">llvm</span><span class="o">::</span><span class="n">sys</span><span class="o">::</span><span class="n">DynamicLibrary</span><span class="o">::</span><span class="n">LoadLibraryPermanently</span><span class="p">(</span><span class="n">nullptr</span><span class="p">);</span>
+  <span class="p">}</span>
+
+  <span class="n">TargetMachine</span> <span class="o">&</span><span class="n">getTargetMachine</span><span class="p">()</span> <span class="p">{</span> <span class="k">return</span> <span class="o">*</span><span class="n">TM</span><span class="p">;</span> <span class="p">}</span>
+
+  <span class="n">ModuleHandle</span> <span class="n">addModule</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">></span> <span class="n">M</span><span class="p">)</span> <span class="p">{</span>
+    <span class="c1">// Build our symbol resolver:</span>
+    <span class="c1">// Lambda 1: Look back into the JIT itself to find symbols that are part of</span>
+    <span class="c1">//           the same "logical dylib".</span>
+    <span class="c1">// Lambda 2: Search for external symbols in the host process.</span>
+    <span class="k">auto</span> <span class="n">Resolver</span> <span class="o">=</span> <span class="n">createLambdaResolver</span><span class="p">(</span>
+        <span class="p">[</span><span class="o">&</span><span class="p">](</span><span class="k">const</span> <span class="n">std</span><span class="o">::</span><span class="n">string</span> <span class="o">&</span><span class="n">Name</span><span class="p">)</span> <span class="p">{</span>
+          <span class="k">if</span> <span class="p">(</span><span class="k">auto</span> <span class="n">Sym</span> <span class="o">=</span> <span class="n">OptimizeLayer</span><span class="p">.</span><span class="n">findSymbol</span><span class="p">(</span><span class="n">Name</span><span class="p">,</span> <span class="nb">false</span><span class="p">))</span>
+            <span class="k">return</span> <span class="n">Sym</span><span class="p">.</span><span class="n">toRuntimeDyldSymbol</span><span class="p">();</span>
+          <span class="k">return</span> <span class="n">RuntimeDyld</span><span class="o">::</span><span class="n">SymbolInfo</span><span class="p">(</span><span class="n">nullptr</span><span class="p">);</span>
+        <span class="p">},</span>
+        <span class="p">[](</span><span class="k">const</span> <span class="n">std</span><span class="o">::</span><span class="n">string</span> <span class="o">&</span><span class="n">Name</span><span class="p">)</span> <span class="p">{</span>
+          <span class="k">if</span> <span class="p">(</span><span class="k">auto</span> <span class="n">SymAddr</span> <span class="o">=</span>
+                <span class="n">RTDyldMemoryManager</span><span class="o">::</span><span class="n">getSymbolAddressInProcess</span><span class="p">(</span><span class="n">Name</span><span class="p">))</span>
+            <span class="k">return</span> <span class="n">RuntimeDyld</span><span class="o">::</span><span class="n">SymbolInfo</span><span class="p">(</span><span class="n">SymAddr</span><span class="p">,</span> <span class="n">JITSymbolFlags</span><span class="o">::</span><span class="n">Exported</span><span class="p">);</span>
+          <span class="k">return</span> <span class="n">RuntimeDyld</span><span class="o">::</span><span class="n">SymbolInfo</span><span class="p">(</span><span class="n">nullptr</span><span class="p">);</span>
+        <span class="p">});</span>
+
+    <span class="c1">// Build a singlton module set to hold our module.</span>
+    <span class="n">std</span><span class="o">::</span><span class="n">vector</span><span class="o"><</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">>></span> <span class="n">Ms</span><span class="p">;</span>
+    <span class="n">Ms</span><span class="p">.</span><span class="n">push_back</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">M</span><span class="p">));</span>
+
+    <span class="c1">// Add the set to the JIT with the resolver we created above and a newly</span>
+    <span class="c1">// created SectionMemoryManager.</span>
+    <span class="k">return</span> <span class="n">OptimizeLayer</span><span class="p">.</span><span class="n">addModuleSet</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">Ms</span><span class="p">),</span>
+                                      <span class="n">make_unique</span><span class="o"><</span><span class="n">SectionMemoryManager</span><span class="o">></span><span class="p">(),</span>
+                                      <span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">Resolver</span><span class="p">));</span>
+  <span class="p">}</span>
+
+  <span class="n">JITSymbol</span> <span class="n">findSymbol</span><span class="p">(</span><span class="k">const</span> <span class="n">std</span><span class="o">::</span><span class="n">string</span> <span class="n">Name</span><span class="p">)</span> <span class="p">{</span>
+    <span class="n">std</span><span class="o">::</span><span class="n">string</span> <span class="n">MangledName</span><span class="p">;</span>
+    <span class="n">raw_string_ostream</span> <span class="nf">MangledNameStream</span><span class="p">(</span><span class="n">MangledName</span><span class="p">);</span>
+    <span class="n">Mangler</span><span class="o">::</span><span class="n">getNameWithPrefix</span><span class="p">(</span><span class="n">MangledNameStream</span><span class="p">,</span> <span class="n">Name</span><span class="p">,</span> <span class="n">DL</span><span class="p">);</span>
+    <span class="k">return</span> <span class="n">OptimizeLayer</span><span class="p">.</span><span class="n">findSymbol</span><span class="p">(</span><span class="n">MangledNameStream</span><span class="p">.</span><span class="n">str</span><span class="p">(),</span> <span class="nb">true</span><span class="p">);</span>
+  <span class="p">}</span>
+
+  <span class="kt">void</span> <span class="n">removeModule</span><span class="p">(</span><span class="n">ModuleHandle</span> <span class="n">H</span><span class="p">)</span> <span class="p">{</span>
+    <span class="n">OptimizeLayer</span><span class="p">.</span><span class="n">removeModuleSet</span><span class="p">(</span><span class="n">H</span><span class="p">);</span>
+  <span class="p">}</span>
+
+<span class="nl">private:</span>
+
+  <span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">></span> <span class="n">optimizeModule</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">></span> <span class="n">M</span><span class="p">)</span> <span class="p">{</span>
+    <span class="c1">// Create a function pass manager.</span>
+    <span class="k">auto</span> <span class="n">FPM</span> <span class="o">=</span> <span class="n">llvm</span><span class="o">::</span><span class="n">make_unique</span><span class="o"><</span><span class="n">legacy</span><span class="o">::</span><span class="n">FunctionPassManager</span><span class="o">></span><span class="p">(</span><span class="n">M</span><span class="p">.</span><span class="n">get</span><span class="p">());</span>
+
+    <span class="c1">// Add some optimizations.</span>
+    <span class="n">FPM</span><span class="o">-></span><span class="n">add</span><span class="p">(</span><span class="n">createInstructionCombiningPass</span><span class="p">());</span>
+    <span class="n">FPM</span><span class="o">-></span><span class="n">add</span><span class="p">(</span><span class="n">createReassociatePass</span><span class="p">());</span>
+    <span class="n">FPM</span><span class="o">-></span><span class="n">add</span><span class="p">(</span><span class="n">createGVNPass</span><span class="p">());</span>
+    <span class="n">FPM</span><span class="o">-></span><span class="n">add</span><span class="p">(</span><span class="n">createCFGSimplificationPass</span><span class="p">());</span>
+    <span class="n">FPM</span><span class="o">-></span><span class="n">doInitialization</span><span class="p">();</span>
+
+    <span class="c1">// Run the optimizations over all functions in the module being added to</span>
+    <span class="c1">// the JIT.</span>
+    <span class="k">for</span> <span class="p">(</span><span class="k">auto</span> <span class="o">&</span><span class="n">F</span> <span class="o">:</span> <span class="o">*</span><span class="n">M</span><span class="p">)</span>
+      <span class="n">FPM</span><span class="o">-></span><span class="n">run</span><span class="p">(</span><span class="n">F</span><span class="p">);</span>
+
+    <span class="k">return</span> <span class="n">M</span><span class="p">;</span>
+  <span class="p">}</span>
+
+<span class="p">};</span>
+
+<span class="p">}</span> <span class="c1">// end namespace orc</span>
+<span class="p">}</span> <span class="c1">// end namespace llvm</span>
+
+<span class="cp">#endif </span><span class="c1">// LLVM_EXECUTIONENGINE_ORC_KALEIDOSCOPEJIT_H</span>
+</pre></div>
+</div>
+<table class="docutils footnote" frame="void" id="id3" rules="none">
+<colgroup><col class="label" /><col /></colgroup>
+<tbody valign="top">
+<tr><td class="label"><a class="fn-backref" href="#id2">[1]</a></td><td>When we add our top-level expression to the JIT, any calls to functions
+that we defined earlier will appear to the ObjectLinkingLayer as
+external symbols. The ObjectLinkingLayer will call the SymbolResolver
+that we defined in addModuleSet, which in turn calls findSymbol on the
+OptimizeLayer, at which point even a lazy transform layer will have to
+do its work.</td></tr>
+</tbody>
+</table>
+</div>
+</div>
+
+
+          </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="BuildingAJIT3.html" title="3. Building a JIT: Per-function Lazy Compilation"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="BuildingAJIT1.html" title="1. Building a JIT: Starting out with KaleidoscopeJIT"
+             >previous</a> |</li>
+  <li><a href="http://llvm.org/">LLVM Home</a> | </li>
+  <li><a href="../index.html">Documentation</a>»</li>
+
+          <li><a href="index.html" >LLVM Tutorial: Table of Contents</a> »</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        © Copyright 2003-2016, LLVM Project.
+      Last updated on 2016-08-31.
+      Created using <a href="http://sphinx-doc.org/">Sphinx</a> 1.2.2.
+    </div>
+  </body>
+</html>
\ No newline at end of file

Added: www-releases/trunk/3.9.0/docs/tutorial/BuildingAJIT3.html
URL: http://llvm.org/viewvc/llvm-project/www-releases/trunk/3.9.0/docs/tutorial/BuildingAJIT3.html?rev=280493&view=auto
==============================================================================
--- www-releases/trunk/3.9.0/docs/tutorial/BuildingAJIT3.html (added)
+++ www-releases/trunk/3.9.0/docs/tutorial/BuildingAJIT3.html Fri Sep  2 10:56:46 2016
@@ -0,0 +1,399 @@
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>3. Building a JIT: Per-function Lazy Compilation — LLVM 3.9 documentation</title>
+    
+    <link rel="stylesheet" href="../_static/llvm-theme.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '3.9',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="LLVM 3.9 documentation" href="../index.html" />
+    <link rel="up" title="LLVM Tutorial: Table of Contents" href="index.html" />
+    <link rel="next" title="4. Building a JIT: Extreme Laziness - Using Compile Callbacks to JIT from ASTs" href="BuildingAJIT4.html" />
+    <link rel="prev" title="2. Building a JIT: Adding Optimizations – An introduction to ORC Layers" href="BuildingAJIT2.html" />
+<style type="text/css">
+  table.right { float: right; margin-left: 20px; }
+  table.right td { border: 1px solid #ccc; }
+</style>
+
+  </head>
+  <body>
+<div class="logo">
+  <a href="../index.html">
+    <img src="../_static/logo.png"
+         alt="LLVM Logo" width="250" height="88"/></a>
+</div>
+
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="BuildingAJIT4.html" title="4. Building a JIT: Extreme Laziness - Using Compile Callbacks to JIT from ASTs"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="BuildingAJIT2.html" title="2. Building a JIT: Adding Optimizations – An introduction to ORC Layers"
+             accesskey="P">previous</a> |</li>
+  <li><a href="http://llvm.org/">LLVM Home</a> | </li>
+  <li><a href="../index.html">Documentation</a>»</li>
+
+          <li><a href="index.html" accesskey="U">LLVM Tutorial: Table of Contents</a> »</li> 
+      </ul>
+    </div>
+
+
+    <div class="document">
+      <div class="documentwrapper">
+          <div class="body">
+            
+  <div class="section" id="building-a-jit-per-function-lazy-compilation">
+<h1>3. Building a JIT: Per-function Lazy Compilation<a class="headerlink" href="#building-a-jit-per-function-lazy-compilation" title="Permalink to this headline">¶</a></h1>
+<div class="contents local topic" id="contents">
+<ul class="simple">
+<li><a class="reference internal" href="#chapter-3-introduction" id="id1">Chapter 3 Introduction</a></li>
+<li><a class="reference internal" href="#lazy-compilation" id="id2">Lazy Compilation</a></li>
+<li><a class="reference internal" href="#full-code-listing" id="id3">Full Code Listing</a></li>
+</ul>
+</div>
+<p><strong>This tutorial is under active development. It is incomplete and details may
+change frequently.</strong> Nonetheless we invite you to try it out as it stands, and
+we welcome any feedback.</p>
+<div class="section" id="chapter-3-introduction">
+<h2><a class="toc-backref" href="#id1">3.1. Chapter 3 Introduction</a><a class="headerlink" href="#chapter-3-introduction" title="Permalink to this headline">¶</a></h2>
+<p>Welcome to Chapter 3 of the “Building an ORC-based JIT in LLVM” tutorial. This
+chapter discusses lazy JITing and shows you how to enable it by adding an ORC
+CompileOnDemand layer the JIT from <a class="reference external" href="BuildingAJIT2.html">Chapter 2</a>.</p>
+</div>
+<div class="section" id="lazy-compilation">
+<h2><a class="toc-backref" href="#id2">3.2. Lazy Compilation</a><a class="headerlink" href="#lazy-compilation" title="Permalink to this headline">¶</a></h2>
+<p>When we add a module to the KaleidoscopeJIT class described in Chapter 2 it is
+immediately optimized, compiled and linked for us by the IRTransformLayer,
+IRCompileLayer and ObjectLinkingLayer respectively. This scheme, where all the
+work to make a Module executable is done up front, is relatively simple to
+understand its performance characteristics are easy to reason about. However,
+it will lead to very high startup times if the amount of code to be compiled is
+large, and may also do a lot of unnecessary compilation if only a few compiled
+functions are ever called at runtime. A truly “just-in-time” compiler should
+allow us to defer the compilation of any given function until the moment that
+function is first called, improving launch times and eliminating redundant work.
+In fact, the ORC APIs provide us with a layer to lazily compile LLVM IR:
+<em>CompileOnDemandLayer</em>.</p>
+<p>The CompileOnDemandLayer conforms to the layer interface described in Chapter 2,
+but the addModuleSet method behaves quite differently from the layers we have
+seen so far: rather than doing any work up front, it just constructs a <em>stub</em>
+for each function in the module and arranges for the stub to trigger compilation
+of the actual function the first time it is called. Because stub functions are
+very cheap to produce CompileOnDemand’s addModuleSet method runs very quickly,
+reducing the time required to launch the first function to be executed, and
+saving us from doing any redundant compilation. By conforming to the layer
+interface, CompileOnDemand can be easily added on top of our existing JIT class.
+We just need a few changes:</p>
+<div class="highlight-c++"><div class="highlight"><pre><span class="p">...</span>
+<span class="cp">#include "llvm/ExecutionEngine/SectionMemoryManager.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/CompileOnDemandLayer.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/CompileUtils.h"</span>
+<span class="p">...</span>
+
+<span class="p">...</span>
+<span class="k">class</span> <span class="nc">KaleidoscopeJIT</span> <span class="p">{</span>
+<span class="nl">private:</span>
+  <span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">TargetMachine</span><span class="o">></span> <span class="n">TM</span><span class="p">;</span>
+  <span class="k">const</span> <span class="n">DataLayout</span> <span class="n">DL</span><span class="p">;</span>
+  <span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">JITCompileCallbackManager</span><span class="o">></span> <span class="n">CompileCallbackManager</span><span class="p">;</span>
+  <span class="n">ObjectLinkingLayer</span><span class="o"><></span> <span class="n">ObjectLayer</span><span class="p">;</span>
+  <span class="n">IRCompileLayer</span><span class="o"><</span><span class="n">decltype</span><span class="p">(</span><span class="n">ObjectLayer</span><span class="p">)</span><span class="o">></span> <span class="n">CompileLayer</span><span class="p">;</span>
+
+  <span class="k">typedef</span> <span class="n">std</span><span class="o">::</span><span class="n">function</span><span class="o"><</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">></span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">></span><span class="p">)</span><span class="o">></span>
+    <span class="n">OptimizeFunction</span><span class="p">;</span>
+
+  <span class="n">IRTransformLayer</span><span class="o"><</span><span class="n">decltype</span><span class="p">(</span><span class="n">CompileLayer</span><span class="p">),</span> <span class="n">OptimizeFunction</span><span class="o">></span> <span class="n">OptimizeLayer</span><span class="p">;</span>
+  <span class="n">CompileOnDemandLayer</span><span class="o"><</span><span class="n">decltype</span><span class="p">(</span><span class="n">OptimizeLayer</span><span class="p">)</span><span class="o">></span> <span class="n">CODLayer</span><span class="p">;</span>
+
+<span class="nl">public:</span>
+  <span class="k">typedef</span> <span class="n">decltype</span><span class="p">(</span><span class="n">CODLayer</span><span class="p">)</span><span class="o">::</span><span class="n">ModuleSetHandleT</span> <span class="n">ModuleHandle</span><span class="p">;</span>
+</pre></div>
+</div>
+<p>First we need to include the CompileOnDemandLayer.h header, then add two new
+members: a std::unique_ptr<CompileCallbackManager> and a CompileOnDemandLayer,
+to our class. The CompileCallbackManager is a utility that enables us to
+create re-entry points into the compiler for functions that we want to lazily
+compile. In the next chapter we’ll be looking at this class in detail, but for
+now we’ll be treating it as an opaque utility: We just need to pass a reference
+to it into our new CompileOnDemandLayer, and the layer will do all the work of
+setting up the callbacks using the callback manager we gave it.</p>
+<div class="highlight-c++"><div class="highlight"><pre><span class="n">KaleidoscopeJIT</span><span class="p">()</span>
+    <span class="o">:</span> <span class="n">TM</span><span class="p">(</span><span class="n">EngineBuilder</span><span class="p">().</span><span class="n">selectTarget</span><span class="p">()),</span> <span class="n">DL</span><span class="p">(</span><span class="n">TM</span><span class="o">-></span><span class="n">createDataLayout</span><span class="p">()),</span>
+      <span class="n">CompileLayer</span><span class="p">(</span><span class="n">ObjectLayer</span><span class="p">,</span> <span class="n">SimpleCompiler</span><span class="p">(</span><span class="o">*</span><span class="n">TM</span><span class="p">)),</span>
+      <span class="n">OptimizeLayer</span><span class="p">(</span><span class="n">CompileLayer</span><span class="p">,</span>
+                    <span class="p">[</span><span class="k">this</span><span class="p">](</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">></span> <span class="n">M</span><span class="p">)</span> <span class="p">{</span>
+                      <span class="k">return</span> <span class="n">optimizeModule</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">M</span><span class="p">));</span>
+                    <span class="p">}),</span>
+      <span class="n">CompileCallbackManager</span><span class="p">(</span>
+          <span class="n">orc</span><span class="o">::</span><span class="n">createLocalCompileCallbackManager</span><span class="p">(</span><span class="n">TM</span><span class="o">-></span><span class="n">getTargetTriple</span><span class="p">(),</span> <span class="mi">0</span><span class="p">)),</span>
+      <span class="n">CODLayer</span><span class="p">(</span><span class="n">OptimizeLayer</span><span class="p">,</span>
+               <span class="p">[</span><span class="k">this</span><span class="p">](</span><span class="n">Function</span> <span class="o">&</span><span class="n">F</span><span class="p">)</span> <span class="p">{</span> <span class="k">return</span> <span class="n">std</span><span class="o">::</span><span class="n">set</span><span class="o"><</span><span class="n">Function</span><span class="o">*></span><span class="p">({</span><span class="o">&</span><span class="n">F</span><span class="p">});</span> <span class="p">},</span>
+               <span class="o">*</span><span class="n">CompileCallbackManager</span><span class="p">,</span>
+               <span class="n">orc</span><span class="o">::</span><span class="n">createLocalIndirectStubsManagerBuilder</span><span class="p">(</span>
+                 <span class="n">TM</span><span class="o">-></span><span class="n">getTargetTriple</span><span class="p">()))</span> <span class="p">{</span>
+  <span class="n">llvm</span><span class="o">::</span><span class="n">sys</span><span class="o">::</span><span class="n">DynamicLibrary</span><span class="o">::</span><span class="n">LoadLibraryPermanently</span><span class="p">(</span><span class="n">nullptr</span><span class="p">);</span>
+<span class="p">}</span>
+</pre></div>
+</div>
+<p>Next we have to update our constructor to initialize the new members. To create
+an appropriate compile callback manager we use the
+createLocalCompileCallbackManager function, which takes a TargetMachine and a
+TargetAddress to call if it receives a request to compile an unknown function.
+In our simple JIT this situation is unlikely to come up, so we’ll cheat and
+just pass ‘0’ here. In a production quality JIT you could give the address of a
+function that throws an exception in order to unwind the JIT’d code stack.</p>
+<p>Now we can construct our CompileOnDemandLayer. Following the pattern from
+previous layers we start by passing a reference to the next layer down in our
+stack – the OptimizeLayer. Next we need to supply a ‘partitioning function’:
+when a not-yet-compiled function is called, the CompileOnDemandLayer will call
+this function to ask us what we would like to compile. At a minimum we need to
+compile the function being called (given by the argument to the partitioning
+function), but we could also request that the CompileOnDemandLayer compile other
+functions that are unconditionally called (or highly likely to be called) from
+the function being called. For KaleidoscopeJIT we’ll keep it simple and just
+request compilation of the function that was called. Next we pass a reference to
+our CompileCallbackManager. Finally, we need to supply an “indirect stubs
+manager builder”. This is a function that constructs IndirectStubManagers, which
+are in turn used to build the stubs for each module. The CompileOnDemandLayer
+will call the indirect stub manager builder once for each call to addModuleSet,
+and use the resulting indirect stubs manager to create stubs for all functions
+in all modules added. If/when the module set is removed from the JIT the
+indirect stubs manager will be deleted, freeing any memory allocated to the
+stubs. We supply this function by using the
+createLocalIndirectStubsManagerBuilder utility.</p>
+<div class="highlight-c++"><div class="highlight"><pre><span class="c1">// ...</span>
+        <span class="k">if</span> <span class="p">(</span><span class="k">auto</span> <span class="n">Sym</span> <span class="o">=</span> <span class="n">CODLayer</span><span class="p">.</span><span class="n">findSymbol</span><span class="p">(</span><span class="n">Name</span><span class="p">,</span> <span class="nb">false</span><span class="p">))</span>
+<span class="c1">// ...</span>
+<span class="k">return</span> <span class="n">CODLayer</span><span class="p">.</span><span class="n">addModuleSet</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">Ms</span><span class="p">),</span>
+                             <span class="n">make_unique</span><span class="o"><</span><span class="n">SectionMemoryManager</span><span class="o">></span><span class="p">(),</span>
+                             <span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">Resolver</span><span class="p">));</span>
+<span class="c1">// ...</span>
+
+<span class="c1">// ...</span>
+<span class="k">return</span> <span class="n">CODLayer</span><span class="p">.</span><span class="n">findSymbol</span><span class="p">(</span><span class="n">MangledNameStream</span><span class="p">.</span><span class="n">str</span><span class="p">(),</span> <span class="nb">true</span><span class="p">);</span>
+<span class="c1">// ...</span>
+
+<span class="c1">// ...</span>
+<span class="n">CODLayer</span><span class="p">.</span><span class="n">removeModuleSet</span><span class="p">(</span><span class="n">H</span><span class="p">);</span>
+<span class="c1">// ...</span>
+</pre></div>
+</div>
+<p>Finally, we need to replace the references to OptimizeLayer in our addModule,
+findSymbol, and removeModule methods. With that, we’re up and running.</p>
+<p><strong>To be done:</strong></p>
+<p>** Discuss CompileCallbackManagers and IndirectStubManagers in more detail.**</p>
+</div>
+<div class="section" id="full-code-listing">
+<h2><a class="toc-backref" href="#id3">3.3. Full Code Listing</a><a class="headerlink" href="#full-code-listing" title="Permalink to this headline">¶</a></h2>
+<p>Here is the complete code listing for our running example with a CompileOnDemand
+layer added to enable lazy function-at-a-time compilation. To build this example, use:</p>
+<div class="highlight-bash"><div class="highlight"><pre><span class="c"># Compile</span>
+clang++ -g toy.cpp <span class="sb">`</span>llvm-config --cxxflags --ldflags --system-libs --libs core orc native<span class="sb">`</span> -O3 -o toy
+<span class="c"># Run</span>
+./toy
+</pre></div>
+</div>
+<p>Here is the code:</p>
+<div class="highlight-c++"><div class="highlight"><pre><span class="c1">//===----- KaleidoscopeJIT.h - A simple JIT for Kaleidoscope ----*- C++ -*-===//</span>
+<span class="c1">//</span>
+<span class="c1">//                     The LLVM Compiler Infrastructure</span>
+<span class="c1">//</span>
+<span class="c1">// This file is distributed under the University of Illinois Open Source</span>
+<span class="c1">// License. See LICENSE.TXT for details.</span>
+<span class="c1">//</span>
+<span class="c1">//===----------------------------------------------------------------------===//</span>
+<span class="c1">//</span>
+<span class="c1">// Contains a simple JIT definition for use in the kaleidoscope tutorials.</span>
+<span class="c1">//</span>
+<span class="c1">//===----------------------------------------------------------------------===//</span>
+
+<span class="cp">#ifndef LLVM_EXECUTIONENGINE_ORC_KALEIDOSCOPEJIT_H</span>
+<span class="cp">#define LLVM_EXECUTIONENGINE_ORC_KALEIDOSCOPEJIT_H</span>
+
+<span class="cp">#include "llvm/ADT/STLExtras.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/ExecutionEngine.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/RuntimeDyld.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/SectionMemoryManager.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/CompileOnDemandLayer.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/CompileUtils.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/JITSymbol.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/IRCompileLayer.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/IRTransformLayer.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/LambdaResolver.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/ObjectLinkingLayer.h"</span>
+<span class="cp">#include "llvm/IR/DataLayout.h"</span>
+<span class="cp">#include "llvm/IR/Mangler.h"</span>
+<span class="cp">#include "llvm/Support/DynamicLibrary.h"</span>
+<span class="cp">#include "llvm/Support/raw_ostream.h"</span>
+<span class="cp">#include "llvm/Target/TargetMachine.h"</span>
+<span class="cp">#include <algorithm></span>
+<span class="cp">#include <memory></span>
+<span class="cp">#include <string></span>
+<span class="cp">#include <vector></span>
+
+<span class="k">namespace</span> <span class="n">llvm</span> <span class="p">{</span>
+<span class="k">namespace</span> <span class="n">orc</span> <span class="p">{</span>
+
+<span class="k">class</span> <span class="nc">KaleidoscopeJIT</span> <span class="p">{</span>
+<span class="nl">private:</span>
+  <span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">TargetMachine</span><span class="o">></span> <span class="n">TM</span><span class="p">;</span>
+  <span class="k">const</span> <span class="n">DataLayout</span> <span class="n">DL</span><span class="p">;</span>
+  <span class="n">ObjectLinkingLayer</span><span class="o"><></span> <span class="n">ObjectLayer</span><span class="p">;</span>
+  <span class="n">IRCompileLayer</span><span class="o"><</span><span class="n">decltype</span><span class="p">(</span><span class="n">ObjectLayer</span><span class="p">)</span><span class="o">></span> <span class="n">CompileLayer</span><span class="p">;</span>
+
+  <span class="k">typedef</span> <span class="n">std</span><span class="o">::</span><span class="n">function</span><span class="o"><</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">></span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">></span><span class="p">)</span><span class="o">></span>
+    <span class="n">OptimizeFunction</span><span class="p">;</span>
+
+  <span class="n">IRTransformLayer</span><span class="o"><</span><span class="n">decltype</span><span class="p">(</span><span class="n">CompileLayer</span><span class="p">),</span> <span class="n">OptimizeFunction</span><span class="o">></span> <span class="n">OptimizeLayer</span><span class="p">;</span>
+
+  <span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">JITCompileCallbackManager</span><span class="o">></span> <span class="n">CompileCallbackManager</span><span class="p">;</span>
+  <span class="n">CompileOnDemandLayer</span><span class="o"><</span><span class="n">decltype</span><span class="p">(</span><span class="n">OptimizeLayer</span><span class="p">)</span><span class="o">></span> <span class="n">CODLayer</span><span class="p">;</span>
+
+<span class="nl">public:</span>
+  <span class="k">typedef</span> <span class="n">decltype</span><span class="p">(</span><span class="n">CODLayer</span><span class="p">)</span><span class="o">::</span><span class="n">ModuleSetHandleT</span> <span class="n">ModuleHandle</span><span class="p">;</span>
+
+  <span class="n">KaleidoscopeJIT</span><span class="p">()</span>
+      <span class="o">:</span> <span class="n">TM</span><span class="p">(</span><span class="n">EngineBuilder</span><span class="p">().</span><span class="n">selectTarget</span><span class="p">()),</span> <span class="n">DL</span><span class="p">(</span><span class="n">TM</span><span class="o">-></span><span class="n">createDataLayout</span><span class="p">()),</span>
+        <span class="n">CompileLayer</span><span class="p">(</span><span class="n">ObjectLayer</span><span class="p">,</span> <span class="n">SimpleCompiler</span><span class="p">(</span><span class="o">*</span><span class="n">TM</span><span class="p">)),</span>
+        <span class="n">OptimizeLayer</span><span class="p">(</span><span class="n">CompileLayer</span><span class="p">,</span>
+                      <span class="p">[</span><span class="k">this</span><span class="p">](</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">></span> <span class="n">M</span><span class="p">)</span> <span class="p">{</span>
+                        <span class="k">return</span> <span class="n">optimizeModule</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">M</span><span class="p">));</span>
+                      <span class="p">}),</span>
+        <span class="n">CompileCallbackManager</span><span class="p">(</span>
+            <span class="n">orc</span><span class="o">::</span><span class="n">createLocalCompileCallbackManager</span><span class="p">(</span><span class="n">TM</span><span class="o">-></span><span class="n">getTargetTriple</span><span class="p">(),</span> <span class="mi">0</span><span class="p">)),</span>
+        <span class="n">CODLayer</span><span class="p">(</span><span class="n">OptimizeLayer</span><span class="p">,</span>
+                 <span class="p">[</span><span class="k">this</span><span class="p">](</span><span class="n">Function</span> <span class="o">&</span><span class="n">F</span><span class="p">)</span> <span class="p">{</span> <span class="k">return</span> <span class="n">std</span><span class="o">::</span><span class="n">set</span><span class="o"><</span><span class="n">Function</span><span class="o">*></span><span class="p">({</span><span class="o">&</span><span class="n">F</span><span class="p">});</span> <span class="p">},</span>
+                 <span class="o">*</span><span class="n">CompileCallbackManager</span><span class="p">,</span>
+                 <span class="n">orc</span><span class="o">::</span><span class="n">createLocalIndirectStubsManagerBuilder</span><span class="p">(</span>
+                   <span class="n">TM</span><span class="o">-></span><span class="n">getTargetTriple</span><span class="p">()))</span> <span class="p">{</span>
+    <span class="n">llvm</span><span class="o">::</span><span class="n">sys</span><span class="o">::</span><span class="n">DynamicLibrary</span><span class="o">::</span><span class="n">LoadLibraryPermanently</span><span class="p">(</span><span class="n">nullptr</span><span class="p">);</span>
+  <span class="p">}</span>
+
+  <span class="n">TargetMachine</span> <span class="o">&</span><span class="n">getTargetMachine</span><span class="p">()</span> <span class="p">{</span> <span class="k">return</span> <span class="o">*</span><span class="n">TM</span><span class="p">;</span> <span class="p">}</span>
+
+  <span class="n">ModuleHandle</span> <span class="n">addModule</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">></span> <span class="n">M</span><span class="p">)</span> <span class="p">{</span>
+    <span class="c1">// Build our symbol resolver:</span>
+    <span class="c1">// Lambda 1: Look back into the JIT itself to find symbols that are part of</span>
+    <span class="c1">//           the same "logical dylib".</span>
+    <span class="c1">// Lambda 2: Search for external symbols in the host process.</span>
+    <span class="k">auto</span> <span class="n">Resolver</span> <span class="o">=</span> <span class="n">createLambdaResolver</span><span class="p">(</span>
+        <span class="p">[</span><span class="o">&</span><span class="p">](</span><span class="k">const</span> <span class="n">std</span><span class="o">::</span><span class="n">string</span> <span class="o">&</span><span class="n">Name</span><span class="p">)</span> <span class="p">{</span>
+          <span class="k">if</span> <span class="p">(</span><span class="k">auto</span> <span class="n">Sym</span> <span class="o">=</span> <span class="n">CODLayer</span><span class="p">.</span><span class="n">findSymbol</span><span class="p">(</span><span class="n">Name</span><span class="p">,</span> <span class="nb">false</span><span class="p">))</span>
+            <span class="k">return</span> <span class="n">Sym</span><span class="p">.</span><span class="n">toRuntimeDyldSymbol</span><span class="p">();</span>
+          <span class="k">return</span> <span class="n">RuntimeDyld</span><span class="o">::</span><span class="n">SymbolInfo</span><span class="p">(</span><span class="n">nullptr</span><span class="p">);</span>
+        <span class="p">},</span>
+        <span class="p">[](</span><span class="k">const</span> <span class="n">std</span><span class="o">::</span><span class="n">string</span> <span class="o">&</span><span class="n">Name</span><span class="p">)</span> <span class="p">{</span>
+          <span class="k">if</span> <span class="p">(</span><span class="k">auto</span> <span class="n">SymAddr</span> <span class="o">=</span>
+                <span class="n">RTDyldMemoryManager</span><span class="o">::</span><span class="n">getSymbolAddressInProcess</span><span class="p">(</span><span class="n">Name</span><span class="p">))</span>
+            <span class="k">return</span> <span class="n">RuntimeDyld</span><span class="o">::</span><span class="n">SymbolInfo</span><span class="p">(</span><span class="n">SymAddr</span><span class="p">,</span> <span class="n">JITSymbolFlags</span><span class="o">::</span><span class="n">Exported</span><span class="p">);</span>
+          <span class="k">return</span> <span class="n">RuntimeDyld</span><span class="o">::</span><span class="n">SymbolInfo</span><span class="p">(</span><span class="n">nullptr</span><span class="p">);</span>
+        <span class="p">});</span>
+
+    <span class="c1">// Build a singlton module set to hold our module.</span>
+    <span class="n">std</span><span class="o">::</span><span class="n">vector</span><span class="o"><</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">>></span> <span class="n">Ms</span><span class="p">;</span>
+    <span class="n">Ms</span><span class="p">.</span><span class="n">push_back</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">M</span><span class="p">));</span>
+
+    <span class="c1">// Add the set to the JIT with the resolver we created above and a newly</span>
+    <span class="c1">// created SectionMemoryManager.</span>
+    <span class="k">return</span> <span class="n">CODLayer</span><span class="p">.</span><span class="n">addModuleSet</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">Ms</span><span class="p">),</span>
+                                 <span class="n">make_unique</span><span class="o"><</span><span class="n">SectionMemoryManager</span><span class="o">></span><span class="p">(),</span>
+                                 <span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">Resolver</span><span class="p">));</span>
+  <span class="p">}</span>
+
+  <span class="n">JITSymbol</span> <span class="n">findSymbol</span><span class="p">(</span><span class="k">const</span> <span class="n">std</span><span class="o">::</span><span class="n">string</span> <span class="n">Name</span><span class="p">)</span> <span class="p">{</span>
+    <span class="n">std</span><span class="o">::</span><span class="n">string</span> <span class="n">MangledName</span><span class="p">;</span>
+    <span class="n">raw_string_ostream</span> <span class="nf">MangledNameStream</span><span class="p">(</span><span class="n">MangledName</span><span class="p">);</span>
+    <span class="n">Mangler</span><span class="o">::</span><span class="n">getNameWithPrefix</span><span class="p">(</span><span class="n">MangledNameStream</span><span class="p">,</span> <span class="n">Name</span><span class="p">,</span> <span class="n">DL</span><span class="p">);</span>
+    <span class="k">return</span> <span class="n">CODLayer</span><span class="p">.</span><span class="n">findSymbol</span><span class="p">(</span><span class="n">MangledNameStream</span><span class="p">.</span><span class="n">str</span><span class="p">(),</span> <span class="nb">true</span><span class="p">);</span>
+  <span class="p">}</span>
+
+  <span class="kt">void</span> <span class="n">removeModule</span><span class="p">(</span><span class="n">ModuleHandle</span> <span class="n">H</span><span class="p">)</span> <span class="p">{</span>
+    <span class="n">CODLayer</span><span class="p">.</span><span class="n">removeModuleSet</span><span class="p">(</span><span class="n">H</span><span class="p">);</span>
+  <span class="p">}</span>
+
+<span class="nl">private:</span>
+
+  <span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">></span> <span class="n">optimizeModule</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">></span> <span class="n">M</span><span class="p">)</span> <span class="p">{</span>
+    <span class="c1">// Create a function pass manager.</span>
+    <span class="k">auto</span> <span class="n">FPM</span> <span class="o">=</span> <span class="n">llvm</span><span class="o">::</span><span class="n">make_unique</span><span class="o"><</span><span class="n">legacy</span><span class="o">::</span><span class="n">FunctionPassManager</span><span class="o">></span><span class="p">(</span><span class="n">M</span><span class="p">.</span><span class="n">get</span><span class="p">());</span>
+
+    <span class="c1">// Add some optimizations.</span>
+    <span class="n">FPM</span><span class="o">-></span><span class="n">add</span><span class="p">(</span><span class="n">createInstructionCombiningPass</span><span class="p">());</span>
+    <span class="n">FPM</span><span class="o">-></span><span class="n">add</span><span class="p">(</span><span class="n">createReassociatePass</span><span class="p">());</span>
+    <span class="n">FPM</span><span class="o">-></span><span class="n">add</span><span class="p">(</span><span class="n">createGVNPass</span><span class="p">());</span>
+    <span class="n">FPM</span><span class="o">-></span><span class="n">add</span><span class="p">(</span><span class="n">createCFGSimplificationPass</span><span class="p">());</span>
+    <span class="n">FPM</span><span class="o">-></span><span class="n">doInitialization</span><span class="p">();</span>
+
+    <span class="c1">// Run the optimizations over all functions in the module being added to</span>
+    <span class="c1">// the JIT.</span>
+    <span class="k">for</span> <span class="p">(</span><span class="k">auto</span> <span class="o">&</span><span class="n">F</span> <span class="o">:</span> <span class="o">*</span><span class="n">M</span><span class="p">)</span>
+      <span class="n">FPM</span><span class="o">-></span><span class="n">run</span><span class="p">(</span><span class="n">F</span><span class="p">);</span>
+
+    <span class="k">return</span> <span class="n">M</span><span class="p">;</span>
+  <span class="p">}</span>
+
+<span class="p">};</span>
+
+<span class="p">}</span> <span class="c1">// end namespace orc</span>
+<span class="p">}</span> <span class="c1">// end namespace llvm</span>
+
+<span class="cp">#endif </span><span class="c1">// LLVM_EXECUTIONENGINE_ORC_KALEIDOSCOPEJIT_H</span>
+</pre></div>
+</div>
+<p><a class="reference external" href="BuildingAJIT4.html">Next: Extreme Laziness – Using Compile Callbacks to JIT directly from ASTs</a></p>
+</div>
+</div>
+
+
+          </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="BuildingAJIT4.html" title="4. Building a JIT: Extreme Laziness - Using Compile Callbacks to JIT from ASTs"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="BuildingAJIT2.html" title="2. Building a JIT: Adding Optimizations – An introduction to ORC Layers"
+             >previous</a> |</li>
+  <li><a href="http://llvm.org/">LLVM Home</a> | </li>
+  <li><a href="../index.html">Documentation</a>»</li>
+
+          <li><a href="index.html" >LLVM Tutorial: Table of Contents</a> »</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        © Copyright 2003-2016, LLVM Project.
+      Last updated on 2016-08-31.
+      Created using <a href="http://sphinx-doc.org/">Sphinx</a> 1.2.2.
+    </div>
+  </body>
+</html>
\ No newline at end of file

Added: www-releases/trunk/3.9.0/docs/tutorial/BuildingAJIT4.html
URL: http://llvm.org/viewvc/llvm-project/www-releases/trunk/3.9.0/docs/tutorial/BuildingAJIT4.html?rev=280493&view=auto
==============================================================================
--- www-releases/trunk/3.9.0/docs/tutorial/BuildingAJIT4.html (added)
+++ www-releases/trunk/3.9.0/docs/tutorial/BuildingAJIT4.html Fri Sep  2 10:56:46 2016
@@ -0,0 +1,370 @@
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>4. Building a JIT: Extreme Laziness - Using Compile Callbacks to JIT from ASTs — LLVM 3.9 documentation</title>
+    
+    <link rel="stylesheet" href="../_static/llvm-theme.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '3.9',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="LLVM 3.9 documentation" href="../index.html" />
+    <link rel="up" title="LLVM Tutorial: Table of Contents" href="index.html" />
+    <link rel="next" title="5. Building a JIT: Remote-JITing – Process Isolation and Laziness at a Distance" href="BuildingAJIT5.html" />
+    <link rel="prev" title="3. Building a JIT: Per-function Lazy Compilation" href="BuildingAJIT3.html" />
+<style type="text/css">
+  table.right { float: right; margin-left: 20px; }
+  table.right td { border: 1px solid #ccc; }
+</style>
+
+  </head>
+  <body>
+<div class="logo">
+  <a href="../index.html">
+    <img src="../_static/logo.png"
+         alt="LLVM Logo" width="250" height="88"/></a>
+</div>
+
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="BuildingAJIT5.html" title="5. Building a JIT: Remote-JITing – Process Isolation and Laziness at a Distance"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="BuildingAJIT3.html" title="3. Building a JIT: Per-function Lazy Compilation"
+             accesskey="P">previous</a> |</li>
+  <li><a href="http://llvm.org/">LLVM Home</a> | </li>
+  <li><a href="../index.html">Documentation</a>»</li>
+
+          <li><a href="index.html" accesskey="U">LLVM Tutorial: Table of Contents</a> »</li> 
+      </ul>
+    </div>
+
+
+    <div class="document">
+      <div class="documentwrapper">
+          <div class="body">
+            
+  <div class="section" id="building-a-jit-extreme-laziness-using-compile-callbacks-to-jit-from-asts">
+<h1>4. Building a JIT: Extreme Laziness - Using Compile Callbacks to JIT from ASTs<a class="headerlink" href="#building-a-jit-extreme-laziness-using-compile-callbacks-to-jit-from-asts" title="Permalink to this headline">¶</a></h1>
+<div class="contents local topic" id="contents">
+<ul class="simple">
+<li><a class="reference internal" href="#chapter-4-introduction" id="id1">Chapter 4 Introduction</a></li>
+<li><a class="reference internal" href="#full-code-listing" id="id2">Full Code Listing</a></li>
+</ul>
+</div>
+<p><strong>This tutorial is under active development. It is incomplete and details may
+change frequently.</strong> Nonetheless we invite you to try it out as it stands, and
+we welcome any feedback.</p>
+<div class="section" id="chapter-4-introduction">
+<h2><a class="toc-backref" href="#id1">4.1. Chapter 4 Introduction</a><a class="headerlink" href="#chapter-4-introduction" title="Permalink to this headline">¶</a></h2>
+<p>Welcome to Chapter 4 of the “Building an ORC-based JIT in LLVM” tutorial. This
+chapter introduces the Compile Callbacks and Indirect Stubs APIs and shows how
+they can be used to replace the CompileOnDemand layer from
+<a class="reference external" href="BuildingAJIT3.html">Chapter 3</a> with a custom lazy-JITing scheme that JITs
+directly from Kaleidoscope ASTs.</p>
+<p><strong>To be done:</strong></p>
+<p><strong>(1) Describe the drawbacks of JITing from IR (have to compile to IR first,
+which reduces the benefits of laziness).</strong></p>
+<p><strong>(2) Describe CompileCallbackManagers and IndirectStubManagers in detail.</strong></p>
+<p><strong>(3) Run through the implementation of addFunctionAST.</strong></p>
+</div>
+<div class="section" id="full-code-listing">
+<h2><a class="toc-backref" href="#id2">4.2. Full Code Listing</a><a class="headerlink" href="#full-code-listing" title="Permalink to this headline">¶</a></h2>
+<p>Here is the complete code listing for our running example that JITs lazily from
+Kaleidoscope ASTS. To build this example, use:</p>
+<div class="highlight-bash"><div class="highlight"><pre><span class="c"># Compile</span>
+clang++ -g toy.cpp <span class="sb">`</span>llvm-config --cxxflags --ldflags --system-libs --libs core orc native<span class="sb">`</span> -O3 -o toy
+<span class="c"># Run</span>
+./toy
+</pre></div>
+</div>
+<p>Here is the code:</p>
+<div class="highlight-c++"><div class="highlight"><pre><span class="c1">//===----- KaleidoscopeJIT.h - A simple JIT for Kaleidoscope ----*- C++ -*-===//</span>
+<span class="c1">//</span>
+<span class="c1">//                     The LLVM Compiler Infrastructure</span>
+<span class="c1">//</span>
+<span class="c1">// This file is distributed under the University of Illinois Open Source</span>
+<span class="c1">// License. See LICENSE.TXT for details.</span>
+<span class="c1">//</span>
+<span class="c1">//===----------------------------------------------------------------------===//</span>
+<span class="c1">//</span>
+<span class="c1">// Contains a simple JIT definition for use in the kaleidoscope tutorials.</span>
+<span class="c1">//</span>
+<span class="c1">//===----------------------------------------------------------------------===//</span>
+
+<span class="cp">#ifndef LLVM_EXECUTIONENGINE_ORC_KALEIDOSCOPEJIT_H</span>
+<span class="cp">#define LLVM_EXECUTIONENGINE_ORC_KALEIDOSCOPEJIT_H</span>
+
+<span class="cp">#include "llvm/ADT/STLExtras.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/ExecutionEngine.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/RuntimeDyld.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/SectionMemoryManager.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/CompileOnDemandLayer.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/CompileUtils.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/JITSymbol.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/IRCompileLayer.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/IRTransformLayer.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/LambdaResolver.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/ObjectLinkingLayer.h"</span>
+<span class="cp">#include "llvm/IR/DataLayout.h"</span>
+<span class="cp">#include "llvm/IR/Mangler.h"</span>
+<span class="cp">#include "llvm/Support/DynamicLibrary.h"</span>
+<span class="cp">#include "llvm/Support/raw_ostream.h"</span>
+<span class="cp">#include "llvm/Target/TargetMachine.h"</span>
+<span class="cp">#include <algorithm></span>
+<span class="cp">#include <memory></span>
+<span class="cp">#include <string></span>
+<span class="cp">#include <vector></span>
+
+<span class="k">class</span> <span class="nc">PrototypeAST</span><span class="p">;</span>
+<span class="k">class</span> <span class="nc">ExprAST</span><span class="p">;</span>
+
+<span class="c1">/// FunctionAST - This class represents a function definition itself.</span>
+<span class="k">class</span> <span class="nc">FunctionAST</span> <span class="p">{</span>
+  <span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">PrototypeAST</span><span class="o">></span> <span class="n">Proto</span><span class="p">;</span>
+  <span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">ExprAST</span><span class="o">></span> <span class="n">Body</span><span class="p">;</span>
+
+<span class="nl">public:</span>
+  <span class="n">FunctionAST</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">PrototypeAST</span><span class="o">></span> <span class="n">Proto</span><span class="p">,</span>
+              <span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">ExprAST</span><span class="o">></span> <span class="n">Body</span><span class="p">)</span>
+      <span class="o">:</span> <span class="n">Proto</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">Proto</span><span class="p">)),</span> <span class="n">Body</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">Body</span><span class="p">))</span> <span class="p">{}</span>
+  <span class="k">const</span> <span class="n">PrototypeAST</span><span class="o">&</span> <span class="n">getProto</span><span class="p">()</span> <span class="k">const</span><span class="p">;</span>
+  <span class="k">const</span> <span class="n">std</span><span class="o">::</span><span class="n">string</span><span class="o">&</span> <span class="n">getName</span><span class="p">()</span> <span class="k">const</span><span class="p">;</span>
+  <span class="n">llvm</span><span class="o">::</span><span class="n">Function</span> <span class="o">*</span><span class="n">codegen</span><span class="p">();</span>
+<span class="p">};</span>
+
+<span class="c1">/// This will compile FnAST to IR, rename the function to add the given</span>
+<span class="c1">/// suffix (needed to prevent a name-clash with the function's stub),</span>
+<span class="c1">/// and then take ownership of the module that the function was compiled</span>
+<span class="c1">/// into.</span>
+<span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">llvm</span><span class="o">::</span><span class="n">Module</span><span class="o">></span>
+<span class="n">irgenAndTakeOwnership</span><span class="p">(</span><span class="n">FunctionAST</span> <span class="o">&</span><span class="n">FnAST</span><span class="p">,</span> <span class="k">const</span> <span class="n">std</span><span class="o">::</span><span class="n">string</span> <span class="o">&</span><span class="n">Suffix</span><span class="p">);</span>
+
+<span class="k">namespace</span> <span class="n">llvm</span> <span class="p">{</span>
+<span class="k">namespace</span> <span class="n">orc</span> <span class="p">{</span>
+
+<span class="k">class</span> <span class="nc">KaleidoscopeJIT</span> <span class="p">{</span>
+<span class="nl">private:</span>
+  <span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">TargetMachine</span><span class="o">></span> <span class="n">TM</span><span class="p">;</span>
+  <span class="k">const</span> <span class="n">DataLayout</span> <span class="n">DL</span><span class="p">;</span>
+  <span class="n">ObjectLinkingLayer</span><span class="o"><></span> <span class="n">ObjectLayer</span><span class="p">;</span>
+  <span class="n">IRCompileLayer</span><span class="o"><</span><span class="n">decltype</span><span class="p">(</span><span class="n">ObjectLayer</span><span class="p">)</span><span class="o">></span> <span class="n">CompileLayer</span><span class="p">;</span>
+
+  <span class="k">typedef</span> <span class="n">std</span><span class="o">::</span><span class="n">function</span><span class="o"><</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">></span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">></span><span class="p">)</span><span class="o">></span>
+    <span class="n">OptimizeFunction</span><span class="p">;</span>
+
+  <span class="n">IRTransformLayer</span><span class="o"><</span><span class="n">decltype</span><span class="p">(</span><span class="n">CompileLayer</span><span class="p">),</span> <span class="n">OptimizeFunction</span><span class="o">></span> <span class="n">OptimizeLayer</span><span class="p">;</span>
+
+  <span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">JITCompileCallbackManager</span><span class="o">></span> <span class="n">CompileCallbackMgr</span><span class="p">;</span>
+  <span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">IndirectStubsManager</span><span class="o">></span> <span class="n">IndirectStubsMgr</span><span class="p">;</span>
+
+<span class="nl">public:</span>
+  <span class="k">typedef</span> <span class="n">decltype</span><span class="p">(</span><span class="n">OptimizeLayer</span><span class="p">)</span><span class="o">::</span><span class="n">ModuleSetHandleT</span> <span class="n">ModuleHandle</span><span class="p">;</span>
+
+  <span class="n">KaleidoscopeJIT</span><span class="p">()</span>
+      <span class="o">:</span> <span class="n">TM</span><span class="p">(</span><span class="n">EngineBuilder</span><span class="p">().</span><span class="n">selectTarget</span><span class="p">()),</span>
+        <span class="n">DL</span><span class="p">(</span><span class="n">TM</span><span class="o">-></span><span class="n">createDataLayout</span><span class="p">()),</span>
+        <span class="n">CompileLayer</span><span class="p">(</span><span class="n">ObjectLayer</span><span class="p">,</span> <span class="n">SimpleCompiler</span><span class="p">(</span><span class="o">*</span><span class="n">TM</span><span class="p">)),</span>
+        <span class="n">OptimizeLayer</span><span class="p">(</span><span class="n">CompileLayer</span><span class="p">,</span>
+                      <span class="p">[</span><span class="k">this</span><span class="p">](</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">></span> <span class="n">M</span><span class="p">)</span> <span class="p">{</span>
+                        <span class="k">return</span> <span class="n">optimizeModule</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">M</span><span class="p">));</span>
+                      <span class="p">}),</span>
+        <span class="n">CompileCallbackMgr</span><span class="p">(</span>
+            <span class="n">orc</span><span class="o">::</span><span class="n">createLocalCompileCallbackManager</span><span class="p">(</span><span class="n">TM</span><span class="o">-></span><span class="n">getTargetTriple</span><span class="p">(),</span> <span class="mi">0</span><span class="p">))</span> <span class="p">{</span>
+    <span class="k">auto</span> <span class="n">IndirectStubsMgrBuilder</span> <span class="o">=</span>
+      <span class="n">orc</span><span class="o">::</span><span class="n">createLocalIndirectStubsManagerBuilder</span><span class="p">(</span><span class="n">TM</span><span class="o">-></span><span class="n">getTargetTriple</span><span class="p">());</span>
+    <span class="n">IndirectStubsMgr</span> <span class="o">=</span> <span class="n">IndirectStubsMgrBuilder</span><span class="p">();</span>
+    <span class="n">llvm</span><span class="o">::</span><span class="n">sys</span><span class="o">::</span><span class="n">DynamicLibrary</span><span class="o">::</span><span class="n">LoadLibraryPermanently</span><span class="p">(</span><span class="n">nullptr</span><span class="p">);</span>
+  <span class="p">}</span>
+
+  <span class="n">TargetMachine</span> <span class="o">&</span><span class="n">getTargetMachine</span><span class="p">()</span> <span class="p">{</span> <span class="k">return</span> <span class="o">*</span><span class="n">TM</span><span class="p">;</span> <span class="p">}</span>
+
+  <span class="n">ModuleHandle</span> <span class="n">addModule</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">></span> <span class="n">M</span><span class="p">)</span> <span class="p">{</span>
+
+    <span class="c1">// Build our symbol resolver:</span>
+    <span class="c1">// Lambda 1: Look back into the JIT itself to find symbols that are part of</span>
+    <span class="c1">//           the same "logical dylib".</span>
+    <span class="c1">// Lambda 2: Search for external symbols in the host process.</span>
+    <span class="k">auto</span> <span class="n">Resolver</span> <span class="o">=</span> <span class="n">createLambdaResolver</span><span class="p">(</span>
+        <span class="p">[</span><span class="o">&</span><span class="p">](</span><span class="k">const</span> <span class="n">std</span><span class="o">::</span><span class="n">string</span> <span class="o">&</span><span class="n">Name</span><span class="p">)</span> <span class="p">{</span>
+          <span class="k">if</span> <span class="p">(</span><span class="k">auto</span> <span class="n">Sym</span> <span class="o">=</span> <span class="n">IndirectStubsMgr</span><span class="o">-></span><span class="n">findStub</span><span class="p">(</span><span class="n">Name</span><span class="p">,</span> <span class="nb">false</span><span class="p">))</span>
+            <span class="k">return</span> <span class="n">Sym</span><span class="p">.</span><span class="n">toRuntimeDyldSymbol</span><span class="p">();</span>
+          <span class="k">if</span> <span class="p">(</span><span class="k">auto</span> <span class="n">Sym</span> <span class="o">=</span> <span class="n">OptimizeLayer</span><span class="p">.</span><span class="n">findSymbol</span><span class="p">(</span><span class="n">Name</span><span class="p">,</span> <span class="nb">false</span><span class="p">))</span>
+            <span class="k">return</span> <span class="n">Sym</span><span class="p">.</span><span class="n">toRuntimeDyldSymbol</span><span class="p">();</span>
+          <span class="k">return</span> <span class="n">RuntimeDyld</span><span class="o">::</span><span class="n">SymbolInfo</span><span class="p">(</span><span class="n">nullptr</span><span class="p">);</span>
+        <span class="p">},</span>
+        <span class="p">[](</span><span class="k">const</span> <span class="n">std</span><span class="o">::</span><span class="n">string</span> <span class="o">&</span><span class="n">Name</span><span class="p">)</span> <span class="p">{</span>
+          <span class="k">if</span> <span class="p">(</span><span class="k">auto</span> <span class="n">SymAddr</span> <span class="o">=</span>
+                <span class="n">RTDyldMemoryManager</span><span class="o">::</span><span class="n">getSymbolAddressInProcess</span><span class="p">(</span><span class="n">Name</span><span class="p">))</span>
+            <span class="k">return</span> <span class="n">RuntimeDyld</span><span class="o">::</span><span class="n">SymbolInfo</span><span class="p">(</span><span class="n">SymAddr</span><span class="p">,</span> <span class="n">JITSymbolFlags</span><span class="o">::</span><span class="n">Exported</span><span class="p">);</span>
+          <span class="k">return</span> <span class="n">RuntimeDyld</span><span class="o">::</span><span class="n">SymbolInfo</span><span class="p">(</span><span class="n">nullptr</span><span class="p">);</span>
+        <span class="p">});</span>
+
+    <span class="c1">// Build a singlton module set to hold our module.</span>
+    <span class="n">std</span><span class="o">::</span><span class="n">vector</span><span class="o"><</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">>></span> <span class="n">Ms</span><span class="p">;</span>
+    <span class="n">Ms</span><span class="p">.</span><span class="n">push_back</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">M</span><span class="p">));</span>
+
+    <span class="c1">// Add the set to the JIT with the resolver we created above and a newly</span>
+    <span class="c1">// created SectionMemoryManager.</span>
+    <span class="k">return</span> <span class="n">OptimizeLayer</span><span class="p">.</span><span class="n">addModuleSet</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">Ms</span><span class="p">),</span>
+                                      <span class="n">make_unique</span><span class="o"><</span><span class="n">SectionMemoryManager</span><span class="o">></span><span class="p">(),</span>
+                                      <span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">Resolver</span><span class="p">));</span>
+  <span class="p">}</span>
+
+  <span class="n">Error</span> <span class="n">addFunctionAST</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">FunctionAST</span><span class="o">></span> <span class="n">FnAST</span><span class="p">)</span> <span class="p">{</span>
+    <span class="c1">// Create a CompileCallback - this is the re-entry point into the compiler</span>
+    <span class="c1">// for functions that haven't been compiled yet.</span>
+    <span class="k">auto</span> <span class="n">CCInfo</span> <span class="o">=</span> <span class="n">CompileCallbackMgr</span><span class="o">-></span><span class="n">getCompileCallback</span><span class="p">();</span>
+
+    <span class="c1">// Create an indirect stub. This serves as the functions "canonical</span>
+    <span class="c1">// definition" - an unchanging (constant address) entry point to the</span>
+    <span class="c1">// function implementation.</span>
+    <span class="c1">// Initially we point the stub's function-pointer at the compile callback</span>
+    <span class="c1">// that we just created. In the compile action for the callback (see below)</span>
+    <span class="c1">// we will update the stub's function pointer to point at the function</span>
+    <span class="c1">// implementation that we just implemented.</span>
+    <span class="k">if</span> <span class="p">(</span><span class="k">auto</span> <span class="n">Err</span> <span class="o">=</span> <span class="n">IndirectStubsMgr</span><span class="o">-></span><span class="n">createStub</span><span class="p">(</span><span class="n">mangle</span><span class="p">(</span><span class="n">FnAST</span><span class="o">-></span><span class="n">getName</span><span class="p">()),</span>
+                                                <span class="n">CCInfo</span><span class="p">.</span><span class="n">getAddress</span><span class="p">(),</span>
+                                                <span class="n">JITSymbolFlags</span><span class="o">::</span><span class="n">Exported</span><span class="p">))</span>
+      <span class="k">return</span> <span class="n">Err</span><span class="p">;</span>
+
+    <span class="c1">// Move ownership of FnAST to a shared pointer - C++11 lambdas don't support</span>
+    <span class="c1">// capture-by-move, which is be required for unique_ptr.</span>
+    <span class="k">auto</span> <span class="n">SharedFnAST</span> <span class="o">=</span> <span class="n">std</span><span class="o">::</span><span class="n">shared_ptr</span><span class="o"><</span><span class="n">FunctionAST</span><span class="o">></span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">FnAST</span><span class="p">));</span>
+
+    <span class="c1">// Set the action to compile our AST. This lambda will be run if/when</span>
+    <span class="c1">// execution hits the compile callback (via the stub).</span>
+    <span class="c1">//</span>
+    <span class="c1">// The steps to compile are:</span>
+    <span class="c1">// (1) IRGen the function.</span>
+    <span class="c1">// (2) Add the IR module to the JIT to make it executable like any other</span>
+    <span class="c1">//     module.</span>
+    <span class="c1">// (3) Use findSymbol to get the address of the compiled function.</span>
+    <span class="c1">// (4) Update the stub pointer to point at the implementation so that</span>
+    <span class="c1">///    subsequent calls go directly to it and bypass the compiler.</span>
+    <span class="c1">// (5) Return the address of the implementation: this lambda will actually</span>
+    <span class="c1">//     be run inside an attempted call to the function, and we need to</span>
+    <span class="c1">//     continue on to the implementation to complete the attempted call.</span>
+    <span class="c1">//     The JIT runtime (the resolver block) will use the return address of</span>
+    <span class="c1">//     this function as the address to continue at once it has reset the</span>
+    <span class="c1">//     CPU state to what it was immediately before the call.</span>
+    <span class="n">CCInfo</span><span class="p">.</span><span class="n">setCompileAction</span><span class="p">(</span>
+      <span class="p">[</span><span class="k">this</span><span class="p">,</span> <span class="n">SharedFnAST</span><span class="p">]()</span> <span class="p">{</span>
+        <span class="k">auto</span> <span class="n">M</span> <span class="o">=</span> <span class="n">irgenAndTakeOwnership</span><span class="p">(</span><span class="o">*</span><span class="n">SharedFnAST</span><span class="p">,</span> <span class="s">"$impl"</span><span class="p">);</span>
+        <span class="n">addModule</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">M</span><span class="p">));</span>
+        <span class="k">auto</span> <span class="n">Sym</span> <span class="o">=</span> <span class="n">findSymbol</span><span class="p">(</span><span class="n">SharedFnAST</span><span class="o">-></span><span class="n">getName</span><span class="p">()</span> <span class="o">+</span> <span class="s">"$impl"</span><span class="p">);</span>
+        <span class="n">assert</span><span class="p">(</span><span class="n">Sym</span> <span class="o">&&</span> <span class="s">"Couldn't find compiled function?"</span><span class="p">);</span>
+        <span class="n">TargetAddress</span> <span class="n">SymAddr</span> <span class="o">=</span> <span class="n">Sym</span><span class="p">.</span><span class="n">getAddress</span><span class="p">();</span>
+        <span class="k">if</span> <span class="p">(</span><span class="k">auto</span> <span class="n">Err</span> <span class="o">=</span>
+              <span class="n">IndirectStubsMgr</span><span class="o">-></span><span class="n">updatePointer</span><span class="p">(</span><span class="n">mangle</span><span class="p">(</span><span class="n">SharedFnAST</span><span class="o">-></span><span class="n">getName</span><span class="p">()),</span>
+                                              <span class="n">SymAddr</span><span class="p">))</span> <span class="p">{</span>
+          <span class="n">logAllUnhandledErrors</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">Err</span><span class="p">),</span> <span class="n">errs</span><span class="p">(),</span>
+                                <span class="s">"Error updating function pointer: "</span><span class="p">);</span>
+          <span class="n">exit</span><span class="p">(</span><span class="mi">1</span><span class="p">);</span>
+        <span class="p">}</span>
+
+        <span class="k">return</span> <span class="n">SymAddr</span><span class="p">;</span>
+      <span class="p">});</span>
+
+    <span class="k">return</span> <span class="n">Error</span><span class="o">::</span><span class="n">success</span><span class="p">();</span>
+  <span class="p">}</span>
+
+  <span class="n">JITSymbol</span> <span class="n">findSymbol</span><span class="p">(</span><span class="k">const</span> <span class="n">std</span><span class="o">::</span><span class="n">string</span> <span class="n">Name</span><span class="p">)</span> <span class="p">{</span>
+    <span class="k">return</span> <span class="n">OptimizeLayer</span><span class="p">.</span><span class="n">findSymbol</span><span class="p">(</span><span class="n">mangle</span><span class="p">(</span><span class="n">Name</span><span class="p">),</span> <span class="nb">true</span><span class="p">);</span>
+  <span class="p">}</span>
+
+  <span class="kt">void</span> <span class="n">removeModule</span><span class="p">(</span><span class="n">ModuleHandle</span> <span class="n">H</span><span class="p">)</span> <span class="p">{</span>
+    <span class="n">OptimizeLayer</span><span class="p">.</span><span class="n">removeModuleSet</span><span class="p">(</span><span class="n">H</span><span class="p">);</span>
+  <span class="p">}</span>
+
+<span class="nl">private:</span>
+
+  <span class="n">std</span><span class="o">::</span><span class="n">string</span> <span class="n">mangle</span><span class="p">(</span><span class="k">const</span> <span class="n">std</span><span class="o">::</span><span class="n">string</span> <span class="o">&</span><span class="n">Name</span><span class="p">)</span> <span class="p">{</span>
+    <span class="n">std</span><span class="o">::</span><span class="n">string</span> <span class="n">MangledName</span><span class="p">;</span>
+    <span class="n">raw_string_ostream</span> <span class="nf">MangledNameStream</span><span class="p">(</span><span class="n">MangledName</span><span class="p">);</span>
+    <span class="n">Mangler</span><span class="o">::</span><span class="n">getNameWithPrefix</span><span class="p">(</span><span class="n">MangledNameStream</span><span class="p">,</span> <span class="n">Name</span><span class="p">,</span> <span class="n">DL</span><span class="p">);</span>
+    <span class="k">return</span> <span class="n">MangledNameStream</span><span class="p">.</span><span class="n">str</span><span class="p">();</span>
+  <span class="p">}</span>
+
+  <span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">></span> <span class="n">optimizeModule</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">></span> <span class="n">M</span><span class="p">)</span> <span class="p">{</span>
+    <span class="c1">// Create a function pass manager.</span>
+    <span class="k">auto</span> <span class="n">FPM</span> <span class="o">=</span> <span class="n">llvm</span><span class="o">::</span><span class="n">make_unique</span><span class="o"><</span><span class="n">legacy</span><span class="o">::</span><span class="n">FunctionPassManager</span><span class="o">></span><span class="p">(</span><span class="n">M</span><span class="p">.</span><span class="n">get</span><span class="p">());</span>
+
+    <span class="c1">// Add some optimizations.</span>
+    <span class="n">FPM</span><span class="o">-></span><span class="n">add</span><span class="p">(</span><span class="n">createInstructionCombiningPass</span><span class="p">());</span>
+    <span class="n">FPM</span><span class="o">-></span><span class="n">add</span><span class="p">(</span><span class="n">createReassociatePass</span><span class="p">());</span>
+    <span class="n">FPM</span><span class="o">-></span><span class="n">add</span><span class="p">(</span><span class="n">createGVNPass</span><span class="p">());</span>
+    <span class="n">FPM</span><span class="o">-></span><span class="n">add</span><span class="p">(</span><span class="n">createCFGSimplificationPass</span><span class="p">());</span>
+    <span class="n">FPM</span><span class="o">-></span><span class="n">doInitialization</span><span class="p">();</span>
+
+    <span class="c1">// Run the optimizations over all functions in the module being added to</span>
+    <span class="c1">// the JIT.</span>
+    <span class="k">for</span> <span class="p">(</span><span class="k">auto</span> <span class="o">&</span><span class="n">F</span> <span class="o">:</span> <span class="o">*</span><span class="n">M</span><span class="p">)</span>
+      <span class="n">FPM</span><span class="o">-></span><span class="n">run</span><span class="p">(</span><span class="n">F</span><span class="p">);</span>
+
+    <span class="k">return</span> <span class="n">M</span><span class="p">;</span>
+  <span class="p">}</span>
+
+<span class="p">};</span>
+
+<span class="p">}</span> <span class="c1">// end namespace orc</span>
+<span class="p">}</span> <span class="c1">// end namespace llvm</span>
+
+<span class="cp">#endif </span><span class="c1">// LLVM_EXECUTIONENGINE_ORC_KALEIDOSCOPEJIT_H</span>
+</pre></div>
+</div>
+<p><a class="reference external" href="BuildingAJIT5.html">Next: Remote-JITing – Process-isolation and laziness-at-a-distance</a></p>
+</div>
+</div>
+
+
+          </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="BuildingAJIT5.html" title="5. Building a JIT: Remote-JITing – Process Isolation and Laziness at a Distance"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="BuildingAJIT3.html" title="3. Building a JIT: Per-function Lazy Compilation"
+             >previous</a> |</li>
+  <li><a href="http://llvm.org/">LLVM Home</a> | </li>
+  <li><a href="../index.html">Documentation</a>»</li>
+
+          <li><a href="index.html" >LLVM Tutorial: Table of Contents</a> »</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        © Copyright 2003-2016, LLVM Project.
+      Last updated on 2016-08-31.
+      Created using <a href="http://sphinx-doc.org/">Sphinx</a> 1.2.2.
+    </div>
+  </body>
+</html>
\ No newline at end of file

Added: www-releases/trunk/3.9.0/docs/tutorial/BuildingAJIT5.html
URL: http://llvm.org/viewvc/llvm-project/www-releases/trunk/3.9.0/docs/tutorial/BuildingAJIT5.html?rev=280493&view=auto
==============================================================================
--- www-releases/trunk/3.9.0/docs/tutorial/BuildingAJIT5.html (added)
+++ www-releases/trunk/3.9.0/docs/tutorial/BuildingAJIT5.html Fri Sep  2 10:56:46 2016
@@ -0,0 +1,526 @@
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>5. Building a JIT: Remote-JITing – Process Isolation and Laziness at a Distance — LLVM 3.9 documentation</title>
+    
+    <link rel="stylesheet" href="../_static/llvm-theme.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '3.9',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="LLVM 3.9 documentation" href="../index.html" />
+    <link rel="up" title="LLVM Tutorial: Table of Contents" href="index.html" />
+    <link rel="next" title="LLVM 3.9 Release Notes" href="../ReleaseNotes.html" />
+    <link rel="prev" title="4. Building a JIT: Extreme Laziness - Using Compile Callbacks to JIT from ASTs" href="BuildingAJIT4.html" />
+<style type="text/css">
+  table.right { float: right; margin-left: 20px; }
+  table.right td { border: 1px solid #ccc; }
+</style>
+
+  </head>
+  <body>
+<div class="logo">
+  <a href="../index.html">
+    <img src="../_static/logo.png"
+         alt="LLVM Logo" width="250" height="88"/></a>
+</div>
+
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="../ReleaseNotes.html" title="LLVM 3.9 Release Notes"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="BuildingAJIT4.html" title="4. Building a JIT: Extreme Laziness - Using Compile Callbacks to JIT from ASTs"
+             accesskey="P">previous</a> |</li>
+  <li><a href="http://llvm.org/">LLVM Home</a> | </li>
+  <li><a href="../index.html">Documentation</a>»</li>
+
+          <li><a href="index.html" accesskey="U">LLVM Tutorial: Table of Contents</a> »</li> 
+      </ul>
+    </div>
+
+
+    <div class="document">
+      <div class="documentwrapper">
+          <div class="body">
+            
+  <div class="section" id="building-a-jit-remote-jiting-process-isolation-and-laziness-at-a-distance">
+<h1>5. Building a JIT: Remote-JITing – Process Isolation and Laziness at a Distance<a class="headerlink" href="#building-a-jit-remote-jiting-process-isolation-and-laziness-at-a-distance" title="Permalink to this headline">¶</a></h1>
+<div class="contents local topic" id="contents">
+<ul class="simple">
+<li><a class="reference internal" href="#chapter-5-introduction" id="id1">Chapter 5 Introduction</a></li>
+<li><a class="reference internal" href="#full-code-listing" id="id2">Full Code Listing</a></li>
+</ul>
+</div>
+<p><strong>This tutorial is under active development. It is incomplete and details may
+change frequently.</strong> Nonetheless we invite you to try it out as it stands, and
+we welcome any feedback.</p>
+<div class="section" id="chapter-5-introduction">
+<h2><a class="toc-backref" href="#id1">5.1. Chapter 5 Introduction</a><a class="headerlink" href="#chapter-5-introduction" title="Permalink to this headline">¶</a></h2>
+<p>Welcome to Chapter 5 of the “Building an ORC-based JIT in LLVM” tutorial. This
+chapter introduces the ORC RemoteJIT Client/Server APIs and shows how to use
+them to build a JIT stack that will execute its code via a communications
+channel with a different process. This can be a separate process on the same
+machine, a process on a different machine, or even a process on a different
+platform/architecture. The code builds on top of the lazy-AST-compiling JIT
+stack from <a class="reference external" href="BuildingAJIT3.html">Chapter 4</a>.</p>
+<p><strong>To be done – this is going to be a long one:</strong></p>
+<p><strong>(1) Introduce channels, RPC, RemoteJIT Client and Server APIs</strong></p>
+<p><strong>(2) Describe the client code in greater detail. Discuss modifications of the
+KaleidoscopeJIT class, and the REPL itself.</strong></p>
+<p><strong>(3) Describe the server code.</strong></p>
+<p><strong>(4) Describe how to run the demo.</strong></p>
+</div>
+<div class="section" id="full-code-listing">
+<h2><a class="toc-backref" href="#id2">5.2. Full Code Listing</a><a class="headerlink" href="#full-code-listing" title="Permalink to this headline">¶</a></h2>
+<p>Here is the complete code listing for our running example that JITs lazily from
+Kaleidoscope ASTS. To build this example, use:</p>
+<div class="highlight-bash"><div class="highlight"><pre><span class="c"># Compile</span>
+clang++ -g toy.cpp <span class="sb">`</span>llvm-config --cxxflags --ldflags --system-libs --libs core orc native<span class="sb">`</span> -O3 -o toy
+<span class="c"># Run</span>
+./toy
+</pre></div>
+</div>
+<p>Here is the code for the modified KaleidoscopeJIT:</p>
+<div class="highlight-c++"><div class="highlight"><pre><span class="c1">//===----- KaleidoscopeJIT.h - A simple JIT for Kaleidoscope ----*- C++ -*-===//</span>
+<span class="c1">//</span>
+<span class="c1">//                     The LLVM Compiler Infrastructure</span>
+<span class="c1">//</span>
+<span class="c1">// This file is distributed under the University of Illinois Open Source</span>
+<span class="c1">// License. See LICENSE.TXT for details.</span>
+<span class="c1">//</span>
+<span class="c1">//===----------------------------------------------------------------------===//</span>
+<span class="c1">//</span>
+<span class="c1">// Contains a simple JIT definition for use in the kaleidoscope tutorials.</span>
+<span class="c1">//</span>
+<span class="c1">//===----------------------------------------------------------------------===//</span>
+
+<span class="cp">#ifndef LLVM_EXECUTIONENGINE_ORC_KALEIDOSCOPEJIT_H</span>
+<span class="cp">#define LLVM_EXECUTIONENGINE_ORC_KALEIDOSCOPEJIT_H</span>
+
+<span class="cp">#include "RemoteJITUtils.h"</span>
+<span class="cp">#include "llvm/ADT/STLExtras.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/ExecutionEngine.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/RuntimeDyld.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/SectionMemoryManager.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/CompileOnDemandLayer.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/CompileUtils.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/JITSymbol.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/IRCompileLayer.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/IRTransformLayer.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/LambdaResolver.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/ObjectLinkingLayer.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/OrcRemoteTargetClient.h"</span>
+<span class="cp">#include "llvm/IR/DataLayout.h"</span>
+<span class="cp">#include "llvm/IR/Mangler.h"</span>
+<span class="cp">#include "llvm/Support/DynamicLibrary.h"</span>
+<span class="cp">#include "llvm/Support/raw_ostream.h"</span>
+<span class="cp">#include "llvm/Target/TargetMachine.h"</span>
+<span class="cp">#include <algorithm></span>
+<span class="cp">#include <memory></span>
+<span class="cp">#include <string></span>
+<span class="cp">#include <vector></span>
+
+<span class="k">class</span> <span class="nc">PrototypeAST</span><span class="p">;</span>
+<span class="k">class</span> <span class="nc">ExprAST</span><span class="p">;</span>
+
+<span class="c1">/// FunctionAST - This class represents a function definition itself.</span>
+<span class="k">class</span> <span class="nc">FunctionAST</span> <span class="p">{</span>
+  <span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">PrototypeAST</span><span class="o">></span> <span class="n">Proto</span><span class="p">;</span>
+  <span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">ExprAST</span><span class="o">></span> <span class="n">Body</span><span class="p">;</span>
+
+<span class="nl">public:</span>
+  <span class="n">FunctionAST</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">PrototypeAST</span><span class="o">></span> <span class="n">Proto</span><span class="p">,</span>
+              <span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">ExprAST</span><span class="o">></span> <span class="n">Body</span><span class="p">)</span>
+      <span class="o">:</span> <span class="n">Proto</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">Proto</span><span class="p">)),</span> <span class="n">Body</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">Body</span><span class="p">))</span> <span class="p">{}</span>
+  <span class="k">const</span> <span class="n">PrototypeAST</span><span class="o">&</span> <span class="n">getProto</span><span class="p">()</span> <span class="k">const</span><span class="p">;</span>
+  <span class="k">const</span> <span class="n">std</span><span class="o">::</span><span class="n">string</span><span class="o">&</span> <span class="n">getName</span><span class="p">()</span> <span class="k">const</span><span class="p">;</span>
+  <span class="n">llvm</span><span class="o">::</span><span class="n">Function</span> <span class="o">*</span><span class="n">codegen</span><span class="p">();</span>
+<span class="p">};</span>
+
+<span class="c1">/// This will compile FnAST to IR, rename the function to add the given</span>
+<span class="c1">/// suffix (needed to prevent a name-clash with the function's stub),</span>
+<span class="c1">/// and then take ownership of the module that the function was compiled</span>
+<span class="c1">/// into.</span>
+<span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">llvm</span><span class="o">::</span><span class="n">Module</span><span class="o">></span>
+<span class="n">irgenAndTakeOwnership</span><span class="p">(</span><span class="n">FunctionAST</span> <span class="o">&</span><span class="n">FnAST</span><span class="p">,</span> <span class="k">const</span> <span class="n">std</span><span class="o">::</span><span class="n">string</span> <span class="o">&</span><span class="n">Suffix</span><span class="p">);</span>
+
+<span class="k">namespace</span> <span class="n">llvm</span> <span class="p">{</span>
+<span class="k">namespace</span> <span class="n">orc</span> <span class="p">{</span>
+
+<span class="c1">// Typedef the remote-client API.</span>
+<span class="k">typedef</span> <span class="n">remote</span><span class="o">::</span><span class="n">OrcRemoteTargetClient</span><span class="o"><</span><span class="n">FDRPCChannel</span><span class="o">></span> <span class="n">MyRemote</span><span class="p">;</span>
+
+<span class="k">class</span> <span class="nc">KaleidoscopeJIT</span> <span class="p">{</span>
+<span class="nl">private:</span>
+  <span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">TargetMachine</span><span class="o">></span> <span class="n">TM</span><span class="p">;</span>
+  <span class="k">const</span> <span class="n">DataLayout</span> <span class="n">DL</span><span class="p">;</span>
+  <span class="n">ObjectLinkingLayer</span><span class="o"><></span> <span class="n">ObjectLayer</span><span class="p">;</span>
+  <span class="n">IRCompileLayer</span><span class="o"><</span><span class="n">decltype</span><span class="p">(</span><span class="n">ObjectLayer</span><span class="p">)</span><span class="o">></span> <span class="n">CompileLayer</span><span class="p">;</span>
+
+  <span class="k">typedef</span> <span class="n">std</span><span class="o">::</span><span class="n">function</span><span class="o"><</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">></span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">></span><span class="p">)</span><span class="o">></span>
+    <span class="n">OptimizeFunction</span><span class="p">;</span>
+
+  <span class="n">IRTransformLayer</span><span class="o"><</span><span class="n">decltype</span><span class="p">(</span><span class="n">CompileLayer</span><span class="p">),</span> <span class="n">OptimizeFunction</span><span class="o">></span> <span class="n">OptimizeLayer</span><span class="p">;</span>
+
+  <span class="n">JITCompileCallbackManager</span> <span class="o">*</span><span class="n">CompileCallbackMgr</span><span class="p">;</span>
+  <span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">IndirectStubsManager</span><span class="o">></span> <span class="n">IndirectStubsMgr</span><span class="p">;</span>
+  <span class="n">MyRemote</span> <span class="o">&</span><span class="n">Remote</span><span class="p">;</span>
+
+<span class="nl">public:</span>
+  <span class="k">typedef</span> <span class="n">decltype</span><span class="p">(</span><span class="n">OptimizeLayer</span><span class="p">)</span><span class="o">::</span><span class="n">ModuleSetHandleT</span> <span class="n">ModuleHandle</span><span class="p">;</span>
+
+  <span class="n">KaleidoscopeJIT</span><span class="p">(</span><span class="n">MyRemote</span> <span class="o">&</span><span class="n">Remote</span><span class="p">)</span>
+      <span class="o">:</span> <span class="n">TM</span><span class="p">(</span><span class="n">EngineBuilder</span><span class="p">().</span><span class="n">selectTarget</span><span class="p">()),</span>
+        <span class="n">DL</span><span class="p">(</span><span class="n">TM</span><span class="o">-></span><span class="n">createDataLayout</span><span class="p">()),</span>
+        <span class="n">CompileLayer</span><span class="p">(</span><span class="n">ObjectLayer</span><span class="p">,</span> <span class="n">SimpleCompiler</span><span class="p">(</span><span class="o">*</span><span class="n">TM</span><span class="p">)),</span>
+        <span class="n">OptimizeLayer</span><span class="p">(</span><span class="n">CompileLayer</span><span class="p">,</span>
+                      <span class="p">[</span><span class="k">this</span><span class="p">](</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">></span> <span class="n">M</span><span class="p">)</span> <span class="p">{</span>
+                        <span class="k">return</span> <span class="n">optimizeModule</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">M</span><span class="p">));</span>
+                      <span class="p">}),</span>
+        <span class="n">Remote</span><span class="p">(</span><span class="n">Remote</span><span class="p">)</span> <span class="p">{</span>
+    <span class="k">auto</span> <span class="n">CCMgrOrErr</span> <span class="o">=</span> <span class="n">Remote</span><span class="p">.</span><span class="n">enableCompileCallbacks</span><span class="p">(</span><span class="mi">0</span><span class="p">);</span>
+    <span class="k">if</span> <span class="p">(</span><span class="o">!</span><span class="n">CCMgrOrErr</span><span class="p">)</span> <span class="p">{</span>
+      <span class="n">logAllUnhandledErrors</span><span class="p">(</span><span class="n">CCMgrOrErr</span><span class="p">.</span><span class="n">takeError</span><span class="p">(),</span> <span class="n">errs</span><span class="p">(),</span>
+                            <span class="s">"Error enabling remote compile callbacks:"</span><span class="p">);</span>
+      <span class="n">exit</span><span class="p">(</span><span class="mi">1</span><span class="p">);</span>
+    <span class="p">}</span>
+    <span class="n">CompileCallbackMgr</span> <span class="o">=</span> <span class="o">&*</span><span class="n">CCMgrOrErr</span><span class="p">;</span>
+    <span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">MyRemote</span><span class="o">::</span><span class="n">RCIndirectStubsManager</span><span class="o">></span> <span class="n">ISM</span><span class="p">;</span>
+    <span class="k">if</span> <span class="p">(</span><span class="k">auto</span> <span class="n">Err</span> <span class="o">=</span> <span class="n">Remote</span><span class="p">.</span><span class="n">createIndirectStubsManager</span><span class="p">(</span><span class="n">ISM</span><span class="p">))</span> <span class="p">{</span>
+      <span class="n">logAllUnhandledErrors</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">Err</span><span class="p">),</span> <span class="n">errs</span><span class="p">(),</span>
+                            <span class="s">"Error creating indirect stubs manager:"</span><span class="p">);</span>
+      <span class="n">exit</span><span class="p">(</span><span class="mi">1</span><span class="p">);</span>
+    <span class="p">}</span>
+    <span class="n">IndirectStubsMgr</span> <span class="o">=</span> <span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">ISM</span><span class="p">);</span>
+    <span class="n">llvm</span><span class="o">::</span><span class="n">sys</span><span class="o">::</span><span class="n">DynamicLibrary</span><span class="o">::</span><span class="n">LoadLibraryPermanently</span><span class="p">(</span><span class="n">nullptr</span><span class="p">);</span>
+  <span class="p">}</span>
+
+  <span class="n">TargetMachine</span> <span class="o">&</span><span class="n">getTargetMachine</span><span class="p">()</span> <span class="p">{</span> <span class="k">return</span> <span class="o">*</span><span class="n">TM</span><span class="p">;</span> <span class="p">}</span>
+
+  <span class="n">ModuleHandle</span> <span class="n">addModule</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">></span> <span class="n">M</span><span class="p">)</span> <span class="p">{</span>
+
+    <span class="c1">// Build our symbol resolver:</span>
+    <span class="c1">// Lambda 1: Look back into the JIT itself to find symbols that are part of</span>
+    <span class="c1">//           the same "logical dylib".</span>
+    <span class="c1">// Lambda 2: Search for external symbols in the host process.</span>
+    <span class="k">auto</span> <span class="n">Resolver</span> <span class="o">=</span> <span class="n">createLambdaResolver</span><span class="p">(</span>
+        <span class="p">[</span><span class="o">&</span><span class="p">](</span><span class="k">const</span> <span class="n">std</span><span class="o">::</span><span class="n">string</span> <span class="o">&</span><span class="n">Name</span><span class="p">)</span> <span class="p">{</span>
+          <span class="k">if</span> <span class="p">(</span><span class="k">auto</span> <span class="n">Sym</span> <span class="o">=</span> <span class="n">IndirectStubsMgr</span><span class="o">-></span><span class="n">findStub</span><span class="p">(</span><span class="n">Name</span><span class="p">,</span> <span class="nb">false</span><span class="p">))</span>
+            <span class="k">return</span> <span class="n">Sym</span><span class="p">.</span><span class="n">toRuntimeDyldSymbol</span><span class="p">();</span>
+          <span class="k">if</span> <span class="p">(</span><span class="k">auto</span> <span class="n">Sym</span> <span class="o">=</span> <span class="n">OptimizeLayer</span><span class="p">.</span><span class="n">findSymbol</span><span class="p">(</span><span class="n">Name</span><span class="p">,</span> <span class="nb">false</span><span class="p">))</span>
+            <span class="k">return</span> <span class="n">Sym</span><span class="p">.</span><span class="n">toRuntimeDyldSymbol</span><span class="p">();</span>
+          <span class="k">return</span> <span class="n">RuntimeDyld</span><span class="o">::</span><span class="n">SymbolInfo</span><span class="p">(</span><span class="n">nullptr</span><span class="p">);</span>
+        <span class="p">},</span>
+        <span class="p">[</span><span class="o">&</span><span class="p">](</span><span class="k">const</span> <span class="n">std</span><span class="o">::</span><span class="n">string</span> <span class="o">&</span><span class="n">Name</span><span class="p">)</span> <span class="p">{</span>
+          <span class="k">if</span> <span class="p">(</span><span class="k">auto</span> <span class="n">AddrOrErr</span> <span class="o">=</span> <span class="n">Remote</span><span class="p">.</span><span class="n">getSymbolAddress</span><span class="p">(</span><span class="n">Name</span><span class="p">))</span>
+            <span class="k">return</span> <span class="n">RuntimeDyld</span><span class="o">::</span><span class="n">SymbolInfo</span><span class="p">(</span><span class="o">*</span><span class="n">AddrOrErr</span><span class="p">,</span>
+                                           <span class="n">JITSymbolFlags</span><span class="o">::</span><span class="n">Exported</span><span class="p">);</span>
+          <span class="k">else</span> <span class="p">{</span>
+            <span class="n">logAllUnhandledErrors</span><span class="p">(</span><span class="n">AddrOrErr</span><span class="p">.</span><span class="n">takeError</span><span class="p">(),</span> <span class="n">errs</span><span class="p">(),</span>
+                                  <span class="s">"Error resolving remote symbol:"</span><span class="p">);</span>
+            <span class="n">exit</span><span class="p">(</span><span class="mi">1</span><span class="p">);</span>
+          <span class="p">}</span>
+          <span class="k">return</span> <span class="n">RuntimeDyld</span><span class="o">::</span><span class="n">SymbolInfo</span><span class="p">(</span><span class="n">nullptr</span><span class="p">);</span>
+        <span class="p">});</span>
+
+    <span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">MyRemote</span><span class="o">::</span><span class="n">RCMemoryManager</span><span class="o">></span> <span class="n">MemMgr</span><span class="p">;</span>
+    <span class="k">if</span> <span class="p">(</span><span class="k">auto</span> <span class="n">Err</span> <span class="o">=</span> <span class="n">Remote</span><span class="p">.</span><span class="n">createRemoteMemoryManager</span><span class="p">(</span><span class="n">MemMgr</span><span class="p">))</span> <span class="p">{</span>
+      <span class="n">logAllUnhandledErrors</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">Err</span><span class="p">),</span> <span class="n">errs</span><span class="p">(),</span>
+                            <span class="s">"Error creating remote memory manager:"</span><span class="p">);</span>
+      <span class="n">exit</span><span class="p">(</span><span class="mi">1</span><span class="p">);</span>
+    <span class="p">}</span>
+
+    <span class="c1">// Build a singlton module set to hold our module.</span>
+    <span class="n">std</span><span class="o">::</span><span class="n">vector</span><span class="o"><</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">>></span> <span class="n">Ms</span><span class="p">;</span>
+    <span class="n">Ms</span><span class="p">.</span><span class="n">push_back</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">M</span><span class="p">));</span>
+
+    <span class="c1">// Add the set to the JIT with the resolver we created above and a newly</span>
+    <span class="c1">// created SectionMemoryManager.</span>
+    <span class="k">return</span> <span class="n">OptimizeLayer</span><span class="p">.</span><span class="n">addModuleSet</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">Ms</span><span class="p">),</span>
+                                      <span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">MemMgr</span><span class="p">),</span>
+                                      <span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">Resolver</span><span class="p">));</span>
+  <span class="p">}</span>
+
+  <span class="n">Error</span> <span class="n">addFunctionAST</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">FunctionAST</span><span class="o">></span> <span class="n">FnAST</span><span class="p">)</span> <span class="p">{</span>
+    <span class="c1">// Create a CompileCallback - this is the re-entry point into the compiler</span>
+    <span class="c1">// for functions that haven't been compiled yet.</span>
+    <span class="k">auto</span> <span class="n">CCInfo</span> <span class="o">=</span> <span class="n">CompileCallbackMgr</span><span class="o">-></span><span class="n">getCompileCallback</span><span class="p">();</span>
+
+    <span class="c1">// Create an indirect stub. This serves as the functions "canonical</span>
+    <span class="c1">// definition" - an unchanging (constant address) entry point to the</span>
+    <span class="c1">// function implementation.</span>
+    <span class="c1">// Initially we point the stub's function-pointer at the compile callback</span>
+    <span class="c1">// that we just created. In the compile action for the callback (see below)</span>
+    <span class="c1">// we will update the stub's function pointer to point at the function</span>
+    <span class="c1">// implementation that we just implemented.</span>
+    <span class="k">if</span> <span class="p">(</span><span class="k">auto</span> <span class="n">Err</span> <span class="o">=</span> <span class="n">IndirectStubsMgr</span><span class="o">-></span><span class="n">createStub</span><span class="p">(</span><span class="n">mangle</span><span class="p">(</span><span class="n">FnAST</span><span class="o">-></span><span class="n">getName</span><span class="p">()),</span>
+                                                <span class="n">CCInfo</span><span class="p">.</span><span class="n">getAddress</span><span class="p">(),</span>
+                                                <span class="n">JITSymbolFlags</span><span class="o">::</span><span class="n">Exported</span><span class="p">))</span>
+      <span class="k">return</span> <span class="n">Err</span><span class="p">;</span>
+
+    <span class="c1">// Move ownership of FnAST to a shared pointer - C++11 lambdas don't support</span>
+    <span class="c1">// capture-by-move, which is be required for unique_ptr.</span>
+    <span class="k">auto</span> <span class="n">SharedFnAST</span> <span class="o">=</span> <span class="n">std</span><span class="o">::</span><span class="n">shared_ptr</span><span class="o"><</span><span class="n">FunctionAST</span><span class="o">></span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">FnAST</span><span class="p">));</span>
+
+    <span class="c1">// Set the action to compile our AST. This lambda will be run if/when</span>
+    <span class="c1">// execution hits the compile callback (via the stub).</span>
+    <span class="c1">//</span>
+    <span class="c1">// The steps to compile are:</span>
+    <span class="c1">// (1) IRGen the function.</span>
+    <span class="c1">// (2) Add the IR module to the JIT to make it executable like any other</span>
+    <span class="c1">//     module.</span>
+    <span class="c1">// (3) Use findSymbol to get the address of the compiled function.</span>
+    <span class="c1">// (4) Update the stub pointer to point at the implementation so that</span>
+    <span class="c1">///    subsequent calls go directly to it and bypass the compiler.</span>
+    <span class="c1">// (5) Return the address of the implementation: this lambda will actually</span>
+    <span class="c1">//     be run inside an attempted call to the function, and we need to</span>
+    <span class="c1">//     continue on to the implementation to complete the attempted call.</span>
+    <span class="c1">//     The JIT runtime (the resolver block) will use the return address of</span>
+    <span class="c1">//     this function as the address to continue at once it has reset the</span>
+    <span class="c1">//     CPU state to what it was immediately before the call.</span>
+    <span class="n">CCInfo</span><span class="p">.</span><span class="n">setCompileAction</span><span class="p">(</span>
+      <span class="p">[</span><span class="k">this</span><span class="p">,</span> <span class="n">SharedFnAST</span><span class="p">]()</span> <span class="p">{</span>
+        <span class="k">auto</span> <span class="n">M</span> <span class="o">=</span> <span class="n">irgenAndTakeOwnership</span><span class="p">(</span><span class="o">*</span><span class="n">SharedFnAST</span><span class="p">,</span> <span class="s">"$impl"</span><span class="p">);</span>
+        <span class="n">addModule</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">M</span><span class="p">));</span>
+        <span class="k">auto</span> <span class="n">Sym</span> <span class="o">=</span> <span class="n">findSymbol</span><span class="p">(</span><span class="n">SharedFnAST</span><span class="o">-></span><span class="n">getName</span><span class="p">()</span> <span class="o">+</span> <span class="s">"$impl"</span><span class="p">);</span>
+        <span class="n">assert</span><span class="p">(</span><span class="n">Sym</span> <span class="o">&&</span> <span class="s">"Couldn't find compiled function?"</span><span class="p">);</span>
+        <span class="n">TargetAddress</span> <span class="n">SymAddr</span> <span class="o">=</span> <span class="n">Sym</span><span class="p">.</span><span class="n">getAddress</span><span class="p">();</span>
+        <span class="k">if</span> <span class="p">(</span><span class="k">auto</span> <span class="n">Err</span> <span class="o">=</span>
+              <span class="n">IndirectStubsMgr</span><span class="o">-></span><span class="n">updatePointer</span><span class="p">(</span><span class="n">mangle</span><span class="p">(</span><span class="n">SharedFnAST</span><span class="o">-></span><span class="n">getName</span><span class="p">()),</span>
+                                              <span class="n">SymAddr</span><span class="p">))</span> <span class="p">{</span>
+          <span class="n">logAllUnhandledErrors</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">move</span><span class="p">(</span><span class="n">Err</span><span class="p">),</span> <span class="n">errs</span><span class="p">(),</span>
+                                <span class="s">"Error updating function pointer: "</span><span class="p">);</span>
+          <span class="n">exit</span><span class="p">(</span><span class="mi">1</span><span class="p">);</span>
+        <span class="p">}</span>
+
+        <span class="k">return</span> <span class="n">SymAddr</span><span class="p">;</span>
+      <span class="p">});</span>
+
+    <span class="k">return</span> <span class="n">Error</span><span class="o">::</span><span class="n">success</span><span class="p">();</span>
+  <span class="p">}</span>
+
+  <span class="n">Error</span> <span class="n">executeRemoteExpr</span><span class="p">(</span><span class="n">TargetAddress</span> <span class="n">ExprAddr</span><span class="p">)</span> <span class="p">{</span>
+    <span class="k">return</span> <span class="n">Remote</span><span class="p">.</span><span class="n">callVoidVoid</span><span class="p">(</span><span class="n">ExprAddr</span><span class="p">);</span>
+  <span class="p">}</span>
+
+  <span class="n">JITSymbol</span> <span class="n">findSymbol</span><span class="p">(</span><span class="k">const</span> <span class="n">std</span><span class="o">::</span><span class="n">string</span> <span class="n">Name</span><span class="p">)</span> <span class="p">{</span>
+    <span class="k">return</span> <span class="n">OptimizeLayer</span><span class="p">.</span><span class="n">findSymbol</span><span class="p">(</span><span class="n">mangle</span><span class="p">(</span><span class="n">Name</span><span class="p">),</span> <span class="nb">true</span><span class="p">);</span>
+  <span class="p">}</span>
+
+  <span class="kt">void</span> <span class="n">removeModule</span><span class="p">(</span><span class="n">ModuleHandle</span> <span class="n">H</span><span class="p">)</span> <span class="p">{</span>
+    <span class="n">OptimizeLayer</span><span class="p">.</span><span class="n">removeModuleSet</span><span class="p">(</span><span class="n">H</span><span class="p">);</span>
+  <span class="p">}</span>
+
+<span class="nl">private:</span>
+
+  <span class="n">std</span><span class="o">::</span><span class="n">string</span> <span class="n">mangle</span><span class="p">(</span><span class="k">const</span> <span class="n">std</span><span class="o">::</span><span class="n">string</span> <span class="o">&</span><span class="n">Name</span><span class="p">)</span> <span class="p">{</span>
+    <span class="n">std</span><span class="o">::</span><span class="n">string</span> <span class="n">MangledName</span><span class="p">;</span>
+    <span class="n">raw_string_ostream</span> <span class="nf">MangledNameStream</span><span class="p">(</span><span class="n">MangledName</span><span class="p">);</span>
+    <span class="n">Mangler</span><span class="o">::</span><span class="n">getNameWithPrefix</span><span class="p">(</span><span class="n">MangledNameStream</span><span class="p">,</span> <span class="n">Name</span><span class="p">,</span> <span class="n">DL</span><span class="p">);</span>
+    <span class="k">return</span> <span class="n">MangledNameStream</span><span class="p">.</span><span class="n">str</span><span class="p">();</span>
+  <span class="p">}</span>
+
+  <span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">></span> <span class="n">optimizeModule</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">unique_ptr</span><span class="o"><</span><span class="n">Module</span><span class="o">></span> <span class="n">M</span><span class="p">)</span> <span class="p">{</span>
+    <span class="c1">// Create a function pass manager.</span>
+    <span class="k">auto</span> <span class="n">FPM</span> <span class="o">=</span> <span class="n">llvm</span><span class="o">::</span><span class="n">make_unique</span><span class="o"><</span><span class="n">legacy</span><span class="o">::</span><span class="n">FunctionPassManager</span><span class="o">></span><span class="p">(</span><span class="n">M</span><span class="p">.</span><span class="n">get</span><span class="p">());</span>
+
+    <span class="c1">// Add some optimizations.</span>
+    <span class="n">FPM</span><span class="o">-></span><span class="n">add</span><span class="p">(</span><span class="n">createInstructionCombiningPass</span><span class="p">());</span>
+    <span class="n">FPM</span><span class="o">-></span><span class="n">add</span><span class="p">(</span><span class="n">createReassociatePass</span><span class="p">());</span>
+    <span class="n">FPM</span><span class="o">-></span><span class="n">add</span><span class="p">(</span><span class="n">createGVNPass</span><span class="p">());</span>
+    <span class="n">FPM</span><span class="o">-></span><span class="n">add</span><span class="p">(</span><span class="n">createCFGSimplificationPass</span><span class="p">());</span>
+    <span class="n">FPM</span><span class="o">-></span><span class="n">doInitialization</span><span class="p">();</span>
+
+    <span class="c1">// Run the optimizations over all functions in the module being added to</span>
+    <span class="c1">// the JIT.</span>
+    <span class="k">for</span> <span class="p">(</span><span class="k">auto</span> <span class="o">&</span><span class="n">F</span> <span class="o">:</span> <span class="o">*</span><span class="n">M</span><span class="p">)</span>
+      <span class="n">FPM</span><span class="o">-></span><span class="n">run</span><span class="p">(</span><span class="n">F</span><span class="p">);</span>
+
+    <span class="k">return</span> <span class="n">M</span><span class="p">;</span>
+  <span class="p">}</span>
+
+<span class="p">};</span>
+
+<span class="p">}</span> <span class="c1">// end namespace orc</span>
+<span class="p">}</span> <span class="c1">// end namespace llvm</span>
+
+<span class="cp">#endif </span><span class="c1">// LLVM_EXECUTIONENGINE_ORC_KALEIDOSCOPEJIT_H</span>
+</pre></div>
+</div>
+<p>And the code for the JIT server:</p>
+<div class="highlight-c++"><div class="highlight"><pre><span class="cp">#include "llvm/Support/CommandLine.h"</span>
+<span class="cp">#include "llvm/Support/DynamicLibrary.h"</span>
+<span class="cp">#include "llvm/Support/TargetSelect.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/OrcRemoteTargetServer.h"</span>
+<span class="cp">#include "llvm/ExecutionEngine/Orc/OrcABISupport.h"</span>
+
+<span class="cp">#include "../RemoteJITUtils.h"</span>
+
+<span class="cp">#include <cstring></span>
+<span class="cp">#include <unistd.h></span>
+<span class="cp">#include <netinet/in.h></span>
+<span class="cp">#include <sys/socket.h></span>
+
+
+<span class="k">using</span> <span class="k">namespace</span> <span class="n">llvm</span><span class="p">;</span>
+<span class="k">using</span> <span class="k">namespace</span> <span class="n">llvm</span><span class="o">::</span><span class="n">orc</span><span class="p">;</span>
+
+<span class="c1">// Command line argument for TCP port.</span>
+<span class="n">cl</span><span class="o">::</span><span class="n">opt</span><span class="o"><</span><span class="kt">uint32_t</span><span class="o">></span> <span class="n">Port</span><span class="p">(</span><span class="s">"port"</span><span class="p">,</span>
+                       <span class="n">cl</span><span class="o">::</span><span class="n">desc</span><span class="p">(</span><span class="s">"TCP port to listen on"</span><span class="p">),</span>
+                       <span class="n">cl</span><span class="o">::</span><span class="n">init</span><span class="p">(</span><span class="mi">20000</span><span class="p">));</span>
+
+<span class="n">ExitOnError</span> <span class="n">ExitOnErr</span><span class="p">;</span>
+
+<span class="k">typedef</span> <span class="nf">int</span> <span class="p">(</span><span class="o">*</span><span class="n">MainFun</span><span class="p">)(</span><span class="kt">int</span><span class="p">,</span> <span class="k">const</span> <span class="kt">char</span><span class="o">*</span><span class="p">[]);</span>
+
+<span class="k">template</span> <span class="o"><</span><span class="k">typename</span> <span class="n">NativePtrT</span><span class="o">></span>
+<span class="n">NativePtrT</span> <span class="n">MakeNative</span><span class="p">(</span><span class="kt">uint64_t</span> <span class="n">P</span><span class="p">)</span> <span class="p">{</span>
+  <span class="k">return</span> <span class="k">reinterpret_cast</span><span class="o"><</span><span class="n">NativePtrT</span><span class="o">></span><span class="p">(</span><span class="k">static_cast</span><span class="o"><</span><span class="kt">uintptr_t</span><span class="o">></span><span class="p">(</span><span class="n">P</span><span class="p">));</span>
+<span class="p">}</span>
+
+<span class="k">extern</span> <span class="s">"C"</span>
+<span class="kt">void</span> <span class="n">printExprResult</span><span class="p">(</span><span class="kt">double</span> <span class="n">Val</span><span class="p">)</span> <span class="p">{</span>
+  <span class="n">printf</span><span class="p">(</span><span class="s">"Expression evaluated to: %f</span><span class="se">\n</span><span class="s">"</span><span class="p">,</span> <span class="n">Val</span><span class="p">);</span>
+<span class="p">}</span>
+
+<span class="c1">// --- LAZY COMPILE TEST ---</span>
+<span class="kt">int</span> <span class="n">main</span><span class="p">(</span><span class="kt">int</span> <span class="n">argc</span><span class="p">,</span> <span class="kt">char</span><span class="o">*</span> <span class="n">argv</span><span class="p">[])</span> <span class="p">{</span>
+
+  <span class="k">if</span> <span class="p">(</span><span class="n">argc</span> <span class="o">==</span> <span class="mi">0</span><span class="p">)</span>
+    <span class="n">ExitOnErr</span><span class="p">.</span><span class="n">setBanner</span><span class="p">(</span><span class="s">"jit_server: "</span><span class="p">);</span>
+  <span class="k">else</span>
+    <span class="n">ExitOnErr</span><span class="p">.</span><span class="n">setBanner</span><span class="p">(</span><span class="n">std</span><span class="o">::</span><span class="n">string</span><span class="p">(</span><span class="n">argv</span><span class="p">[</span><span class="mi">0</span><span class="p">])</span> <span class="o">+</span> <span class="s">": "</span><span class="p">);</span>
+
+  <span class="c1">// --- Initialize LLVM ---</span>
+  <span class="n">cl</span><span class="o">::</span><span class="n">ParseCommandLineOptions</span><span class="p">(</span><span class="n">argc</span><span class="p">,</span> <span class="n">argv</span><span class="p">,</span> <span class="s">"LLVM lazy JIT example.</span><span class="se">\n</span><span class="s">"</span><span class="p">);</span>
+
+  <span class="n">InitializeNativeTarget</span><span class="p">();</span>
+  <span class="n">InitializeNativeTargetAsmPrinter</span><span class="p">();</span>
+  <span class="n">InitializeNativeTargetAsmParser</span><span class="p">();</span>
+
+  <span class="k">if</span> <span class="p">(</span><span class="n">sys</span><span class="o">::</span><span class="n">DynamicLibrary</span><span class="o">::</span><span class="n">LoadLibraryPermanently</span><span class="p">(</span><span class="n">nullptr</span><span class="p">))</span> <span class="p">{</span>
+    <span class="n">errs</span><span class="p">()</span> <span class="o"><<</span> <span class="s">"Error loading program symbols.</span><span class="se">\n</span><span class="s">"</span><span class="p">;</span>
+    <span class="k">return</span> <span class="mi">1</span><span class="p">;</span>
+  <span class="p">}</span>
+
+  <span class="c1">// --- Initialize remote connection ---</span>
+
+  <span class="kt">int</span> <span class="n">sockfd</span> <span class="o">=</span> <span class="n">socket</span><span class="p">(</span><span class="n">PF_INET</span><span class="p">,</span> <span class="n">SOCK_STREAM</span><span class="p">,</span> <span class="mi">0</span><span class="p">);</span>
+  <span class="n">sockaddr_in</span> <span class="n">servAddr</span><span class="p">,</span> <span class="n">clientAddr</span><span class="p">;</span>
+  <span class="kt">socklen_t</span> <span class="n">clientAddrLen</span> <span class="o">=</span> <span class="k">sizeof</span><span class="p">(</span><span class="n">clientAddr</span><span class="p">);</span>
+  <span class="n">bzero</span><span class="p">(</span><span class="o">&</span><span class="n">servAddr</span><span class="p">,</span> <span class="k">sizeof</span><span class="p">(</span><span class="n">servAddr</span><span class="p">));</span>
+  <span class="n">servAddr</span><span class="p">.</span><span class="n">sin_family</span> <span class="o">=</span> <span class="n">PF_INET</span><span class="p">;</span>
+  <span class="n">servAddr</span><span class="p">.</span><span class="n">sin_family</span> <span class="o">=</span> <span class="n">INADDR_ANY</span><span class="p">;</span>
+  <span class="n">servAddr</span><span class="p">.</span><span class="n">sin_port</span> <span class="o">=</span> <span class="n">htons</span><span class="p">(</span><span class="n">Port</span><span class="p">);</span>
+
+  <span class="p">{</span>
+    <span class="c1">// avoid "Address already in use" error.</span>
+    <span class="kt">int</span> <span class="n">yes</span><span class="o">=</span><span class="mi">1</span><span class="p">;</span>
+    <span class="k">if</span> <span class="p">(</span><span class="n">setsockopt</span><span class="p">(</span><span class="n">sockfd</span><span class="p">,</span><span class="n">SOL_SOCKET</span><span class="p">,</span><span class="n">SO_REUSEADDR</span><span class="p">,</span><span class="o">&</span><span class="n">yes</span><span class="p">,</span><span class="k">sizeof</span><span class="p">(</span><span class="kt">int</span><span class="p">))</span> <span class="o">==</span> <span class="o">-</span><span class="mi">1</span><span class="p">)</span> <span class="p">{</span>
+      <span class="n">errs</span><span class="p">()</span> <span class="o"><<</span> <span class="s">"Error calling setsockopt.</span><span class="se">\n</span><span class="s">"</span><span class="p">;</span>
+      <span class="k">return</span> <span class="mi">1</span><span class="p">;</span>
+    <span class="p">}</span>
+  <span class="p">}</span>
+
+  <span class="k">if</span> <span class="p">(</span><span class="n">bind</span><span class="p">(</span><span class="n">sockfd</span><span class="p">,</span> <span class="k">reinterpret_cast</span><span class="o"><</span><span class="n">sockaddr</span><span class="o">*></span><span class="p">(</span><span class="o">&</span><span class="n">servAddr</span><span class="p">),</span>
+           <span class="k">sizeof</span><span class="p">(</span><span class="n">servAddr</span><span class="p">))</span> <span class="o"><</span> <span class="mi">0</span><span class="p">)</span> <span class="p">{</span>
+    <span class="n">errs</span><span class="p">()</span> <span class="o"><<</span> <span class="s">"Error on binding.</span><span class="se">\n</span><span class="s">"</span><span class="p">;</span>
+    <span class="k">return</span> <span class="mi">1</span><span class="p">;</span>
+  <span class="p">}</span>
+  <span class="n">listen</span><span class="p">(</span><span class="n">sockfd</span><span class="p">,</span> <span class="mi">1</span><span class="p">);</span>
+  <span class="kt">int</span> <span class="n">newsockfd</span> <span class="o">=</span> <span class="n">accept</span><span class="p">(</span><span class="n">sockfd</span><span class="p">,</span> <span class="k">reinterpret_cast</span><span class="o"><</span><span class="n">sockaddr</span><span class="o">*></span><span class="p">(</span><span class="o">&</span><span class="n">clientAddr</span><span class="p">),</span>
+                         <span class="o">&</span><span class="n">clientAddrLen</span><span class="p">);</span>
+
+  <span class="k">auto</span> <span class="n">SymbolLookup</span> <span class="o">=</span>
+    <span class="p">[](</span><span class="k">const</span> <span class="n">std</span><span class="o">::</span><span class="n">string</span> <span class="o">&</span><span class="n">Name</span><span class="p">)</span> <span class="p">{</span>
+      <span class="k">return</span> <span class="n">RTDyldMemoryManager</span><span class="o">::</span><span class="n">getSymbolAddressInProcess</span><span class="p">(</span><span class="n">Name</span><span class="p">);</span>
+    <span class="p">};</span>
+
+  <span class="k">auto</span> <span class="n">RegisterEHFrames</span> <span class="o">=</span>
+    <span class="p">[](</span><span class="kt">uint8_t</span> <span class="o">*</span><span class="n">Addr</span><span class="p">,</span> <span class="kt">uint32_t</span> <span class="n">Size</span><span class="p">)</span> <span class="p">{</span>
+      <span class="n">RTDyldMemoryManager</span><span class="o">::</span><span class="n">registerEHFramesInProcess</span><span class="p">(</span><span class="n">Addr</span><span class="p">,</span> <span class="n">Size</span><span class="p">);</span>
+    <span class="p">};</span>
+
+  <span class="k">auto</span> <span class="n">DeregisterEHFrames</span> <span class="o">=</span>
+    <span class="p">[](</span><span class="kt">uint8_t</span> <span class="o">*</span><span class="n">Addr</span><span class="p">,</span> <span class="kt">uint32_t</span> <span class="n">Size</span><span class="p">)</span> <span class="p">{</span>
+      <span class="n">RTDyldMemoryManager</span><span class="o">::</span><span class="n">deregisterEHFramesInProcess</span><span class="p">(</span><span class="n">Addr</span><span class="p">,</span> <span class="n">Size</span><span class="p">);</span>
+    <span class="p">};</span>
+
+  <span class="n">FDRPCChannel</span> <span class="nf">TCPChannel</span><span class="p">(</span><span class="n">newsockfd</span><span class="p">,</span> <span class="n">newsockfd</span><span class="p">);</span>
+  <span class="k">typedef</span> <span class="n">remote</span><span class="o">::</span><span class="n">OrcRemoteTargetServer</span><span class="o"><</span><span class="n">FDRPCChannel</span><span class="p">,</span> <span class="n">OrcX86_64_SysV</span><span class="o">></span> <span class="n">MyServerT</span><span class="p">;</span>
+
+  <span class="n">MyServerT</span> <span class="nf">Server</span><span class="p">(</span><span class="n">TCPChannel</span><span class="p">,</span> <span class="n">SymbolLookup</span><span class="p">,</span> <span class="n">RegisterEHFrames</span><span class="p">,</span> <span class="n">DeregisterEHFrames</span><span class="p">);</span>
+
+  <span class="k">while</span> <span class="p">(</span><span class="mi">1</span><span class="p">)</span> <span class="p">{</span>
+    <span class="n">MyServerT</span><span class="o">::</span><span class="n">JITFuncId</span> <span class="n">Id</span> <span class="o">=</span> <span class="n">MyServerT</span><span class="o">::</span><span class="n">InvalidId</span><span class="p">;</span>
+    <span class="n">ExitOnErr</span><span class="p">(</span><span class="n">Server</span><span class="p">.</span><span class="n">startReceivingFunction</span><span class="p">(</span><span class="n">TCPChannel</span><span class="p">,</span> <span class="p">(</span><span class="kt">uint32_t</span><span class="o">&</span><span class="p">)</span><span class="n">Id</span><span class="p">));</span>
+    <span class="k">switch</span> <span class="p">(</span><span class="n">Id</span><span class="p">)</span> <span class="p">{</span>
+    <span class="k">case</span> <span class="n">MyServerT</span>:<span class="o">:</span><span class="n">TerminateSessionId</span><span class="o">:</span>
+      <span class="n">ExitOnErr</span><span class="p">(</span><span class="n">Server</span><span class="p">.</span><span class="n">handleTerminateSession</span><span class="p">());</span>
+      <span class="k">return</span> <span class="mi">0</span><span class="p">;</span>
+    <span class="nl">default:</span>
+      <span class="n">ExitOnErr</span><span class="p">(</span><span class="n">Server</span><span class="p">.</span><span class="n">handleKnownFunction</span><span class="p">(</span><span class="n">Id</span><span class="p">));</span>
+      <span class="k">break</span><span class="p">;</span>
+    <span class="p">}</span>
+  <span class="p">}</span>
+
+  <span class="n">llvm_unreachable</span><span class="p">(</span><span class="s">"Fell through server command loop."</span><span class="p">);</span>
+<span class="p">}</span>
+</pre></div>
+</div>
+</div>
+</div>
+
+
+          </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="../ReleaseNotes.html" title="LLVM 3.9 Release Notes"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="BuildingAJIT4.html" title="4. Building a JIT: Extreme Laziness - Using Compile Callbacks to JIT from ASTs"
+             >previous</a> |</li>
+  <li><a href="http://llvm.org/">LLVM Home</a> | </li>
+  <li><a href="../index.html">Documentation</a>»</li>
+
+          <li><a href="index.html" >LLVM Tutorial: Table of Contents</a> »</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        © Copyright 2003-2016, LLVM Project.
+      Last updated on 2016-08-31.
+      Created using <a href="http://sphinx-doc.org/">Sphinx</a> 1.2.2.
+    </div>
+  </body>
+</html>
\ No newline at end of file

Added: www-releases/trunk/3.9.0/docs/tutorial/LangImpl01.html
URL: http://llvm.org/viewvc/llvm-project/www-releases/trunk/3.9.0/docs/tutorial/LangImpl01.html?rev=280493&view=auto
==============================================================================
--- www-releases/trunk/3.9.0/docs/tutorial/LangImpl01.html (added)
+++ www-releases/trunk/3.9.0/docs/tutorial/LangImpl01.html Fri Sep  2 10:56:46 2016
@@ -0,0 +1,366 @@
+
+<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN"
+  "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
+
+
+<html xmlns="http://www.w3.org/1999/xhtml">
+  <head>
+    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
+    
+    <title>1. Kaleidoscope: Tutorial Introduction and the Lexer — LLVM 3.9 documentation</title>
+    
+    <link rel="stylesheet" href="../_static/llvm-theme.css" type="text/css" />
+    <link rel="stylesheet" href="../_static/pygments.css" type="text/css" />
+    
+    <script type="text/javascript">
+      var DOCUMENTATION_OPTIONS = {
+        URL_ROOT:    '../',
+        VERSION:     '3.9',
+        COLLAPSE_INDEX: false,
+        FILE_SUFFIX: '.html',
+        HAS_SOURCE:  true
+      };
+    </script>
+    <script type="text/javascript" src="../_static/jquery.js"></script>
+    <script type="text/javascript" src="../_static/underscore.js"></script>
+    <script type="text/javascript" src="../_static/doctools.js"></script>
+    <link rel="top" title="LLVM 3.9 documentation" href="../index.html" />
+    <link rel="up" title="LLVM Tutorial: Table of Contents" href="index.html" />
+    <link rel="next" title="2. Kaleidoscope: Implementing a Parser and AST" href="LangImpl02.html" />
+    <link rel="prev" title="LLVM Tutorial: Table of Contents" href="index.html" />
+<style type="text/css">
+  table.right { float: right; margin-left: 20px; }
+  table.right td { border: 1px solid #ccc; }
+</style>
+
+  </head>
+  <body>
+<div class="logo">
+  <a href="../index.html">
+    <img src="../_static/logo.png"
+         alt="LLVM Logo" width="250" height="88"/></a>
+</div>
+
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             accesskey="I">index</a></li>
+        <li class="right" >
+          <a href="LangImpl02.html" title="2. Kaleidoscope: Implementing a Parser and AST"
+             accesskey="N">next</a> |</li>
+        <li class="right" >
+          <a href="index.html" title="LLVM Tutorial: Table of Contents"
+             accesskey="P">previous</a> |</li>
+  <li><a href="http://llvm.org/">LLVM Home</a> | </li>
+  <li><a href="../index.html">Documentation</a>»</li>
+
+          <li><a href="index.html" accesskey="U">LLVM Tutorial: Table of Contents</a> »</li> 
+      </ul>
+    </div>
+
+
+    <div class="document">
+      <div class="documentwrapper">
+          <div class="body">
+            
+  <div class="section" id="kaleidoscope-tutorial-introduction-and-the-lexer">
+<h1>1. Kaleidoscope: Tutorial Introduction and the Lexer<a class="headerlink" href="#kaleidoscope-tutorial-introduction-and-the-lexer" title="Permalink to this headline">¶</a></h1>
+<div class="contents local topic" id="contents">
+<ul class="simple">
+<li><a class="reference internal" href="#tutorial-introduction" id="id1">Tutorial Introduction</a></li>
+<li><a class="reference internal" href="#the-basic-language" id="id2">The Basic Language</a></li>
+<li><a class="reference internal" href="#the-lexer" id="id3">The Lexer</a></li>
+</ul>
+</div>
+<div class="section" id="tutorial-introduction">
+<h2><a class="toc-backref" href="#id1">1.1. Tutorial Introduction</a><a class="headerlink" href="#tutorial-introduction" title="Permalink to this headline">¶</a></h2>
+<p>Welcome to the “Implementing a language with LLVM” tutorial. This
+tutorial runs through the implementation of a simple language, showing
+how fun and easy it can be. This tutorial will get you up and started as
+well as help to build a framework you can extend to other languages. The
+code in this tutorial can also be used as a playground to hack on other
+LLVM specific things.</p>
+<p>The goal of this tutorial is to progressively unveil our language,
+describing how it is built up over time. This will let us cover a fairly
+broad range of language design and LLVM-specific usage issues, showing
+and explaining the code for it all along the way, without overwhelming
+you with tons of details up front.</p>
+<p>It is useful to point out ahead of time that this tutorial is really
+about teaching compiler techniques and LLVM specifically, <em>not</em> about
+teaching modern and sane software engineering principles. In practice,
+this means that we’ll take a number of shortcuts to simplify the
+exposition. For example, the code uses global variables
+all over the place, doesn’t use nice design patterns like
+<a class="reference external" href="http://en.wikipedia.org/wiki/Visitor_pattern">visitors</a>, etc... but
+it is very simple. If you dig in and use the code as a basis for future
+projects, fixing these deficiencies shouldn’t be hard.</p>
+<p>I’ve tried to put this tutorial together in a way that makes chapters
+easy to skip over if you are already familiar with or are uninterested
+in the various pieces. The structure of the tutorial is:</p>
+<ul class="simple">
+<li><a class="reference external" href="#language">Chapter #1</a>: Introduction to the Kaleidoscope
+language, and the definition of its Lexer - This shows where we are
+going and the basic functionality that we want it to do. In order to
+make this tutorial maximally understandable and hackable, we choose
+to implement everything in C++ instead of using lexer and parser
+generators. LLVM obviously works just fine with such tools, feel free
+to use one if you prefer.</li>
+<li><a class="reference external" href="LangImpl02.html">Chapter #2</a>: Implementing a Parser and AST -
+With the lexer in place, we can talk about parsing techniques and
+basic AST construction. This tutorial describes recursive descent
+parsing and operator precedence parsing. Nothing in Chapters 1 or 2
+is LLVM-specific, the code doesn’t even link in LLVM at this point.
+:)</li>
+<li><a class="reference external" href="LangImpl03.html">Chapter #3</a>: Code generation to LLVM IR - With
+the AST ready, we can show off how easy generation of LLVM IR really
+is.</li>
+<li><a class="reference external" href="LangImpl04.html">Chapter #4</a>: Adding JIT and Optimizer Support
+- Because a lot of people are interested in using LLVM as a JIT,
+we’ll dive right into it and show you the 3 lines it takes to add JIT
+support. LLVM is also useful in many other ways, but this is one
+simple and “sexy” way to show off its power. :)</li>
+<li><a class="reference external" href="LangImpl05.html">Chapter #5</a>: Extending the Language: Control
+Flow - With the language up and running, we show how to extend it
+with control flow operations (if/then/else and a ‘for’ loop). This
+gives us a chance to talk about simple SSA construction and control
+flow.</li>
+<li><a class="reference external" href="LangImpl06.html">Chapter #6</a>: Extending the Language:
+User-defined Operators - This is a silly but fun chapter that talks
+about extending the language to let the user program define their own
+arbitrary unary and binary operators (with assignable precedence!).
+This lets us build a significant piece of the “language” as library
+routines.</li>
+<li><a class="reference external" href="LangImpl07.html">Chapter #7</a>: Extending the Language: Mutable
+Variables - This chapter talks about adding user-defined local
+variables along with an assignment operator. The interesting part
+about this is how easy and trivial it is to construct SSA form in
+LLVM: no, LLVM does <em>not</em> require your front-end to construct SSA
+form!</li>
+<li><a class="reference external" href="LangImpl08.html">Chapter #8</a>: Compiling to Object Files - This
+chapter explains how to take LLVM IR and compile it down to object
+files.</li>
+<li><a class="reference external" href="LangImpl09.html">Chapter #9</a>: Extending the Language: Debug
+Information - Having built a decent little programming language with
+control flow, functions and mutable variables, we consider what it
+takes to add debug information to standalone executables. This debug
+information will allow you to set breakpoints in Kaleidoscope
+functions, print out argument variables, and call functions - all
+from within the debugger!</li>
+<li><a class="reference external" href="LangImpl10.html">Chapter #10</a>: Conclusion and other useful LLVM
+tidbits - This chapter wraps up the series by talking about
+potential ways to extend the language, but also includes a bunch of
+pointers to info about “special topics” like adding garbage
+collection support, exceptions, debugging, support for “spaghetti
+stacks”, and a bunch of other tips and tricks.</li>
+</ul>
+<p>By the end of the tutorial, we’ll have written a bit less than 1000 lines
+of non-comment, non-blank, lines of code. With this small amount of
+code, we’ll have built up a very reasonable compiler for a non-trivial
+language including a hand-written lexer, parser, AST, as well as code
+generation support with a JIT compiler. While other systems may have
+interesting “hello world” tutorials, I think the breadth of this
+tutorial is a great testament to the strengths of LLVM and why you
+should consider it if you’re interested in language or compiler design.</p>
+<p>A note about this tutorial: we expect you to extend the language and
+play with it on your own. Take the code and go crazy hacking away at it,
+compilers don’t need to be scary creatures - it can be a lot of fun to
+play with languages!</p>
+</div>
+<div class="section" id="the-basic-language">
+<h2><a class="toc-backref" href="#id2">1.2. The Basic Language</a><a class="headerlink" href="#the-basic-language" title="Permalink to this headline">¶</a></h2>
+<p>This tutorial will be illustrated with a toy language that we’ll call
+“<a class="reference external" href="http://en.wikipedia.org/wiki/Kaleidoscope">Kaleidoscope</a>” (derived
+from “meaning beautiful, form, and view”). Kaleidoscope is a procedural
+language that allows you to define functions, use conditionals, math,
+etc. Over the course of the tutorial, we’ll extend Kaleidoscope to
+support the if/then/else construct, a for loop, user defined operators,
+JIT compilation with a simple command line interface, etc.</p>
+<p>Because we want to keep things simple, the only datatype in Kaleidoscope
+is a 64-bit floating point type (aka ‘double’ in C parlance). As such,
+all values are implicitly double precision and the language doesn’t
+require type declarations. This gives the language a very nice and
+simple syntax. For example, the following simple example computes
+<a class="reference external" href="http://en.wikipedia.org/wiki/Fibonacci_number">Fibonacci numbers:</a></p>
+<div class="highlight-python"><div class="highlight"><pre># Compute the x'th fibonacci number.
+def fib(x)
+  if x < 3 then
+    1
+  else
+    fib(x-1)+fib(x-2)
+
+# This expression will compute the 40th number.
+fib(40)
+</pre></div>
+</div>
+<p>We also allow Kaleidoscope to call into standard library functions (the
+LLVM JIT makes this completely trivial). This means that you can use the
+‘extern’ keyword to define a function before you use it (this is also
+useful for mutually recursive functions). For example:</p>
+<div class="highlight-python"><div class="highlight"><pre>extern sin(arg);
+extern cos(arg);
+extern atan2(arg1 arg2);
+
+atan2(sin(.4), cos(42))
+</pre></div>
+</div>
+<p>A more interesting example is included in Chapter 6 where we write a
+little Kaleidoscope application that <a class="reference external" href="LangImpl06.html#kicking-the-tires">displays a Mandelbrot
+Set</a> at various levels of magnification.</p>
+<p>Lets dive into the implementation of this language!</p>
+</div>
+<div class="section" id="the-lexer">
+<h2><a class="toc-backref" href="#id3">1.3. The Lexer</a><a class="headerlink" href="#the-lexer" title="Permalink to this headline">¶</a></h2>
+<p>When it comes to implementing a language, the first thing needed is the
+ability to process a text file and recognize what it says. The
+traditional way to do this is to use a
+“<a class="reference external" href="http://en.wikipedia.org/wiki/Lexical_analysis">lexer</a>” (aka
+‘scanner’) to break the input up into “tokens”. Each token returned by
+the lexer includes a token code and potentially some metadata (e.g. the
+numeric value of a number). First, we define the possibilities:</p>
+<div class="highlight-c++"><div class="highlight"><pre><span class="c1">// The lexer returns tokens [0-255] if it is an unknown character, otherwise one</span>
+<span class="c1">// of these for known things.</span>
+<span class="k">enum</span> <span class="n">Token</span> <span class="p">{</span>
+  <span class="n">tok_eof</span> <span class="o">=</span> <span class="o">-</span><span class="mi">1</span><span class="p">,</span>
+
+  <span class="c1">// commands</span>
+  <span class="n">tok_def</span> <span class="o">=</span> <span class="o">-</span><span class="mi">2</span><span class="p">,</span>
+  <span class="n">tok_extern</span> <span class="o">=</span> <span class="o">-</span><span class="mi">3</span><span class="p">,</span>
+
+  <span class="c1">// primary</span>
+  <span class="n">tok_identifier</span> <span class="o">=</span> <span class="o">-</span><span class="mi">4</span><span class="p">,</span>
+  <span class="n">tok_number</span> <span class="o">=</span> <span class="o">-</span><span class="mi">5</span><span class="p">,</span>
+<span class="p">};</span>
+
+<span class="k">static</span> <span class="n">std</span><span class="o">::</span><span class="n">string</span> <span class="n">IdentifierStr</span><span class="p">;</span> <span class="c1">// Filled in if tok_identifier</span>
+<span class="k">static</span> <span class="kt">double</span> <span class="n">NumVal</span><span class="p">;</span>             <span class="c1">// Filled in if tok_number</span>
+</pre></div>
+</div>
+<p>Each token returned by our lexer will either be one of the Token enum
+values or it will be an ‘unknown’ character like ‘+’, which is returned
+as its ASCII value. If the current token is an identifier, the
+<tt class="docutils literal"><span class="pre">IdentifierStr</span></tt> global variable holds the name of the identifier. If
+the current token is a numeric literal (like 1.0), <tt class="docutils literal"><span class="pre">NumVal</span></tt> holds its
+value. Note that we use global variables for simplicity, this is not the
+best choice for a real language implementation :).</p>
+<p>The actual implementation of the lexer is a single function named
+<tt class="docutils literal"><span class="pre">gettok</span></tt>. The <tt class="docutils literal"><span class="pre">gettok</span></tt> function is called to return the next token
+from standard input. Its definition starts as:</p>
+<div class="highlight-c++"><div class="highlight"><pre><span class="c1">/// gettok - Return the next token from standard input.</span>
+<span class="k">static</span> <span class="kt">int</span> <span class="nf">gettok</span><span class="p">()</span> <span class="p">{</span>
+  <span class="k">static</span> <span class="kt">int</span> <span class="n">LastChar</span> <span class="o">=</span> <span class="sc">' '</span><span class="p">;</span>
+
+  <span class="c1">// Skip any whitespace.</span>
+  <span class="k">while</span> <span class="p">(</span><span class="n">isspace</span><span class="p">(</span><span class="n">LastChar</span><span class="p">))</span>
+    <span class="n">LastChar</span> <span class="o">=</span> <span class="n">getchar</span><span class="p">();</span>
+</pre></div>
+</div>
+<p><tt class="docutils literal"><span class="pre">gettok</span></tt> works by calling the C <tt class="docutils literal"><span class="pre">getchar()</span></tt> function to read
+characters one at a time from standard input. It eats them as it
+recognizes them and stores the last character read, but not processed,
+in LastChar. The first thing that it has to do is ignore whitespace
+between tokens. This is accomplished with the loop above.</p>
+<p>The next thing <tt class="docutils literal"><span class="pre">gettok</span></tt> needs to do is recognize identifiers and
+specific keywords like “def”. Kaleidoscope does this with this simple
+loop:</p>
+<div class="highlight-c++"><div class="highlight"><pre><span class="k">if</span> <span class="p">(</span><span class="n">isalpha</span><span class="p">(</span><span class="n">LastChar</span><span class="p">))</span> <span class="p">{</span> <span class="c1">// identifier: [a-zA-Z][a-zA-Z0-9]*</span>
+  <span class="n">IdentifierStr</span> <span class="o">=</span> <span class="n">LastChar</span><span class="p">;</span>
+  <span class="k">while</span> <span class="p">(</span><span class="n">isalnum</span><span class="p">((</span><span class="n">LastChar</span> <span class="o">=</span> <span class="n">getchar</span><span class="p">())))</span>
+    <span class="n">IdentifierStr</span> <span class="o">+=</span> <span class="n">LastChar</span><span class="p">;</span>
+
+  <span class="k">if</span> <span class="p">(</span><span class="n">IdentifierStr</span> <span class="o">==</span> <span class="s">"def"</span><span class="p">)</span>
+    <span class="k">return</span> <span class="n">tok_def</span><span class="p">;</span>
+  <span class="k">if</span> <span class="p">(</span><span class="n">IdentifierStr</span> <span class="o">==</span> <span class="s">"extern"</span><span class="p">)</span>
+    <span class="k">return</span> <span class="n">tok_extern</span><span class="p">;</span>
+  <span class="k">return</span> <span class="n">tok_identifier</span><span class="p">;</span>
+<span class="p">}</span>
+</pre></div>
+</div>
+<p>Note that this code sets the ‘<tt class="docutils literal"><span class="pre">IdentifierStr</span></tt>‘ global whenever it
+lexes an identifier. Also, since language keywords are matched by the
+same loop, we handle them here inline. Numeric values are similar:</p>
+<div class="highlight-c++"><div class="highlight"><pre><span class="k">if</span> <span class="p">(</span><span class="n">isdigit</span><span class="p">(</span><span class="n">LastChar</span><span class="p">)</span> <span class="o">||</span> <span class="n">LastChar</span> <span class="o">==</span> <span class="sc">'.'</span><span class="p">)</span> <span class="p">{</span>   <span class="c1">// Number: [0-9.]+</span>
+  <span class="n">std</span><span class="o">::</span><span class="n">string</span> <span class="n">NumStr</span><span class="p">;</span>
+  <span class="k">do</span> <span class="p">{</span>
+    <span class="n">NumStr</span> <span class="o">+=</span> <span class="n">LastChar</span><span class="p">;</span>
+    <span class="n">LastChar</span> <span class="o">=</span> <span class="n">getchar</span><span class="p">();</span>
+  <span class="p">}</span> <span class="k">while</span> <span class="p">(</span><span class="n">isdigit</span><span class="p">(</span><span class="n">LastChar</span><span class="p">)</span> <span class="o">||</span> <span class="n">LastChar</span> <span class="o">==</span> <span class="sc">'.'</span><span class="p">);</span>
+
+  <span class="n">NumVal</span> <span class="o">=</span> <span class="n">strtod</span><span class="p">(</span><span class="n">NumStr</span><span class="p">.</span><span class="n">c_str</span><span class="p">(),</span> <span class="mi">0</span><span class="p">);</span>
+  <span class="k">return</span> <span class="n">tok_number</span><span class="p">;</span>
+<span class="p">}</span>
+</pre></div>
+</div>
+<p>This is all pretty straight-forward code for processing input. When
+reading a numeric value from input, we use the C <tt class="docutils literal"><span class="pre">strtod</span></tt> function to
+convert it to a numeric value that we store in <tt class="docutils literal"><span class="pre">NumVal</span></tt>. Note that
+this isn’t doing sufficient error checking: it will incorrectly read
+“1.23.45.67” and handle it as if you typed in “1.23”. Feel free to
+extend it :). Next we handle comments:</p>
+<div class="highlight-c++"><div class="highlight"><pre><span class="k">if</span> <span class="p">(</span><span class="n">LastChar</span> <span class="o">==</span> <span class="sc">'#'</span><span class="p">)</span> <span class="p">{</span>
+  <span class="c1">// Comment until end of line.</span>
+  <span class="k">do</span>
+    <span class="n">LastChar</span> <span class="o">=</span> <span class="n">getchar</span><span class="p">();</span>
+  <span class="k">while</span> <span class="p">(</span><span class="n">LastChar</span> <span class="o">!=</span> <span class="n">EOF</span> <span class="o">&&</span> <span class="n">LastChar</span> <span class="o">!=</span> <span class="sc">'\n'</span> <span class="o">&&</span> <span class="n">LastChar</span> <span class="o">!=</span> <span class="sc">'\r'</span><span class="p">);</span>
+
+  <span class="k">if</span> <span class="p">(</span><span class="n">LastChar</span> <span class="o">!=</span> <span class="n">EOF</span><span class="p">)</span>
+    <span class="k">return</span> <span class="n">gettok</span><span class="p">();</span>
+<span class="p">}</span>
+</pre></div>
+</div>
+<p>We handle comments by skipping to the end of the line and then return
+the next token. Finally, if the input doesn’t match one of the above
+cases, it is either an operator character like ‘+’ or the end of the
+file. These are handled with this code:</p>
+<div class="highlight-c++"><div class="highlight"><pre>  <span class="c1">// Check for end of file.  Don't eat the EOF.</span>
+  <span class="k">if</span> <span class="p">(</span><span class="n">LastChar</span> <span class="o">==</span> <span class="n">EOF</span><span class="p">)</span>
+    <span class="k">return</span> <span class="n">tok_eof</span><span class="p">;</span>
+
+  <span class="c1">// Otherwise, just return the character as its ascii value.</span>
+  <span class="kt">int</span> <span class="n">ThisChar</span> <span class="o">=</span> <span class="n">LastChar</span><span class="p">;</span>
+  <span class="n">LastChar</span> <span class="o">=</span> <span class="n">getchar</span><span class="p">();</span>
+  <span class="k">return</span> <span class="n">ThisChar</span><span class="p">;</span>
+<span class="p">}</span>
+</pre></div>
+</div>
+<p>With this, we have the complete lexer for the basic Kaleidoscope
+language (the <a class="reference external" href="LangImpl02.html#full-code-listing">full code listing</a> for the Lexer
+is available in the <a class="reference external" href="LangImpl02.html">next chapter</a> of the tutorial).
+Next we’ll <a class="reference external" href="LangImpl02.html">build a simple parser that uses this to build an Abstract
+Syntax Tree</a>. When we have that, we’ll include a
+driver so that you can use the lexer and parser together.</p>
+<p><a class="reference external" href="LangImpl02.html">Next: Implementing a Parser and AST</a></p>
+</div>
+</div>
+
+
+          </div>
+      </div>
+      <div class="clearer"></div>
+    </div>
+    <div class="related">
+      <h3>Navigation</h3>
+      <ul>
+        <li class="right" style="margin-right: 10px">
+          <a href="../genindex.html" title="General Index"
+             >index</a></li>
+        <li class="right" >
+          <a href="LangImpl02.html" title="2. Kaleidoscope: Implementing a Parser and AST"
+             >next</a> |</li>
+        <li class="right" >
+          <a href="index.html" title="LLVM Tutorial: Table of Contents"
+             >previous</a> |</li>
+  <li><a href="http://llvm.org/">LLVM Home</a> | </li>
+  <li><a href="../index.html">Documentation</a>»</li>
+
+          <li><a href="index.html" >LLVM Tutorial: Table of Contents</a> »</li> 
+      </ul>
+    </div>
+    <div class="footer">
+        © Copyright 2003-2016, LLVM Project.
+      Last updated on 2016-08-31.
+      Created using <a href="http://sphinx-doc.org/">Sphinx</a> 1.2.2.
+    </div>
+  </body>
+</html>
\ No newline at end of file




More information about the llvm-commits mailing list