text stringlengths 1 22.8M |
|---|
```ruby
require "rubocops/extend/formula"
module RuboCop
module Cop
module FormulaAudit
# This cop checks for various miscellaneous Homebrew coding styles.
class Lines < FormulaCop
def audit_formula(_node, _class_node, _parent_class_node, _body_node)
[:automake, :ant, :autoconf, :emacs, :expat, :libtool, :mysql, :perl,
:postgresql, :python, :python3, :rbenv, :ruby].each do |dependency|
next unless depends_on?(dependency)
problem ":#{dependency} is deprecated. Usage should be \"#{dependency}\"."
end
{ apr: "apr-util", fortran: "gcc", gpg: "gnupg", hg: "mercurial",
mpi: "open-mpi", python2: "python" }.each do |requirement, dependency|
next unless depends_on?(requirement)
problem ":#{requirement} is deprecated. Usage should be \"#{dependency}\"."
end
problem ":tex is deprecated." if depends_on?(:tex)
end
end
class ClassInheritance < FormulaCop
def audit_formula(_node, class_node, parent_class_node, _body_node)
begin_pos = start_column(parent_class_node)
end_pos = end_column(class_node)
return unless begin_pos-end_pos != 3
problem "Use a space in class inheritance: " \
"class #{@formula_name.capitalize} < #{class_name(parent_class_node)}"
end
end
class Comments < FormulaCop
def audit_formula(_node, _class_node, _parent_class_node, _body_node)
audit_comments do |comment|
[
"# PLEASE REMOVE",
"# Documentation:",
"# if this fails, try separate make/make install steps",
"# The URL of the archive",
"## Naming --",
"# if your formula requires any X11/XQuartz components",
"# if your formula fails when building in parallel",
"# Remove unrecognized options if warned by configure",
'# system "cmake',
].each do |template_comment|
next unless comment.include?(template_comment)
problem "Please remove default template comments"
break
end
end
audit_comments do |comment|
# Commented-out depends_on
next unless comment =~ /#\s*depends_on\s+(.+)\s*$/
problem "Commented-out dependency #{Regexp.last_match(1)}"
end
end
end
class AssertStatements < FormulaCop
def audit_formula(_node, _class_node, _parent_class_node, body_node)
find_every_method_call_by_name(body_node, :assert).each do |method|
if method_called_ever?(method, :include?) && !method_called_ever?(method, :!)
problem "Use `assert_match` instead of `assert ...include?`"
end
if method_called_ever?(method, :exist?) && !method_called_ever?(method, :!)
problem "Use `assert_predicate <path_to_file>, :exist?` instead of `#{method.source}`"
end
if method_called_ever?(method, :exist?) && method_called_ever?(method, :!)
problem "Use `refute_predicate <path_to_file>, :exist?` instead of `#{method.source}`"
end
if method_called_ever?(method, :executable?) && !method_called_ever?(method, :!)
problem "Use `assert_predicate <path_to_file>, :executable?` instead of `#{method.source}`"
end
end
end
end
class OptionDeclarations < FormulaCop
def audit_formula(_node, _class_node, _parent_class_node, body_node)
if find_method_def(body_node, :options)
problem "Use new-style option definitions"
end
find_instance_method_call(body_node, :build, :without?) do |method|
next unless unless_modifier?(method.parent)
correct = method.source.gsub("out?", "?")
problem "Use if #{correct} instead of unless #{method.source}"
end
find_instance_method_call(body_node, :build, :with?) do |method|
next unless unless_modifier?(method.parent)
correct = method.source.gsub("?", "out?")
problem "Use if #{correct} instead of unless #{method.source}"
end
find_instance_method_call(body_node, :build, :with?) do |method|
next unless expression_negated?(method)
problem "Don't negate 'build.with?': use 'build.without?'"
end
find_instance_method_call(body_node, :build, :without?) do |method|
next unless expression_negated?(method)
problem "Don't negate 'build.without?': use 'build.with?'"
end
find_instance_method_call(body_node, :build, :without?) do |method|
arg = parameters(method).first
next unless match = regex_match_group(arg, /^-?-?without-(.*)/)
problem "Don't duplicate 'without': " \
"Use `build.without? \"#{match[1]}\"` to check for \"--without-#{match[1]}\""
end
find_instance_method_call(body_node, :build, :with?) do |method|
arg = parameters(method).first
next unless match = regex_match_group(arg, /^-?-?with-(.*)/)
problem "Don't duplicate 'with': Use `build.with? \"#{match[1]}\"` to check for \"--with-#{match[1]}\""
end
find_instance_method_call(body_node, :build, :include?) do |method|
arg = parameters(method).first
next unless match = regex_match_group(arg, /^with(out)?-(.*)/)
problem "Use build.with#{match[1]}? \"#{match[2]}\" instead of " \
"build.include? 'with#{match[1]}-#{match[2]}'"
end
find_instance_method_call(body_node, :build, :include?) do |method|
arg = parameters(method).first
next unless match = regex_match_group(arg, /^\-\-(.*)$/)
problem "Reference '#{match[1]}' without dashes"
end
end
def unless_modifier?(node)
return false unless node.if_type?
node.modifier_form? && node.unless?
end
end
class Miscellaneous < FormulaCop
def audit_formula(_node, _class_node, _parent_class_node, body_node)
# FileUtils is included in Formula
# encfs modifies a file with this name, so check for some leading characters
find_instance_method_call(body_node, "FileUtils", nil) do |method_node|
problem "Don't need 'FileUtils.' before #{method_node.method_name}"
end
# Check for long inreplace block vars
find_all_blocks(body_node, :inreplace) do |node|
block_arg = node.arguments.children.first
next unless block_arg.source.size > 1
problem "\"inreplace <filenames> do |s|\" is preferred over \"|#{block_arg.source}|\"."
end
[:rebuild, :version_scheme].each do |method_name|
find_method_with_args(body_node, method_name, 0) do
problem "'#{method_name} 0' should be removed"
end
end
[:mac?, :linux?].each do |method_name|
next if formula_tap != "homebrew-core" || file_path&.include?("linuxbrew")
find_instance_method_call(body_node, "OS", method_name) do |check|
problem "Don't use #{check.source}; Homebrew/core only supports macOS"
end
end
find_instance_call(body_node, "ARGV") do |method_node|
next if [:debug?, :verbose?, :value].index(method_node.method_name)
problem "Use build instead of ARGV to check options"
end
find_instance_method_call(body_node, :man, :+) do |method|
next unless match = regex_match_group(parameters(method).first, /^man[1-8]$/)
problem "\"#{method.source}\" should be \"#{match[0]}\""
end
# Avoid hard-coding compilers
find_every_method_call_by_name(body_node, :system).each do |method|
param = parameters(method).first
if match = regex_match_group(param, %r{^(/usr/bin/)?(gcc|llvm-gcc|clang)\s?})
problem "Use \"\#{ENV.cc}\" instead of hard-coding \"#{match[2]}\""
elsif match = regex_match_group(param, %r{^(/usr/bin/)?((g|llvm-g|clang)\+\+)\s?})
problem "Use \"\#{ENV.cxx}\" instead of hard-coding \"#{match[2]}\""
end
end
find_instance_method_call(body_node, "ENV", :[]=) do |method|
param = parameters(method)[1]
if match = regex_match_group(param, %r{^(/usr/bin/)?(gcc|llvm-gcc|clang)\s?})
problem "Use \"\#{ENV.cc}\" instead of hard-coding \"#{match[2]}\""
elsif match = regex_match_group(param, %r{^(/usr/bin/)?((g|llvm-g|clang)\+\+)\s?})
problem "Use \"\#{ENV.cxx}\" instead of hard-coding \"#{match[2]}\""
end
end
# Prefer formula path shortcuts in strings
formula_path_strings(body_node, :share) do |p|
next unless match = regex_match_group(p, %r{^(/(man))/?})
problem "\"\#{share}#{match[1]}\" should be \"\#{#{match[2]}}\""
end
formula_path_strings(body_node, :prefix) do |p|
if match = regex_match_group(p, %r{^(/share/(info|man))$})
problem "\"\#\{prefix}#{match[1]}\" should be \"\#{#{match[2]}}\""
end
if match = regex_match_group(p, %r{^((/share/man/)(man[1-8]))})
problem "\"\#\{prefix}#{match[1]}\" should be \"\#{#{match[3]}}\""
end
if match = regex_match_group(p, %r{^(/(bin|include|libexec|lib|sbin|share|Frameworks))}i)
problem "\"\#\{prefix}#{match[1]}\" should be \"\#{#{match[2].downcase}}\""
end
end
find_every_method_call_by_name(body_node, :depends_on).each do |method|
key, value = destructure_hash(parameters(method).first)
next if key.nil? || value.nil?
next unless match = regex_match_group(value, /^(lua|perl|python|ruby)(\d*)/)
problem "#{match[1]} modules should be vendored rather than use deprecated #{method.source}`"
end
find_every_method_call_by_name(body_node, :system).each do |method|
next unless match = regex_match_group(parameters(method).first, /^(env|export)(\s+)?/)
problem "Use ENV instead of invoking '#{match[1]}' to modify the environment"
end
find_every_method_call_by_name(body_node, :depends_on).each do |method|
param = parameters(method).first
dep, option_child_nodes = hash_dep(param)
next if dep.nil? || option_child_nodes.empty?
option_child_nodes.each do |option|
find_strings(option).each do |dependency|
next unless match = regex_match_group(dependency, /(with(out)?-\w+|c\+\+11)/)
problem "Dependency #{string_content(dep)} should not use option #{match[0]}"
end
end
end
find_instance_method_call(body_node, :version, :==) do |method|
next unless parameters_passed?(method, "HEAD")
problem "Use 'build.head?' instead of inspecting 'version'"
end
find_instance_method_call(body_node, "ARGV", :include?) do |method|
param = parameters(method).first
next unless match = regex_match_group(param, /^--(HEAD|devel)/)
problem "Use \"if build.#{match[1].downcase}?\" instead"
end
find_const(body_node, "MACOS_VERSION") do
problem "Use MacOS.version instead of MACOS_VERSION"
end
find_const(body_node, "MACOS_FULL_VERSION") do
problem "Use MacOS.full_version instead of MACOS_FULL_VERSION"
end
conditional_dependencies(body_node) do |node, method, param, dep_node|
dep = string_content(dep_node)
if node.if?
if (method == :include? && regex_match_group(param, /^with-#{dep}$/)) ||
(method == :with? && regex_match_group(param, /^#{dep}$/))
offending_node(dep_node.parent)
problem "Replace #{node.source} with #{dep_node.parent.source} => :optional"
end
elsif node.unless?
if (method == :include? && regex_match_group(param, /^without-#{dep}$/)) ||
(method == :without? && regex_match_group(param, /^#{dep}$/))
offending_node(dep_node.parent)
problem "Replace #{node.source} with #{dep_node.parent.source} => :recommended"
end
end
end
find_method_with_args(body_node, :fails_with, :llvm) do
problem "'fails_with :llvm' is now a no-op so should be removed"
end
find_method_with_args(body_node, :needs, :openmp) do
problem "'needs :openmp' should be replaced with 'depends_on \"gcc\"'"
end
find_method_with_args(body_node, :system, /^(otool|install_name_tool|lipo)/) do
problem "Use ruby-macho instead of calling #{@offensive_node.source}"
end
find_every_method_call_by_name(body_node, :system).each do |method_node|
# Skip Kibana: npm cache edge (see formula for more details)
next if @formula_name =~ /^kibana(@\d[\d.]*)?$/
first_param, second_param = parameters(method_node)
next if !node_equals?(first_param, "npm") ||
!node_equals?(second_param, "install")
offending_node(method_node)
problem "Use Language::Node for npm install args" unless languageNodeModule?(method_node)
end
if find_method_def(body_node, :test)
problem "Use new-style test definitions (test do)"
end
find_method_with_args(body_node, :skip_clean, :all) do
problem "`skip_clean :all` is deprecated; brew no longer strips symbols. " \
"Pass explicit paths to prevent Homebrew from removing empty folders."
end
if find_method_def(@processed_source.ast)
problem "Define method #{method_name(@offensive_node)} in the class body, not at the top-level"
end
find_instance_method_call(body_node, :build, :universal?) do
next if @formula_name == "wine"
problem "macOS has been 64-bit only since 10.6 so build.universal? is deprecated."
end
find_instance_method_call(body_node, "ENV", :universal_binary) do
next if @formula_name == "wine"
problem "macOS has been 64-bit only since 10.6 so ENV.universal_binary is deprecated."
end
find_instance_method_call(body_node, "ENV", :x11) do
problem 'Use "depends_on :x11" instead of "ENV.x11"'
end
find_every_method_call_by_name(body_node, :depends_on).each do |method|
next unless method_called?(method, :new)
problem "`depends_on` can take requirement classes instead of instances"
end
os = [:leopard?, :snow_leopard?, :lion?, :mountain_lion?]
os.each do |version|
find_instance_method_call(body_node, "MacOS", version) do |method|
problem "\"#{method.source}\" is deprecated, use a comparison to MacOS.version instead"
end
end
find_instance_method_call(body_node, "Dir", :[]) do |method|
next unless parameters(method).size == 1
path = parameters(method).first
next unless path.str_type?
next unless match = regex_match_group(path, /^[^\*{},]+$/)
problem "Dir([\"#{string_content(path)}\"]) is unnecessary; just use \"#{match[0]}\""
end
fileutils_methods = Regexp.new(
FileUtils.singleton_methods(false)
.map { |m| "(?-mix:^" + Regexp.escape(m) + "$)" }
.join("|"),
)
find_every_method_call_by_name(body_node, :system).each do |method|
param = parameters(method).first
next unless match = regex_match_group(param, fileutils_methods)
problem "Use the `#{match}` Ruby method instead of `#{method.source}`"
end
end
def modifier?(node)
return false unless node.if_type?
node.modifier_form?
end
def_node_search :conditional_dependencies, <<~EOS
{$(if (send (send nil? :build) ${:include? :with? :without?} $(str _))
(send nil? :depends_on $({str sym} _)) nil?)
$(if (send (send nil? :build) ${:include? :with? :without?} $(str _)) nil?
(send nil? :depends_on $({str sym} _)))}
EOS
def_node_matcher :hash_dep, <<~EOS
(hash (pair $(str _) $...))
EOS
def_node_matcher :destructure_hash, <<~EOS
(hash (pair $(str _) $(sym _)))
EOS
def_node_search :formula_path_strings, <<~EOS
{(dstr (begin (send nil? %1)) $(str _ ))
(dstr _ (begin (send nil? %1)) $(str _ ))}
EOS
# Node Pattern search for Language::Node
def_node_search :languageNodeModule?, <<~EOS
(const (const nil? :Language) :Node)
EOS
end
end
end
end
``` |
```javascript
import { flushSync } from 'svelte';
import { test } from '../../test';
// path_to_url
export default test({
test({ assert, target, component }) {
let inputs = target.querySelectorAll('input');
assert.equal(inputs[0].checked, true);
assert.equal(inputs[1].checked, false);
assert.equal(inputs[2].checked, false);
component.moveDown(0);
flushSync();
component.moveDown(1);
flushSync();
assert.htmlEqual(
target.innerHTML,
`
<div class="item">
b <label><input name="current" type="radio" value="b"> current</label>
</div>
<div class="item">
c <label><input name="current" type="radio" value="c"> current</label>
</div>
<div class="item">
a <label><input name="current" type="radio" value="a"> current</label>
</div>
`
);
// after shifting order, should still keep the correct radio checked
assert.equal(inputs[0].checked, false);
assert.equal(inputs[1].checked, false);
assert.equal(inputs[2].checked, true);
component.current = 'b';
flushSync();
assert.equal(inputs[0].checked, true);
assert.equal(inputs[1].checked, false);
assert.equal(inputs[2].checked, false);
component.moveDown(1);
flushSync();
// after shifting order, should still keep the correct radio checked
inputs = target.querySelectorAll('input');
assert.equal(inputs[0].checked, true);
assert.equal(inputs[1].checked, false);
assert.equal(inputs[2].checked, false);
}
});
``` |
```c
/* $OpenBSD: vnconfig.c,v 1.13 2023/05/14 18:34:02 krw Exp $ */
/*
* The Regents of the University of California. All rights reserved.
*
* This code is derived from software contributed to Berkeley by
* the Systems Programming Group of the University of Utah Computer
* Science Department.
*
* Redistribution and use in source and binary forms, with or without
* modification, are permitted provided that the following conditions
* are met:
* 1. Redistributions of source code must retain the above copyright
* notice, this list of conditions and the following disclaimer.
* 2. Redistributions in binary form must reproduce the above copyright
* notice, this list of conditions and the following disclaimer in the
* documentation and/or other materials provided with the distribution.
* 3. Neither the name of the University nor the names of its contributors
* may be used to endorse or promote products derived from this software
* without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE REGENTS AND CONTRIBUTORS ``AS IS'' AND
* ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
* IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
* ARE DISCLAIMED. IN NO EVENT SHALL THE REGENTS OR CONTRIBUTORS BE LIABLE
* FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL
* DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS
* OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION)
* HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT
* LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY
* OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF
* SUCH DAMAGE.
e */
#include <sys/param.h> /* DEV_BSIZE */
#include <sys/ioctl.h>
#include <sys/stat.h>
#include <sys/disklabel.h>
#include <dev/vndioctl.h>
#include <blf.h>
#include <err.h>
#include <errno.h>
#include <fcntl.h>
#include <readpassphrase.h>
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <unistd.h>
#include <limits.h>
#include <util.h>
#define DEFAULT_VND "vnd0"
#define VND_CONFIG 1
#define VND_UNCONFIG 2
#define VND_GETINFO 3
int verbose = 0;
__dead void usage(void);
int config(char *, char *, struct disklabel *, char *, size_t);
int unconfig(char *);
int getinfo(const char *, int *availp);
char *get_pkcs_key(char *, char *);
int
main(int argc, char **argv)
{
int ch, rv, action, opt_k = 0, opt_K = 0, opt_l = 0, opt_u = 0;
char *key = NULL, *rounds = NULL, *saltopt = NULL;
char *file, *vnd;
size_t keylen = 0;
extern char *__progname;
struct disklabel *dp = NULL;
action = VND_CONFIG;
while ((ch = getopt(argc, argv, "kK:lo:S:t:uv")) != -1) {
switch (ch) {
case 'k':
opt_k = 1;
break;
case 'K':
opt_K = 1;
rounds = optarg;
break;
case 'l':
opt_l = 1;
break;
case 'S':
saltopt = optarg;
break;
case 't':
dp = getdiskbyname(optarg);
if (dp == NULL)
errx(1, "unknown disk type: %s", optarg);
break;
case 'u':
opt_u = 1;
break;
case 'v':
verbose = 1;
break;
default:
usage();
/* NOTREACHED */
}
}
argc -= optind;
argv += optind;
if (opt_l + opt_u > 1)
errx(1, "-l and -u are mutually exclusive options");
if (opt_l)
action = VND_GETINFO;
else if (opt_u)
action = VND_UNCONFIG;
if (saltopt && (!opt_K))
errx(1, "-S only makes sense when used with -K");
if (action == VND_CONFIG) {
if (argc == 1) {
file = argv[0];
vnd = NULL;
} else if (argc == 2) {
vnd = argv[0];
file = argv[1];
} else
usage();
if (opt_k || opt_K)
fprintf(stderr, "WARNING: Consider using softraid crypto.\n");
if (opt_k) {
if (opt_K)
errx(1, "-k and -K are mutually exclusive");
key = getpass("Encryption key: ");
if (key == NULL || (keylen = strlen(key)) == 0)
errx(1, "Need an encryption key");
} else if (opt_K) {
key = get_pkcs_key(rounds, saltopt);
keylen = BLF_MAXUTILIZED;
}
rv = config(file, vnd, dp, key, keylen);
} else if (action == VND_UNCONFIG && argc == 1)
rv = unconfig(argv[0]);
else if (action == VND_GETINFO)
rv = getinfo(argc ? argv[0] : NULL, NULL);
else
usage();
exit(rv);
}
char *
get_pkcs_key(char *arg, char *saltopt)
{
char passphrase[128] = {'\0'};
char saltbuf[128] = {'\0'}, saltfilebuf[PATH_MAX];
char *key = NULL;
char *saltfile;
const char *errstr;
int rounds;
rounds = strtonum(arg, 1000, INT_MAX, &errstr);
if (errstr)
err(1, "rounds: %s", errstr);
if (readpassphrase("Encryption key: ", passphrase, sizeof(passphrase),
RPP_REQUIRE_TTY) == NULL)
errx(1, "Unable to read passphrase");
if (saltopt)
saltfile = saltopt;
else {
printf("Salt file: ");
fflush(stdout);
saltfile = fgets(saltfilebuf, sizeof(saltfilebuf), stdin);
if (saltfile)
saltfile[strcspn(saltfile, "\n")] = '\0';
}
if (!saltfile || saltfile[0] == '\0')
warnx("Skipping salt file, insecure");
else {
int fd;
fd = open(saltfile, O_RDONLY);
if (fd == -1) {
int *s;
fprintf(stderr, "Salt file not found, attempting to "
"create one\n");
fd = open(saltfile, O_RDWR|O_CREAT|O_EXCL, 0600);
if (fd == -1)
err(1, "Unable to create salt file: '%s'",
saltfile);
for (s = (int *)saltbuf;
s < (int *)(saltbuf + sizeof(saltbuf)); s++)
*s = arc4random();
if (write(fd, saltbuf, sizeof(saltbuf))
!= sizeof(saltbuf))
err(1, "Unable to write salt file: '%s'",
saltfile);
fprintf(stderr, "Salt file created as '%s'\n",
saltfile);
} else {
if (read(fd, saltbuf, sizeof(saltbuf))
!= sizeof(saltbuf))
err(1, "Unable to read salt file: '%s'",
saltfile);
}
close(fd);
}
if ((key = calloc(1, BLF_MAXUTILIZED)) == NULL)
err(1, NULL);
if (pkcs5_pbkdf2(passphrase, sizeof(passphrase), saltbuf,
sizeof (saltbuf), key, BLF_MAXUTILIZED, rounds))
errx(1, "pkcs5_pbkdf2 failed");
explicit_bzero(passphrase, sizeof(passphrase));
return (key);
}
int
getinfo(const char *vname, int *availp)
{
int vd, print_all = 0;
struct vnd_user vnu;
if (vname == NULL) {
vname = DEFAULT_VND;
print_all = 1;
}
vd = opendev(vname, O_RDONLY, OPENDEV_PART, NULL);
if (vd == -1)
err(1, "open: %s", vname);
vnu.vnu_unit = -1;
query:
if (ioctl(vd, VNDIOCGET, &vnu) == -1) {
if (print_all && errno == ENXIO && vnu.vnu_unit > 0)
goto end;
err(1, "ioctl: %s", vname);
}
if (availp) {
if (!vnu.vnu_ino) {
*availp = vnu.vnu_unit;
close(vd);
return (0);
}
vnu.vnu_unit++;
goto query;
}
fprintf(stdout, "vnd%d: ", vnu.vnu_unit);
if (!vnu.vnu_ino)
fprintf(stdout, "not in use\n");
else
fprintf(stdout, "covering %s on %s, inode %llu\n",
vnu.vnu_file, devname(vnu.vnu_dev, S_IFBLK),
(unsigned long long)vnu.vnu_ino);
if (print_all) {
vnu.vnu_unit++;
goto query;
}
end:
close(vd);
if (availp)
return (-1);
return (0);
}
int
config(char *file, char *dev, struct disklabel *dp, char *key, size_t keylen)
{
struct vnd_ioctl vndio;
char *rdev;
int fd, rv = -1;
int unit, print_dev = 0;
if (dev == NULL) {
if (getinfo(NULL, &unit) == -1)
err(1, "no devices available");
print_dev = 1;
asprintf(&dev, "vnd%d", unit);
}
if ((fd = opendev(dev, O_RDONLY, OPENDEV_PART, &rdev)) == -1) {
err(4, "%s", rdev);
goto out;
}
memset(&vndio, 0, sizeof vndio);
vndio.vnd_file = file;
vndio.vnd_type = (dp && dp->d_type) ? dp->d_type : DTYPE_VND;
vndio.vnd_secsize = (dp && dp->d_secsize) ? dp->d_secsize : DEV_BSIZE;
vndio.vnd_nsectors = (dp && dp->d_nsectors) ? dp->d_nsectors : 100;
vndio.vnd_ntracks = (dp && dp->d_ntracks) ? dp->d_ntracks : 1;
vndio.vnd_key = (u_char *)key;
vndio.vnd_keylen = keylen;
/*
* Configure the device
*/
rv = ioctl(fd, VNDIOCSET, &vndio);
if (rv)
warn("VNDIOCSET");
else {
if (print_dev)
printf("%s\n", dev);
if (verbose)
fprintf(stderr, "%s: %llu bytes on %s\n", dev,
vndio.vnd_size, file);
}
close(fd);
fflush(stdout);
out:
if (key)
explicit_bzero(key, keylen);
explicit_bzero(&vndio.vnd_keylen, sizeof vndio.vnd_keylen);
return (rv == -1);
}
int
unconfig(char *vnd)
{
struct vnd_ioctl vndio;
int fd, rv = -1;
char *rdev;
if ((fd = opendev(vnd, O_RDONLY, OPENDEV_PART, &rdev)) == -1)
err(4, "%s", rdev);
memset(&vndio, 0, sizeof vndio);
vndio.vnd_file = vnd;
/*
* Clear (un-configure) the device
*/
rv = ioctl(fd, VNDIOCCLR, &vndio);
if (rv)
warn("VNDIOCCLR");
else if (verbose)
fprintf(stderr, "%s: cleared\n", vnd);
close(fd);
fflush(stdout);
return (rv == -1);
}
__dead void
usage(void)
{
fprintf(stderr,
"usage: vnconfig [-v] [-k | -K rounds [-S saltfile]] "
"[-t disktype] [vnd_dev] image\n"
" vnconfig -l [vnd_dev]\n"
" vnconfig -u [-v] vnd_dev\n");
exit(1);
}
``` |
```python
from typing import List
import PIL.Image
import torch
from torch.nn.functional import conv2d
from torchvision import tv_tensors
from torchvision.transforms import _functional_pil as _FP
from torchvision.transforms._functional_tensor import _max_value
from torchvision.utils import _log_api_usage_once
from ._misc import _num_value_bits, to_dtype_image
from ._type_conversion import pil_to_tensor, to_pil_image
from ._utils import _get_kernel, _register_kernel_internal
def rgb_to_grayscale(inpt: torch.Tensor, num_output_channels: int = 1) -> torch.Tensor:
"""See :class:`~torchvision.transforms.v2.Grayscale` for details."""
if torch.jit.is_scripting():
return rgb_to_grayscale_image(inpt, num_output_channels=num_output_channels)
_log_api_usage_once(rgb_to_grayscale)
kernel = _get_kernel(rgb_to_grayscale, type(inpt))
return kernel(inpt, num_output_channels=num_output_channels)
# `to_grayscale` actually predates `rgb_to_grayscale` in v1, but only handles PIL images. Since `rgb_to_grayscale` is a
# superset in terms of functionality and has the same signature, we alias here to avoid disruption.
to_grayscale = rgb_to_grayscale
def _rgb_to_grayscale_image(
image: torch.Tensor, num_output_channels: int = 1, preserve_dtype: bool = True
) -> torch.Tensor:
# TODO: Maybe move the validation that num_output_channels is 1 or 3 to this function instead of callers.
if image.shape[-3] == 1 and num_output_channels == 1:
return image.clone()
if image.shape[-3] == 1 and num_output_channels == 3:
s = [1] * len(image.shape)
s[-3] = 3
return image.repeat(s)
r, g, b = image.unbind(dim=-3)
l_img = r.mul(0.2989).add_(g, alpha=0.587).add_(b, alpha=0.114)
l_img = l_img.unsqueeze(dim=-3)
if preserve_dtype:
l_img = l_img.to(image.dtype)
if num_output_channels == 3:
l_img = l_img.expand(image.shape)
return l_img
@_register_kernel_internal(rgb_to_grayscale, torch.Tensor)
@_register_kernel_internal(rgb_to_grayscale, tv_tensors.Image)
def rgb_to_grayscale_image(image: torch.Tensor, num_output_channels: int = 1) -> torch.Tensor:
if num_output_channels not in (1, 3):
raise ValueError(f"num_output_channels must be 1 or 3, got {num_output_channels}.")
return _rgb_to_grayscale_image(image, num_output_channels=num_output_channels, preserve_dtype=True)
@_register_kernel_internal(rgb_to_grayscale, PIL.Image.Image)
def _rgb_to_grayscale_image_pil(image: PIL.Image.Image, num_output_channels: int = 1) -> PIL.Image.Image:
if num_output_channels not in (1, 3):
raise ValueError(f"num_output_channels must be 1 or 3, got {num_output_channels}.")
return _FP.to_grayscale(image, num_output_channels=num_output_channels)
def grayscale_to_rgb(inpt: torch.Tensor) -> torch.Tensor:
"""See :class:`~torchvision.transforms.v2.GrayscaleToRgb` for details."""
if torch.jit.is_scripting():
return grayscale_to_rgb_image(inpt)
_log_api_usage_once(grayscale_to_rgb)
kernel = _get_kernel(grayscale_to_rgb, type(inpt))
return kernel(inpt)
@_register_kernel_internal(grayscale_to_rgb, torch.Tensor)
@_register_kernel_internal(grayscale_to_rgb, tv_tensors.Image)
def grayscale_to_rgb_image(image: torch.Tensor) -> torch.Tensor:
if image.shape[-3] >= 3:
# Image already has RGB channels. We don't need to do anything.
return image
# rgb_to_grayscale can be used to add channels so we reuse that function.
return _rgb_to_grayscale_image(image, num_output_channels=3, preserve_dtype=True)
@_register_kernel_internal(grayscale_to_rgb, PIL.Image.Image)
def grayscale_to_rgb_image_pil(image: PIL.Image.Image) -> PIL.Image.Image:
return image.convert(mode="RGB")
def _blend(image1: torch.Tensor, image2: torch.Tensor, ratio: float) -> torch.Tensor:
ratio = float(ratio)
fp = image1.is_floating_point()
bound = _max_value(image1.dtype)
output = image1.mul(ratio).add_(image2, alpha=(1.0 - ratio)).clamp_(0, bound)
return output if fp else output.to(image1.dtype)
def adjust_brightness(inpt: torch.Tensor, brightness_factor: float) -> torch.Tensor:
"""Adjust brightness."""
if torch.jit.is_scripting():
return adjust_brightness_image(inpt, brightness_factor=brightness_factor)
_log_api_usage_once(adjust_brightness)
kernel = _get_kernel(adjust_brightness, type(inpt))
return kernel(inpt, brightness_factor=brightness_factor)
@_register_kernel_internal(adjust_brightness, torch.Tensor)
@_register_kernel_internal(adjust_brightness, tv_tensors.Image)
def adjust_brightness_image(image: torch.Tensor, brightness_factor: float) -> torch.Tensor:
if brightness_factor < 0:
raise ValueError(f"brightness_factor ({brightness_factor}) is not non-negative.")
c = image.shape[-3]
if c not in [1, 3]:
raise TypeError(f"Input image tensor permitted channel values are 1 or 3, but found {c}")
fp = image.is_floating_point()
bound = _max_value(image.dtype)
output = image.mul(brightness_factor).clamp_(0, bound)
return output if fp else output.to(image.dtype)
@_register_kernel_internal(adjust_brightness, PIL.Image.Image)
def _adjust_brightness_image_pil(image: PIL.Image.Image, brightness_factor: float) -> PIL.Image.Image:
return _FP.adjust_brightness(image, brightness_factor=brightness_factor)
@_register_kernel_internal(adjust_brightness, tv_tensors.Video)
def adjust_brightness_video(video: torch.Tensor, brightness_factor: float) -> torch.Tensor:
return adjust_brightness_image(video, brightness_factor=brightness_factor)
def adjust_saturation(inpt: torch.Tensor, saturation_factor: float) -> torch.Tensor:
"""Adjust saturation."""
if torch.jit.is_scripting():
return adjust_saturation_image(inpt, saturation_factor=saturation_factor)
_log_api_usage_once(adjust_saturation)
kernel = _get_kernel(adjust_saturation, type(inpt))
return kernel(inpt, saturation_factor=saturation_factor)
@_register_kernel_internal(adjust_saturation, torch.Tensor)
@_register_kernel_internal(adjust_saturation, tv_tensors.Image)
def adjust_saturation_image(image: torch.Tensor, saturation_factor: float) -> torch.Tensor:
if saturation_factor < 0:
raise ValueError(f"saturation_factor ({saturation_factor}) is not non-negative.")
c = image.shape[-3]
if c not in [1, 3]:
raise TypeError(f"Input image tensor permitted channel values are 1 or 3, but found {c}")
if c == 1: # Match PIL behaviour
return image
grayscale_image = _rgb_to_grayscale_image(image, num_output_channels=1, preserve_dtype=False)
if not image.is_floating_point():
grayscale_image = grayscale_image.floor_()
return _blend(image, grayscale_image, saturation_factor)
_adjust_saturation_image_pil = _register_kernel_internal(adjust_saturation, PIL.Image.Image)(_FP.adjust_saturation)
@_register_kernel_internal(adjust_saturation, tv_tensors.Video)
def adjust_saturation_video(video: torch.Tensor, saturation_factor: float) -> torch.Tensor:
return adjust_saturation_image(video, saturation_factor=saturation_factor)
def adjust_contrast(inpt: torch.Tensor, contrast_factor: float) -> torch.Tensor:
"""See :class:`~torchvision.transforms.RandomAutocontrast`"""
if torch.jit.is_scripting():
return adjust_contrast_image(inpt, contrast_factor=contrast_factor)
_log_api_usage_once(adjust_contrast)
kernel = _get_kernel(adjust_contrast, type(inpt))
return kernel(inpt, contrast_factor=contrast_factor)
@_register_kernel_internal(adjust_contrast, torch.Tensor)
@_register_kernel_internal(adjust_contrast, tv_tensors.Image)
def adjust_contrast_image(image: torch.Tensor, contrast_factor: float) -> torch.Tensor:
if contrast_factor < 0:
raise ValueError(f"contrast_factor ({contrast_factor}) is not non-negative.")
c = image.shape[-3]
if c not in [1, 3]:
raise TypeError(f"Input image tensor permitted channel values are 1 or 3, but found {c}")
fp = image.is_floating_point()
if c == 3:
grayscale_image = _rgb_to_grayscale_image(image, num_output_channels=1, preserve_dtype=False)
if not fp:
grayscale_image = grayscale_image.floor_()
else:
grayscale_image = image if fp else image.to(torch.float32)
mean = torch.mean(grayscale_image, dim=(-3, -2, -1), keepdim=True)
return _blend(image, mean, contrast_factor)
_adjust_contrast_image_pil = _register_kernel_internal(adjust_contrast, PIL.Image.Image)(_FP.adjust_contrast)
@_register_kernel_internal(adjust_contrast, tv_tensors.Video)
def adjust_contrast_video(video: torch.Tensor, contrast_factor: float) -> torch.Tensor:
return adjust_contrast_image(video, contrast_factor=contrast_factor)
def adjust_sharpness(inpt: torch.Tensor, sharpness_factor: float) -> torch.Tensor:
"""See :class:`~torchvision.transforms.RandomAdjustSharpness`"""
if torch.jit.is_scripting():
return adjust_sharpness_image(inpt, sharpness_factor=sharpness_factor)
_log_api_usage_once(adjust_sharpness)
kernel = _get_kernel(adjust_sharpness, type(inpt))
return kernel(inpt, sharpness_factor=sharpness_factor)
@_register_kernel_internal(adjust_sharpness, torch.Tensor)
@_register_kernel_internal(adjust_sharpness, tv_tensors.Image)
def adjust_sharpness_image(image: torch.Tensor, sharpness_factor: float) -> torch.Tensor:
num_channels, height, width = image.shape[-3:]
if num_channels not in (1, 3):
raise TypeError(f"Input image tensor can have 1 or 3 channels, but found {num_channels}")
if sharpness_factor < 0:
raise ValueError(f"sharpness_factor ({sharpness_factor}) is not non-negative.")
if image.numel() == 0 or height <= 2 or width <= 2:
return image
bound = _max_value(image.dtype)
fp = image.is_floating_point()
shape = image.shape
if image.ndim > 4:
image = image.reshape(-1, num_channels, height, width)
needs_unsquash = True
else:
needs_unsquash = False
# The following is a normalized 3x3 kernel with 1s in the edges and a 5 in the middle.
kernel_dtype = image.dtype if fp else torch.float32
a, b = 1.0 / 13.0, 5.0 / 13.0
kernel = torch.tensor([[a, a, a], [a, b, a], [a, a, a]], dtype=kernel_dtype, device=image.device)
kernel = kernel.expand(num_channels, 1, 3, 3)
# We copy and cast at the same time to avoid modifications on the original data
output = image.to(dtype=kernel_dtype, copy=True)
blurred_degenerate = conv2d(output, kernel, groups=num_channels)
if not fp:
# it is better to round before cast
blurred_degenerate = blurred_degenerate.round_()
# Create a view on the underlying output while pointing at the same data. We do this to avoid indexing twice.
view = output[..., 1:-1, 1:-1]
# We speed up blending by minimizing flops and doing in-place. The 2 blend options are mathematically equivalent:
# x+(1-r)*(y-x) = x + (1-r)*y - (1-r)*x = x*r + y*(1-r)
view.add_(blurred_degenerate.sub_(view), alpha=(1.0 - sharpness_factor))
# The actual data of output have been modified by the above. We only need to clamp and cast now.
output = output.clamp_(0, bound)
if not fp:
output = output.to(image.dtype)
if needs_unsquash:
output = output.reshape(shape)
return output
_adjust_sharpness_image_pil = _register_kernel_internal(adjust_sharpness, PIL.Image.Image)(_FP.adjust_sharpness)
@_register_kernel_internal(adjust_sharpness, tv_tensors.Video)
def adjust_sharpness_video(video: torch.Tensor, sharpness_factor: float) -> torch.Tensor:
return adjust_sharpness_image(video, sharpness_factor=sharpness_factor)
def adjust_hue(inpt: torch.Tensor, hue_factor: float) -> torch.Tensor:
"""Adjust hue"""
if torch.jit.is_scripting():
return adjust_hue_image(inpt, hue_factor=hue_factor)
_log_api_usage_once(adjust_hue)
kernel = _get_kernel(adjust_hue, type(inpt))
return kernel(inpt, hue_factor=hue_factor)
def _rgb_to_hsv(image: torch.Tensor) -> torch.Tensor:
r, g, _ = image.unbind(dim=-3)
# Implementation is based on
# path_to_url#L330
minc, maxc = torch.aminmax(image, dim=-3)
# The algorithm erases S and H channel where `maxc = minc`. This avoids NaN
# from happening in the results, because
# + S channel has division by `maxc`, which is zero only if `maxc = minc`
# + H channel has division by `(maxc - minc)`.
#
# Instead of overwriting NaN afterwards, we just prevent it from occurring so
# we don't need to deal with it in case we save the NaN in a buffer in
# backprop, if it is ever supported, but it doesn't hurt to do so.
eqc = maxc == minc
channels_range = maxc - minc
# Since `eqc => channels_range = 0`, replacing denominator with 1 when `eqc` is fine.
ones = torch.ones_like(maxc)
s = channels_range / torch.where(eqc, ones, maxc)
# Note that `eqc => maxc = minc = r = g = b`. So the following calculation
# of `h` would reduce to `bc - gc + 2 + rc - bc + 4 + rc - bc = 6` so it
# would not matter what values `rc`, `gc`, and `bc` have here, and thus
# replacing denominator with 1 when `eqc` is fine.
channels_range_divisor = torch.where(eqc, ones, channels_range).unsqueeze_(dim=-3)
rc, gc, bc = ((maxc.unsqueeze(dim=-3) - image) / channels_range_divisor).unbind(dim=-3)
mask_maxc_neq_r = maxc != r
mask_maxc_eq_g = maxc == g
hg = rc.add(2.0).sub_(bc).mul_(mask_maxc_eq_g & mask_maxc_neq_r)
hr = bc.sub_(gc).mul_(~mask_maxc_neq_r)
hb = gc.add_(4.0).sub_(rc).mul_(mask_maxc_neq_r.logical_and_(mask_maxc_eq_g.logical_not_()))
h = hr.add_(hg).add_(hb)
h = h.mul_(1.0 / 6.0).add_(1.0).fmod_(1.0)
return torch.stack((h, s, maxc), dim=-3)
def _hsv_to_rgb(img: torch.Tensor) -> torch.Tensor:
h, s, v = img.unbind(dim=-3)
h6 = h.mul(6)
i = torch.floor(h6)
f = h6.sub_(i)
i = i.to(dtype=torch.int32)
sxf = s * f
one_minus_s = 1.0 - s
q = (1.0 - sxf).mul_(v).clamp_(0.0, 1.0)
t = sxf.add_(one_minus_s).mul_(v).clamp_(0.0, 1.0)
p = one_minus_s.mul_(v).clamp_(0.0, 1.0)
i.remainder_(6)
vpqt = torch.stack((v, p, q, t), dim=-3)
# vpqt -> rgb mapping based on i
select = torch.tensor([[0, 2, 1, 1, 3, 0], [3, 0, 0, 2, 1, 1], [1, 1, 3, 0, 0, 2]], dtype=torch.long)
select = select.to(device=img.device, non_blocking=True)
select = select[:, i]
if select.ndim > 3:
# if input.shape is (B, ..., C, H, W) then
# select.shape is (C, B, ..., H, W)
# thus we move C axis to get (B, ..., C, H, W)
select = select.moveaxis(0, -3)
return vpqt.gather(-3, select)
@_register_kernel_internal(adjust_hue, torch.Tensor)
@_register_kernel_internal(adjust_hue, tv_tensors.Image)
def adjust_hue_image(image: torch.Tensor, hue_factor: float) -> torch.Tensor:
if not (-0.5 <= hue_factor <= 0.5):
raise ValueError(f"hue_factor ({hue_factor}) is not in [-0.5, 0.5].")
c = image.shape[-3]
if c not in [1, 3]:
raise TypeError(f"Input image tensor permitted channel values are 1 or 3, but found {c}")
if c == 1: # Match PIL behaviour
return image
if image.numel() == 0:
# exit earlier on empty images
return image
orig_dtype = image.dtype
image = to_dtype_image(image, torch.float32, scale=True)
image = _rgb_to_hsv(image)
h, s, v = image.unbind(dim=-3)
h.add_(hue_factor).remainder_(1.0)
image = torch.stack((h, s, v), dim=-3)
image_hue_adj = _hsv_to_rgb(image)
return to_dtype_image(image_hue_adj, orig_dtype, scale=True)
_adjust_hue_image_pil = _register_kernel_internal(adjust_hue, PIL.Image.Image)(_FP.adjust_hue)
@_register_kernel_internal(adjust_hue, tv_tensors.Video)
def adjust_hue_video(video: torch.Tensor, hue_factor: float) -> torch.Tensor:
return adjust_hue_image(video, hue_factor=hue_factor)
def adjust_gamma(inpt: torch.Tensor, gamma: float, gain: float = 1) -> torch.Tensor:
"""Adjust gamma."""
if torch.jit.is_scripting():
return adjust_gamma_image(inpt, gamma=gamma, gain=gain)
_log_api_usage_once(adjust_gamma)
kernel = _get_kernel(adjust_gamma, type(inpt))
return kernel(inpt, gamma=gamma, gain=gain)
@_register_kernel_internal(adjust_gamma, torch.Tensor)
@_register_kernel_internal(adjust_gamma, tv_tensors.Image)
def adjust_gamma_image(image: torch.Tensor, gamma: float, gain: float = 1.0) -> torch.Tensor:
if gamma < 0:
raise ValueError("Gamma should be a non-negative real number")
# The input image is either assumed to be at [0, 1] scale (if float) or is converted to that scale (if integer).
# Since the gamma is non-negative, the output remains at [0, 1] scale.
if not torch.is_floating_point(image):
output = to_dtype_image(image, torch.float32, scale=True).pow_(gamma)
else:
output = image.pow(gamma)
if gain != 1.0:
# The clamp operation is needed only if multiplication is performed. It's only when gain != 1, that the scale
# of the output can go beyond [0, 1].
output = output.mul_(gain).clamp_(0.0, 1.0)
return to_dtype_image(output, image.dtype, scale=True)
_adjust_gamma_image_pil = _register_kernel_internal(adjust_gamma, PIL.Image.Image)(_FP.adjust_gamma)
@_register_kernel_internal(adjust_gamma, tv_tensors.Video)
def adjust_gamma_video(video: torch.Tensor, gamma: float, gain: float = 1) -> torch.Tensor:
return adjust_gamma_image(video, gamma=gamma, gain=gain)
def posterize(inpt: torch.Tensor, bits: int) -> torch.Tensor:
"""See :class:`~torchvision.transforms.v2.RandomPosterize` for details."""
if torch.jit.is_scripting():
return posterize_image(inpt, bits=bits)
_log_api_usage_once(posterize)
kernel = _get_kernel(posterize, type(inpt))
return kernel(inpt, bits=bits)
@_register_kernel_internal(posterize, torch.Tensor)
@_register_kernel_internal(posterize, tv_tensors.Image)
def posterize_image(image: torch.Tensor, bits: int) -> torch.Tensor:
if image.is_floating_point():
levels = 1 << bits
return image.mul(levels).floor_().clamp_(0, levels - 1).mul_(1.0 / levels)
else:
num_value_bits = _num_value_bits(image.dtype)
if bits >= num_value_bits:
return image
mask = ((1 << bits) - 1) << (num_value_bits - bits)
return image & mask
_posterize_image_pil = _register_kernel_internal(posterize, PIL.Image.Image)(_FP.posterize)
@_register_kernel_internal(posterize, tv_tensors.Video)
def posterize_video(video: torch.Tensor, bits: int) -> torch.Tensor:
return posterize_image(video, bits=bits)
def solarize(inpt: torch.Tensor, threshold: float) -> torch.Tensor:
"""See :class:`~torchvision.transforms.v2.RandomSolarize` for details."""
if torch.jit.is_scripting():
return solarize_image(inpt, threshold=threshold)
_log_api_usage_once(solarize)
kernel = _get_kernel(solarize, type(inpt))
return kernel(inpt, threshold=threshold)
@_register_kernel_internal(solarize, torch.Tensor)
@_register_kernel_internal(solarize, tv_tensors.Image)
def solarize_image(image: torch.Tensor, threshold: float) -> torch.Tensor:
if threshold > _max_value(image.dtype):
raise TypeError(f"Threshold should be less or equal the maximum value of the dtype, but got {threshold}")
return torch.where(image >= threshold, invert_image(image), image)
_solarize_image_pil = _register_kernel_internal(solarize, PIL.Image.Image)(_FP.solarize)
@_register_kernel_internal(solarize, tv_tensors.Video)
def solarize_video(video: torch.Tensor, threshold: float) -> torch.Tensor:
return solarize_image(video, threshold=threshold)
def autocontrast(inpt: torch.Tensor) -> torch.Tensor:
"""See :class:`~torchvision.transforms.v2.RandomAutocontrast` for details."""
if torch.jit.is_scripting():
return autocontrast_image(inpt)
_log_api_usage_once(autocontrast)
kernel = _get_kernel(autocontrast, type(inpt))
return kernel(inpt)
@_register_kernel_internal(autocontrast, torch.Tensor)
@_register_kernel_internal(autocontrast, tv_tensors.Image)
def autocontrast_image(image: torch.Tensor) -> torch.Tensor:
c = image.shape[-3]
if c not in [1, 3]:
raise TypeError(f"Input image tensor permitted channel values are 1 or 3, but found {c}")
if image.numel() == 0:
# exit earlier on empty images
return image
bound = _max_value(image.dtype)
fp = image.is_floating_point()
float_image = image if fp else image.to(torch.float32)
minimum = float_image.amin(dim=(-2, -1), keepdim=True)
maximum = float_image.amax(dim=(-2, -1), keepdim=True)
eq_idxs = maximum == minimum
inv_scale = maximum.sub_(minimum).mul_(1.0 / bound)
minimum[eq_idxs] = 0.0
inv_scale[eq_idxs] = 1.0
if fp:
diff = float_image.sub(minimum)
else:
diff = float_image.sub_(minimum)
return diff.div_(inv_scale).clamp_(0, bound).to(image.dtype)
_autocontrast_image_pil = _register_kernel_internal(autocontrast, PIL.Image.Image)(_FP.autocontrast)
@_register_kernel_internal(autocontrast, tv_tensors.Video)
def autocontrast_video(video: torch.Tensor) -> torch.Tensor:
return autocontrast_image(video)
def equalize(inpt: torch.Tensor) -> torch.Tensor:
"""See :class:`~torchvision.transforms.v2.RandomEqualize` for details."""
if torch.jit.is_scripting():
return equalize_image(inpt)
_log_api_usage_once(equalize)
kernel = _get_kernel(equalize, type(inpt))
return kernel(inpt)
@_register_kernel_internal(equalize, torch.Tensor)
@_register_kernel_internal(equalize, tv_tensors.Image)
def equalize_image(image: torch.Tensor) -> torch.Tensor:
if image.numel() == 0:
return image
# 1. The algorithm below can easily be extended to support arbitrary integer dtypes. However, the histogram that
# would be needed to computed will have at least `torch.iinfo(dtype).max + 1` values. That is perfectly fine for
# `torch.int8`, `torch.uint8`, and `torch.int16`, at least questionable for `torch.int32` and completely
# unfeasible for `torch.int64`.
# 2. Floating point inputs need to be binned for this algorithm. Apart from converting them to an integer dtype, we
# could also use PyTorch's builtin histogram functionality. However, that has its own set of issues: in addition
# to being slow in general, PyTorch's implementation also doesn't support batches. In total, that makes it slower
# and more complicated to implement than a simple conversion and a fast histogram implementation for integers.
# Since we need to convert in most cases anyway and out of the acceptable dtypes mentioned in 1. `torch.uint8` is
# by far the most common, we choose it as base.
output_dtype = image.dtype
image = to_dtype_image(image, torch.uint8, scale=True)
# The histogram is computed by using the flattened image as index. For example, a pixel value of 127 in the image
# corresponds to adding 1 to index 127 in the histogram.
batch_shape = image.shape[:-2]
flat_image = image.flatten(start_dim=-2).to(torch.long)
hist = flat_image.new_zeros(batch_shape + (256,), dtype=torch.int32)
hist.scatter_add_(dim=-1, index=flat_image, src=hist.new_ones(1).expand_as(flat_image))
cum_hist = hist.cumsum(dim=-1)
# The simplest form of lookup-table (LUT) that also achieves histogram equalization is
# `lut = cum_hist / flat_image.shape[-1] * 255`
# However, PIL uses a more elaborate scheme:
# path_to_url#L368-L385
# `lut = ((cum_hist + num_non_max_pixels // (2 * 255)) // num_non_max_pixels) * 255`
# The last non-zero element in the histogram is the first element in the cumulative histogram with the maximum
# value. Thus, the "max" in `num_non_max_pixels` does not refer to 255 as the maximum value of uint8 images, but
# rather the maximum value in the image, which might be or not be 255.
index = cum_hist.argmax(dim=-1)
num_non_max_pixels = flat_image.shape[-1] - hist.gather(dim=-1, index=index.unsqueeze_(-1))
# This is performance optimization that saves us one multiplication later. With this, the LUT computation simplifies
# to `lut = (cum_hist + step // 2) // step` and thus saving the final multiplication by 255 while keeping the
# division count the same. PIL uses the variable name `step` for this, so we keep that for easier comparison.
step = num_non_max_pixels.div_(255, rounding_mode="floor")
# Although it looks like we could return early if we find `step == 0` like PIL does, that is unfortunately not as
# easy due to our support for batched images. We can only return early if `(step == 0).all()` holds. If it doesn't,
# we have to go through the computation below anyway. Since `step == 0` is an edge case anyway, it makes no sense to
# pay the runtime cost for checking it every time.
valid_equalization = step.ne(0).unsqueeze_(-1)
# `lut[k]` is computed with `cum_hist[k-1]` with `lut[0] == (step // 2) // step == 0`. Thus, we perform the
# computation only for `lut[1:]` with `cum_hist[:-1]` and add `lut[0] == 0` afterwards.
cum_hist = cum_hist[..., :-1]
(
cum_hist.add_(step // 2)
# We need the `clamp_`(min=1) call here to avoid zero division since they fail for integer dtypes. This has no
# effect on the returned result of this kernel since images inside the batch with `step == 0` are returned as is
# instead of equalized version.
.div_(step.clamp_(min=1), rounding_mode="floor")
# We need the `clamp_` call here since PILs LUT computation scheme can produce values outside the valid value
# range of uint8 images
.clamp_(0, 255)
)
lut = cum_hist.to(torch.uint8)
lut = torch.cat([lut.new_zeros(1).expand(batch_shape + (1,)), lut], dim=-1)
equalized_image = lut.gather(dim=-1, index=flat_image).view_as(image)
output = torch.where(valid_equalization, equalized_image, image)
return to_dtype_image(output, output_dtype, scale=True)
_equalize_image_pil = _register_kernel_internal(equalize, PIL.Image.Image)(_FP.equalize)
@_register_kernel_internal(equalize, tv_tensors.Video)
def equalize_video(video: torch.Tensor) -> torch.Tensor:
return equalize_image(video)
def invert(inpt: torch.Tensor) -> torch.Tensor:
"""See :func:`~torchvision.transforms.v2.RandomInvert`."""
if torch.jit.is_scripting():
return invert_image(inpt)
_log_api_usage_once(invert)
kernel = _get_kernel(invert, type(inpt))
return kernel(inpt)
@_register_kernel_internal(invert, torch.Tensor)
@_register_kernel_internal(invert, tv_tensors.Image)
def invert_image(image: torch.Tensor) -> torch.Tensor:
if image.is_floating_point():
return 1.0 - image
elif image.dtype == torch.uint8:
return image.bitwise_not()
else: # signed integer dtypes
# We can't use `Tensor.bitwise_not` here, since we want to retain the leading zero bit that encodes the sign
return image.bitwise_xor((1 << _num_value_bits(image.dtype)) - 1)
_invert_image_pil = _register_kernel_internal(invert, PIL.Image.Image)(_FP.invert)
@_register_kernel_internal(invert, tv_tensors.Video)
def invert_video(video: torch.Tensor) -> torch.Tensor:
return invert_image(video)
def permute_channels(inpt: torch.Tensor, permutation: List[int]) -> torch.Tensor:
"""Permute the channels of the input according to the given permutation.
This function supports plain :class:`~torch.Tensor`'s, :class:`PIL.Image.Image`'s, and
:class:`torchvision.tv_tensors.Image` and :class:`torchvision.tv_tensors.Video`.
Example:
>>> rgb_image = torch.rand(3, 256, 256)
>>> bgr_image = F.permute_channels(rgb_image, permutation=[2, 1, 0])
Args:
permutation (List[int]): Valid permutation of the input channel indices. The index of the element determines the
channel index in the input and the value determines the channel index in the output. For example,
``permutation=[2, 0 , 1]``
- takes ``npt[..., 0, :, :]`` and puts it at ``output[..., 2, :, :]``,
- takes ``npt[..., 1, :, :]`` and puts it at ``output[..., 0, :, :]``, and
- takes ``npt[..., 2, :, :]`` and puts it at ``output[..., 1, :, :]``.
Raises:
ValueError: If ``len(permutation)`` doesn't match the number of channels in the input.
"""
if torch.jit.is_scripting():
return permute_channels_image(inpt, permutation=permutation)
_log_api_usage_once(permute_channels)
kernel = _get_kernel(permute_channels, type(inpt))
return kernel(inpt, permutation=permutation)
@_register_kernel_internal(permute_channels, torch.Tensor)
@_register_kernel_internal(permute_channels, tv_tensors.Image)
def permute_channels_image(image: torch.Tensor, permutation: List[int]) -> torch.Tensor:
shape = image.shape
num_channels, height, width = shape[-3:]
if len(permutation) != num_channels:
raise ValueError(
f"Length of permutation does not match number of channels: " f"{len(permutation)} != {num_channels}"
)
if image.numel() == 0:
return image
image = image.reshape(-1, num_channels, height, width)
image = image[:, permutation, :, :]
return image.reshape(shape)
@_register_kernel_internal(permute_channels, PIL.Image.Image)
def _permute_channels_image_pil(image: PIL.Image.Image, permutation: List[int]) -> PIL.Image.Image:
return to_pil_image(permute_channels_image(pil_to_tensor(image), permutation=permutation))
@_register_kernel_internal(permute_channels, tv_tensors.Video)
def permute_channels_video(video: torch.Tensor, permutation: List[int]) -> torch.Tensor:
return permute_channels_image(video, permutation=permutation)
``` |
The men's high jump was a track & field athletics event at the 1900 Summer Olympics in Paris. It was held on July 15, 1900. Eight athletes from seven nations competed in the high jump. The event was won by Irving Baxter of the United States, the nation's second consecutive victory in the men's high jump. Great Britain (Patrick Leahy's silver) and Hungary (Lajos Gönczy's bronze) each took medals in their first appearance in the event.
Background
This was the second appearance of the event, which is one of 12 athletics events to have been held at every Summer Olympics. None of the jumpers from 1896 returned. Irving Baxter of the United States was the 1900 AAA champion, while Patrick Leahy of Great Britain had won in 1898 and 1899.
France, Great Britain, Hungary, and Norway each competed for the first time in the event. Germany, Sweden, and the United States all appeared for the second time.
Competition format
There was a single round of jumping. The bar started at 1.50 metres. When the victor was the only man left, he was able to choose the height.
Records
These were the standing world and Olympic records (in metres) prior to the 1900 Summer Olympics.
(*) unofficial
Irving Baxter improved the Olympic record twice. At first he jumped 1.85 metres and finally he also cleared 1.90 metres.
Schedule
The Sunday schedule prevented two Americans, William Remington and Walter Carroll, from competing.
Results
Baxter won easily, clearing 1.85 metres and 1.90 metres. With no one else close, he attempted to break the world record, 1.97 metres at the time. He failed all three times he attempted it, but still took the gold medal. Jump sequences are known only for Baxter's jumps at 1.85 metres and above.
References
Sources
International Olympic Committee.
De Wael, Herman. Herman's Full Olympians: "Athletics 1900". Accessed 18 March 2006. Available electronically at .
Men's jumping high
High jump at the Olympics |
```shell
Clear the terminal instantly
Random password generator
`else` statements using the `||` operator
Sequential execution using the `;` statement separator
Keep useful commands in your shell history with tags
``` |
Kafta Humera () is a woreda in Tigray Region, Ethiopia. Located in the Western Tigray of Tigray, Kafta Humera is bordered on the south by Tsegede, on the west by Sudan, by the Tekezé River which separates Kafta Humera from Eritrea on the north, on the east by the North Western zone, and on the southeast by Welkait. Towns in Kafta Humera include Adi Hirdi and Humera.
History
Prior to the Ethiopian Revolution, Kafta Humera was the site of a government program to provide land to landless peasants from Tigray and Eritrea. By the end of 1971, some 500 farmers occupied about 7,000 square kilometers, and a further 50,000 were employed as seasonal workers. Although the program was intended for landless citizens, much of the available land had been taken by absentee landlords from the aristocracy—one estimate is as high as 55% of all grants.
Kafta Humera, was selected by the Ministry of Agriculture and Rural Development in 2003 as an area for voluntary resettlement for farmers from overpopulated areas. Along with Tsegede woreda, the other woreda selected in Tigray that year, welcomed that year a total of 7334 heads of households and 618 total family members.
In August 2006, the Tekeze flooded Kafta Humera, displacing 450 households. However, subsequent visits by the UN Office for the Coordination of Humanitarian Affairs found no need for emergency services. In November of that year, a wild fire near the resettlement sites in Kafta Humera destroyed approximately 10 hectares of forest.
Demographics
Based on the 2007 national census conducted by the Central Statistical Agency of Ethiopia (CSA), this woreda has a total population of 92,167, an increase of 48,690 over the 1994 census, of whom 47,909 are men and 44,258 women. With an area of 4,542.33 square kilometers, Kafta Humera has a population density of 20.29, which is less than the Zone average of 28.94 persons per square kilometer; 30,234 or 32.80% are urban inhabitants. A total of 23,449 households were counted in this woreda, resulting in an average of 3.93 persons to a household, and 22,259 housing units. The majority of the inhabitants said they practiced Ethiopian Orthodox Christianity, with 95.16% reporting that as their religion, while 4.7% of the population were Muslim.
The 1994 national census reported a total population for this woreda of 48,690 of whom 25,456 were men and 23,234 were women; 16,442 or 33.77% of its population were urban dwellers. The largest ethnic groups reported in Kafta Humera were the Tigrayans (86.26%), the Amharas (7.76%), and foreign residents from Eritrea (2.96%); all other ethnic groups made up 3.02% of the population. Tigrinya is spoken as a first language by 89.36%, and 7.74% speak Amharic; the remaining 2.9% spoke all other primary languages reported. 92.69% of the population said they were Ethiopian Orthodox Christianity, and 6.35% were Muslim. Concerning education, 19.28% of the population were considered literate, which is greater than the Zone average of 9.01%; 25.37% of children aged 7–12 were in primary school, which is greater than the Zone average of 11.34%; 1.89% of the children aged 13–14 were in junior secondary school, which is also greater than the Zone average of 0.65%; and 0.41% of children aged 15–18 were in senior secondary school, which is less than the Zone average of 0.51%. Concerning sanitary conditions, about 91% of the urban houses and 58% of all houses had access to safe drinking water at the time of the census; about 22% of the urban and 9% of all houses had toilet facilities.
Agriculture
A sample enumeration performed by the CSA in 2001 interviewed 11,606 farmers in this woreda, who held an average of 1.89 hectares of land. Of the 21,950 hectares of private land surveyed in Kafta Humera, 93.19% was under cultivation, 0.03% pasture, 4.85% fallow, 0.73% woodland, and 1.19% was devoted to other uses. For the land under cultivation in this woreda, 31.24% is planted in cereals, 0.94% in pulses, 60.87% in oilseeds, and 0.03% in vegetables. The number of hectares planted in fruit trees is missing. 68.8% of the farmers both raise crops and livestock, while 27.97% only grow crops and 3.23% only raise livestock. Land tenure in this woreda is distributed amongst 74.74% owning their land, 25.09% renting, and those holding their land under other forms of tenure 0.17%.
The economy of this woreda is centered on the production of sesame, which by 1996 replaced cotton as the primary cash crop. Sesame is a high-value edible oil that is exported to Israel, Turkey, the Middle East, Japan and China. Over 400 large-scale investors cultivate an average 600 hectares of sesame, while local farmers cultivate up to 12 hectares each. Investors cultivate 58% of the 186,000 hectares of cultivable land, and local farmers the remaining 42%. Sesame production is labor-intensive, especially during the weeding and harvesting period, attracting an average of 200,000 workers from the rest of the Tigray Region, northern Amhara, and Sudan each year. Another important crop in Kafta Humera is sorghum, which both investment and local farmers cultivate as both a cash and a food crop.
2020 woreda reorganisation
In 2020, woreda Kafta Humera became inoperative and its territory belongs to the following new woredas:
Kafta Humera(new, smaller, woreda)
May Kadra woreda
Setit Humera woreda
Humera town
Notes
Districts of Tigray Region |
```python
# -*- coding: utf-8 -*-
#
#
# path_to_url
#
# Unless required by applicable law or agreed to in writing, software
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
import datetime
ZERO = datetime.timedelta(0)
class UTC(datetime.tzinfo):
def utcoffset(self, dt):
return ZERO
def tzname(self, dt):
return "UTC"
def dst(self, dt):
return ZERO
utc = UTC()
def timestamp_now():
utc_now = datetime.datetime.now(utc)
return utc_now.strftime('%Y-%m-%dT%H:%M:%SZ')
# e.g. 2015-05-19T20:32:12Z
``` |
This is a list of notable alumni of Harvard Law School.
Law and politics
United States government
Executive branch
U.S. presidents
Rutherford B. Hayes, 19th President of the United States
Barack Obama, 44th President of the United States
U.S. attorneys general
Francis Biddle
Charles Joseph Bonaparte, also United States Secretary of the Navy and founder of the precursor to the FBI
William M. Evarts, also Secretary of State and a Senator from New York
Merrick Garland, also former Chief Judge, United States Court of Appeals for the District of Columbia Circuit
Alberto Gonzales
Ebenezer R. Hoar
Loretta Lynch
Richard Kleindienst
Richard Olney, later also Secretary of State
Janet Reno
Elliot Richardson
William French Smith
Other cabinet and cabinet-level officials
Spencer Abraham, Secretary of Energy, Senator from Michigan
Elliott Abrams, Deputy National Security Advisor
Dean Acheson, Secretary of State; instrumental in the creation of Lend-Lease, the Marshall Plan, NATO, the International Monetary Fund and the World Bank, together with the precursors of the European Union and the World Trade Organization, and influential in the decision to enter the Korean War
Alexander Acosta, Secretary of Labor
Brock Adams, Secretary of Transportation, Senator and Representative from Washington
Charles Francis Adams III, Secretary of the Navy
Bruce Babbitt, Secretary of the Interior, Governor of Arizona
William Bennett, Secretary of Education, "Drug Czar," and conservative political pundit
Sandy Berger, National Security Advisor
Charles Joseph Bonaparte, Secretary of the Navy, United States Attorney General, founded the precursor to the Federal Bureau of Investigation
Joseph Califano, Secretary of Health, Education, and Welfare
John Chafee, Secretary of the Navy, Governor of Rhode Island, Senator from Rhode Island
Michael Chertoff, Secretary of Homeland Security
William Thaddeus Coleman Jr., Secretary of Transportation
John Thomas Connor, Secretary of Commerce
Elizabeth Dole, Secretary of Labor, Secretary of Transportation, Senator from North Carolina
James Freis, global fraud expert and former Director of the Financial Crimes Enforcement Network (FinCEN)
Robert Todd Lincoln, Secretary of War, Ambassador to the United Kingdom
Ray Mabus, Secretary of the Navy
Ogden L. Mills, United States Secretary of the Treasury
Mike Pompeo, Secretary of State (2018-2021), Director of the Central Intelligence Agency (2017–2018)
Samantha Power, U.S. Permanent Representative to the United Nations
William Ruckelshaus, Administrator of the Environmental Protection Agency (1970–73; 1983–85)
Henry L. Stimson, Secretary of State, Secretary of War, Governor General of the Philippines
Caspar Weinberger, Secretary of Defense (1981–1987)
Willard Wirtz, Secretary of Labor (1962–1969)
Robert Zoellick, Deputy Secretary of State, United States Trade Representative, President of the World Bank
Ron Klain, White House Chief of Staff (2021-); Chief of Staff to Vice President Joe Biden, (2008–11)
Legislative branch (U.S. Congress)
Senators
Spencer Abraham, Senator from Michigan (1995–2001), United States Secretary of Energy(2001–05)
Brock Adams, Senator (1987–1993) and Representative (1965–1977) from Washington, United States Secretary of Transportation, (1977–79)
Ralph Owen Brewster, Senator from Maine (1941–1952), Governor of Maine(1925–1929)
John Chafee, Senator from Rhode Island (1976–1999), Governor of Rhode Island (1963–69), Secretary of the Navy (1969–72)
Tom Cotton, Arkansas Senator, (2015–present) and Representative (2013–2015)
Mike Crapo, Senator (1999–present) and Representative (1993–1999) from Idaho
Ted Cruz, Senator (2013–present) from Texas
Elizabeth Dole, Senator from North Carolina (2003–2009), Secretary of Labor (1989–1990), Secretary of Transportation (1983–1987)
Thomas Eagleton, Senator from Missouri (1968–1987), Democratic Vice-Presidential nominee (1972)
Sam Ervin, Senator from North Carolina (1954–1974)
Russ Feingold, Senator from Wisconsin (1993–2011)
George G. Fogg, Senator from New Hampshire (1866–1867)
Hiram Leong Fong, Senator from Hawaii (1959–1977)
David H. Gambrell, Senator from Georgia (1971–1972)
Frederick H. Gillett, U.S. Senator (1925–1931) and U.S. Representative (1893–1925) from Massachusetts, Speaker of the House (1919–1925)
Bob Graham, Senator from Florida (1987–2005), Governor of Florida (1979–87)
George Frisbie Hoar, Senator from Massachusetts (1877–1904)
Jim Jeffords, Senator from Vermont (1989–2007)
Tim Kaine, Senator from Virginia (2013–present) Governor of Virginia (2006–2010), Democratic Vice-Presidential nominee (2016).
Kenneth Keating, Senator (1959–1965) and Representative (1953–1959) from New York
Carl Levin, Senator from Michigan (1979–2015)
Henry Cabot Lodge, Senator (1893–1924) and Representative (1887–1893) from Massachusetts
Spark Matsunaga, Senator (1977–1990) and Representative (1971–1977) from Hawaii
Claude Pepper, Senator (1936–1951) and Representative (1963–1989) from Florida
Larry Pressler, Senator from South Dakota (1979–1997)
Jack Reed, Senator from Rhode Island (1997–present)
Mitt Romney, Senator from Utah (2019–present) Governor of Massachusetts (2003-2007)
William Roth, Senator (1971–2001) and Representative (1967–1970) from Delaware
Leverett Saltonstall, Senator from Massachusetts (1945–1967), Governor of Massachusetts (1939–45)
Paul Sarbanes, Senator (1977–2007) and Representative (1971–1977) from Maryland
Charles Schumer, Senator (1999–present) and Representative (1981–99) from New York
Ted Stevens, Senator from Alaska (1968–2009)
Adlai Stevenson III, Senator from Illinois (1970–1981)
Charles Sumner, Senator from Massachusetts (1851–1874)
Robert A. Taft, Senator from Ohio, (1939–1953)
Robert Taft Jr., (L.L.B. 1942) Senator (1971–1976) and Representative (1967–71) from Ohio
Mark Warner, U.S. Senator from Virginia (2009–present), and Governor of Virginia, (2002–2006)
Representatives
Richard S. Aldrich, Rhode Island (1923–33)
Tom Allen, Maine (1997–2009)
John Anderson, Illinois (1961–1981) and independent candidate in the 1980 Presidential election
John Barrow, Georgia (2005–2015)
Anthony Brown, Maryland (2017–present) and Lieutenant Governor of Maryland (2009–2016)
Anson Burlingame, Massachusetts (1855–1861)
Tom Campbell, California (1989–1993, 1995–2001) and dean of the Haas School of Business
Joaquin Castro, Texas (2013–present)
Patrick A. Collins, Massachusetts (1883–1889), Mayor of Boston, Massachusetts (1902–1905)
Jim Cooper, Tennessee (1983–present)
Christopher Cox, California (1989–2005), Chairman of the Securities and Exchange Commission (2005–2009)
William C. Cramer, Florida (1955–1971)
Artur Davis, Alabama (2003–2011)
William Thomas Ellis, Kentucky (1889–1895)
George Eustis, Louisiana (1855–1859)
Daniel J. Flood, Pennsylvania (1945–1947, 1949–1953, 1955–1980)
Barney Frank, Massachusetts (1981–2012)
Alan Grayson, Florida (2009–2017)
Josh Gottheimer, New Jersey (2017–present)
Jane Harman, California(1993–1999; 2001–2011)
Bill Jefferson, Louisiana (1991–2009)
Joseph P. Kennedy III, Massachusetts (2013–2021)
Sander Levin, Michigan (1983–2019)
Walter I. McCoy, New Jersey (1911–1914)
Tom Petri, Wisconsin (1979–2015)
John Sarbanes, Maryland (2007–present)
Adam Schiff, California (2001–present)
Pat Schroeder, Colorado (1973–1997) (first woman elected to position)
Terri Sewell, Alabama (2011–present)
Brad Sherman, California (1997–present)
William H. Sowden, Pennsylvania (1885–1889)
Juan Vargas, California (2013–present)
Laurence Hawley Watres, Pennsylvania (1923–1931)
Judicial branch
Supreme Court justices
Harry Blackmun
Louis Brandeis
William Brennan
Stephen Breyer
Harold Hitz Burton
Benjamin Curtis
Felix Frankfurter
Horace Gray
Oliver Wendell Holmes Jr.
Ketanji Brown Jackson (sitting)
Elena Kagan (sitting)
Anthony Kennedy
Lewis Powell
John Roberts (Chief Justice, sitting)
Edward T. Sanford
Antonin Scalia
David Souter
Neil Gorsuch (sitting)
Federal Court judges
R. Lanier Anderson III, Circuit Judge, United States Court of Appeals for the Eleventh Circuit
Christine Arguello, (1980) District Judge, United States District Court for the District of Colorado
Morris S. Arnold, Senior Circuit Judge, Eighth Circuit Court of Appeals based in Little Rock
Richard S. Arnold, Circuit Judge, Eighth Circuit Court of Appeals, federal courthouse in Little Rock bears his name
David J. Barron (J.D. 1994), Circuit Judge, United States Court of Appeals for the First Circuit
John R. Bartels, United States District Court for the Eastern District of New York
Deborah Batts, former District Judge, United States District Court for the Southern District of New York
Cathy Bissoon, (J.D. 1993) District Judge, United States District Court for the Western District of Pennsylvania
Victor Allen Bolden (J.D. 1989), District Judge, United States District Court for the District of Connecticut
Michael Boudin, (LL.B. 1964) Senior Judge, United States Court of Appeals for the First Circuit
Andrew L. Brasher (J.D. 2006), Circuit Judge, United States Court of Appeals for the Eleventh Circuit
Vernon S. Broderick (J.D. 1988), District Judge, United States District Court for the Southern District of New York
Patrick J. Bumatay (J.D. 2006), Circuit Judge, United States Court of Appeals for the Ninth Circuit
John K. Bush (J.D. 1989), Circuit Judge, United States Court of Appeals for the Sixth Circuit
Edward Earl Carnes (J.D. 1975) Circuit Judge, United States Court of Appeals for the Eleventh Circuit
Susan L. Carney, (J.D. 1977), Circuit Judge, United States Court of Appeals for the Second Circuit
Andrew L. Carter Jr. (J.D. 1994), District Judge, United States District Court for the Southern District of New York
Denise J. Casper (J.D. 1994), District Judge, United States District Court for the District of Massachusetts
Herbert Young Cho Choy (J.D. 1941), Circuit Judge, United States Court of Appeals for the Ninth Circuit
Theodore D. Chuang (J.D. 1994), District Judge, United States District Court for the District of Maryland
Geoffrey W. Crawford (J.D. 1980), Chief Judge, United States District Court for the District of Vermont
Tiffany P. Cunningham (J.D. 2001), Circuit Judge, United States Court of Appeals for the Federal Circuit
Paul A. Engelmayer (J.D. 1987), District Judge, United States District Court for the Southern District of New York
Katherine Polk Failla (J.D. 1993), District Judge, United States District Court for the Southern District of New York
Beth Labson Freeman (J.D. 1979), District Judge, United States District Court for the Northern District of California
Henry Friendly, (LL.B. 1927), Circuit Judge, United States Court of Appeals for the Second Circuit, 1959–1974; senior circuit judge, 1974–1976
John P. Fullam, (LL.B. 1948), former District Judge, United States District Court for the Eastern District of Pennsylvania
Marvin J. Garbis (J.D. 1961), District Judge, United States District Court for the District of Maryland
James Knoll Gardner (J.D. 1965), District Judge, United States District Court for the Eastern District of Pennsylvania
Mark A. Goldsmith (J.D. 1977), District Judge, United States District Court for the Eastern District of Michigan
Andrew Patrick Gordon (J.D. 1987), District Judge, United States District Court for the District of Nevada
Myron L. Gordon, late District Judge, United States District Court for the Eastern District of Wisconsin
Joseph A. Greenaway, (J.D. 1981), Circuit Judge, United States Court of Appeals for the Third Circuit
Learned Hand, (LL.B. 1896) Circuit Judge, United States Court of Appeals for the Second Circuit
George C. Hanks Jr. (J.D. 1989), District Judge, United States District Court for the Southern District of Texas
Harris Hartz, (J.D. 1972), Circuit Judge, United States Court of Appeals for the Tenth Circuit
Amy Berman Jackson (J.D. 1979), District Judge, United States District Court for the District of Columbia
R. Brooke Jackson (J.D. 1972), District Judge, United States District Court for the District of Colorado
Michael J. Juneau (J.D. 1987), District Judge, United States District Court for the Western District of Louisiana
Gregory G. Katsas (J.D. 1989), Circuit Judge, United States Court of Appeals for the District of Columbia Circuit
William J. Kayatta Jr. (J.D. 1979), Circuit Judge, United States Court of Appeals for the First Circuit
Jane L. Kelly (J.D. 1991), Circuit Judge, United States Court of Appeals for the Eighth Circuit
Matthew Kennelly, (J.D. 1981), District Judge, United States District Court for the Northern District of Illinois
Whitman Knapp, (LL.B. 1934, District Judge, United States District Court for the Southern District of New York. Investigated corruption in the NYPD
Jonathan A. Kobes (J.D. 2000), Circuit Judge, United States Court of Appeals for the Eighth Circuit
Lucy Koh (J.D. 1993), District Judge, United States District Court for the Northern District of California
William Francis Kuntz (J.D. 1979), District Judge, United States District Court for the Eastern District of New York
Dominic W. Lanza (J.D. 2002), District Judge, United States District Court for the District of Arizona
John Z. Lee (J.D. 1992), District Judge, United States District Court for the Northern District of Illinois
Kenneth K. Lee (J.D. 2000), Circuit Judge, United States Court of Appeals for the Ninth Circuit
Matthew Frederick Leitman (J.D. 1993), District Judge, United States District Court for the Eastern District of Michigan
Pierre Leval (J.D. 1963) Senior Judge, United States Court of Appeals for the Second Circuit
Gregory E. Maggs (J.D. 1988), Judge, United States Court of Appeals for the Armed Forces
D. Price Marshall Jr. (J.D. 1989), Chief Judge, United States District Court for the Eastern District of Arkansas
Patricia Millett (J.D. 1988), Circuit Judge, United States Court of Appeals for the District of Columbia Circuit
Kevin Newsom (J.D. 1997), Circuit Judge, United States Court of Appeals for the Eleventh Circuit
John T. Noonan Jr. (LL.B. 1954), Senior Judge, United States Court of Appeals for the Ninth Circuit
Diarmuid O'Scannlain (J.D. 1963), Senior Judge, United States Court of Appeals for the Ninth Circuit
Andy Oldham (J.D. 2005), Circuit Judge, United States Court of Appeals for the Fifth Circuit
Cornelia Pillard (J.D. 1987), Circuit Judge, United States Court of Appeals for the District of Columbia Circuit
Richard A. Posner (LL.B. 1962), Circuit Judge, United States Court of Appeals for the Seventh Circuit
Jed S. Rakoff (J.D. 1969), Senior Judge, United States District Court for the Southern District of New York
Edgardo Ramos (J.D. 1987), District Judge, United States District Court for the Southern District of New York
Thomas Morrow Reavley (J.D.1948), Senior Circuit Judge, United States Court of Appeals for the Fifth Circuit
Lee Rudofsky (J.D. 2005), District Judge, United States District Court for the Eastern District of Arkansas
Bruce Marshall Selya (LL.B. 1958), Senior Judge, United States Court of Appeals for the First Circuit
Laurence Silberman (J.D. 1961), Senior Judge, United States Court of Appeals for the District of Columbia Circuit
Michael H. Simon (J.D. 1981), District Judge, United States District Court for the District of Oregon
James R. Spencer (J.D 1974), Senior Judge, United States District Court for the Eastern District of Virginia
Josephine Staton (J.D. 1986), District Judge, United States District Court for the Central District of California
A. Wallace Tashima (LL.B. 1961), third Asian American to be appointed to the United States Court of Appeals
Amy Totenberg (J.D. 1977), District Judge, United States District Court for the Northern District of Georgia
Lawrence VanDyke (J.D. 2005), Circuit Judge, United States Court of Appeals for the Ninth Circuit
Lawrence J. Vilardo (J.D. 1980), District Judge, United States District Court for the Western District of New York
Justin R. Walker (J.D. 2009), District Judge, United States District Court for the Western District of Kentucky
Derrick Watson (J.D. 1991), District Judge, United States District Court for the District of Hawaii
Robert L. Wilkins (J.D. 1989), Circuit Judge, United States Court of Appeals for the District of Columbia Circuit
Mark L. Wolf (J.D. 1971), Senior Judge, United States District Court for the District of Massachusetts
Joshua Wolson (J.D. 1999), District Judge, United States District Court for the Eastern District of Pennsylvania
Kimba Wood (J.D. 1969), Senior Judge, United States District Court for the Southern District of New York
Wilhelmina Wright (J.D. 1989), District Judge, United States District Court for the District of Minnesota
State government
Governors
Ron DeSantis, Governor of Florida, Former Member of the United States House of Representatives(JD,2005)
Bruce Babbitt, Governor of Arizona, United States Secretary of the Interior
Percival Proctor Baxter (1901), Governor of Maine (1921–1925)
Owen Brewster, Governor of Maine, Senator from Maine
John Chafee, Governor of Rhode Island, Senator from Rhode Island, Secretary of the Navy
Jim Doyle, Governor of Wisconsin
Michael Dukakis, Governor of Massachusetts; Democratic presidential nominee (1988)
Pierre S. du Pont, IV, Governor of Delaware; US Representative from Delaware
Joseph B. Ely, Governor of Massachusetts (1931–1935)
Bob Graham, Governor of Florida, Senator from Florida
Jennifer Granholm, Governor of Michigan
Deval Patrick, Governor of Massachusetts
Sylvester Pennoyer, Governor of Oregon
Robert E. Quinn, Governor of Rhode Island and Judge for the Rhode Island Superior Court
Leverett Saltonstall, Governor of Massachusetts, Senator from Massachusetts
Eliot Spitzer, Governor of New York
Bruce Sundlun, Governor of Rhode Island
Aníbal Acevedo Vilá, Governor of the Commonwealth of Puerto Rico
William Weld, Governor of Massachusetts
State politicians
Michael G. Adams, Secretary of State of Kentucky
John O. Bailey, State Senator and Representative in Oregon, Chief Justice of the Oregon Supreme Court
F. Elliott Barber Jr., Vermont Attorney General
Brent Barton, State Representative of Oregon
Mike Beltran, Florida State Representative; litigator
Daniel Bigelow, served in first legislature of Washington Territory, 1854
Wendy Davis, Texas State Senator and 2014 Democratic Gubernatorial nominee
Jesse Gabriel, State Assemblyman of California
Raj Goyle, State Representative of Kansas
Craig Greenberg (born 1973), businessman, lawyer, and politician; Mayor-elect of Louisville
Harold Groves, State Senator and Assemblyman of Wisconsin
George Howe, State's Attorney of Windham County, United States Attorney for the District of Vermont, member of the Vermont Senate
Brad Hoylman-Sigal, State Senator of New York
Sheila Kuehl, first openly gay member of the California legislature; child actress
Patrick D. McGee (1916–70), California State Assembly and Los Angeles City Council member in the mid–20th Century
Jonathan Miller, State Treasurer of Kentucky, democratic candidate for Governor of Kentucky, 2007
James M. Ogden, Indiana Attorney General
Steve Pajcic, State Representative of Florida, democratic candidate for Governor of Florida, 1986
Alvin C. Reis, State Senator and Assemblyman of Wisconsin
Lycurgus J. Rusk, State Assemblyman of Wisconsin
Eric Schneiderman, New York Attorney General
Ilana Rubel, State Representative of Idaho
Scott Wiener, State Senator of California
State judges
John F. Aiso (LL.B. 1934), Associate Justice of the California Court of Appeal. First Japanese American Judge in the US.
John O. Bailey, Chief Justice of the Oregon Supreme Court, state Senator and Representative in Oregon
Norman L. Bassett, Associate Justice of the Maine Supreme Court
Samuel H. Blackmer (LL.B., 1927), Associate Justice of the Vermont Supreme Court
Andre G. Bouchard, former Managing Partner Bouchard, Margules, & Friedlander, Chancellor of the Delaware Court of Chancery
Amos Noyes Blandin Jr. (LL.B., 1921), Justice of the New Hampshire Supreme Court
James T. Brand, Chief Justice of the Oregon Supreme Court
Bruce Bromley, Associate Judge of the New York Court of Appeals, partner at Cravath, Swaine & Moore
Raoul G. Cantero III, Associate Justice of the Florida Supreme Court
Chester C. Cole, Chief Justice of the Iowa Supreme Court, founder of the University of Iowa College of Law, founder of Drake University Law School
Federico Hernández Denton, Chief Justice of the Puerto Rico Supreme Court
James Emmert (1923), Justice of the Indiana Supreme Court and Indiana Attorney General.
Jennifer Walker Elrod (J.D. 1992), Texas state district judge
Patrick F. Fischer, Justice of the Supreme Court of Ohio
Paul C. Gartzke, Presiding Judge of the Wisconsin Court of Appeals
W. Michael Gillette, Oregon Supreme Court justice
Ernest W. Gibson III (LL.B. 1956), Associate Justice of the Vermont Supreme Court
Benjamin N. Hulburd (LL.B. 1928), Chief Justice of the Vermont Supreme Court
Masaji Marumoto (1906-1995), Associate Justice of the Hawaii Supreme Court
Sherman R. Moulton, Chief Justice of the Vermont Supreme Court
Mary Mullarkey, Chief Justice of the Colorado Supreme Court
John S. Murdock (1899), Justice of the Rhode Island Supreme Court from 1929 to 1935.
Stuart Rabner, Chief Justice of the New Jersey Supreme Court
Gerald Schroeder, Chief Justice of the Idaho Supreme Court
Nathaniel Tompkins, Associate Justice of the Maine Supreme Judicial Court
City government
Isaac Adler, Mayor of Rochester, New York
David Chiu (J.D.), City Attorney of San Francisco
Robert A. Dressler (J.D. 1973), Mayor of Fort Lauderdale, Florida (1982–1986)
Jorge Elorza (J.D.), Mayor of Providence, Rhode Island (2015–present)
Karen Freeman-Wilson, Mayor of Gary, Indiana (2012–2019)
Sam Liccardo (J.D. 1996), Mayor of the City of San Jose, California (2015–present)
James Marshall Head, Mayor of Nashville, Tennessee (1900–1904)
Randal William McGavock, Mayor of Nashville, Tennessee (1858–1859) and Confederate Lt. Col.
Neville Miller (LL.B. 1920), Mayor of Louisville, Kentucky (1933–1937)
Adrian Perkins, Mayor of Shreveport, Louisiana (2018–present)
Joel Wachs, Los Angeles City Council member (1970–2001), president of the Andy Warhol Foundation for the Visual Arts
Anthony A. Williams (J.D.), Mayor of Washington, D.C. (1999–2007)
U.S. diplomatic figures
Norman Armour, career diplomat, chief of mission in eight countries, Assistant Secretary of State
Richard L. Baltimore, United States Ambassador to Oman (2002–2006)
Joseph Hodges Choate, United States Ambassador to the United Kingdom (1848–1852)
Norman L. Eisen (J.D. 1991), United States Ambassador to the Czech Republic
Nicholas Fish II, held various diplomatic posts across Europe
Charles W. Freeman Jr., United States Ambassador to Saudi Arabia (1989–1992)
Evan G. Galbraith, United States Ambassador to France (1981–1985)
Rita Hauser, United States Ambassador to the United Nations Commission on Human Rights (1969–1972)
Philip Lader, United States Ambassador to the United Kingdom, White House Deputy Chief of Staff, Administrator of the Small Business Administration
Robert Todd Lincoln, United States Ambassador to the United Kingdom, United States Secretary of War
Jamie Metzl (J.D.), holder of various diplomatic and human rights positions
Crystal Nix-Hines, attorney; television writer and producer; U.S. Permanent Representative to the United Nations
William Phillips, twice an Undersecretary in the State Department
Samantha Power, U.S. Ambassador to the United Nations
Andrew H. Schapiro, former United States Ambassador to the Czech Republic; partner of Quinn Emanuel Urquhart & Sullivan
Todd Stern, Special Envoy for Climate Change
Sheldon Vance, United States Ambassador to the Democratic Republic of the Congo and Chad
Robert Zoellick, Deputy Secretary of State, US Trade Representative, President of the World Bank
Other U.S. political figures
Paul V. Applegarth, first CEO of the Millennium Challenge Corporation
John B. Bellinger III, Legal Adviser of the Department of State
Richard C. Breeden, Chairman of the Securities and Exchange Commission
Charles Burson, chief of staff to Vice President Al Gore and Tennessee Attorney General
Pedro Albizu Campos, leader of the Puerto Rico independence movement and the Puerto Rican Nationalist Party
Calvin G. Child (1858), United States Attorney for the District of Connecticut, and a city judge in Norwich, Connecticut
Lawrence Clayton (LL.B. 1916), Federal Reserve Board of Governors (1934–1949)
Paul Clement, Solicitor General of the United States
Archibald Cox, Solicitor General of the United States and special prosecutor during the Watergate scandal
Raj Date, Special Advisor for the Consumer Financial Protection Bureau (2011–2012)
A. J. Delgado, senior advisor to the 2016 Donald Trump presidential campaign and member of the Trump transition team
Viet D. Dinh, Assistant Attorney General of the United States
Glenn A. Fine (J.D. 1985), Inspector General of the Justice Department (2000–present)
Patrick Fitzgerald, U.S. Attorney for the Northern District of Illinois, prosecutor of many notable corruption trials
David Frum, author and speechwriter for President George W. Bush
Ray Garrett Jr., Chairman of the Securities and Exchange Commission
Julius Genachowski, Chairman of the Federal Communications Commission
David Gergen, political consultant and presidential advisor
David Ginsburg, presidential adviser and executive director of the Kerner Commission
Josh Gottheimer, speechwriter for Bill Clinton, strategist, candidate for the United States House of Representatives
Erwin Griswold, Solicitor General of the United States and Dean of Harvard Law School
Conrad K. Harper, Legal Adviser of the Department of State and president of the New York City Bar Association
Denison Kitchel (LL.B. 1933), national campaign manager for Barry M. Goldwater in 1964
Jerome Kurtz (1955), Commissioner of the Internal Revenue Service (1977–1980)
Michael Leiter, Director of the National Counterterrorism Center
David Lilienthal, head of the Tennessee Valley Authority
Karen L. Loeffler, United States Attorney for the District of Alaska
Ronald Machen, United States Attorney for the District of Columbia
Kent Markus, advisor to Ohio Gov. Ted Strickland and former nominee to the U.S. Court of Appeals for the Sixth Circuit
Kevin J. Martin, Chairman of the Federal Communications Commission
Fernando Martín García, Puerto Rican politician and former member of the Senate of Puerto Rico
Timothy Massad, Chairman of the Commodity Futures Trading Commission
John J. McCloy, assistant Secretary of War, administered US occupation of Germany, president of the World Bank
Wade H. McCree, Solicitor General of the United States
Joseph A. McNamara, U.S. Attorney for Vermont
Ken Mehlman, chairman of the Republican National Committee; campaign manager for George W. Bush's second presidential run
Ralph Nader, Green Party presidential candidate (1996, 2000, 2004); consumer advocate
Michelle Obama, First Lady of the United States
Matthew G. Olsen, Director of the National Counterterrorism Center
David Peyman, Deputy Assistant Secretary of State for Counter Threat Finance and Sanctions (2018– )
Loulan Pitre Jr., New Orleans lawyer and former member of the Louisiana House of Representatives for Lafourche Parish, Louisiana
Franklin Raines, Director of the United States Office of Management and Budget
Edith Ramirez, Chairwoman of the Federal Trade Commission
Joseph Sandler, longest serving General Counsel of the Democratic National Committee (1993–2009)
Bob Shrum, political consultant
William Howard Taft IV, Legal Adviser of the Department of State
Elisse B. Walter, Chairperson of the Securities and Exchange Commission
Harold M. Williams, Chairman of the Securities and Exchange Commission and first president of the J. Paul Getty Trust
Lee S. Wolosky, former White House counterterrorism official
Juan Zarate, Deputy National Security Advisor
Non-United States government
Non-United States political figures
Canada
Michael Bryant, (LL.M., magna cum laude, 1994) Attorney General of Ontario
Loring Christie, Envoy Extraordinary and Minister Plenipotentiary to the United States (1939–1941)
Francis Fox, Canadian cabinet minister and Principal Secretary
Joseph Ghiz, Premier of Prince Edward Island, Canada
Robert Stanfield, Premier of Nova Scotia, Canada
Nigel S. Wright, Chief of Staff of the Office of the Prime Minister
India
Shankar Dayal Sharma, former President of India
Kapil Sibal (LLM, 1977), held various ministerial posts (2004–2014), Member of Parliament (Rajya Sabha for Uttar Pradesh 2016–present); former Additional Solicitor General of India (1989–1990); three-time President of the Supreme Court Bar Association (1995–96, 1997–98 and 2001–2002)
Taiwan
Annette Lu (LL.M.), former Vice President of the Republic of China
Ma Ying-jeou (S.J.D.), President of the Republic of China, Chairman of the Kuomintang, former Mayor of Taipei
United Kingdom
Greville Janner, Baron Janner of Braunstone, British Labour Party politician
David Lammy (LLM), UK Minister of State for Higher Education, former Minister of Culture, MP for Tottenham
Anthony Lester, Baron Lester of Herne Hill, Liberal Democrat member of the British House of Lords
Other countries
Ben Bot, former Minister of Foreign Affairs of the Netherlands
Juan Ponce Enrile (LL.M.), Senator at the Senate of the Philippines
Daniel Friedmann, Israeli Minister of Justice
José García-Margallo, former Minister of Foreign Affairs and Cooperation of Spain
Lindsay Grant, former Leader of the People's Action Movement of Saint Kitts and Nevis
Ho Peng Kee (LL.M. 1981), former Member of Parliament and Senior Minister of State in the Ministry of Law and the Ministry of Home Affairs in Singapore
Daniel Lipšic, Interior Minister of Slovakia, former Minister of Justice
Fientje Moerman, Belgian, and later Flemish, Minister of Economy, Enterprises, Innovation, Science and Foreign Trade
Khalid Jawed Khan, Attorney General of Pakistan
Kiraitu Murungi, Kenyan Minister of Justice and Constitutional Affairs and Energy
Luis María Ramírez Boettner, former Minister of Foreign Affairs of Paraguay
Mary Robinson, former President of the Republic of Ireland and UN High Commissioner for Human Rights
Nawaf Salam, Lebanon's Permanent Representative to the United Nations
Jovito Salonga (LL.M.), Philippine senator
Lobsang Sangay, Sikyong Tibetan Government in Exile
Surakiart Sathirathai, Deputy Prime Minister of Thailand
Gilbert Teodoro (LL.M.), Incumbent Secretary of the Department of National Defense of the Philippines and former Congressman
Ahmed Zaki Yamani, Saudi Arabian Oil Minister and OPEC official
Sonny Angara (LL.M.), Senator at the Senate of the Philippines
Roberto Dañino (LL.M.), Prime Minister of Peru (2001-2002) and Ambassador of Peru to the United States (2002-2003)
Non-United States judicial figures
International court judges
Georges Abi-Saab, Egyptian jurist who served on the Appeals Chamber of the International Criminal Tribunal for Yugoslavia and International Criminal Tribunal for Rwanda, as Chairman of the Appellate Body of the World Trade Organization, and as judge ad hoc at the International Court of Justice
Richard Reeve Baxter, United States judge appointed to the International Court of Justice
Thomas Buergenthal, United States judge appointed to the International Court of Justice and the Inter-American Court of Human Rights
Charles N. Brower, United States judge appointed to the Iran-US Claims Tribunal
O-Gon Kwon, South Korean judge who served as Vice President of the International Criminal Tribunal for the former Yugoslavia
Sir Robert Yewdall Jennings, British judge appointed to the International Court of Justice
Kenneth Keith, New Zealand judge appointed to the International Court of Justice
Koen Lenaerts (LL.M. 78), Belgian judge at the European Court of Justice
Theodor Meron, United States jurist serving as President of the International Residual Mechanism for Criminal Tribunals, former President of the International Criminal Tribunal for the former Yugoslavia
Raul Pangalangan, Filipino lawyer appointed to the International Criminal Court
Navi Pillay, South African judge appointed to the International Criminal Court and the International Criminal Tribunal for Rwanda
Nawaf Salam, Lebanese judge appointed to the International Court of Justice
Sang-Hyun Song, South Korean lawyer who served as President and judge of the Appeals Chamber of the International Criminal Court
Solomon Areda Waktolla (LL.M’14 and MPA’13) the United Nations General Assembly appointed Justice Waktolla to serve as a Judge of United Nations Dispute Tribunal (half time). He is also appointed to the membership of the permanent Court of Arbitration at Hague Netherlands.He was the Former Deputy Chief Justice of Ethiopia
National court judges
United Kingdom
Mary Arden, Lady Arden of Heswall. Former Justice of the Supreme Court of the United Kingdom
Nicholas Hamblen, Lord Hamblen of Kersey. Current Justice of the Supreme Court of the United Kingdom
Hong Kong
Andrew Cheung Kui-nung (LLM 1985), Permanent Judge of the Court of Final Appeal of Hong Kong (2018– ); former Chief Judge of the High Court of Hong Kong and President of the Court of Appeal of Hong Kong (2011–2018)
India
Rohinton Fali Nariman (LLM), Judge, Supreme Court of India; former Solicitor General of India; youngest Senior Advocate designated by the Supreme Court of India in the history of Republic of India
Dhananjaya Y. Chandrachud, 50th Chief Justice of India
Other countries
Albert Francis Judd (LL.B. 1864, LL.D. 1894), Chief Justice, Kingdom of Hawaii Supreme Court
Bora Laskin (LL.M. 1939) Puisne Justice of the Supreme Court of Canada (1970–1973), Chief Justice of Canada (1973–1984)
Gertrude Lübbe-Wolff (LL.M.), Second Senate, Federal Constitutional Court of Germany
Sandile Ngcobo (LL.M.), Chief Justice of South Africa
Solomon Areda Waktolla (LL.M'14 and MPA'13),Judge at United Nations Dispute Tribunal (half time), Former Deputy Chief Justice of the Federal Supreme Court of Ethiopia , member of the Permanent Court of Arbitration at Hague Netherlands
Masaharu Ōhashi (LL.M. 1976), Justice of the Supreme Court of Japan
Ivan Rand (LL.B. 1912) Puisne Justice of the Supreme Court of Canada (1943–1959)
Bernard Rix (LL.M. 1969), Lord Justice, English Court of Appeals
Wishart Spence (LL.M. 1929), Puisne Justice of the Supreme Court of Canada
Vicente Abad Santos (LL.M.), associate justice of the Supreme Court of the Philippines
Freda Steel (1978), Manitoba Court of Appeal judge
Lai In-jaw (S.J.D.), former President of the Judicial Yuan (Chief Justice of the Constitutional Court) of the Republic of China
Sundaresh Menon (LL.M. 1991), Chief Justice of Singapore
Andrew Phang (LL.M. 1984, S.J.D. 1987), Judge of Appeal, Supreme Court of Singapore
Renato Corona (LL.M.), former Chief Justice of the Supreme Court of the Philippines
Elijah Legwaila (LL.M. 1980), Judge of the Court of Appeal of Botswana
Gonçalo de Almeida Ribeiro (LL.M. 2007, S.J.D. 2012), Judge of the Constitutional Court of Portugal
International organizations figures
Radhika Coomaraswamy, Under-Secretary-General of the United Nations, Special Representative for Children and Armed Conflict
Gerald L. Neuman, United Nations Human Rights Committee
Navanethem Pillay (LLM 1982, SJD 1988), UN High Commissioner for Human Rights
Mary Robinson, former UN High Commissioner on Human Rights
Robert Zoellick, President of the World Bank Group
Eduardo Valencia Ospina, (LL.M. 1963) Chair of the UN International Law Commission, former Registrar of the International Court of Justice
Attorneys
Daniel J. Arbess (LL.M.), partner at White & Case
Michael F. Armstrong, attorney
Rayhan Asat (LL.M. 2016), attorney and human rights advocate
Joaquin Avila, voting rights advocate
Bennett Boskey (LL.B. 1939), law clerk to Judge Learned Hand and two U.S. Supreme Court justicesof
Edmund N. Carpenter II (LL.B. 1948), former president Richards, Layton & Finger; past president of the Delaware State Bar Association and of the American Judicature Society
Morgan Chu (J.D. 1976), intellectual property lawyer and co-managing partner at Irell & Manella
H. Rodgin Cohen, corporate lawyer noted for representation of large financial institutions during 2008 financial crisis
Susan Estrich, attorney; author; political commentator; first female president of Harvard Law Review; first female presidential campaign manager (Dukakis)
Bert Fields (LL.B., 1952), entertainment lawyer, clients included The Beatles, James Cameron, Tom Cruise, and Michael Jackson
Joseph H. Flom, name partner at Skadden, Arps, Slate, Meagher & Flom
Haben Girma, disability rights advocate, first deafblind graduate of Harvard Law School
Jill Collen Jefferson, human-rights lawyer at Julian legal
Khizr Khan, legal consultant
Christopher Landau, partner of Quinn Emanuel Urquhart & Sullivan
Dana Latham (LL.B.), co-founder of Latham & Watkins, Commissioner of Internal Revenue (1958-1961)
Francis Draper Lewis, co-founder of Morgan, Lewis & Bockius
John B. Quinn, founder and name partner of Quinn Emanuel Urquhart & Sullivan
Alex Spiro, former Assistant District Attorney for Manhattan; partner of Quinn Emanuel Urquhart & Sullivan
Kathleen Sullivan, former Dean of Stanford Law School; name partner of Quinn Emanuel Urquhart & Sullivan
Bethuel M. Webster, founder of Webster & Sheffield
Academia
University presidents
Jonathan R. Alger, James Madison University
Lawrence S. Bacow, Tufts University
Derek Bok, twice Harvard University
Kingman Brewster Jr., Yale University and United States Ambassador to the United Kingdom
Thomas V. Chema, Hiram College
Colin Diver, Reed College
Thomas Ehrlich, Indiana University
Ken Gormley, Duquesne University
David Leebron, Rice University
William C. Powers, the University of Texas
Jennifer Raab, Hunter College, City University of New York
Father Michael Scanlan, Franciscan University of Steubenville
Joel Seligman, University of Rochester
John Sexton, New York University
Adel Tamano (LL.M.), University of the City of Manila of the Philippines and dean of Law of Liceo de Cagayan University
Michael K. Young, University of Washington
Legal academia
Law school deans
Andres D. Bautista (LL.M. 1993), law faculty dean at Far Eastern University in the Philippines
Mary Anne Bobinski, (LL.M. 1989), dean of the Allard School of Law at the University of British Columbia, 2003–2015
Tom Campbell (J.D. 1976), dean of the Chapman University School of Law
Erwin Chemerinsky (J.D. 1978), founding dean of University of California, Irvine School of Law; former constitutional law scholar at Duke Law School
Jim Chen, dean of University of Louisville School of Law
Robert C. Clark (J.D. 1972), dean (1989–2003) and professor at Harvard Law
Clarence Clyde Ferguson Jr. (LL.B. 1951), dean and professor at Harvard Law, diplomat and U.S. Ambassador to Uganda
Charles Hamilton Houston, dean of Howard University School of Law and NAACP litigation director
Peter Hogg, (LL.M. 1963), dean of Osgoode Hall Law School of Toronto, constitutional scholar
Bruce Jacob (S.J.D.), alumnus, professor, and dean of Stetson University College of Law, dean of Mercer University Law School
Kevin Johnson, dean of the UC Davis School of Law (King Hall)
Elena Kagan (J.D. 1986), dean of Harvard Law (2003–2009)
Joseph D. Kearney (J.D. 1989), dean of the Marquette University Law School
Edwin R. Keedy (LL.B. 1906), Dean of the University of Pennsylvania Law School
W. Page Keeton, dean of the University of Texas School of Law
Harold Hongju Koh (J.D. 1980), dean of Yale Law School and Assistant Secretary of State
Tommy Koh (LL.M. 1964), former dean of National University of Singapore Faculty of Law, Ambassador-at-Large for the Government of Singapore
Charles T. McCormick, dean of the University of Texas Law School and the University of North Carolina School of Law
Robert Mundheim (LLB 1957), dean of the University of Pennsylvania Law School
Makau W. Mutua (LL.M. 1985, S.J.D. 1987), dean of the University at Buffalo Law School, The State University of New York
William L. Prosser, dean of the Boalt Hall School of Law at UC Berkeley
Symeon C. Symeonides (LL.M. 1974, S.J.D. 1980), dean of the Willamette University College of Law
Cesar L. Villanueva (LL.M. 1989), dean of the Ateneo de Manila Law School in the Philippines
Goh Yihan (LL.M. 2010), dean of the SMU School of Law at the Singapore Management University
Conflict of laws
Joseph Henry Beale, professor of conflict of laws, corporations, and criminal law at Harvard Law School (acting dean, 1929-1930) and University of Chicago Law School (1st dean, 1902-1904)
Constitutional law
Jack Balkin, studies constitutional law and the impact of technology on law
Robert Delahunty (J.D. 1983), professor of constitutional law at the University of St. Thomas School of Law
Michael C. Dorf, professor of constitutional law at Columbia Law School
Patrick J. Monahan, senior policy analyst to Ontario AG Ian Scott during Canadian Meech Lake Accord
John Ordronaux, Civil War army surgeon, professor of medical jurisprudence at Columbia Law School, pioneering mental health commissioner
Richard Pildes, professor of constitutional law and public law at NYU School of Law
Nadine Strossen, professor of constitutional law and scholar of civil liberties at New York Law School, former president of the ACLU
Kathleen Sullivan, constitutional law scholar at Stanford Law School
Arthur E. Sutherland Jr. (J.D. 1925), professor of constitutional and commercial law at Harvard Law School; clerked with Justice Oliver Wendell Holmes Jr.; took two cases before the US Supreme Court, one on price fixing in New York, and one on the Massachusetts Blue Laws; author and editor of numerous law texts
Laurence Tribe (J.D. 1966), professor of constitutional law at Harvard Law School
Paul C. Weiler, Henry J. Friendly Professor of Law, Emeritus, Harvard Law School; influenced the Canadian 1982 Constitution
Criminal law
Robert Blecker, criminal law professor at New York Law School and national expert on and advocate for the death penalty
Bernard Harcourt (J.D. 1989), criminological critical theorist
Dan Markel, law professor at Florida State University College of Law specializing in penology
Stephen Schulhofer (born 1942), Professor of Law at the University of Pennsylvania Law School and NYU Law School
Legal history
Richard B. Bernstein (J.D. 1980), constitutional historian at New York Law School
Richard H. Helmholz (LL.B. 1965), property, natural resource, and legal history scholar at the University of Chicago Law School
Bernard Hibbitts (LL.M. 1988), legal history and technology of law scholar at the University of Pittsburgh School of Law
Morton Horwitz (LL.B. 1967), torts and legal history scholar
John H. Langbein (LL.B. 1968), Sterling Professor of Law and Legal History at Yale Law School
Daniel H. Lowenstein (LLB 1967), election law at UCLA Law School
Charles Warren, Pulitzer Prize–winning legal historian and Assistant Attorney General
International law
Payam Akhavan (LL.M. 1990, S.J.D. 2001), UN Special Rapporteur, Visiting Fellow at Oxford University, Member of Permanent Court of Arbitration at the Hague
Francis Boyle, international law professor at the University of Illinois
Amy Chua (J.D. 1987), international law and economics scholar at Yale Law School
Louis Henkin (LL.B 1940), international law and human rights authority
David Kennedy, critical theorist of international law
Joe Oloka-Onyango (LL.M., S.J.D.), Ugandan legal academic at Makerere University
Eric Posner, international law scholar at the University of Chicago Law School
Brad R. Roth, professor of international law and political science at Wayne State University
Rangita de Silva de Alwis (LL.M., S.J.D.), adjunct professor of global leadership at the University of Pennsylvania
Simon Tay, associate professor at the National University of Singapore Faculty of Law
Edith Brown Weiss, professor of law at Georgetown University and former President of the American Society of International Law
Law and literature
Jane C. Ginsburg, art and literary law property professor at Columbia Law
Dan Fenno Henderson (1949), founder of the University of Washington Asian law program; author of several works related to Japanese law
James Boyd White (1964), founder of the Law and Literature movement
Legal philosophy
Randy Barnett, libertarian legal theorist
Ronald Dworkin, legal and political philosopher
Wesley Newcomb Hohfeld (LL.B. 1904), professor at Stanford and Yale Law Schools, progenitor of the concepts of claim rights and liberty rights and the bundle of rights
Richard Posner (LL.B. 1962), professor at the University of Chicago Law School, started the law and economics movement, judge on the United States Court of Appeals for the Seventh Circuit
Peter Tillers, professor at Cardozo Law School and theorist of the law of evidence
Law and technology
Jack Balkin, studies constitutional law and the impact of technology on law
William W. Fisher, intellectual property law professor at Harvard Law School and director of the Berkman Center for Internet and Society
Peter Junger (LL.B. 1958), Internet law activist and professor at Case Western Reserve University
Charles Nesson, professor at Harvard Law School and founder of the Berkman Center for Internet & Society
Michael Rustad, intellectual property scholar, author, and professor at Suffolk University Law School
Tim Wu (J.D. 1998), professor of law and technology at Columbia; coined the term "net neutrality"; writer for Slate
Jonathan Zittrain (J.D. 1995), professor of Internet Law at Harvard Law School and Harvard Kennedy School
Other legal academia
Alberto Alemanno, legal scholar at New York University
Stephen Barnett (1935–2009), legal scholar at Berkeley Law who opposed the Newspaper Preservation Act of 1970
George Bisharat, expert on Middle East legal and political affairs
Andrew Burrows (LL.M. 1981), Professor of the Law of England at the University of Oxford and senior research fellow at All Souls College
Hugh Collins (LL.M. 1976), Vinerian Professor of English Law at the University of Oxford and fellow of All Souls College
Kimberlé Crenshaw, professor at Columbia Law School and UCLA Law School and Centennial Professor at the London School of Economics; critical race scholar, civil rights advocate, introduced and developed intersectional theory
Susan Estrich, feminist and legal commentator for Fox News
Owen M. Fiss, Sterling Professor at Yale Law School
Robert P. George, professor of jurisprudence at Princeton University
Martin D. Ginsburg (J.D. 1958), taxation law expert, professor of law at Georgetown University Law Center
Annette Gordon-Reed (J.D. 1984), professor at Harvard Law School and Pulitzer Prize for History winner
Robert A. Gorman (LL.B. 1962), law professor at the University of Pennsylvania Law School
John Chipman Gray (LL.B. 1861), property law professor and founder of the law firm Ropes & Gray
Livingston Hall, Roscoe Pound Professor of Law at Harvard Law School until his 1971 retirement
George Haskins (1942), Algernon Sydney Biddle Professor of Law at the University of Pennsylvania Law School
John Honnold (1939), William A. Schnader Professor of Commercial Law at the University of Pennsylvania Law School
William A. Jacobson, Cornell Law School professor and blogger
Christine M. Jolls, professor of law and economics at Yale Law School
Jerry Kang, Professor at the UCLA School of Law and UCLA's first vice chancellor for equality, diversity and inclusion
Thio Li-ann (LL.M. 1993), professor at the National University of Singapore Faculty of Law
Lance Liebman, professor at Columbia Law School and director of the American Law Institute
John F. Manning, Bruce Bromley Professor at Harvard Law School
Mari Matsuda, professor at Georgetown University Law Center, a leading voice in critical race theory, and first tenured female Asian American law professor in the U.S.
Arthur R. Miller, professor at NYU School of Law, former professor at Harvard Law School
Paul Steven Miller, disability rights expert, EEOC Commissioner, professor at the University of Washington School of Law, Special Assistant to the President
Charles ("Chuck") W. Mooney Jr., the Charles A. Heimbold Jr. Professor of Law, and former interim Dean, at the University of Pennsylvania Law School
Herbert B. Newberg, class action attorney
John V. Orth (J.D. 1974), professor of law at UNC-Chapel Hill
John Palfrey, Executive Director of the Berkman Center for Internet and Society and Harvard clinical professor of law
Lawrence Solan (J.D. 1982), professor of law at Brooklyn Law School
Reed Shuldiner (J.D. 1983), Alvin L. Snowiss Professor of Law at the University of Pennsylvania Law School
Cass Sunstein (J.D. 1978), professor at Harvard Law School
Amy Wax (first year of law school, 1981), Robert Mundheim Professor of Law at the University of Pennsylvania Law School
Patricia J. Williams (J.D. 1975), proponent of critical race theory in law
Other academia
Edward N. Beiser (1977), political scientist
Wallace Clift (J.D. 1952), psychology and religion, author of books including Jung and Christianity: The Challenge of Reconciliationde
Herbert J. Davenport, economist
John Fiske, philosopher and historian
Harvey J. Levin (Fellow in Law and Economics, 1963–64), communications economist
John Matteson, English professor and Pulitzer Prize–winning literary biographer
Cheryl Mendelson, ethics philosopher and novelist
Samuel Moyn (J.D. 2001), intellectual historian
Eli Noam (J.D. 1975), professor of finance and economics at Columbia Business School
David Riesman, sociologist; author of The Lonely Crowd
Anne-Marie Slaughter, dean of the Woodrow Wilson School of Public and International Affairs at Princeton University
Robert Somol, director of the University of Illinois at Chicago architecture school
Activism
George Thorndike Angell, anti-animal cruelty activist
Richard Barnet (J.D. 1954), disarmament activist and co-founder of the leftist think tank Institute for Policy Studies
Larissa Behrendt (LL.M. 1994), Australian aboriginal rights activist, novelist
Janet Benshoof, human rights lawyer, founder of the Center for Reproductive Rights and the Global Justice Center
Luke Cole, environmental lawyer and co-founder of the Center on Race, Poverty & the Environment
John P. Davis (LL.B. 1933), African American activist
Alfred-Maurice de Zayas, human rights advocate and historian
George Esser, civil rights advocate
Sandra Froman, attorney & past president of the National Rifle Association of America
Jennifer Gordon, immigrant labor organizer
Jodi Grant, executive director of the Afterschool Alliance
Mark Green, public interest author, candidate for Senator from New York (1986), Mayor of New York City (2001) and New York State Attorney General (2006)
Archibald Grimké, co-founder of the NAACP
Marjorie Heins, free speech and civil liberties advocate
Mary Howell (J.D. 1991), fought to open medical schools to women
Muhammad Kenyatta, civil rights leader and professor
Irene Khan, Secretary General of Amnesty International
Brink Lindsey, Cato Institute libertarian activist
Hans F. Loeser (J.D. 1950), anti-Vietnam War activist
John Maktos, revised punishments for genocide
David A. Morse, winner of the Nobel Peace Prize for leadership of the International Labour Organization
Ethan Nadelmann, anti-War on Drugs activist
Ralph Nader, consumer advocate and frequent Green Party presidential candidate
Basil O'Connor, polio research advocate and president of the American Red Cross
Rebecca Onie, CEO of Health Leads and MacArthur Fellowship recipient
Wendell Phillips (1934), abolitionist and Native American rights advocate
Louis L. Redding (LL.B. 1928), NAACP lawyer and civil rights advocate; first African American admitted to the Delaware bar
Randall Robinson, anti-apartheid and pro-Haitian immigrant activist; founded the TransAfrica Forum
Harvey A. Silverglate, founder of the Foundation for Individual Rights in Education
Silda Wall Spitzer, founder of Children for Children, former First Lady of New York State
Bryan Stevenson, founder and executive director of the Equal Justice Initiative, and author of Just Mercy
Moorfield Storey, president of the NAACP and the Anti-Imperialist League
Nadine Strossen, president of the American Civil Liberties Union
William English Walling, co-founder of the NAACP and founder of the Women's Trade Union League
Evan Wolfson, civil rights attorney, founder and president of Freedom to Marry
Harry Rothenberg, civil rights/injury attorney, son of Allen Rothenberg head of COLPA
Arts
Acting
Justin Deabler, starred in The Real World: Hawaii (1992)
Jared Delgin, child actor
David Dorfman, film and television actor, child prodigy
Hill Harper, film, television, and stage actor
Samuel S. Hinds, starred in It's a Wonderful Life and Abbott & Costello films
Sheila Kuehl, child actress, first openly gay member of the California legislature
Architecture
Paul Byard, architect and director of the Columbia architecture school historic preservation program
Comedy
Richard Appel, comic writer, The Simpsons and The Cleveland Show
John Cochran, comedy writer and television personality
Fred de Cordova, producer of The Tonight Show Starring Johnny Carson
Greg Giraldo, stand-up comedian and television personality
Film
Sidney Salkow, director
Literature
Benjamin Vaughan Abbott (LL.B. 1851), novelist and author of the New York State penal code
Seth Abramson (J.D. 2001), poet
Jacob M. Appel, short story writer, playwright (Arborophilia, The Mistress of Wholesome, Creve Coeur)
John Ballem (LL.M. 1950), murder mystery/thriller novelist
Louis Begley (LL.B. 1959), PEN/Hemingway Award-winning novelist; author of About Schmidt
Alexander Boldizar (J.D. 1999), writer and critic
Susan Cain (J.D. 1993), attorney, New York Times bestselling writer (Quiet: The Power of Introverts... and Bittersweet)
Viola Canales (J.D. 1989), novelist and short story writer
John Casey, novelist
Max Ehrmann, poet
Amy Gutman (J.D. 1993), novelist
Mohsin Hamid (J.D. 1997), novelist; author of the PEN/Hemingway Award finalist Moth Smoke and the Booker Prize-nominated The Reluctant Fundamentalist
Murad Kalam (J.D. 2002), novelist and short story writer
Brad Leithauser, poet, novelist, essay
James Russell Lowell, romantic poet, satirist, literary critic, United States Ambassador to Spain, and United States Ambassador to the United Kingdom
Archibald MacLeish (LL.B. 1919), Pulitzer Prize–winning modernist poet, playwright and Librarian of Congress
John Matteson (J.D. 1986), Pulitzer Prize–winning biographer
James Alan McPherson, Pulitzer Prize–winning short story writer and essayist
Cheryl Mendelson, novelist and philosopher of medical ethics
John Jay Osborn Jr., author of The Paper Chase
Wena Poon (J.D. 1998), Singaporean author
Susan Power, PEN/Hemingway Award-winning novelist
William Henry Rhodes (LL.B. 1846), poet, essayist, short story writer
Akhil Sharma, PEN/Hemingway Award-winning short story writer, novelist
Pamela Thomas-Graham, author of the Ivy League Mysteries series
Arthur Train (LL.B. 1899), author of legal thrillers
Scott Turow (J.D. 1978), author of legal thrillers
Walter Wager, mystery and spy fiction novelist
Ayelet Waldman (J.D. 1991), novelist; wrote Mommy-Track Mysteries, Love and Other Impossible Pursuits; former columnist for Slate
Sabin Willett (J.D. 1983), novelist and defense lawyer for Guantanamo Bay detainment camp inmates
Lauren Willig, historical romance novelist
William Winter (LL.B. 1857), author and literary critic
Owen Wister (LL.B. 1888), writer of westerns, including The Virginian
Austin Tappan Wright (L.L.B. 1908), writer and legal scholar, wrote Islandia
Music
Samim Bilgen (1962), Turkish composer
Ruben Blades, salsa singer-songwriter and Panamanian Minister of Tourism
Jackie Fuchs (J.D., 1991), bassist for the music group The Runaways under her former stage name of Jackie Fox
Bridgit Mendler, singer and actress
James Cutler Dunn Parker, composer
Visual arts
George Hitchcock, painter
William Wetmore Story, sculptor
Business
John Jacob Astor III, financier and member of the Astor family
Lloyd Blankfein, chairman and CEO of Goldman Sachs
David Bonderman, co-founder of private equity firm TPG Capital
Doug Carlston, founder of computer game company Brøderbund Software
Finn M. W. Caspersen (J.D. 1966), financier, philanthropist, CEO of Beneficial Corporation and Knickerbocker Management
Kenneth Chenault, chairman and CEO of American Express
Domenico De Sole, chairman of Tom Ford International and Sotheby's
Russ DeLeon, founder of online gambling site PartyGaming
Marc Dreier, sole equity partner in Dreier LLP convicted of securities fraud for selling $700 million in fictitious promissory notes
James Martin Eder
Jonathan Greenleaf Eveleth, founder of first U.S. oil company
Roger W. Ferguson Jr. (J.D. 1979), CEO of TIAA-CREF
Kenneth Frazier (J.D. 1978), President and CEO of Merck & Co.
Tully Friedman, founder of Friedman Fleischer & Lowe and Chairman of the Board of Trustees of the American Enterprise Institute
Gerald Grinstein, CEO of Delta Air Lines
Douglas Hagerman, General Counsel, Secretary, and Senior Vice President of Rockwell Automation
Charles E. Haldeman, CEO of Freddie Mac
Glenn Hutchins, co-founder of private equity firm Silver Lake Partners
Mitchell R. Julis, co-founder of hedge fund Canyon Capital Advisors
Jeff Kindler, CEO of Pfizer
Reginald Lewis, first African American financier to create a billion-dollar business
Kenneth Lipper, investment banker, novelist, film producer
Alfred Lee Loomis
Mathew Martoma (born 1974 as Ajai Mathew Mariamdani Thomas), hedge fund portfolio manager, convicted of insider trading
Charlie Munger, Vice-Chairman of Berkshire Hathaway
L. L. Nunn, entrepreneur and educator
Adebayo Ogunlesi, Chairman of private equity firm Global Infrastructure Partners
Ellen Pao, interim CEO of Reddit
Abram Nicholas Pritzker, founder of the Hyatt hotel chain
Keith Rabois, technology entrepreneur, executive and investor
Clarence B. Randall, Chairman of the Inland Steel Company
Sumner Redstone, Chairman of National Amusements
Leonid Rozhetskin, financier
Anthony Scaramucci, founder and co-managing partner of SkyBridge Capital
Paul Singer, founder and CEO of Elliott Management Corporation and founder of the Paul E. Singer Family Foundation
Jeff Smisek, Chairman, President, and CEO of United Airlines
Gerald L. Storch, Chairman and CEO of Toys "R" Us
Pamela Thomas-Graham, CEO of CNBC
Charlemagne Tower, railroad executive
Jon Vander Ark, president of Republic Services
Bruce Wasserstein, CEO of Lazard
William Woodward Sr., banker and thoroughbred horse racer
Mortimer Zuckerman, editor-in-chief of U.S. News & World Report, owner of the New York Daily News
Entertainment industry
Paul Attanasio, TV/film screenwriter and producer; worked on House and Homicide: Life on the Street
Ronald Bass, Academy Award-winning screenwriter and film producer; wrote Rain Man
Peter Blake, consulting producer for House
Debra Martin Chase, Hollywood producer
Clive Davis, Grammy Award-winning music producer
Fred de Cordova (1933), film and television director and producer
Bill Jemas, comic book writer and producer
Christopher Keyser, TV screenwriter for Party of Five
Jeff Kwatinetz, music manager and television producer
Ken Ludwig, playwright and theater director
Jeffrey Orridge, television executive
David Otunga, actor; former reality tv contestant; WWE wrestler and commentator; two-time WWE Tag Team Champion; lawyer; former husband of Jennifer Hudson
Cary Sherman, Chairman and CEO of the Recording Industry Association of America
David Sonenberg, music manager and film producer
Jon F. Vein, founder and CEO of MarketShare (subsidiary of Neustar); Emmy Award-winning animation producer
David Zippel, Tony Award-winning musical theater lyricist
Media and journalism
Commentators
Keith Boykin, author, commentator; hosts My Two Cents on BET
Jim Cramer, host of CNBC's Mad Money and co-founder of TheStreet.com
Ben Shapiro, host of The Ben Shapiro Show and co-founder of The Daily Wire.
Debra Dickerson, essayist on race
Rebecca Eisenberg (J.D. 1993), early blogger and writer on technology
Susan Estrich, feminist and legal commentator for Fox News
David Frum, author and speechwriter for President George W. Bush
Thomas Geoghegan, legal commentator
Lawrence Otis Graham, writer on contemporary race and class issues
Norman Hapgood, editor and critic
George Stillman Hillard, biographer, journalist, and Maine state politician
John H. Hinderaker, conservative blogger
Elie Honig (J.D., 2000) assistant United States Attorney and CNN senior legal analyst
Mickey Kaus, journalist and blogger for Slate
Carol Platt Liebau (1992), political analyst and commentator
Eric Liu, writer on race and mentorship; columnist for Slate
Ruth Marcus (J.D. 1984), columnist for The Washington Post
Kevin Philips, political commentator, Richard Nixon campaign strategist
Samantha Power, Pulitzer Prize–winning writer on genocide, human rights, and foreign policy
Laurie Puhn, commentator, self-help author, and television hostess
Dong Puno, Philippine columnist, television host and producer
Ben Shapiro, conservative commentator for The Daily Wire
Jeffrey Steingarten, columnist for Vogue and Slate magazines; food critic
James B. Stewart, Pulitzer Prize–winning journalist
Jeffrey Toobin, legal analyst for CNN and staff writer for The New Yorker
Lis Wiehl (1987), legal analyst for Fox News and NPR
Tim Wu, writer for Slate; coined the term "net neutrality"; professor of law and technology at Columbia
Journalists
Ben Bradlee, former editor-at-large of The Washington Post
Adam Cohen, editorial page editor for The New York Times
William L. Laurence, Pulitzer Prize–winning science journalist who covered the testing and dropping of the atomic bomb
Rob Simmelkjaer, anchor/correspondent for ABC News Now
Gregory White Smith, 1991 Pulitzer Prize–winning author of Jackson Pollock: An American Saga
James B. Stewart, 1988 Pulitzer Prize winner for explanatory journalism
Publishers
Robert C. Bassett, publisher of the Milwaukee Sentinel
Martin S. Fox (1924–2020), publisher
Phil Graham, publisher of The Washington Post
Tim Hays, publisher of the Riverside Press-Enterprise
Boisfeuillet Jones Jr., publisher and CEO of The Washington Post
Cliff Sloan, publisher of Slate magazine
Military
John F. Aiso, highest-ranking Japanese American Army Officer in WW2, Legion of Merit honoree, later judge
Charles J. Biddle, flying ace during the First World War, attorney and author
Raynal Bolling, first high ranking American officer killed in the First World War
David M. Brahms, brigadier general in the United States Marine Corps
Ben Ferencz, chief prosecutor for the U.S. Army at the Einsatzgruppen trial
Manning Ferguson Force (1848), Union leader in the American Civil War
Hildreth Frost, Judge Advocate in Colorado National Guard during the Colorado Coalfield War
George Henry Gordon, Union general during the American Civil War; military historian
Albert G. Jenkins (1850), Confederate brigadier general during the American Civil War and Congressman from Virginia (1857–61)
Mark S. Martins (1990), Brigadier General (United States Army) and Chief Prosecutor of Military Commissions
Samuel Underhill, naval aviator
Ken Watkin, Brigadier General and Judge Advocate General of the Canadian Forces
Charles White Whittlesey, led the Lost Battalion in the Argonne Forest during the First World War
Spies
Helge Boes, CIA agent
John T. Downey, CIA agent captured in China
Alger Hiss, alleged spy of the Soviet Union
Sports
Sandy Alderson (J.D., 1976), senior advisor of the Oakland Athletics
Bob Arum, boxing promoter
Mike Brown, owner of the Cincinnati Bengals
Sashi Brown, president of the Baltimore Ravens
Brian Burke, president of hockey operations for the Calgary Flames
Dick Button, figure skater and figure skating commentator
Steve Clark, freestyle swimmer, multiple Olympic gold medallist and former world record holder
Don Cohan, Olympic bronze medalist in sailing
Lou DiBella, boxing promoter
Len Elmore, professional basketball player, sportscaster
Larry Fleisher, sports agent; helped found the NBA Players Association
Russ Granik, deputy commissioner of the NBA
Eddie Grant, Major League Baseball player (1905–1915), nicknamed "Harvard Eddie"
Rick Hahn (J.D., 1996), general manager of the Chicago White Sox
Rick Horrow, sports business expert
Ralph Horween, Harvard Crimson and NFL football player
Hayes Alan Jenkins, figure skater
Rob Manfred, commissioner of Major League Baseball
Jeffrey Orridge, commissioner of the Canadian Football League
Tony Petitti, president and CEO of the MLB Network
Michael Weiner (J.D. 1986), executive director of the Major League Baseball Players Association
Other
Myron Avery, Appalachian Trail hiker and travel guide author
Andy Bloch, champion poker player
Ken Fisher (J.D. 1987), pen name Ruben Bolling, cartoonist, author of Tom the Dancing Bug
Richard Henry Dana Jr. (1837), writer on sea life and expert on maritime law
William Austin Dickinson, older brother of poet Emily Dickinson
Amanda Goad, winner of the Scripps National Spelling Bee and Jeopardy! Teen Tournament
Charles Goldfarb, co-inventor of the markup language concept
Erika Harold, winner of the Miss America contest
Gardiner Greene Hubbard, founder and first president of the National Geographic Society
Arnold W. G. Kean, developed civil aviation law
Joel I. Klein, New York City School Chancellor
Richard Lederer, author of books on language and wordplay
Robert Malley, analyst of the Israeli–Palestinian conflict
Scotty McLennan, author and Dean of Religious Life at Stanford University
George S. Morison (1866), bridge designer
Cara Mund, Miss America 2018
Michelle Obama, First Lady of the United States
George Padmore, Pan-Africanist figure
Francis Parkman, freelance historian and horticulturalist
Joan Whitney Payson, philanthropist and patron of the arts
Professor Michael Rustad, noted law school professor and prolific author
Walter H. Seward (LL.B. 1924), third oldest living American and seventh-oldest living human
David Spindler, independent scholar of the Great Wall of China
William Stringfellow, lay theologian
Sonam Dechen Wangchuck (LL.M. 2007), Princess of Bhutan
Mary Allen Wilkes, LINC computer designer and first home computer user
Non-graduates
These students attended Harvard Law but, for various reasons, did not graduate.
Brooks Adams, historian
Larz Anderson, diplomat and businessman, U.S. Ambassador to Japan (1912–13)
William Christian Bullitt Jr. (dropped out 1914), U.S. Ambassador to the Soviet Union (1933–1969)
William Bundy, CIA figure who had a role in planning the Vietnam War
Allan B. Calhamer, developed the board game Diplomacy
Daniel Henry Chamberlain (dropped out 1863), Governor of South Carolina
Frank Church (transferred), U.S. Senator from Idaho (1957–81)
John Sherman Cooper (dropped out), U.S. Senator from Kentucky (1946–1949, 1952–1955, 1956–1973)
Danny Fields (dropped out 1959), figure in the underground New York punk rock scene
Melville Fuller (dropped out 1855), Chief Justice of the U.S. Supreme Court
Ruth Bader Ginsburg (transferred), U.S. Supreme Court Justice (1993–2020)
Arthur A. Hartman (dropped out 1948), U.S. Ambassador to France (1977–1981), United States Ambassador to the Soviet Union (1981–1987)
Henry James, novelist; author of The Bostonians and Washington Square
Jodi Kantor (dropped out), reporter and editor on culture and politics for The New York Times
Philip Kaufman, film screenwriter and director
Joseph P. Kennedy Jr., left before his last year to serve in WWII, where he was killed
Michael Kinsley (transferred), journalist, editor, and host of Crossfire
Nicholas Longworth (transferred), Speaker of the House (1925–31)
Greg Mankiw (dropped out 1984), economist
Pat McCormick, comic actor and writer
Gordon McLendon, created Top 40 radio format
Louis Menand (dropped out 1974), American cultural and intellectual historian
William Henry Moody (dropped out), U.S. Supreme Court Justice (1906–1910), U.S. Attorney General (1904–1906), U.S. Secretary of the Navy (1902–1904), Congressman from Massachusetts (1895–1902)
George Murdock, anthropologist
John Negroponte (dropped out 1960), U.S. Deputy Secretary of State, Director of National Intelligence
Cole Porter, composer and songwriter
Roscoe Pound (dropped out 1890), dean of Harvard Law School
Donald Regan, U.S. Secretary of the Treasury (1981–1985), White House Chief of Staff (1985–1987)
Angelo Rizzuto, photographer
Robert Rubin (dropped out), Secretary of the Treasury
William James Sidis (dropped out 1919), famous child prodigy
Alfred Dennis Sieminski (dropped out 1936), Congressman from New Jersey (1951–1959)
Adlai Stevenson II (dropped out), Governor of Illinois (1949–1953) and Democratic presidential candidate (1952, 1956)
Joe Vila (dropped out), sports writer
Robert W. Welch Jr. (dropped out), founder of the anticommunist John Birch Society
Fictitious alumni
Philip Banks, character on the TV series The Fresh Prince of Bel-Air
Rafael Barba, Manhattan ADA on Law & Order: Special Victims Unit
Oliver Barrett, main character in the film Love Story and its sequel Oliver's Story
Cable, superhero from the X-Force and X-Men comic books, as disclosed in X-Force Vol. 1 No. 40
Lindsay Dole, character on the TV series The Practice
Jerry Espenson, character on the TV series Boston Legal
Artemus Gordon, character in the film Wild Wild West
Ainsley Hayes, character on the TV Series The West Wing
Miranda Hobbes, character on the TV series Sex and the City
Thurston Howell, III, character on the TV series Gilligan's Island
Annalise Keating, main character on the TV series How to Get Away With Murder
Louis Litt, character on the TV series Suits
Ally McBeal, main character in the eponymous TV series
Mitch McDeere, main character in the TV series The Firm and the John Grisham novel which it was adapted from
Harvey Specter, character on the TV series Suits
Elle Woods, main character in the Legally Blonde films and musical
Jamie Reagan, main character on Blue Bloods (TV series)
Frank Underwood, fictional Majority Whip of US House of Representatives, Vice President of the United States and President of the United States,main character on the TV series House of Cards
References
Law School alumni
Lists of people by university or college in Massachusetts |
Edward F. "Jack" Howrey (September 6, 1903 – April 10, 1996) was the chair of the Federal Trade Commission from April 1, 1953, to September 12, 1955.
Born in Waterloo, Iowa, Howrey received an A.B. from the University of Iowa in 1925, followed by an LL.B. from the George Washington University Law School in 1927. From 1927 to 1929 he worked for the United States Department of Justice, working with the FBI on an antitrust investigation of the motion-picture industry. He then worked for private firms in Chicago and Washington, D.C., until 1953. In 1951, he argued the largest Indian claim case to come before the United States Supreme Court to that date, on behalf of the Alcea Band of Tillamooks. In 1953, President Dwight D. Eisenhower appointed Howrey to chair the FTC, where he remained until 1955. Howrey then founded the law firm, Howrey LLP, specializing in antitrust litigation, which eventually became "one of the leading and largest firms in Washington, D.C." Howrey retired from practice in the 1980s.
In 1933, Howrey married Jane Pickett Gould. Following her death, he remarried to childhood friend India Picket Lilly in 1989. Howrey died of pneumonia and congestive heart failure at Winchester Hospital in Virginia at the age of 96.
References
1903 births
1996 deaths
University of Iowa alumni
George Washington University Law School alumni
Federal Trade Commission personnel
People from Waterloo, Iowa |
A voice teacher is a person who instructs others in improving their skills as a singer or speaker. |
```vue
<template lang="pug">
.c-profile-fields(v-if="fields")
.field(v-for="field of fields")
a.link(v-if="field.type === 'link'", :href="field.value", :title="field.label", target="_blank")
.mdi.mdi-link-variant(:class="`mdi-${field.network}`")
span {{ getLinkLabel(field) }}
template(v-else)
.label {{ field.label }}
.value {{ field.value }}
</template>
<script>
import { mapState } from 'vuex'
const NETWORK_LABEL_GENERATORS = {
twitter: {
regex: /twitter\.com\/(.*?)\/*$/,
generateLabel: (match) => `@${match[1]}`
},
linkedin: {
regex: /linkedin\.com\/in\/(.*?)\/*$/
},
github: {
regex: /github\.com\/(.*)/
},
facebook: {
regex: /facebook\.com\/(.*)/
},
instagram: {
regex: /instagram\.com\/(.*)/
}
}
export default {
props: {
user: Object
},
data() {
return {
}
},
computed: {
...mapState(['world']),
fields() {
if (!this.user.profile?.fields) return
return this.world?.profile_fields
.map(field => ({...field, value: this.user.profile.fields[field.id]}))
.filter(field => !!field.value)
},
},
methods: {
getLinkLabel(field) {
const generator = NETWORK_LABEL_GENERATORS[field.network]
if (!generator) return field.value
const match = field.value.match(generator.regex)
if (!match) return field.value
return generator.generateLabel?.(match) || match[1]
}
}
}
</script>
<style lang="stylus">
.c-profile-fields
display: flex
flex-direction: column
.field
flex: none
display: flex
flex-direction: column
margin: 4px
max-width: 420px
.label
color: $clr-secondary-text-light
font-weight: 500
font-size: 12px
.value
margin: 2px 0 0 8px
a.link
display: flex
align-items: center
.mdi
font-size: 24px
margin-right: 4px
// hack specificity to create fallback icon for things not in mdi
:where(.c-profile-fields a.link .mdi)::before
content: "\F0339"
</style>
``` |
The following is a list of cities in Iran that have undergone a name change in the recent past. Many more however have at least one Ancient and/or other historical name(s).
See also
List of city name changes (worldwide, by country)
List of renamed cities in Armenia
List of renamed cities in Georgia
Cities
Iran, Renamed
Iran geography-related lists
Iran |
Callidium violaceipenne is a species of beetle in the family Cerambycidae. It was described by Chemsak & Linsley in 1963.
References
Callidium
Beetles described in 1963 |
```shell
#!/usr/bin/env bash
# Tags: long, no-object-storage
# Because parallel parts removal disabled for s3 storage
# NOTE: this done as not .sql since we need to Ordinary database
# (to account threads in query_log for DROP TABLE query)
# and we can do it compatible with parallel run only in .sh
# (via $CLICKHOUSE_DATABASE)
# Creation of a database with Ordinary engine emits a warning.
CLICKHOUSE_CLIENT_SERVER_LOGS_LEVEL=fatal
CUR_DIR=$(cd "$(dirname "${BASH_SOURCE[0]}")" && pwd)
# shellcheck source=../shell_config.sh
. "$CUR_DIR"/../shell_config.sh
# The number of threads removing data parts should be between 1 and 129.
# Because max_parts_cleaning_thread_pool_size is 128 by default
$CLICKHOUSE_CLIENT --allow_deprecated_database_ordinary=1 -nm -q "create database ordinary_$CLICKHOUSE_DATABASE engine=Ordinary"
# MergeTree
$CLICKHOUSE_CLIENT -nm -q """
use ordinary_$CLICKHOUSE_DATABASE;
drop table if exists data_01810;
create table data_01810 (key Int)
Engine=MergeTree()
order by key
partition by key%100
settings concurrent_part_removal_threshold=99, min_bytes_for_wide_part=0;
insert into data_01810 select * from numbers(100);
drop table data_01810 settings log_queries=1;
system flush logs;
-- sometimes the same thread can be used to remove part, due to ThreadPool,
-- hence we cannot compare strictly.
select throwIf(not(length(thread_ids) between 1 and 129))
from system.query_log
where
event_date >= yesterday() and
current_database = currentDatabase() and
query = 'drop table data_01810 settings log_queries=1;' and
type = 'QueryFinish'
format Null;
"""
# ReplicatedMergeTree
$CLICKHOUSE_CLIENT -nm -q """
use ordinary_$CLICKHOUSE_DATABASE;
drop table if exists rep_data_01810;
create table rep_data_01810 (key Int)
Engine=ReplicatedMergeTree('/clickhouse/tables/$CLICKHOUSE_TEST_ZOOKEEPER_PREFIX/rep_data_01810', '1')
order by key
partition by key%100
settings concurrent_part_removal_threshold=99, min_bytes_for_wide_part=0;
SET insert_keeper_max_retries=1000;
SET insert_keeper_retry_max_backoff_ms=10;
insert into rep_data_01810 select * from numbers(100);
drop table rep_data_01810 settings log_queries=1;
system flush logs;
-- sometimes the same thread can be used to remove part, due to ThreadPool,
-- hence we cannot compare strictly.
select throwIf(not(length(thread_ids) between 1 and 129))
from system.query_log
where
event_date >= yesterday() and
current_database = currentDatabase() and
query = 'drop table rep_data_01810 settings log_queries=1;' and
type = 'QueryFinish'
format Null;
"""
$CLICKHOUSE_CLIENT -nm -q "drop database ordinary_$CLICKHOUSE_DATABASE"
``` |
The 2nd Mechanized Corps of Lieutenant General Władysław Anders () was a corps-level formation of the Polish Army.
The 2nd Mechanised Corps was formed on the basis of the Air-Mechanized Corps and divisional units of the Silesian and the Pomeranian Military District. Two divisions and units of the types of forces and services were initially part of the corps. The body was ready for action with effect from 1 January 2002. The command of the garrison was located in Krakow. As part-owned structures in the period 1 January 2002 - 1 April 2004 2 Mechanized Corps was operational-tactical compound designed to conduct combat operations in the area of NATO alone and in cooperation with allied troops, fighting with enemy ground and air, as well as co-participation in resolving the situation crisis.
After the transfer in April 2004 of subordinate tactical and other military units in direct subordination of the commander of the Land Forces, the command of the 2nd Mechanised Corps was dedicated to the organization and conduct training and exercises for selected commands and operational-tactical units of the Land Forces and ad hoc task forces created clusters.
The 2nd Mechanised Corps cooperates with similar Headquarters within NATO. 2nd Mechanised Corps was the first operational-tactical compound of the Polish Army, which received the affirmation of NATO during the exercise "Cannon Cloud 2002" (November 2002). Thus it confirmed its readiness to command allied operational groups and to participate in allied exercises in the role of leadership of the body. At the level of the Allied Command of the 2nd Mechanized Corps, together with the I. German/Dutch Corps and the Italian NRDC-IT part of the working group set up by the Allied Command Operations in the field of exercise, training and coordination of the development of normative documents.
The godmother of the standard 2 KZ was the actress Anna Dymna.
Corps commanders
gen. dyw. Mieczysław Stachowiak (2001–2004)
gen. broni Mieczysław Bieniek (2004–2007)
gen. dyw. Włodzimierz Potasiński (cz.p.o. 2007)
Brigadier General Andrzej Knap (p.o. 2007)
gen. dyw. Edward Gruszka (2007–2009)
gen. dyw. Zbigniew Głowienka (2009–2010)
gen.dyw. dr Jerzy Biziewski (1 VI 2010 - 26 VII 2013)
Brigadier General Andrzej Knap (od 26 VII 2013-19 II 2014)
gen.dyw. Janusz Adamczak (19.2.2014-1.7.2014) Last
References
Further reading
Corps of Poland
Military units and formations established in 2002 |
```smalltalk
using System;
using System.IO;
using NUnit.Framework;
using Xamarin.Tests;
using Xamarin.Utils;
namespace Xamarin.MacDev.Tasks {
[TestFixture ("iPhone")]
[TestFixture ("iPhoneSimulator")]
public class WatchKit2 : ExtensionTestBase {
public WatchKit2 (string platform) : base (platform)
{
}
[Test]
public void BasicTest ()
{
Configuration.IgnoreIfIgnoredPlatform (ApplePlatform.WatchOS);
Configuration.AssertLegacyXamarinAvailable (); // Investigate whether this test should be ported to .NET
BuildExtension ("MyWatchApp2", "MyWatchKit2Extension");
}
public override string TargetFrameworkIdentifier {
get {
return "Xamarin.WatchOS";
}
}
}
}
``` |
Charlotte Hussey is Montreal-based poet, literary critic and English professor at Dawson College. She completed her MA '79 at Concordia University, MFA '91 at Warren Wilson College, and PhD '99 at McGill University. Her doctorate thesis was on the twentieth-century poet H.D. She also teaches creative and academic writing at McGill University and has taught on Northern Quebec Aboriginal reserves. Outside her writing life, she is also a yoga instructor and Creativity Coach.
She participated in Dial-A-Poem Montreal 1985–1987.
Publications
Poetry
Rue Sainte Famille. Montreal, QC: Véhicule Press, 1990.
The Head Will Continue to Sing. Montreal, QC: Over The Moon, 2000.
Glossing the Spoils. Stroud, Glos: Awen Publications, May 2012.
References
yah
20th-century Canadian poets
21st-century Canadian poets
20th-century Canadian women writers
21st-century Canadian women writers
McGill University alumni
Concordia University alumni
Warren Wilson College alumni
Writers from Montreal
Living people
Year of birth missing (living people) |
Ceralocyna nigricornis is a species of beetle in the family Cerambycidae. It was described by Gounelle in 1911.
References
Ceralocyna
Beetles described in 1911 |
Edward Charles Wright (born 4 August 1980 in Hawridge, Buckinghamshire) is a British composer known largely for electronic and mixed media sound art.
Biographical information
He studied at Bangor University under the supervision of Andrew Lewis completing a doctorate in mixed electroacoustic and instrumental music in 2010 Edward Wright is actively composing and recording. He lives in North Wales with his partner and daughter. Wright's life was hit by tragedy when his father committed suicide in 2017, deeply affecting his next major work Space to Think.
Performance and broadcast
Wright has performed widely thought the UK and abroad including performances in SARC (Belfast), Electroacoustic Cymru (Wales), St. James Piccadilly (London), Art Forum (Antwerp), ICMC2012 (Slovenia), California State University New Music Festival, NYCEMF (USA) & Toronto Electroacoustic Symposium (Canada). His work is characterised (although not exclusively) by the use of electronic resources especially surround and octophonic sound diffusion systems. Although his output remains somewhat melodic in comparison to many comparable acousmatic compositions, Wright's work has become increasingly driven by philosophical, rather than specifically musical content, as demonstrated in more recent pieces such as Thinking inside the Box and Crosswire; the emphasis is more on the multisensory experience of the music and the underlying discourse rather than a particular tune or melody.
During his time completing his thesis Wright worked on a number of broadcast projects including the tape part and realisation of Stereo Type for Guto Puw broadcast on S4C television in 2005 as part of the Bangor New Music Festival, also appearing on S4Cs Sioe Gelf with a workshop with pupils from Ysgol PendalarS4C television Sioe Gelf 15/4/08, and work being played on BBC Radio 1 Wales Introducing BBC Radio 1 Wales Introducing 5/6/09. His work first achieved international recognition in the IMEB Prix Bourges 2008 for his piece 'Con-chords' IMEB Prix Bourges. He has since gone on to sign to the Blipfonica record label Blipfonica and has released two CDs in the past two years, as well as contributing to the Journal of Creative Studies, the Composers of Wales Newsletter, and Electronic Music Wales. He also did sound for the Conwy Food Festival, Art Video.
Software development
Wright initially developed software within the Max/Msp/Jitter and Csound environments as a way of creating methods to perform otherwise impossible music, as in the case of the 8 channel audio/video mixer devised for 'Harp Set', and the sample/processing/difussion system of 'Polarities'. These have quickly become outmoded as live/electronic mixed music has become more mainstream.
Wright's approach to software design as a method of interfacing with the digital world during live performance brings software design (as in the case of 'Crosswire' and 'Sound games') closer to instrument building, focusing on methods of physical interaction e.g. mouse, Wii Remote and motion tracking controls which provide a wide range of expression yet demand the precision of physical control expected by an instrumental performer.
As well as his performance software Wright has also released a number of composition tools Virtual440 Audio Machine VAM 1 which are available to download in the Max (software) environment.
Collaborations
Wright has worked collaboratively with a number of artists, most especially the photographer and poet Morlo Bach under the title of Virtual Poetry for: 'Passage, In memory of Thomas/Celtic Cross' and 'Broken Glass', and with the author Graeme Harper on 'Seasons'. He also worked on Stereo Type for Guto Puw see above. As part of the Conwy Blinc digital arts festival he also worked with Tim Pugh & Wendy Dawson, Helen Booth and Dominic McGill. Wright is part of the electronic improvisation trio Accretion Entropy notably performing on BBC Radio 3.
Works to October 2019
'Newborough Bluesky', electronic (2001)
'In Pace', harp, violin, cello and flute (2002)
'Triangulations', small orchestra (2002)
'Stereo Type' with Guto Puw (2005)
'Passage', music and image installation (2005)
'The Way I Saw It', violin and tape (2005)
'Enough~?', clarinet and live electronics (2006)
'Botany', chorus (2006)
'En Masse', electronic (2006)
'In memory of Thomas/Celtic Cross', multi-media (2006)
'Postcards From Home', electronic (2007)
'Broken Glass', music with image installation (2007)
'Harp Set', 8 channel surround sound and moving image (2007)
'Seasons', chorus and live 4-channel electroacoustics (2008)
'Con-chords', 8-channel electroacoustics (2008)
'Castell' (with Ysgol Pendalar)
'Y Twr', multi-channel installation (2009)
'Polarities', orchestra and 8-channel surround live electronics (2009)
'Starlight Snowfall', String Ensemble and 4 channel electronics (2010)
'Thinking Inside the Box', Stereo fixed media installation (2010)
'Crosswire', for electric violin and live processing (2010)
'Anatomy of a Mountain Stream', 4 channel fixed media (2011)
'Sound Games', electronics and live controllers (2011)
'Jackdaws', 4 channel fixed media poetry collaboration with Rhys Trimble (2011)
'Who can hear the Sea', Octophonic evolving installation (2012)
'DROP!', Marble run sound game installation (2013)
'Sonic Wavelab' Sound art and sculpture installation with Charles Gershom (2014)
'Xmas-o-lophone' Sound sculpture (2015)
'Ricecar' for electric violin and stochastic step sequencer (2016)
'Like Shooting-stars Over Petrol Pools' for electric violin, FX and modular synthesis (2017)
'Space To Think' acousmatic concert music (2018)
'1 Mile 365 Days: Stories from running a mile daily for a year' paperback and eBook (2018)
'Turbo' stereo acousmatic music (2019)
Fundraising activities
Wright ran at least 1 mile everyday in 2017 to raise money for the Cleft Lip & Palate Association. He completed the challenge running over 500 miles, raising in excess of £2500. It may be relevant to this to note that Edward was born with a bilateral cleft lip and palate.
References
External links
Electroacoustic Wales
composers website
Bangor New Music Festival
CLAPA News 2017
Wright's 2017 Running Blog
Living people
English composers
1980 births
Musicians from Buckinghamshire |
Hugh Gore DD (1613-1691) was a seventeenth century Anglican Bishop of Waterford and Lismore in Ireland who founded Swansea Grammar School.
He was born in Maiden Newton in Dorset, England in 1613. He want to school in Lismore, and studied at Trinity College, Oxford and at Trinity College, Dublin.
On becoming a priest he held livings in Nicholaston and Oxwich near Swansea, Wales. He was ejected from his livings in 1650 under the Propagation Act of the Commonwealth for delinquency and refusing the engagement, after which he kept a school in Swansea.
After the Restoration of King Charles II he returned to favour and became Dean of Lismore in 1664; and Bishop of Waterford and Lismore in 1666. He founded Swansea Grammar School in 1682, which is now named Bishop Gore School in his honour. He retired to Swansea in 1689. He died in 1691 and was buried at St Mary's Church, Swansea.
References
1613 births
Clergy from Dorset
Alumni of Trinity College, Oxford
Alumni of Trinity College Dublin
Deans of Lismore
17th-century Anglican bishops in Ireland
Bishops of Waterford and Lismore (Church of Ireland)
1691 deaths |
Count was a Japanese aristocrat, academic and poet. He was the count of the island Tsushima from 1923 to 1985. He was the husband of Princess Deokhye, the last princess of the Korean Empire, and served as a member of the House of Peers.
Life
Sō was born Kuroda Takeyuki (黒田 武志) on 16 February 1908 as the only son of aristocrat Kuroda Yoriyuki, a self-made lawmaker who was also the judge of the Nagasaki and Yokohama courts. His mother was Kuroda Reiko, the daughter of Kuroda Naoyasu, Lord of Kururi, Kazusa (now Chiba Prefecture). Originally, Kuroda was the sixth son of Yoshiyori, the Lord of Tsushima, but when his wife's father passed away without a son in 1884, he became the heir to the Kuroda family instead. Kuroda died of illness in 1917 when Takeyuki was eight years old.
After attending Yotsuya's first elementary school in Tokyo and Seibi school in Japan, Takeyuki moved to Tsushima. He entered Izuhara Elementary School in 1918 and Tsushima Junior High School in 1920. When his older cousin, Sō Shigemochi, leader of the Sō clan, died without a son in March 1923, Takeyuki succeeded as the next leader of the Sō clan in October.
After graduating from Tsushima Junior High School, Sō moved to Tokyo in 1925 and entered Gakushūin High School. That same year, his mother died, and as a result, he went under the care of Duke Gujo Michijanae (구조 미치자네, 九条道実).
In 1928, he entered the Department of English Literature at the University of Tokyo and graduated in 1939.
In 1930, he met Princess Deokhye for the first time at Gujo's mansion. In May 1931, after matchmaking that was performed by Empress Teimei, the consort of Emperor Taishō of Japan, he married Deokhye, who was the daughter of Emperor Gojong of Korea and his concubine, Imperial Consort Boknyeong Gwi-in . Sō and Deokhye had a daughter, Masae () (Jeonghye () in Korean), on 14 August 1932.
After the war, he was elected to the House of Peers in a by-election in June 1946. On 2 May 1947, he lost his position due to the enforcement of the Constitution of Japan.
When Japan was defeated in World War II, Korea once again became independent and lost its nobility title, as Kazoku was abolished. The arranged marriage no longer made sense, and Sō and Deokhye gradually became detached from one another until they divorced in 1953.
His daughter, Masae, graduated from Waseda University's Department of Literature and met Suzuki Noboru, whom she married in 1955. Having suffered an unhappy marriage, Deokhye's grief was compounded by the loss of their only daughter who disappeared in 1956, who reportedly committed suicide due to the stress of her parents' divorce.
After the divorce, Takeyuki moved to Kashiwa, Chiba Prefecture, and remarried in 1955 to a Japanese woman named Katsumura Yoshie and had three children, the eldest being Tatsuhito, who succeeded him as titular head of the So family and Count of Tsushima titles.
Takeyuki Sō died on 22 April 1985 at the age of 77.
Academic career
In 1932, Sō participated in the moral science class of Chikuro Hiroike. In 1935, at the time of the School of Moral Science's establishment, he was invited by Hiroike to become a lecturer and was in charge of moral science lectures.
In 1936, Sō took charge of English in the main course of the Department of Moral Sciences before resigning as a lecturer in 1940. After that, he studied subjects like English conversation, composition, Latin, Greek, and Italian at home.
In 1944, he became a part-time director of the Cabinet Information Bureau and engaged in English–Japanese translation in the Second Section of the War Materials Room of the President's Secretariat. In July 1945, he was summoned as a second-class soldier and joined the Army's Independent 37th Battalion, transferred to the 83rd Kashiwa Unit.
After 1945, Sō served as a professor and dean of the Faculty of Foreign Studies at Reitaku University, becoming an emeritus professor in 1978. In 1963, he became a trustee of Hiroike Gakuen and a director of the Institute of Moral Science. In 1970, he became executive director of Hiroike Gakuen. Throughout his life, he worked on poetry and painting, and in 1975 he presided over the poetry magazine Shida.
Works
『対馬民謡集』第一書房、1934年
『海郷』第二書房、1956年
『紀行110日』廣池学園出版部、1964年
『春庭楽(しゅんだいらく)』廣池学園事業部、1978年
『日の雫』沙羅詩社、1978年
『黒潮─宗武志歌集』私家版、1985年
Family
Grandfather
Sō Yoshiyori (소 요시요리, 宗義和)
Father
Sō Yoriyuki (소 요리유키) later, Kuroda Yoriyuki (구로다 요리유키, 黒田和志) (8 September 1851 – 21 January 1917)
Uncle – Sō Yoshiakira (소 요시아키라, 宗 義達 そう よしあきら) (13 December 1847 – 25 May 1902)
Cousin/adoptive father – Sō Shigyemochi (시게모치, 宗 重望)
Guardian – Gujo Michijanae (구조 미치자네, 九条道実) (16 January 1870 – 19 January 1933)
Mother
Kuroda Reiko (구로다 레이코, 黒 鏻子) (? – 1925)
Grandfather – Kuroda Naoyasu (구로다 나오야스, 黒田直和) (11 August 1819 – 9 January 1876)
Grandmother – Ota Sukemoto (오타 스케모토, 太田資始)
Wives and their children
Princess Deokhye (덕혜옹주) (25 May 1912 – 21 April 1989)
Daughter – Countess Sō Masae (소 마사에, 宗 正惠), or Sō Jeonghye (소 정혜) (14 August 1932 – 1956)
Son-in-law – Suzuki Noboru (스즈키 노보루, 鈴木 昇) later, Sō Noboru (소 노보루, 宗 昇) (5 September 1931 – ?)
Katsumura Yoshie (가쓰무라 요시에, 勝村 良江) later, Sō Yoshie (소 요시에, 宗 良江)
Son – Sō Tatsuhito (소 다쓰히토, 宗 立人)
Daughter – Sō Waki (소 와키, 宗 和木)
Son – Sō Nakamasa (소 나카마사, 宗 中正)
In popular culture
Film and television
Portrayed by Kim Jae-wook in the 2016 film The Last Princess.
References
1908 births
1985 deaths
Japanese poets
Japanese nobility |
Shawna Robinson (born November 30, 1964) is an American retired professional stock car racing driver. She was a competitor in all three of NASCAR's national touring series, as well as the ARCA Bondo/Mar-Hyde Series and the Charlotte/Daytona Dash Series. Robinson is one of 16 women to participate in the NASCAR Cup Series, and one of three females to race in the sports' premier event, the Daytona 500.
Robinson started competing in her childhood and, after graduating from high school in 1983, she began racing in semi-tractors. She achieved early success with 30 victories, and moved into the GATR Truck Series becoming the championship's rookie of the year for 1984. Four years later, Robinson started competing in stock car racing where she became the first woman to win a top-level NASCAR-sanctioned race that same year, finishing a career-high third place in the points standings. The following season, Robinson won two races and battled for the Charlotte/Daytona Dash Series championship in which she finished third overall. She was twice voted the Charlotte/Daytona Dash Series Most Popular Driver.
She moved to the NASCAR Busch Series in 1991 where she struggled to perform well but achieved one pole position in 1994. Robinson left a year later to start a family and began an interior decorating business. In 1999, she returned to active competition in the ARCA Bondo/Mar-Hyde Series where she ran strongly, and finished sixth in the series championship standings the following year. Robinson returned to NASCAR in 2001, and made her debut in the Winston Cup Series but was unable to compete successfully. She retired from racing four years later to focus on her family and concentrate on running her interior design and furniture business.
Biography
Early life and career
Robinson was born on November 30, 1964 in Des Moines, Iowa. Her legal name is Eileen "Shawna" Jade, but she went by Shawna on the racetrack. She is the youngest of five children of former race car driver Richard "Lefty" Robinson, an amateur diesel truck racer who worked on cars in his home garage and promoted races in the Midwestern United States, and his wife Lois who competed in auto racing before she flipped a car, and was asked by Lefty to stop racing. She grew up in a poor family. Lefty and Lois were also known for innovative ways of entertaining crowds at stock car races which garnered national recognition. Robinson was inspired by race car drivers A. J. Foyt, Sammy Swindell, and Steve Kinser in her teenage years, and found inspiration in woman driver Janet Guthrie by her early twenties, as she had more interest in NASCAR than open-wheel racing. She and her siblings were taught that they were allowed to do anything they wished and drove minibikes, motorcycles, and snowmobiles.
After graduating from Saydel High School in 1983, Robinson spent the summer deciding on her career path as she worked as a department store cashier. She went with her father to help him promote local races. Robinson persuaded him to let her compete in racing, and started off at Toledo Speedway driving a 1976 International semi-tractor. She participated in a five-lap sprint race where she finished second after leading for four laps, and took third position in the feature event. After this Robinson began racing full-time, and won 30 feature races before moving to the super-speedway division in April 1984; she faced early resentment from her male competitors. In the same year, Robinson moved from Iowa to Pennsylvania. Lefty believed Robinson's presence helped to increase fans' interest. Robinson's father acted as her mentor although her mother was against her racing because she felt she would be hurt in a crash.
In the same year, she became the first woman to win a Great American Truck Racing (GATR) Truck Series points-scoring race on a superspeedway when she won the Milwaukee Mile Bobtail 100 at Milwaukee Mile. Robinson was sponsored by her father for the remainder of the season after achieving her first race victory. She was voted the 1984 GATR Rookie of the Year. Robinson went to France to compete in the Paul Ricard Grand Prix Truck Race the following year, and took second in the 1986 Grand Prix of Trucks held in Mexico City. Robinson was victorious in the GATR Big Rig race at Flemington Speedway in 1987.
NASCAR and ARCA
1980s
Robinson began competing in the Charlotte/Daytona Dash Series in the spring of 1988. She garnered the attention of the Global Marketing Sports Group owned by Pat Patterson who found her a race seat with car owner David Watson, and drove a Pontiac Sunbird. That same year, she moved to Charlotte, North Carolina because the city is the center for stock car racing. Robinson started the season with a third-place finish in the Charlotte/Daytona Dash Series Florida 200 at Daytona International Speedway. She became the first woman to win a top-level NASCAR Touring Series race with a victory in the AC Delco 100 at Asheville-Weaverville Speedway on June 10, 1988 after starting from 13th position and taking the lead seven laps before the finish. She finished third in the Drivers' Championship, and was awarded the series' Rookie of the Year accolade as the highest-placed first season driver. Robinson was also voted by her fellow competitors the Charlotte/Daytona Dash Series Most Popular Driver at the series' awards banquet held in Charlotte.
In the following year, she continued her success by clinching the first pole position by a woman driver in NASCAR at I-95 Speedway. Robinson later started first and won the Dash Series race at Myrtle Beach Speedway; earlier in the year she took the victory at the Lanier National Speedway event and clinched two more pole positions during the season. It wouldn't be another 29 years until another female driver won a major NASCAR touring race. Heading into the season's final race at Langley Speedway, Robinson stood third, 86 points behind championship leader Gary Wade Finley. She need to secure victory if Finley finished last, and her other rival Larry Caudill took seventh, to win the series championship. Robinson secured fourth position in the race, and took third in the points standings. Robinson retained the Charlotte/Daytona Dash Series Most Popular Driver award. She participated in all 30 Charlotte/Daytona Dash Series events held between 1988 and 1989, and achieved 21 top-ten finishes. That same year, Robinson was one of eight professional women athletes nominated by the Women's Sports Foundation for the Sportswoman of the Year Award.
1990s
Robinson started competing in the NASCAR Busch Grand National Series in 1991, driving the No. 77 Huffman Racing Buick. At the time, the Busch Grand National Series was considered NASCAR's feeder circuit, a proving ground for drivers who wished to step up to the organization's premiere circuit, the Winston Cup. Early on, she ran sponsor-less because no one provided funding for her. Robinson qualified 26th fastest and finished 15th at her first Busch Series race, which took place at Orange County Speedway. Later that year, she finished 21st at Motor Mile Speedway, and 18th at the season's second race held at Orange County Speedway. The final race Robinson qualified for was at Charlotte Motor Speedway driving the No. 49 Ferree Racing car, where she finished 41st after an accident. Robinson failed to qualify for the race at Martinsville Speedway. She finished 54th in the Busch Series points standings.
In the 1992 Busch Series, Robinson moved to Silver Racing, driving the No. 21 Oldsmobile. Robinson began the season with a 34th-place finish in the Goody's 300, and was involved in an accident after completing 67 laps. Before the Champion 300, Robinson moved to the Pharo Racing No. 33 car after she was released by Silver Racing, and later moved to the No. 25 vehicle owned by Laughlin Racing. Although she struggled during her rookie season, she performed well in July and August, where she finished eleventh (her best of the season) in the Firecracker 200 at Volusia County Speedway, and she equaled the result at Michigan International Speedway. Robinson finished 38th in the final Busch Series championship standings, and was second in the NASCAR Busch Series Rookie of the Year behind Ricky Craven despite her abbreviated schedule.
Robinson went to the No. 35 Chevrolet for Laughlin Racing for the 1993 Busch Series, and drove in twenty-four races. At the season-opening Goody's 300, she retired after 71 laps due to a blown engine; her team also changed manufacturers during the season from Oldsmobile to Pontiac. She took her best finish of the season with an eleventh-place result in the Kroger 200 at Indianapolis Raceway Park. She did not qualify for four races in the 1993 season. Robinson finished the year 23rd in the final points standings, the highest of her Busch Series career. She made her first start in the Busch North Series at New Hampshire Motor Speedway where she qualified, but finished in 34th position after her engine failed. Robinson returned to Ferree Racing to drive the No. 46 Chevrolet for the 1994 Busch Series season.
At the season's second race (at Rockingham Speedway), she started second but finished 36th after being involved in a crash. Two races later, Robinson won her first career pole position (and the first for a woman in the Busch Series) in the Busch Light 300 at Atlanta Motor Speedway. On the race's first lap, she battled with Joe Nemechek and Mike Wallace through the track's third turn when Wallace collided with Robinson which sent her into Nemechek. Robinson continued with heavy damage to the front-end of her car, but retired after completing 63 laps with radiator damage. She attempted to qualify for the Busch North Series race at New Hampshire Motor Speedway but did not record a fast enough lap time to start the race. Robinson achieved her first top-ten finish in the Busch Series later in the season with a tenth-place result in the Fay's 150 at Watkins Glen. However, she was released from the team shortly afterward due to a loss of sponsorship, and ended the year 47th overall. Robinson took time off to rebuild her psyche and self-confidence, and worked on interior decorating as a hobby. She married engine builder Jeff Clark in November 1994.
She went to drive the No. 99 Ford Thunderbird, owned by the poorly-funded Colburn Racing team for the 1995 season, and planned to run five races in the Winston Cup Series along with a full season in the Busch Series. Robinson attempted to enter the Daytona 500, but failed to qualify after finishing 26th in the first Gatorade Twin 125s event. Robinson secured two top-20 finishes in the Busch Series in the team's No. 36 car, but retired from racing after four events to start a family with her husband Jeff Clark. She declined an offer to test at Daytona International Speedway while in the early stages of pregnancy. She said of her decision to have children: "Racing is part of who I am, If I became a different person because I had kids, then the kids were not going to know who I was my whole life before them." Shortly before the birth of her two children, Robinson started her interior-decorating business from her home, and painted murals for homes and businesses.
Robinson returned to racing in 1999 in the ARCA Bondo/Mar-Hyde Series with car owner James Finch. At her debut race in the FirstPlus Financial 200 at Daytona International Speedway, she took a second-place finish, the best for a woman driver in the championship. Afterward, Robinson moved into a car owned by Winston Cup Series driver Jeremy Mayfield, and finished fourth at Lowe's Motor Speedway. She qualified in eighth place at the final race of her year in Talladega Superspeedway but was involved in a crash after completing 66 laps and retired from the event. Robinson clinched the season's highest finishing rookie award.
2000s
Following her results in the previous year, Kranefuss-Haas Racing owner Michael Kranefuss was interested in Robinson having seen her compete at Daytona. He consulted with other drivers and received positive feedback about her. Hence, Kranefuss and Mayfield elected to give her a full-time seat for the 2000 season. She became the first woman to compete full-time in an American national stock car racing series. During the season, Robinson took top-ten finishes in half the races she entered, and competed alongside the series' points leaders. She reclaimed the series' highest finishing rookie award. Robinson surpassed the previous track record at Michigan International Speedway where she clinched her first pole position in the series. On the race's 82nd lap, she crashed after leaving the track's second turn, and was hospitalized with two broken ribs and an injured right scapula. Robinson was later released to continue racing. Robinson became the first woman to lead at least one lap in the ARCA Series at Toledo Speedway that same year.
She came close to winning her first ARCA race at the final round of the season, the Georgia Boot 400 at Atlanta Motor Speedway, having led a race-high 66 laps, but was overtaken by Bob Strait with three laps to go. Robinson finished sixth in the Drivers' Championship standings, making her the first woman to finish within the top-six final standings in an American national oval track motor sports series. In 2001, Robinson returned to NASCAR to drive the No. 99 Michael Waltrip Racing car for three races in the Busch Series with the objective of obtaining a season-long drive in 2002. The seat materialized when she met Tim Butler and Ken Butler of Aaron's at Atlanta Motor Speedway in the fall of 2000. She later received a phone call from team owner/driver Michael Waltrip who arranged a three-race agreement, but did not reply because she was under contract with Kranefuss. Bobby Kennedy acted as Robinson's crew chief. In her three races, she achieved one top-20 finish but did not finish the first two events having been involved in crashes. She continued a strong run in ARCA Series with two top-ten finishes in the season's first two races.
She later made her debut in the Winston Cup Series in the No. 84 Michael Kranefuss Racing Ford Taurus, and planned to run six races. The events were chosen because they were at tracks where Robinson felt comfortable, located in large markets where they would receive more attention. Her schedule was devised to allow Robinson time to test. She planned to race at Talladega Superspeedway but decided against it because of the rules regarding restrictor plate racing. Robinson failed to qualify for the first race she attempted (at California Speedway) when her car's rear-end gearing detached causing her to collide with the wall. Four races later, she started from 32nd at Michigan International Speedway, and became the first woman to start a NASCAR Cup Series race since Patty Moise in 1989. Robinson finished 34th after spinning her car in the track's second turn but avoided damage. After she failed to qualify for her next two races, she was unable to complete her schedule due to sponsorship issues. Robinson stated that she used the season as motivation; she hoped to be driving consistently in five years, and wanted to be a spokesperson for women.
She moved to BAM Racing in October 2001 and drove her sole race in the NASCAR Winston West Series at Las Vegas Motor Speedway that same month. Robinson was sent to a driving school to familiarize herself with the track, and Kranefuss granted her permission to race. She retired due to a car failure while running in third position. Team owner Tony Morgenthau first noticed Robinson at an ARCA race at Pocono Raceway the previous year when she made contact with his driver Matty Mullins who was sent into the wall. He had been impressed with her pace at Las Vegas, and asked Robinson afterward why she had not competed in more events. He later offered her a multi-year contract which she signed in December 2001. Her crew chief was former Busch Series driver Eddie Sharp. She attempted to qualify for 24-races during the 2002 season since her team had no owner points because they were a new operation. Robinson went to Kranefuss to terminate her contract with his team. She ran for Rookie of the Year, but was seen by the Chicago Tribune as having little chance of securing the honor.
At the season-opening Daytona 500, Robinson qualified in 36th place making her the second woman to start the race; she finished 24th despite spinning into the track's infield, and avoided a pit road collision with Bobby Labonte. After the event, Sharp left BAM Racing, and car chief Teddy Brown became Robinson's new crew chief. She struggled during her rookie season, and was unable to attend most races due to sponsorship issues along with her team hiring new drivers which limited her on track experience. Her rival competitors said it was due to Robinson driving an noncompetitive car rather than her driving skill. Robinson made no further appearances for BAM Racing after the Pepsi 400, and was later released by the team. She ended the season 52nd in the Drivers' Championship, and was fourth in the Rookie of the Year standings. Outside racing, Robinson spoke for Women in Sports, and attended meetings of several associations and business groups while taking the time to be with her children. She separated from Jeff Clark in early 2002, but both remained on good terms.
Robinson moved to the Craftsman Truck Series in 2003, driving the No. 49 Mike Starr Racing Chevrolet Silverado for three races, with a pit crew consisting entirely of women. At her first race at Texas Motor Speedway, she finished 18th after incurring two race penalties which put her five laps behind race winner Brendan Gaughan. Robinson followed it up with consecutive 29th-place finishes at Las Vegas Motor Speedway and Talladega Superspeedway but failed to finish both events, and finished the year 72nd overall. She returned to ARCA in the same year, and drove in the season's first two races. Robinson failed to finish at Daytona International Speedway due to an engine failure, and took an 11th-place finish at Atlanta Motor Speedway. Robinson competed in the annual ten-lap Toyota Pro/Celebrity Race in Long Beach, California as one of five drivers in the "Pro" category. She finished seventh overall and fourth in her class. Robinson drove in two Iowa State Fair dirt races in August 2003.
Midway through 2004, she entered one race in the Busch Series (the Meijer 300 at Kentucky Speedway) for Stanton Barrett Motorsports in its No. 91 Pontiac after team owner Stanton Barrett made a phone call to Robinson regarding a deal which she accepted. She failed to qualify for the event. Robinson left auto racing at the end of 2005 after poor performances driving six races for the No. 23 Keith Coleman Racing team in the Busch Series, and vowed that if she returned, she would do it by herself. She refused to be labelled as either a "start and park" or a "gimmick" driver because she was a woman. She dealt with successive crew chiefs and team owners who collaborated against her to give her poor results, and was labelled as "emotionally unstable" when she attempted to stop sexism towards her. Robinson is one of 16 women to have participated in the NASCAR Cup Series, and one of three to have driven in the series' premier event, the Daytona 500.
Post-racing career
Robinson focused on her family full-time, and continued to concentrate on her interior design business. Several of her clients came from the NASCAR community. She also started a company called Happy Chairs in the Matthews area of Charlotte where she creates her own furniture and redesigns old chairs. It came after Robinson looked for furnishings in a national furniture chain store and discovered a display chair that she liked. She begins the process of renovating old chairs by searching for those that are in poor condition but are structurally intact and are architecturally appealing. Robinson dismantles the chair and starts reconstructing it. Her work has received critical acclaim from online magazines and customers. Robinson names designer Trina Turk and several clothing companies as her influences.
She applied to participate in the CBS reality competition show The Amazing Race 16 with NASCAR Truck Series driver Jennifer Jo Cobb as her teammate but both were cut from the program. Robinson was invited to donate memorabilia to the NASCAR Hall of Fame but did not send anything because of her commitment to The Amazing Race 16 audition. She was involved with the planning and decorating for Kelley Earnhardt Miller's marriage in 2011. In March 2014, Robinson was diagnosed with stage three breast cancer, which she was told had also spread to her lymph nodes. She underwent treatment with chemotherapy and radiation therapy, causing the removal of 18 lymph nodes and a lump in her breast. Robinson was cared for by her mother-in-law for seven months. Her friends ran her businesses on her behalf. Earnhardt Miller along with Dale Earnhardt Jr., ran fundraising events to help Robinson pay her medical bills. She later entered remission, and completed her final radiation treatment in September 2015.
Legacy
Robinson has been described as "a competent racer" by fellow drivers. As a woman race car driver, Robinson was a pioneer in NASCAR racing, an industry that is predominantly male, and she established a precedent that allowed others like Danica Patrick to follow. She was honored for her auto racing career with a resolution adopted by the Iowa Senate in March 2002. In an interview for Sports Illustrated for Women in 2002, Robinson stated that she was an athlete who wanted to compete and win: "Whatever car I'm in, whatever series I'm running, whatever track I'm racing—I want people to know Shawna Robinson was there." Robinson felt she carried on the work of Janet Guthrie in "opening doors for a lot of women" in auto racing and other male-dominated sports.
Joe Dan Bailey, who worked alongside seven-time Cup Series champion Dale Earnhardt, stated Robinson had similar qualities to Earnhardt including how to improve the feel of her car and how it behaved. In an interview with USA Weekend in 2002, Robinson stated that her success was down to an intensive training regime which allowed her to maintain her focus. She noted in 1993 that individuals searched more for her weaknesses rather than strengths, and that there was more pressure placed upon her because of her gender. Robinson stated that she did not try to overpower her male rivals and her career was not "a crusade for feminism". Although Robinson holds a number of "firsts" for women in American motorsports, she said that they do not hold a large significance for her.
Motorsports career results
NASCAR
(key) (Bold – Pole position awarded by qualifying time. Italics – Pole position earned by points standings or practice time. * – Most laps led. Small number denotes finishing position)
Winston Cup Series
Daytona 500 results
Busch Series
Craftsman Truck Series
Busch North Series
Winston West Series
ARCA Re/Max Series
(key) (Bold – Pole position awarded by qualifying time. Italics – Pole position earned by points standings or practice time. * – Most laps led.)
See also
List of female NASCAR drivers
Notes and references
Notes
References
External links
Living people
1964 births
Racing drivers from Des Moines, Iowa
NASCAR drivers
ARCA Menards Series drivers
ISCARS Dash Touring Series drivers
American interior designers
American female racing drivers
American women interior designers
Michael Waltrip Racing drivers
21st-century American women |
"Krieg Nicht Lieb" is the eleventh episode of the fourth season of the American television drama series Homeland, and the 47th episode overall. It premiered on Showtime on December 14, 2014.
Plot
Quinn (Rupert Friend) visits former lover Astrid (Nina Hoss), who works for the German embassy. With her help, he is able to determine Haissam Haqqani's (Numan Acar) current whereabouts by tracking cell phones in the same batch as phones he retrieved from Haqqani's henchmen. Carrie (Claire Danes) tracks down Quinn and is unable to bring him back in, but learns he is building a bomb.
Carrie gets an urgent call from Maggie (Amy Hargreaves) who relays the news that their father Frank died of a massive stroke.
Quinn sets his plan into motion by giving Kiran (Shavani Seth) the video footage of Haqqani killing Aayan. He asks Kiran to post the video on the Internet, along with a call to action, which leads to a mob of protesters collecting in front of Haqqani's hideout in Islamabad. Tasneem Qureishi (Nimrat Kaur) responds by sending hostile Haqqani supporters to the scene in an attempt to drive the demonstrators away. Quinn blends in with the crowd by holding a large sign. He slips the handle of the sign, which he had filled with C-4, into a grate in front of Haqqani's driveway. As Quinn anticipated, Haqqani's handlers opt to move him to a safer location. As Haqqani's car pulls out, Quinn prepares to detonate the bomb but is dissuaded when he sees Carrie in harm's way, who makes her presence known by removing her hijab. As Haqqani greets his supporters, Carrie walks behind the procession, with the aim of killing Haqqani herself. Before she can shoot him, she is restrained by Aasar Khan (Raza Jaffrey), who points out that Dar Adal (F. Murray Abraham) is in the car with Haqqani.
Title
The title Krieg Nicht Lieb is understood by reviewers as a German translation of "War not love." The translation is wrong but understandable in German.
Production
The episode was directed by Clark Johnson and written by executive producers Alexander Cary and Chip Johannessen.
Mandy Patinkin only appears in archive footage in this episode as Saul Berenson. This episode features the death of Carrie's father as the actor who played Frank Mathison, James Rebhorn, died in March 2014.
Reception
Ratings
The original broadcast of the episode was watched by 2.1 million viewers, which marked the season's eighth consecutive increase in viewership and its highest-rated episode of the season to date.
Critical response
The review aggregator website Rotten Tomatoes reported an 83% approval rating from critics based on 12 reviews.
Cynthia Littleton of Variety described the episode as "a fast-moving mix of razor-sharp suspense and softer emotional moments".
Price Peterson of New York magazine rated the episode 4 out of 5 stars, praising Claire Danes' performance and the development of her character, Carrie Mathison.
References
External links
"Krieg Nicht Lieb" at Showtime
2014 American television episodes
Homeland (season 4) episodes
Television episodes directed by Clark Johnson |
Friary Court is a part of St James's Palace in London, England.
It is used after the death of a reigning monarch. The Accession Council meets to declare the new monarch from the deceased monarch's line. Once the monarch has made a sacred oath to the council, the Garter King of Arms steps onto the Proclamation Gallery which overlooks Friary Court to announce the new monarch. Friary Court has also been used in association with several other ceremonial functions, such as the christening of Prince George of Wales in the adjoining Chapel Royal. Aside from ceremonial functions it hosts royal charity events of which the Royal Family are an integral part.
References
Buildings and structures in the City of Westminster
Palaces in London |
```c++
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
// Original code copyright 2014 Foxit Software Inc. path_to_url
#include "xfa/fxfa/cxfa_ffexclgroup.h"
#include "xfa/fxfa/cxfa_ffapp.h"
#include "xfa/fxfa/cxfa_ffdoc.h"
#include "xfa/fxfa/cxfa_ffpageview.h"
#include "xfa/fxfa/cxfa_ffwidget.h"
CXFA_FFExclGroup::CXFA_FFExclGroup(CXFA_Node* pNode) : CXFA_FFWidget(pNode) {}
CXFA_FFExclGroup::~CXFA_FFExclGroup() {}
void CXFA_FFExclGroup::RenderWidget(CXFA_Graphics* pGS,
const CFX_Matrix& matrix,
uint32_t dwStatus) {
if (!IsMatchVisibleStatus(dwStatus))
return;
CFX_Matrix mtRotate = GetRotateMatrix();
mtRotate.Concat(matrix);
CXFA_FFWidget::RenderWidget(pGS, mtRotate, dwStatus);
}
``` |
Liberia–Spain relations are the bilateral and diplomatic relations between these two countries. Liberia has no embassy in Madrid but its embassy in Paris is accredited for Spain but has two consulates in Las Palmas de Gran Canaria and Madrid. Spain does not have an embassy in Liberia but its embassy in Abidjan, Ivory Coast is accredited for Liberia, but it has a consulate in Monrovia.
Diplomatic relations
Relationships considered cordial and fluid at the political and institutional level. The Spanish Embassy in Monrovia was closed in 1990 after the start of the civil war, currently dealing with current affairs and the Spanish Embassy in Abidjan (Ivory Coast) being accredited before the Liberian authorities. Between August 2007 and the end of 2014 Spain had displaced a diplomat in Monrovia, also in charge of covering Sierra Leone.
On March 7 of 2009 the First Vice President of the Government of Spain, María Teresa Fernández de la Vega, made an official trip to Liberia, accompanied by the Secretary of State for Cooperation, Soraya Rodríguez, and the Secretary of State for Foreign Affairs, Ángel Lossada.
Cooperation
Although Liberia has not traditionally been a country of cooperation for Spain, and has not been a priority country in the master plans of Spanish cooperation, Spain's commitment to this West African country has become evident in recent years through the realization and participation (bilaterally and multilaterally) in a whole series of cooperation actions aimed at improving the living conditions of the citizenship or dealing with the consequences produced by the armed conflict, actions that have contributed to stabilize politics and socially the country and, therefore, ultimately, to consolidate the peace process in Liberia.
See also
Foreign relations of Liberia
Foreign relations of Spain
References
Spain
Liberia |
The Kharan Rifles is a paramilitary regiment forming part of the Pakistani Frontier Corps Balochistan (South). It is responsible for border security, counter-insurgency, and maintaining law and order in southwest Pakistan. It guards the border area at the junction of Pakistan, Iran and Afghanistan, a major transit area for trade and traffic. Administratively the regiment comes under the Interior Ministry, while it is commanded by seconded officers of the Pakistan Army.
History
In 1978, the Balochistan Constabulary, a paramilitary unit based in the Khuzdar and Kharan Districts in Balochistan Province, was deactivated, raised anew as a unit of the Frontier Corps and joined by the 84th Wing of the Chagai Militia. The new name of the unit was the Kharan Rifles and their base was moved from the large city of Khuzdar to the remote settlement of Nok Kundi. The Rifles were subdivided into three battalions: the 75th Wing, the 76th Wing, and the 84th Wing. By 1985 the Rifles had a strength of 2,200 personnel, but it remained a lightly-armed unit.
In 1988, personnel of the Rifles discovered and neutralised several explosive devices on the main highway linking the Iranian city of Zahedan and Pakistani city of Quetta. In September 1999, one person died and three were injured in a confrontation with armed personnel based in Taftan, Balochistan.
In the early 21st century, the Rifles apprehended significant amounts of smuggled weapons and ammunition near the Pakistan-Afghanistan border in Chagai District including on 11 July 2002, and 16 March 2006.
The Rifles have also been in anti-drugs operations. In June 2002, the unit intercepted smugglers and seized two tonnes of heroin, with an estimated street value of $13 million. In 2011-2012, the unit received a number of drug testing kits to assist in their work against drug smuggling.
Units
Headquarters Wing
60 Wing
75 Wing
76 Wing
84 Wing
145 Wing
References
Regiments of the Frontier Corps
Kharan District
1978 establishments in Pakistan
Frontier Corps Balochistan (South) |
"My Motherland" () is a song written for the Chinese movie Battle on Shangganling Mountain (1956). Lyrics were written by Qiao Yu (). Music was composed by Liu Chi (). Both of them are well known for a number of songs since the 1950s. It remains a popular and famous patriotic song in mainland China, and the signature song for the famous operatic soprano Guo Lanying.
Lyrics and music
"My Motherland" was initially called "A Big River" () by the author, in order to represent the hundreds of rivers that flow in China. The title was changed when it was published with the movie. The song is divided into 3 stanzas. Within each stanza, the soloist sings first before the chorus sings its refrain.
Although the song was written for a movie about Korean War in the 1950s, there is no explicit mention of the war at all. It describes a soldier (or anyone who is away from home) thinking about his home and his family.
The music for solo part has folk song style similar to those in northern China.
Lyrics
Controversy about Lang Lang playing "My Motherland" at state dinner
On January 19, 2011, Lang Lang played "My Motherland" as President Barack Obama welcomed Hu Jintao at a White House state dinner (many famous Chinese celebrities, including Jackie Chan and Yo-Yo Ma attended, as well as some others.)
On Lang Lang's blog, he put pictures that performed at the White House and wrote that "I soloed 'My Motherland' which in the mind of the Chinese people is one of the most beautiful songs. Being able to play this song in front of many foreign guests, including the heads of state from around the world, that praises China, and seemingly serenading a strong China and its people in solidarity, I am deeply honored and proud. I would like to share that day in the White House."
References
External links
Download audio files
The Original Music Video from the movie
Chinese patriotic songs
Maoist China propaganda songs
Articles containing video clips
Works about the Korean War |
```javascript
/* your_sha256_hash--------------
*
* # D3.js - custom diagram colors
*
* Venn diagram demo with custom color options
*
* Version: 1.0
* Latest update: August 1, 2015
*
* your_sha256_hash------------ */
$(function () {
// Data set
// ------------------------------
// Circles
var sets = [
{label: 'SE', size: 28},
{label: 'Treat', size: 35},
{label: 'Anti-CCP', size: 108},
{label: 'DAS28', size: 106}
];
// Overlaps
var overlaps = [
{sets: [0,1], size: 1},
{sets: [0,2], size: 1},
{sets: [0,3], size: 14},
{sets: [1,2], size: 6},
{sets: [1,3], size: 0},
{sets: [2,3], size: 1},
{sets: [0,2,3], size: 1},
{sets: [0,1,2], size: 0},
{sets: [0,1,3], size: 0},
{sets: [1,2,3], size: 0},
{sets: [0,1,2,3], size: 0}
];
// Initialize chart
// ------------------------------
// Define colors
var colours = d3.scale.category10();
// Draw diagram
var diagram = venn.drawD3Diagram(d3.select("#d3-venn-colors"), venn.venn(sets, overlaps), 350, 350);
// Style circles
diagram.circles
.style("fill-opacity", .7)
.style("stroke-opacity", 0)
.style("fill", function(d,i) { return colours(i); })
.style("stroke", function(d,i) { return colours(i); });
// Style text
diagram.text
.style("fill", "white")
.style("font-weight", "500");
});
``` |
```java
package com.ctrip.xpipe.redis.integratedtest.console.consoleapi.util;
import java.util.concurrent.ExecutorService;
import java.util.concurrent.Executors;
/**
* @author liuyi
*
* Sep 9, 2016
*/
public abstract class AbstractExecutorPool {
protected ExecutorService fixedThreadPool;
public AbstractExecutorPool() {
init();
}
public void addThread(final String apiName) {
fixedThreadPool.execute(new Runnable() {
public void run() {
test();
}
});
}
private void init() {
fixedThreadPool = Executors.newFixedThreadPool(getPoolSize());
}
abstract protected void test();
abstract protected int getPoolSize();
}
``` |
The Regional Mexican Albums, published in Billboard magazine, is a record chart that features Latin music sales information for regional styles of Mexican music. This data are compiled by Nielsen SoundScan from a sample that includes music stores, music departments at department stores and verifiable sales from concert venues in the United States. Billboard would publish a bi weekly chart up until July 17, 1993 when Billboard switched to publishing a weekly chart going forward.
Albums
References
United States Regional Albums
1993 in Latin music
Regional Mexican 1993 |
Provocator pulcher is a species of sea snail, a marine gastropod mollusk in the family Volutidae, the volutes.
Description
Distribution
References
Volutidae
Gastropods described in 1882 |
Vacation is the third studio album by Canadian rock band Seaway and a follow-up to 2015's Colour Blind.
Background and production
Pre-production was done with Derek Hoffman and Alan Day at Fox Studios, and by Mike Harmon at Wachusett Recording. Vacation was produced and engineered by Mike Green and Kyle Black at Green's studio, and by Will McCoy at West Alley Studios. Colin Schwanke, Fabian Rubio, and Jon Lundin acted as assistant engineers, and operated Pro Tools. Black mixed the recordings at West Alley.
Composition
Of Vacation, Singer Ryan Locke said: "Vacation is a step in a new direction for us. While still holding onto familiar aspects of the band, we definitely explored new destinations for Seaway. It is the best music we’ve written thus far; the record we’ve been working towards for the last 4 years."
Release
On July 13, 2017, it was reported that Seaway had signed to Dine Alone Records to handle the Canadian distribution for their next LP "Vacation". Album artwork, track listing and a music video for the first single "Apartment" was also released at this time. Vacation was released on September 14, 2017, the same day that the band played Riot Fest in Chicago. In September and October 2017, the group supported Four Year Strong for their 10th anniversary tour for Rise or Die Trying (2007).
Reception
AllMusic wrote that the record is "effortlessly melodic and marked by a shiny, '90s alt-rock aesthetic, Seaway's third full-length album, 2017's Vacation, is a confidently executed production; the kind that grabs your attention from the start and never lets you turn away." Alternative Press (magazine) wrote that Seaway "levelled up in the pop-punk world" and that the album contained "tracks so damn catchy you’ll be singing along upon first listen" giving the album 4.5/5 stars. Andy Biddulph from Rock Sound gave the album 8/10, saying "this is the moment Seaway become real contenders, but more than that, it might just be the pop-punk album of the year." The album was listed as #12 in the magazine's Top 50 releases of 2017, given the review- "with ‘Vacation’ [Seaway] forged absolute pop-punk perfection. Featuring songs about falling in love, dealing with heartbreak and taking your dog for a walk on the beach, the band combined their passions for heart, positivity and boyband peppiness to make an album that is brimming with youthful innocence, and, more than anything, timeless songwriting. We'll vacation here for many summers to come."
Track listing
All music and lyrics written by Seaway, except "Something Wonderful" and "Day Player" by Seaway and Mike Green.
"Apartment" – 3:00
"Neurotic" – 3:22
"London" – 3:01
"Lula on the Beach" – 3:25
"Something Wonderful" – 2:58
"Curse Me Out" – 3:04
"Day Player" – 3:38
"Misery in You" – 3:17
"Scatter My Ashes Along the Coast, or Don't" – 3:16
"Car Seat Magazine" – 3:24
"40 Over" – 3:36
"When I Hang Up" – 2:51
Personnel
Personnel per booklet.
Seaway
Ryan Locke – lead vocals
Patrick Carleton – guitar, backing vocals
Andrew Eichinger – guitar
Adam Shoji – bass
Ken Taylor – drums
Additional musician
Caleb Shomo – guest vocals on "Scatter My Ashes Along the Coast, or Don't"
Production
Mike Green – producer, engineer
Kyle Black – producer, engineer, mixing
Will McCoy – producer, engineer
Colin Schwanke – assistant engineer, Pro Tools
Fabian Rubio – assistant engineer, Pro Tools
Jon Lundin – assistant engineer, Pro Tools
Derek Hoffman – pre-production
Alan Day – pre-production
Mike Harmon – pre-production
Donny Phillips – illustrations, package design
References
Seaway (band) albums
2017 albums
Pure Noise Records albums |
```java
package tlc2.tool;
import java.io.IOException;
import tlc2.TLCGlobals;
import tlc2.output.EC;
import tlc2.output.StatePrinter;
import tlc2.tool.fp.FPSet;
import tlc2.tool.fp.FPSetConfiguration;
import tlc2.tool.fp.FPSetFactory;
import tlc2.tool.queue.DiskStateQueue;
import tlc2.util.NoopStateWriter;
import util.ToolIO;
/**
* CheckImpl is intended to be used with a simulation-based
* verification engine. It checks whether the states generated
* during simulation are legal based on the abstract view of a
* formal model. It also records coverage information on the
* (partial) state space TLC is creating, and subsequently uses that
* information to guide the simulation engine to corner cases that
* are hard to get.
**/
public abstract class CheckImpl extends ModelChecker {
private static int TraceDuration = 30000;
/**
* @param fpMemSize : This parameter added by Yuan Yu on 6 Apr 2010
* because same parameter was added to the ModelChecker constructor.
*/
public CheckImpl(ITool tool, String metadir, boolean deadlock,
int depth, String fromChkpt, final FPSetConfiguration fpSetConfig)
throws IOException {
// SZ Feb 20, 2009: patched due to changes to ModelCheker
super(tool, metadir, new NoopStateWriter(), deadlock, fromChkpt, fpSetConfig, System.currentTimeMillis()); // no name resolver and no specobj
this.depth = depth;
this.curState = null;
this.coverSet = FPSetFactory.getFPSet();
this.coverSet.init(TLCGlobals.getNumWorkers(), this.metadir, tool.getRootName()+"_cs");
this.stateEnum = null;
}
/**
* theFPSet contains the states in the partial state space created by
* running TLC2. coverSet contains the states obtained by calls to
* getState. trace is the union of theFPSet and coverSet. An uncovered
* state is a state that is in theFPSet-coverSet.
*/
private int depth; // the depth of the state space
//private long stateCnt; // the number of states // SZ: never
private FPSet coverSet; // the set of covered states
private TLCState curState; // the current state
private TLCTrace.Enumerator stateEnum; // the enumerator for reachable state
private long lastTraceTime; // the time the last trace was generated
/**
* The main task of initialization is to create a sufficiently large
* (probably partial) state space. The argument depth is the
* depth of the (partial) state space we want to create.
*/
public final void init() throws Throwable {
boolean recovered = this.recover();
if (!recovered) {
this.checkAssumptions();
// SZ Feb 23, 2009: added ignore cancel flag
this.doInit(false);
}
ToolIO.out.println("Creating a partial state space of depth " +
this.depth + " ... ");
final int result = this.runTLC(this.depth);
if (result != EC.NO_ERROR) {
ToolIO.out.println("\nExit: failed to create the partial state space.");
System.exit(EC.ExitStatus.errorConstantToExitStatus(result));
}
ToolIO.out.println("completed.");
this.lastTraceTime = System.currentTimeMillis();
this.stateEnum = this.trace.elements();
}
/* Reset the internal state of CheckImpl. */
public final void reset() throws IOException {
this.curState = null;
this.stateEnum.reset(-1);
}
/**
* Creates a (partial) state space with the state st as the root and
* depth as the depth.
*/
public final void makeStateSpace(TLCState st, int depth) throws Exception {
int depth1= this.trace.getLevel(st.uid) + depth;
this.theStateQueue = new DiskStateQueue(this.metadir);
this.theStateQueue.enqueue(st);
final int result = this.runTLC(depth1);
if (result != EC.NO_ERROR) {
System.exit(EC.ExitStatus.errorConstantToExitStatus(result));
}
}
/**
* This method gets a new state from the external world.
* It returns null if there is nothing available.
*/
public abstract TLCState getState();
/* This method exports a trace to the external world. */
public abstract void exportTrace(TLCStateInfo[] trace) throws IOException;
/* Returns true iff s1 is reachable from s0 (s0 -+-> s1). */
public final boolean checkReachability(TLCState s0, TLCState s1) {
Action next = this.tool.getNextStateSpec();
if (!this.tool.isValid(next, s0, s1)) {
ToolIO.out.println("The following transition is illegal: ");
StatePrinter.printStandaloneErrorState(s0);
StatePrinter.printStandaloneErrorState(s1);
return false;
}
int cnt = this.tool.getImpliedActions().length;
for (int i = 0; i < cnt; i++) {
if (!this.tool.isValid(this.tool.getImpliedActions()[i], s0, s1)) {
ToolIO.out.println("Error: Action property " + this.tool.getImpliedActNames()[i] +
" is violated.");
StatePrinter.printStandaloneErrorState(s0);
StatePrinter.printStandaloneErrorState(s1);
return false;
}
}
return true;
}
/**
* Returns true iff the state satisfies all the invariant properties.
* It also records the state if it is not seen before.
*/
public final boolean checkState(TLCState state) throws IOException {
// Record the state in coverSet and theFPSet:
long fp = state.fingerPrint();
boolean seen = this.coverSet.put(fp);
if (!seen) {
if (!this.theFPSet.contains(fp)) {
state.uid = this.trace.writeState(this.curState, fp);
// Check invariant properties of the state:
int cnt = this.tool.getInvariants().length;
for (int j = 0; j < cnt; j++) {
if (!this.tool.isValid(this.tool.getInvariants()[j], state)) {
// We get here because of invariant violation:
ToolIO.out.println("Error: Invariant " + this.tool.getInvNames()[j] +
" is violated. The behavior up to this point is:");
return false;
}
}
}
}
return true;
}
/**
* Generate a trace ending with an uncovered state. Returns
* null if there is no more uncovered state in the current
* state space.
*/
public final TLCStateInfo[] generateNewTrace() throws IOException {
long pos = -1;
while ((pos = this.stateEnum.nextPos()) != -1) {
long fp = this.stateEnum.nextFP();
if (!this.coverSet.contains(fp)) {
return this.trace.getTrace(pos, true);
}
}
return null;
}
/**
* The main method to check a trace. It gets the states in a
* trace by calling the getState method. For each new state
* obtained by getState, checkTrace checks if it satisfies all
* the invariant properties and if the transition is legal.
*/
public final void checkTrace() throws IOException {
this.curState = this.getState();
if (this.curState == null) return;
this.checkState(this.curState);
while (true) {
// Get the next state:
TLCState state = this.getState();
if (state == null) break;
this.checkState(state);
this.checkReachability(this.curState, state);
this.curState = state;
}
}
public final void export() throws IOException {
// Check if we need a trace:
long curTime = System.currentTimeMillis();
if (curTime - this.lastTraceTime > TraceDuration) {
TLCStateInfo[] states = this.generateNewTrace();
if (states != null) {
this.exportTrace(states);
}
this.lastTraceTime = curTime;
}
}
}
``` |
The Tobique Narrows Dam is a hydroelectric dam built on the Tobique River in the Canadian province of New Brunswick and operated by NB Power corporation. Its powerhouse has a capacity of 20 megawatts.
The dam and powerhouse were built between 1951 and 1953 near the confluence of the Tobique River with the Saint John River, several kilometers north of the village of Perth-Andover and 35 km upriver from the Beechwood Dam.
Highway 105 crosses the Tobique River along the top of the dam. A fish ladder helps migratory fish circumvent the 24 m head of the dam. The dam spans the river between Perth Parish on the south side, and the Tobique First Nation Indian reserve on the north side, both in Victoria County.
External links
NB Power Corporation
Dams in New Brunswick
Hydroelectric power stations in New Brunswick
Buildings and structures in Victoria County, New Brunswick
Dams completed in 1953
1953 establishments in New Brunswick
Dams with fish ladders |
The United Arab Emirates and Germany established relations in May 1972. The U.A.E. has an embassy in Berlin and consulate-general in Munich while Germany maintains an embassy in Abu Dhabi and a consulate-general in Dubai. German exports amount to 5.84 billion Euros. German companies significantly contribute to the UAE's ongoing infrastructure projects and play a leading role in the country's alternative energy developments. Consequently, German Business Park, an area designed to house several of the already seven hundred present companies and their logistical needs, is in the midst of construction. There are thousands of expatriate Germans in the United Arab Emirates who have helped maintain connections between the two countries.
History
Contacts between the two societies can be traced back to the early 20th century, when the German explorer Hermann Burchardt visited the British Trucial States in 1908 and photographed the ruler of Abu Dhabi. In the 1960s, German companies were involved in building infrastructure in what is now the UAE. Shortly after the UAE gained independence from the United Kingdom, the country established diplomatic relations with the Federal Republic of Germany in October 1972. Four years later, the UAE opened an embassy in Bonn. After German reunification, the UAE moved its embassy from Bonn to Berlin and inaugurated the new embassy building in 2004. In the same year, the two countries agreed on a strategic partnership to increase cooperation. Two years later, the German Academic Exchange Service and the Goethe Institute opened foreign offices in Abu Dhabi, and a joint German-Emirati Chamber of Commerce and Industry was established in 2009.
In 2017, the two countries entered into an energy partnership that focuses on promoting energy efficiency and renewable energy sources. In June 2019, they adopted a Memorandum of Understanding on a comprehensive strategic partnership with enhanced cooperation in the fields of security, energy, politics, economics, and culture. In doing so, the two countries reaffirmed their "friendly ties and stable partnership."
Economic exchange
Both countries are close economic partners, and economic relations have been steadily expanded since the 2000s. The joint trade volume stood at 8.0 billion euros in 2021, ranking the UAE 42nd in the list of Germany's trading partners. Germany exports machinery, aircraft, automobiles, electronic equipment and chemicals to the UAE. The UAE sells mainly aluminum and petrochemical products to Germany. Germany does not import crude oil from the UAE and therefore has a strong trade surplus in bilateral trade. Numerous German companies are active in the country and, as part of an energy partnership, German companies are involved in setting up production facilities for the manufacture of hydrogen.
Cultural relations
In the UAE, there are three German language schools in the cities of Dubai, Abu Dhabi and Sharjah. There are also more than 20 bilateral collaborations in the higher education sector. In 2020 and 2021, Germany was the guest country at the 30th and 31st International Book Fairs in Abu Dhabi, respectively. At Expo 2020 in Dubai, Germany and the state of Baden-Württemberg were represented with their own pavilions.
The football national teams of the two countries met for the first time at the 1990 World Cup. The Germany national football team won the group stage match 5-1. Further international matches between the two teams took place in 1994 and 2009 as part of friendly matches, which Germany won 2-0 and 7-2 respectively.
Military relations
The UAE is seeking an active military and political role in the region and, as a coalition partner of Saudi Arabia and the United States, is involved in regional conflicts, including the Yemen Civil war. The German arms industry supplies weapons to the UAE armed forces. In 2018, the value of German arms deliveries to the country amounted to 45 million euros. In 2020, the UAE was the third-largest buyer of German weapons, with arms deliveries worth 51.3 million euros.
Migration
In 2008, nearly 10,000 Germans lived in the city of Dubai, many of them entrepreneurs or technical specialists. Recently, the city has become the adopted home of several well-known German Internet influencers. In Dubai, an influencer license can be obtained from the resident government in exchange for a sum of money and positive coverage of the UAE's authoritarian government.
Diplomatic locations
Germany has an embassy in Abu Dhabi and a consulate general in Dubai.
The UAE has an embassy in Berlin and consulates general in Bonn and Munich.
See also
Foreign relations of Germany
Foreign relations of the United Arab Emirates
References
United Arab Emirates
Germany |
```yaml
bg:
activemodel:
attributes:
assembly:
area_id:
assembly_type:
assembly_type_other:
``` |
Plectranthias lasti, the trawl perchlet, is a species of fish in the family Serranidae occurring in the Western Pacific Ocean.
Size
This species reaches a length of .
Etymology
The fish is named in honor of ichthyologist Peter R. Last, of the CSIRO Division of Fisheries, who collected the paratype, and recognized it as an undescribed species, and made it available to the authors.
References
lasti
Taxa named by John Ernest Randall
Taxa named by Douglass F. Hoese
Fish described in 1995 |
```html
<html>
<head>
<meta http-equiv="Content-Type" content="text/html; charset=US-ASCII">
<title>BOOST_<level>_PREDICATE</title>
<link rel="stylesheet" href="../../../boostbook.css" type="text/css">
<meta name="generator" content="DocBook XSL Stylesheets V1.79.1">
<link rel="home" href="../../../index.html" title="Boost.Test">
<link rel="up" href="../testing_tool_ref.html" title="Reference API for writing tests">
<link rel="prev" href="assertion_boost_level_ne.html" title="BOOST_<level>_NE">
<link rel="next" href="assertion_boost_level_no_throw.html" title="BOOST_<level>_NO_THROW">
</head>
<body bgcolor="white" text="black" link="#0000FF" vlink="#840084" alink="#0000FF">
<table cellpadding="2" width="100%"><tr>
<td valign="top"><img alt="Boost C++ Libraries" width="277" height="86" src="../../../../../../../boost.png"></td>
<td align="center"><a href="../../../../../../../index.html">Home</a></td>
<td align="center"><a href="../../../../../../../libs/libraries.htm">Libraries</a></td>
<td align="center"><a href="path_to_url">People</a></td>
<td align="center"><a href="path_to_url">FAQ</a></td>
<td align="center"><a href="../../../../../../../more/index.htm">More</a></td>
</tr></table>
<hr>
<div class="spirit-nav">
<a accesskey="p" href="assertion_boost_level_ne.html"><img src="../../../../../../../doc/src/images/prev.png" alt="Prev"></a><a accesskey="u" href="../testing_tool_ref.html"><img src="../../../../../../../doc/src/images/up.png" alt="Up"></a><a accesskey="h" href="../../../index.html"><img src="../../../../../../../doc/src/images/home.png" alt="Home"></a><a accesskey="n" href="assertion_boost_level_no_throw.html"><img src="../../../../../../../doc/src/images/next.png" alt="Next"></a>
</div>
<div class="section">
<div class="titlepage"><div><div><h4 class="title">
<a name="boost_test.utf_reference.testing_tool_ref.assertion_boost_level_predicate"></a><a class="link" href="assertion_boost_level_predicate.html" title="BOOST_<level>_PREDICATE"><code class="computeroutput"><span class="identifier">BOOST_</span><span class="special"><</span><span class="identifier">level</span><span class="special">></span><span class="identifier">_PREDICATE</span></code></a>
</h4></div></div></div>
<pre class="programlisting"><span class="identifier">BOOST_WARN_PREDICATE</span><span class="special">(</span><span class="identifier">predicate</span><span class="special">,</span> <span class="identifier">arguments_list</span><span class="special">);</span>
<span class="identifier">BOOST_CHECK_PREDICATE</span><span class="special">(</span><span class="identifier">predicate</span><span class="special">,</span> <span class="identifier">arguments_list</span><span class="special">);</span>
<span class="identifier">BOOST_REQUIRE_PREDICATE</span><span class="special">(</span><span class="identifier">predicate</span><span class="special">,</span> <span class="identifier">arguments_list</span><span class="special">);</span>
</pre>
<p>
These are generic tools used to validate an arbitrary supplied predicate
functor (there is a compile time limit on predicate arity defined by the
configurable macro <code class="computeroutput"><span class="identifier">BOOST_TEST_MAX_PREDICATE_ARITY</span></code>).
To validate zero arity predicate use <a class="link" href="assertion_boost_level.html" title="BOOST_<level>"><code class="computeroutput"><span class="identifier">BOOST_</span><span class="special"><</span><span class="identifier">level</span><span class="special">></span></code></a>
tools. In other cases prefer theses tools. The advantage of these tools
is that they show arguments values in case of predicate failure.
</p>
<p>
The first parameter is the predicate itself. The second parameter is the
list of predicate arguments each wrapped in round brackets (<code class="computeroutput"><span class="identifier">BOOST_PP</span></code> sequence format).
</p>
<h6>
<a name="boost_test.utf_reference.testing_tool_ref.assertion_boost_level_predicate.h0"></a>
<span class="phrase"><a name="boost_test.utf_reference.testing_tool_ref.assertion_boost_level_predicate.example_descr"></a></span><a class="link" href="assertion_boost_level_predicate.html#boost_test.utf_reference.testing_tool_ref.assertion_boost_level_predicate.example_descr">Example:
BOOST_<level>_PREDICATE usage</a>
</h6>
<div class="informaltable"><table class="table">
<colgroup><col></colgroup>
<thead><tr><th>
<p>
Code
</p>
</th></tr></thead>
<tbody><tr><td>
<pre xmlns:rev="path_to_url~gregod/boost/tools/doc/revision" class="table-programlisting"><span class="preprocessor">#define</span> <span class="identifier">BOOST_TEST_MODULE</span> <span class="identifier">example</span>
<span class="preprocessor">#include</span> <span class="special"><</span><span class="identifier">boost</span><span class="special">/</span><span class="identifier">test</span><span class="special">/</span><span class="identifier">included</span><span class="special">/</span><span class="identifier">unit_test</span><span class="special">.</span><span class="identifier">hpp</span><span class="special">></span>
<span class="keyword">using</span> <span class="keyword">namespace</span> <span class="identifier">boost</span><span class="special">::</span><span class="identifier">unit_test</span><span class="special">;</span>
<span class="keyword">bool</span> <span class="identifier">moo</span><span class="special">(</span> <span class="keyword">int</span> <span class="identifier">arg1</span><span class="special">,</span> <span class="keyword">int</span> <span class="identifier">arg2</span><span class="special">,</span> <span class="keyword">int</span> <span class="identifier">mod</span> <span class="special">)</span> <span class="special">{</span> <span class="keyword">return</span> <span class="special">((</span><span class="identifier">arg1</span><span class="special">+</span><span class="identifier">arg2</span><span class="special">)</span> <span class="special">%</span> <span class="identifier">mod</span><span class="special">)</span> <span class="special">==</span> <span class="number">0</span><span class="special">;</span> <span class="special">}</span>
<span class="identifier">BOOST_AUTO_TEST_CASE</span><span class="special">(</span> <span class="identifier">test</span> <span class="special">)</span>
<span class="special">{</span>
<span class="keyword">int</span> <span class="identifier">i</span> <span class="special">=</span> <span class="number">17</span><span class="special">;</span>
<span class="keyword">int</span> <span class="identifier">j</span> <span class="special">=</span> <span class="number">15</span><span class="special">;</span>
<span class="identifier">unit_test_log</span><span class="special">.</span><span class="identifier">set_threshold_level</span><span class="special">(</span> <span class="identifier">log_warnings</span> <span class="special">);</span>
<span class="identifier">BOOST_WARN</span><span class="special">(</span> <span class="identifier">moo</span><span class="special">(</span> <span class="number">12</span><span class="special">,</span><span class="identifier">i</span><span class="special">,</span><span class="identifier">j</span> <span class="special">)</span> <span class="special">);</span>
<span class="identifier">BOOST_WARN_PREDICATE</span><span class="special">(</span> <span class="identifier">moo</span><span class="special">,</span> <span class="special">(</span><span class="number">12</span><span class="special">)(</span><span class="identifier">i</span><span class="special">)(</span><span class="identifier">j</span><span class="special">)</span> <span class="special">);</span>
<span class="special">}</span>
</pre>
</td></tr></tbody>
</table></div>
<div class="informaltable"><table class="table">
<colgroup><col></colgroup>
<thead><tr><th>
<p>
Output
</p>
</th></tr></thead>
<tbody><tr><td>
<pre xmlns:rev="path_to_url~gregod/boost/tools/doc/revision" class="table-programlisting"><span class="special">></span> <span class="identifier">example</span>
<span class="identifier">Running</span> <span class="number">1</span> <span class="identifier">test</span> <span class="keyword">case</span><span class="special">...</span>
<span class="identifier">test</span><span class="special">.</span><span class="identifier">cpp</span><span class="special">(</span><span class="number">14</span><span class="special">):</span> <span class="identifier">warning</span> <span class="identifier">in</span> <span class="string">"test"</span><span class="special">:</span> <span class="identifier">condition</span> <span class="identifier">moo</span><span class="special">(</span> <span class="number">12</span><span class="special">,</span><span class="identifier">i</span><span class="special">,</span><span class="identifier">j</span> <span class="special">)</span> <span class="identifier">is</span> <span class="keyword">not</span> <span class="identifier">satisfied</span>
<span class="identifier">test</span><span class="special">.</span><span class="identifier">cpp</span><span class="special">(</span><span class="number">15</span><span class="special">):</span> <span class="identifier">warning</span> <span class="identifier">in</span> <span class="string">"test"</span><span class="special">:</span> <span class="identifier">condition</span> <span class="identifier">moo</span><span class="special">(</span> <span class="number">12</span><span class="special">,</span> <span class="identifier">i</span><span class="special">,</span> <span class="identifier">j</span> <span class="special">)</span> <span class="identifier">is</span> <span class="keyword">not</span> <span class="identifier">satisfied</span> <span class="keyword">for</span> <span class="special">(</span> <span class="number">12</span><span class="special">,</span> <span class="number">17</span><span class="special">,</span> <span class="number">15</span> <span class="special">)</span>
<span class="special">***</span> <span class="identifier">No</span> <span class="identifier">errors</span> <span class="identifier">detected</span>
</pre>
</td></tr></tbody>
</table></div>
<div class="note"><table border="0" summary="Note">
<tr>
<td rowspan="2" align="center" valign="top" width="25"><img alt="[Note]" src="../../../../../../../doc/src/images/note.png"></td>
<th align="left">Note</th>
</tr>
<tr><td align="left" valign="top"><p>
Note difference in error log from <a class="link" href="assertion_boost_level.html" title="BOOST_<level>"><code class="computeroutput"><span class="identifier">BOOST_</span><span class="special"><</span><span class="identifier">level</span><span class="special">></span></code></a>
</p></td></tr>
</table></div>
<p>
See also:
</p>
<div class="itemizedlist"><ul class="itemizedlist" style="list-style-type: disc; "><li class="listitem">
<a class="link" href="assertion_boost_level.html" title="BOOST_<level>"><code class="computeroutput"><span class="identifier">BOOST_</span><span class="special"><</span><span class="identifier">level</span><span class="special">></span></code></a>
</li></ul></div>
</div>
<table xmlns:rev="path_to_url~gregod/boost/tools/doc/revision" width="100%"><tr>
<td align="left"></td>
file LICENSE_1_0.txt or copy at <a href="path_to_url" target="_top">path_to_url
</p>
</div></td>
</tr></table>
<hr>
<div class="spirit-nav">
<a accesskey="p" href="assertion_boost_level_ne.html"><img src="../../../../../../../doc/src/images/prev.png" alt="Prev"></a><a accesskey="u" href="../testing_tool_ref.html"><img src="../../../../../../../doc/src/images/up.png" alt="Up"></a><a accesskey="h" href="../../../index.html"><img src="../../../../../../../doc/src/images/home.png" alt="Home"></a><a accesskey="n" href="assertion_boost_level_no_throw.html"><img src="../../../../../../../doc/src/images/next.png" alt="Next"></a>
</div>
</body>
</html>
``` |
Brandon Sutter (born February 14, 1989) is an American-born Canadian former professional ice hockey player who played in the National Hockey League (NHL) for the Carolina Hurricanes, Pittsburgh Penguins, and Vancouver Canucks.
Playing career
Junior
Sutter played major junior hockey with the Red Deer Rebels of the Western Hockey League (WHL) under head coach and father Brent Sutter. During the 2006–07 season, he was selected to represent the WHL at the annual ADT Canada-Russia Challenge. Additionally, Sutter was selected to play in the 2007 CHL Top Prospects Game in January. In the off-season, Sutter was drafted 11th overall by the Carolina Hurricanes in the 2007 NHL Entry Draft.
Professional
Carolina Hurricanes
After a brief stint with Carolina's then-American Hockey League (AHL) affiliate, the Albany River Rats, at the end of his 2007–08 WHL season, Sutter debuted in the NHL with the Hurricanes in 2008–09. In October 23, 2008, he scored his first NHL goal against Marc-André Fleury of the Pittsburgh Penguins. The next game, on October 25, Sutter suffered a concussion after a collision with Doug Weight of the New York Islanders. Sutter had his head down as he was leaning forward for a loose puck in the neutral zone when Weight caught him with his shoulder. Although the hit was ruled as legal and Weight was not assessed any penalty, it re-sparked the debate in the NHL on head shots. Sutter returned to the line-up after missing eight games.
On July 12, 2011, Sutter signed a three-year, $6.2 million contract extension with Carolina.
Pittsburgh Penguins
On June 22, 2012, Sutter was traded to the Pittsburgh Penguins (along with Brian Dumoulin and Carolina's first-round pick in the 2012 NHL Entry Draft, which the Penguins used to select Derrick Pouliot) in exchange for Jordan Staal.
On March 12, 2013, in a game against the Boston Bruins, he scored two goals 3:24 apart in the third period that led to a 3–2 comeback victory for Pittsburgh.
On August 5, 2014, the Penguins announced they had re-signed Sutter to a two-year, $6.6 million contract extension.
Vancouver Canucks
On July 28, 2015, Sutter was traded (along with a third-round pick in the 2016 NHL Entry Draft) to the Vancouver Canucks in exchange for Nick Bonino, Adam Clendening and a second-round pick in 2016. On August 4, 2015, the Canucks announced they had signed Sutter to a five-year, $21.875 million contract extension. Sutter played 16 games in the 2015–16 season before it was revealed he required sports hernia surgery. He missed 33 games before returning to the Canucks lineup on January 26, 2016. However, on February 9, his fourth game back following the surgery, he suffered a broken jaw in a game against the Colorado Avalanche that sidelined him for the remainder of the season. Sutter scored 5 goals and 4 assists for 9 points in 20 games for the Canucks in an injury-plagued 2015–16 season.
In August 2016, the Canucks announced Sutter had switched from number 21 to 20 to let new Canucks acquisition Loui Eriksson wear number 21. On January 4, 2017, Sutter was awarded his second career penalty shot, converting against Mike Smith of the Arizona Coyotes.
On November 24, 2017, Sutter suffered a groin injury in a 3–2 loss to the New Jersey Devils. After missing 21 games, Sutter returned to the lineup on January 14, 2018, scoring the overtime-winning goal in a 3–2 win over the Minnesota Wild.
On October 29, 2018, Sutter suffered a separated shoulder in a game against the Minnesota Wild. He was expected to miss four-to-six weeks. He returned to Vancouver's lineup in early January before suffering another groin injury, his third in four seasons with the Canucks, on February 9, 2019, in a game versus the Calgary Flames. On March 5, 2019, the Canucks revealed that Sutter would undergo surgery on his other sports hernia, ending his season.
Sutter's injury troubles in Vancouver continued during the 2019–20 season. He missed 13 games with a lower–body injury sustained on November 12 in a game versus the Nashville Predators. He returned in December 2019 but after three games, he again left the Canucks lineup, this time missing 12 games with an upper-body injury. Sutter ultimately returned to the Canucks lineup in January 2020 and played in every subsequent game before the final month of the season was cancelled due to the COVID-19 pandemic. Sutter scored one goal and five assists in the 2020 playoffs.
On January 25, 2021, Sutter scored his first career NHL hat-trick against the Ottawa Senators. Following his sixth year with the Canucks in the 2020–21 season and having concluded his contract, Sutter opted to forgo free agency in re-signing to a one-year, $1.125 million contract extension with Vancouver on July 29, 2021. However, Sutter did not play in the 2021–22 NHL season due to suffering from long COVID, following his positive test result in March 2021. He was placed on long term injured reserve for the season, and also sat out the 2022–23 NHL season.
Retirement
On August 29, 2023, Sutter signed a professional tryout (PTO) contract with the Edmonton Oilers. On October 1, Sutter announced his retirement after he was released from his PTO.
International play
Sutter, who has dual citizenship of both the United States and Canada, elected to play for Canada in international competition. Sutter represented Canada extensively during his junior career at the under-18 and under-20 levels. He competed in two IIHF World U18 Championships in 2006 and 2007, losing the bronze medal game in both tournaments.
Shortly after being drafted into the NHL in the summer of 2007, Sutter was chosen to represent Canada at the 2007 Super Series, an eight-game showdown between Canada and Russia's under-20 teams, where father Brent Sutter was head coach. Playing Game 7 in his hometown of Red Deer, Alberta, he scored a goal and was named player of the game. Coincidentally, the match also marked the last junior game Brent coached in Red Deer, where he had previously just completed a seven-year coaching career with the Red Deer Rebels. Sutter made his second under-20 appearance for Canada at the 2008 World Junior Championships in the Czech Republic, where he helped Canada win gold, overcoming Sweden 3–2 in overtime.
Personal life
Sutter is part of the venerable Sutter hockey family. He is the son of Brent Sutter, who coached him in junior with the Red Deer Rebels and Team Canada at the 2007 Super Series; Brent is a former head coach of the Calgary Flames. He has an older brother, Merrick, who currently serves as the Rebels' senior vice president, and a younger sister, Brooke.
Sutter's cousin Brett was a teammate of his with the Rebels who was drafted two years ahead of him by the Calgary Flames, and currently plays in the American Hockey League. Another cousin, Brody, played for the WHL's Lethbridge Hurricanes and was drafted 193rd overall by Carolina in the 2011 draft. Brody played professionally in the AHL as well as in Europe.
As a result of his father's career, Sutter grew up in Huntington, New York, and Chicago, Illinois, before his family settled in Red Deer, Alberta, following Brent Sutter's purchase of the Red Deer Rebels organization.
In March 2021, he was one of 21 Canucks players that contracted COVID-19 and is now considered a "long-hauler" experiencing post-COVID after effects which prevent him from training. Unlike ex-Edmonton Oilers backup goalie Alex Stalock and forward Josh Archibald, Sutter does not suffer from myocarditis, a condition that causes heart inflammation associated with COVID-19.
Career statistics
Regular season and playoffs
International
References
External links
1989 births
Living people
Albany River Rats players
Canadian ice hockey centres
Carolina Hurricanes draft picks
Carolina Hurricanes players
Ice hockey people from Red Deer, Alberta
National Hockey League first-round draft picks
Pittsburgh Penguins players
Red Deer Rebels players
Brandon
Vancouver Canucks players |
```xml
<?xml version="1.0" encoding="utf-8"?>
<shape xmlns:android="path_to_url"
android:shape="rectangle">
<solid android:color="@android:color/holo_blue_light"/>
</shape>
``` |
The Toreva Formation is a geologic formation in Arizona. It preserves fossils dating back to the Cretaceous period.
See also
List of fossiliferous stratigraphic units in Arizona
Paleontology in Arizona
References
Cretaceous Arizona |
Górki is a village in the administrative district of Gmina Gąbin, within Płock County, Masovian Voivodeship, in east-central Poland. It lies approximately north of Gąbin, south of Płock, and west of Warsaw.
References
Villages in Płock County |
"I Ain't Superstitious" is a song written by bluesman Willie Dixon and first recorded by Howlin' Wolf in 1961. It recounts various superstitions, including that of a black cat crossing the pathway. The song has been recorded by a number of artists, including Jeff Beck, whose blues rock adaptation in 1968 was named one of Rolling Stone magazine's "100 Greatest Guitar Songs of All Time".
Original song
"I Ain't Superstitious" is a mid-tempo stop-time blues song that does not follow the typical chord progression. Musician and writer Bill Janovitz described it as "not merely an electric version of the blues practiced in the Delta; it is something wholly new, a more aggressive and sophisticated Chicago cousin that acknowledges contemporary jazz, R&B, and pop forms".
Howlin' Wolf recorded the song in Chicago in December 1961, with
pianist Henry Gray, guitarists Hubert Sumlin and Jimmy Rogers, drummer Sam Lay (drums), and with Willie Dixon on upright bass. "I Ain't Superstitious" is included on several Howlin' Wolf compilation albums, including the 1969 Chess album Evil.
Jeff Beck version
English rock guitarist Jeff Beck recorded "I Ain't Superstitious" for the 1968 debut album Truth featuring Rod Stewart on vocals. Called "a well-known classic-rock-radio staple", Beck's version is "an inventive and inspired recording that manages to inject even more power into the updated arrangement". The song's prominent feature is Beck's guitar work: "At every break, Beck's aqueous wah-wah tone makes his instrument sound like it's talking". His version was ranked number 86 on Rolling Stones list of the "100 Greatest Guitar Songs of All Time".
Megadeth version
American thrash metal band Megadeth recorded the song for their 1986 album Peace Sells... but Who's Buying?. Although based on the Howlin' Wolf's original version, Megadeth's version reflects their thrash metal approach. According to group leader and singer Dave Mustaine:
"Willie Dixon heard our version and he goes, 'Man, I like it. I thought that was great'... Willie Dixon gave us the thumbs up."
Personnel
Production and performance credits are adapted from the album liner notes. MegadethDave Mustaine – guitars, lead vocals
David Ellefson – bass, backing vocals
Chris Poland – guitars
Gar Samuelson – drumsProductionDave Mustaine – production
Randy Burns – production, engineering
Casey McMackin – engineering
Paul Lani – mixing
Stan Katayama – mixing2004 remix and remaster'
Dave Mustaine – production, mixing
Ralph Patlan – engineering, mixing
Lance Dean – engineering, editing
Scott "Sarge" Harrison – editing
Tom Baker – mastering
Recognition
In 2017, Howlin' Wolf's original single version was inducted in to the Blues Hall of Fame as a "Classic of Blues Recording". The induction statement described it as "an ominous Willie Dixon composition" and noted the popularity of Beck's version with rock audiences.
References
1961 songs
Chess Records singles
Songs written by Willie Dixon
Howlin' Wolf songs
Jeff Beck songs
Blues songs |
```javascript
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
// This benchmark is based on the six-speed benchmark build output.
new BenchmarkSuite(
"ES6",
[1000],
[new Benchmark("ES6", false, false, 0, ES6, Setup)]
);
var map;
function Setup() {
map = new Map();
for (var i = 0; i < 500; i++) {
map.set(i + "", i);
}
}
function ES6() {
return map.get("499") === 499;
}
``` |
```objective-c
//
//
// path_to_url
//
// Unless required by applicable law or agreed to in writing, software
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
#pragma once
#include "paddle/phi/core/dense_tensor.h"
namespace phi {
template <typename T, typename Context>
void GammainccGradKernel(const Context& dev_ctx,
const DenseTensor& x,
const DenseTensor& y,
const DenseTensor& d_out,
DenseTensor* d_y);
} // namespace phi
``` |
Rod Douglas (born 20 October 1964) is an English boxer.
Boxing career
Born in London, Douglas competed at the 1984 Summer Olympics in Los Angeles, where he reached the quarter finals.
He represented England and won a gold medal in the 75 kg middleweight division, at the 1986 Commonwealth Games in Edinburgh, Scotland.
Douglas boxed for the St. Georges ABC and Broad Street ABC and won the ABA middleweight championship in 1987 and was three times light-middleweight ABA champion from 1983 to 1985.
References
External links
1964 births
Living people
Boxers from Greater London
English male boxers
Olympic boxers for Great Britain
Boxers at the 1984 Summer Olympics
Boxers at the 1986 Commonwealth Games
Commonwealth Games gold medallists for England
Commonwealth Games medallists in boxing
England Boxing champions
Middleweight boxers
Medallists at the 1986 Commonwealth Games |
```cmake
function(install_autopoint)
# variables for configuring autopoint.in
set(PACKAGE "gettext-tools")
set(ARCHIVE_VERSION "${VERSION}")
set(ARCHIVE_FORMAT "dirgz")
set(bindir [[${prefix}/tools/gettext/bin]])
set(datadir [[${datarootdir}]])
set(exec_prefix [[${prefix}]])
set(PATH_SEPARATOR ":")
set(RELOCATABLE "yes")
file(STRINGS "${SOURCE_PATH}/gettext-tools/configure"
VERSIONS_FROM_CONFIGURE
REGEX "^ *(ARCHIVE_VERSION|VERSION)=.*$"
)
foreach(LINE IN LISTS VERSIONS_FROM_CONFIGURE)
if(LINE MATCHES "^ *(ARCHIVE_VERSION|VERSION)='?([0-9.]+)'?$")
set(${CMAKE_MATCH_1} "${CMAKE_MATCH_2}")
endif()
endforeach()
set(WORKING_DIR "${CURRENT_BUILDTREES_DIR}/${TARGET_TRIPLET}")
file(MAKE_DIRECTORY "${WORKING_DIR}")
# autopoint script
configure_file("${SOURCE_PATH}/gettext-tools/misc/autopoint.in" "${WORKING_DIR}/autopoint" @ONLY)
# data tarball
if(CMAKE_HOST_WIN32)
vcpkg_acquire_msys(MSYS_ROOT PACKAGES gzip)
vcpkg_add_to_path("${MSYS_ROOT}/usr/bin")
endif()
file(COPY "${SOURCE_PATH}/gettext-tools/misc/archive.dir.tar" DESTINATION "${WORKING_DIR}")
vcpkg_execute_required_process(
COMMAND gzip -f archive.dir.tar
WORKING_DIRECTORY "${WORKING_DIR}"
LOGNAME gzip-${TARGET_TRIPLET}
)
# installation
file(INSTALL "${WORKING_DIR}/autopoint" DESTINATION "${CURRENT_PACKAGES_DIR}/tools/${PORT}/bin"
FILE_PERMISSIONS
OWNER_WRITE OWNER_READ OWNER_EXECUTE
GROUP_READ GROUP_EXECUTE
WORLD_READ WORLD_EXECUTE
)
file(INSTALL "${WORKING_DIR}/archive.dir.tar.gz" DESTINATION "${CURRENT_PACKAGES_DIR}/share/gettext/gettext")
endfunction()
``` |
```javascript
import { test } from '../../test';
export default test({
async test({ assert, component }) {
const { foo, p } = component;
/** @type {string[]} */
const values = [];
Object.defineProperty(p.childNodes[0], 'nodeValue', {
set(value) {
values.push('' + value);
}
});
await foo.double();
assert.deepEqual(values, ['6']);
}
});
``` |
```xml
import * as React from "react";
import styles from "./ModernCharts.module.scss";
import { IModernChartsProps } from "../IModernChartsWebPartProps";
import { MChart } from "../IModernChartsWebPartProps";
import "chart.js";
import { Doughnut } from "react-chartjs-2";
import { Line } from "react-chartjs-2";
import { Pie } from "react-chartjs-2";
import { Bar } from "react-chartjs-2";
import { HorizontalBar } from "react-chartjs-2";
import { Radar } from "react-chartjs-2";
import { Polar } from "react-chartjs-2";
import ChartOptions from "../ChartOptions";
import {
DocumentCard,
DocumentCardTitle,
DocumentCardLocation,
DocumentCardPreview,
IDocumentCardPreviewProps,
} from "office-ui-fabric-react/lib/DocumentCard";
export default class ModernCharts extends React.Component<
IModernChartsProps,
{}
> {
public render(): JSX.Element {
const charts: JSX.Element[] = this.props.charts.map(
(chart: MChart, i: number) => {
return (
<DocumentCard
onClickHref="#"
className={
styles.docContainer +
" ms-Grid-col ms-u-sm12 ms-u-md12 ms-u-lg" +
chart.config.size
}
key={chart.key}
>
<div className={styles.chartCard}>
{this.chart(
ChartOptions.Data(chart),
ChartOptions.Options(),
chart.config.type
)}
</div>
<DocumentCardLocation location={chart.config.description} />
<DocumentCardTitle title={chart.config.title} />
</DocumentCard>
);
}
);
return (
<div className={styles.chartjs + " ms-Grid"}>
<div className={"ms-Grid-row"}>{charts}</div>
<div style={{ clear: "both" }} />
</div>
);
}
public chart(data: Object, options: Object, type: string) {
var tChart: any;
switch (type) {
case "doughnut":
tChart = <Doughnut data={data} options={options} />;
return tChart;
case "line":
return (
<Line data={data} options={options} legend={{ display: false }} />
);
case "pie":
tChart = <Pie data={data} options={options} />;
return tChart;
case "bar":
tChart = (
<Bar data={data} options={options} legend={{ display: false }} />
);
return tChart;
case "horizontalbar":
tChart = (
<HorizontalBar
data={data}
options={options}
legend={{ display: false }}
/>
);
return tChart;
case "radar":
tChart = (
<Radar data={data} options={options} legend={{ display: false }} />
);
return tChart;
case "polar":
tChart = <Polar data={data} options={options} />;
return tChart;
default:
tChart = <Line data={data} options={options} />;
return tChart;
}
}
}
``` |
Orillia City Council is the governing body of the city of Orillia, Ontario.
Council is made up of one mayor and nine councillors (two per ward):
Mayor Donald McIsaac
Ward 1 - Whitney Smith and David Campbell
Ward 2 - Luke Leatherdale and Ralph Cipolla
Ward 3 - Jeff Czetwerzuk and Jay Fallis
Ward 4 - Janet-Lynne Dunford and Tim Lauer
Mayors and Reeves
Donald McIsaac 2022-present
Steve Clarke 2014-2022
Angelo Orsi 2010-2014
Ron Stevens 2003-2010
Ted Emond 1986-1988
Ken McCann
Clayton Albert 'Clayt' French
John Palmer
Isabell Post
Wilber Cramp
James Brockett Tudhope - Reeve and Mayor
Town and City Halls
Tudhope Building 1997– present
35 West St N ? - 1997
Orillia City Hall 1895-1997 - multi use building; rebuilt after 1915 fire (completed 1917 and now Orillia Opera House)
Orillia Town Hall and Jail 1874-1890s - 1st permanent home and demolished to make way for 2nd city hall
Temperance Hall 1867-1874 - temporary home
References
External links
Municipal councils in Ontario
Orillia |
Ukeiwé is a surname. Notable people with the surname include:
Bernard Ukeiwé (1953–2008), New Caledonian politician
Dick Ukeiwé (1928–2013), New Caledonian politician |
Daddy's Gone A-Hunting is a 1925 American silent drama film directed by Frank Borzage based upon a play by Zoë Akins, with adaptation by Kenneth B. Clarke. The film brought together Vitagraph leading lady Alice Joyce and English actor Percy Marmont after his success with If Winter Comes. This is the only film either of the main stars made for MGM. The film was remade in 1931 as Women Love Once. A print survives in the Národní filmový archiv.
Plot
Julian (Percy Marmont) is a poor artist who lives with wife Edith (Alice Joyce) and their newborn baby in Harlem. Struggling to make ends meet, he foregoes his artistic calling and draws for magazines.
Reaching his limits, Julian convinces his wife he could reach higher grounds if he were to go to Paris. He moves to Paris while his Edith works at a shop on Fifth Avenue. Each of their lives evolves differently — Edith is courted by a wealthy suitor whom she ignores while pining for her husband, while Julian fails to meet his goals in Paris, returning defeated back to New York City three years later. Their child dies, and the meeting of Julian and Edith highlight how different their routes have been.
Cast
References
External links
Article at the Silent Film Still Archive
Still at silentfilmstillarchive.com
(German intertitles)
1925 films
Metro-Goldwyn-Mayer films
American silent feature films
1925 drama films
American black-and-white films
Films directed by Frank Borzage
Silent American drama films
1920s American films
1920s English-language films |
```html
<html>
<head>
<meta http-equiv="Content-Type" content="text/html; charset=US-ASCII">
<title>basic_socket_acceptor::message_out_of_band</title>
<link rel="stylesheet" href="../../../../../doc/src/boostbook.css" type="text/css">
<meta name="generator" content="DocBook XSL Stylesheets V1.79.1">
<link rel="home" href="../../../boost_asio.html" title="Boost.Asio">
<link rel="up" href="../basic_socket_acceptor.html" title="basic_socket_acceptor">
<link rel="prev" href="message_flags.html" title="basic_socket_acceptor::message_flags">
<link rel="next" href="message_peek.html" title="basic_socket_acceptor::message_peek">
</head>
<body bgcolor="white" text="black" link="#0000FF" vlink="#840084" alink="#0000FF">
<table cellpadding="2" width="100%"><tr>
<td valign="top"><img alt="Boost C++ Libraries" width="277" height="86" src="../../../../../boost.png"></td>
<td align="center"><a href="../../../../../index.html">Home</a></td>
<td align="center"><a href="../../../../../libs/libraries.htm">Libraries</a></td>
<td align="center"><a href="path_to_url">People</a></td>
<td align="center"><a href="path_to_url">FAQ</a></td>
<td align="center"><a href="../../../../../more/index.htm">More</a></td>
</tr></table>
<hr>
<div class="spirit-nav">
<a accesskey="p" href="message_flags.html"><img src="../../../../../doc/src/images/prev.png" alt="Prev"></a><a accesskey="u" href="../basic_socket_acceptor.html"><img src="../../../../../doc/src/images/up.png" alt="Up"></a><a accesskey="h" href="../../../boost_asio.html"><img src="../../../../../doc/src/images/home.png" alt="Home"></a><a accesskey="n" href="message_peek.html"><img src="../../../../../doc/src/images/next.png" alt="Next"></a>
</div>
<div class="section">
<div class="titlepage"><div><div><h4 class="title">
<a name="boost_asio.reference.basic_socket_acceptor.message_out_of_band"></a><a class="link" href="message_out_of_band.html" title="basic_socket_acceptor::message_out_of_band">basic_socket_acceptor::message_out_of_band</a>
</h4></div></div></div>
<p>
<span class="emphasis"><em>Inherited from socket_base.</em></span>
</p>
<p>
<a class="indexterm" name="boost_asio.indexterm.basic_socket_acceptor.message_out_of_band"></a>
Process
out-of-band data.
</p>
<pre class="programlisting">static const int message_out_of_band = implementation_defined;
</pre>
</div>
<table xmlns:rev="path_to_url~gregod/boost/tools/doc/revision" width="100%"><tr>
<td align="left"></td>
file LICENSE_1_0.txt or copy at <a href="path_to_url" target="_top">path_to_url
</p>
</div></td>
</tr></table>
<hr>
<div class="spirit-nav">
<a accesskey="p" href="message_flags.html"><img src="../../../../../doc/src/images/prev.png" alt="Prev"></a><a accesskey="u" href="../basic_socket_acceptor.html"><img src="../../../../../doc/src/images/up.png" alt="Up"></a><a accesskey="h" href="../../../boost_asio.html"><img src="../../../../../doc/src/images/home.png" alt="Home"></a><a accesskey="n" href="message_peek.html"><img src="../../../../../doc/src/images/next.png" alt="Next"></a>
</div>
</body>
</html>
``` |
Mr. Midshipman Easy is an 1836 novel by Frederick Marryat, a retired captain in the British Royal Navy. The novel is set during the Napoleonic Wars, in which Marryat himself served with distinction.
Plot summary
Easy is the son of foolish parents, who spoiled him. His father regards himself as a philosopher, with a firm belief in the "rights of man, equality, and all that; how every person was born to inherit his share of the earth, a right at present only admitted to a certain length that is, about six feet, for we all inherit our graves, and are allowed to take possession without dispute." But no one would listen to Mr Easy's philosophy. The women would not acknowledge the rights of men, whom they declared always to be in the wrong; and, as the gentlemen who visited Mr Easy were all men of property, they could not perceive the advantages of sharing with those who had none. However, they allowed him to discuss the question, while they discussed his port wine. The wine was good, if the arguments were not, and we must take things as we find them in this world."
By the time he is a teenager, Easy has adopted his father's point of view, to the point where he no longer believes in private property.
Easy joins the navy, which his father believes to be the best example of an equal society, and Easy becomes friendly with a lower deck seaman named Mesty (Mephistopheles Faust), an escaped slave, who had been a prince in Africa. Mesty is sympathetic to Easy's philosophizing, which seems to offer him a way up from his lowly job of "boiling kettle for de young gentlemen"; but once Mesty is promoted to ship's corporal and put in charge of discipline, he changes his mind: "...now I tink a good deal lately, and by all de power, I tink equality all stuff." "All stuff, Mesty, why? you used to think otherwise." "Yes, Massa Easy, but den I boil de kettle for all young gentleman. Now dat I ship's corporal and hab cane, I tink so no longer."
In some way Mesty is the real hero of the novel, as he pulls Easy out of several scrapes the impulsive 17-year-old gets himself into as he cruises the Mediterranean on several British ships.
Easy becomes a competent officer, in spite of his notions. His mother dies, and he returns home to find his father is completely mad. Easy senior has developed an apparatus for reducing or enlarging phrenological bumps on the skull, but as he attempts to reduce his own bump which controls benevolence, the machine kills him. Easy throws out the criminal servants his father has employed and puts the estate to rights, demanding back rents from the tenants, and evicting those who will not pay. Using his new-found wealth, he formally quits the navy, rigs out his own privateering vessel, and returns to Sicily to claim his bride Agnes. As he is a wealthy gentleman now, no longer a junior midshipman, her family cannot refuse him, and he and Agnes live happily ever after.
Film adaptations
The novel was adapted as an adventure film twice in the UK: in 1915 as a silent film, Midshipman Easy directed by Maurice Elvey, and in 1935 with sound, Midshipman Easy directed by Carol Reed.
External links
Mr Midshipman Easy at Internet Archive (scanned books original editions color illustrated)
Novels by Frederick Marryat
1836 British novels
1830s children's books
English historical novels
Novels set during the Napoleonic Wars
Novels about slavery
British novels adapted into films
Novels set on ships
British historical novels
British children's books
British children's novels
Children's historical novels
Children's books set on ships |
87001–87100
|-bgcolor=#E9E9E9
| 87001 || || — || May 7, 2000 || Socorro || LINEAR || MIT || align=right | 3.3 km ||
|-id=002 bgcolor=#E9E9E9
| 87002 || || — || May 7, 2000 || Socorro || LINEAR || — || align=right | 2.6 km ||
|-id=003 bgcolor=#fefefe
| 87003 || || — || May 7, 2000 || Socorro || LINEAR || NYS || align=right | 3.1 km ||
|-id=004 bgcolor=#fefefe
| 87004 || || — || May 9, 2000 || Socorro || LINEAR || V || align=right | 1.5 km ||
|-id=005 bgcolor=#FA8072
| 87005 || || — || May 9, 2000 || Socorro || LINEAR || — || align=right | 2.5 km ||
|-id=006 bgcolor=#E9E9E9
| 87006 || || — || May 11, 2000 || Socorro || LINEAR || PAL || align=right | 6.1 km ||
|-id=007 bgcolor=#fefefe
| 87007 || || — || May 6, 2000 || Socorro || LINEAR || — || align=right | 2.2 km ||
|-id=008 bgcolor=#fefefe
| 87008 || || — || May 6, 2000 || Socorro || LINEAR || V || align=right | 1.6 km ||
|-id=009 bgcolor=#fefefe
| 87009 || || — || May 6, 2000 || Socorro || LINEAR || — || align=right | 2.0 km ||
|-id=010 bgcolor=#fefefe
| 87010 || || — || May 6, 2000 || Socorro || LINEAR || — || align=right | 2.2 km ||
|-id=011 bgcolor=#E9E9E9
| 87011 || || — || May 6, 2000 || Socorro || LINEAR || — || align=right | 2.1 km ||
|-id=012 bgcolor=#E9E9E9
| 87012 || || — || May 6, 2000 || Socorro || LINEAR || — || align=right | 2.9 km ||
|-id=013 bgcolor=#fefefe
| 87013 || || — || May 6, 2000 || Socorro || LINEAR || V || align=right | 1.8 km ||
|-id=014 bgcolor=#fefefe
| 87014 || || — || May 6, 2000 || Socorro || LINEAR || — || align=right | 2.9 km ||
|-id=015 bgcolor=#fefefe
| 87015 || || — || May 6, 2000 || Socorro || LINEAR || — || align=right | 2.0 km ||
|-id=016 bgcolor=#E9E9E9
| 87016 || || — || May 7, 2000 || Socorro || LINEAR || — || align=right | 3.4 km ||
|-id=017 bgcolor=#fefefe
| 87017 || || — || May 9, 2000 || Socorro || LINEAR || — || align=right | 1.6 km ||
|-id=018 bgcolor=#fefefe
| 87018 || || — || May 9, 2000 || Socorro || LINEAR || FLO || align=right | 2.4 km ||
|-id=019 bgcolor=#E9E9E9
| 87019 || || — || May 10, 2000 || Socorro || LINEAR || — || align=right | 2.1 km ||
|-id=020 bgcolor=#fefefe
| 87020 || || — || May 10, 2000 || Socorro || LINEAR || — || align=right | 1.9 km ||
|-id=021 bgcolor=#fefefe
| 87021 || || — || May 6, 2000 || Socorro || LINEAR || — || align=right | 3.2 km ||
|-id=022 bgcolor=#fefefe
| 87022 || || — || May 6, 2000 || Socorro || LINEAR || — || align=right | 2.2 km ||
|-id=023 bgcolor=#fefefe
| 87023 || || — || May 6, 2000 || Socorro || LINEAR || — || align=right | 1.9 km ||
|-id=024 bgcolor=#FFC2E0
| 87024 || || — || May 5, 2000 || Socorro || LINEAR || APO || align=right data-sort-value="0.65" | 650 m ||
|-id=025 bgcolor=#FFC2E0
| 87025 || || — || May 7, 2000 || Anderson Mesa || LONEOS || APO +1km || align=right data-sort-value="0.83" | 830 m ||
|-id=026 bgcolor=#fefefe
| 87026 || || — || May 6, 2000 || Socorro || LINEAR || — || align=right | 1.6 km ||
|-id=027 bgcolor=#fefefe
| 87027 || || — || May 7, 2000 || Socorro || LINEAR || NYS || align=right | 1.5 km ||
|-id=028 bgcolor=#fefefe
| 87028 || || — || May 9, 2000 || Socorro || LINEAR || FLO || align=right | 2.0 km ||
|-id=029 bgcolor=#E9E9E9
| 87029 || || — || May 9, 2000 || Socorro || LINEAR || — || align=right | 2.0 km ||
|-id=030 bgcolor=#fefefe
| 87030 || || — || May 7, 2000 || Socorro || LINEAR || NYS || align=right | 1.7 km ||
|-id=031 bgcolor=#E9E9E9
| 87031 || || — || May 6, 2000 || Socorro || LINEAR || — || align=right | 1.9 km ||
|-id=032 bgcolor=#fefefe
| 87032 || || — || May 5, 2000 || Socorro || LINEAR || — || align=right | 2.4 km ||
|-id=033 bgcolor=#fefefe
| 87033 || 2000 KK || — || May 24, 2000 || Prescott || P. G. Comba || — || align=right | 2.1 km ||
|-id=034 bgcolor=#fefefe
| 87034 || || — || May 26, 2000 || Prescott || P. G. Comba || — || align=right | 2.2 km ||
|-id=035 bgcolor=#FA8072
| 87035 || || — || May 26, 2000 || Socorro || LINEAR || — || align=right | 3.9 km ||
|-id=036 bgcolor=#fefefe
| 87036 || || — || May 27, 2000 || Socorro || LINEAR || — || align=right | 2.0 km ||
|-id=037 bgcolor=#fefefe
| 87037 || || — || May 27, 2000 || Reedy Creek || J. Broughton || MAS || align=right | 1.5 km ||
|-id=038 bgcolor=#fefefe
| 87038 || || — || May 27, 2000 || Socorro || LINEAR || PHO || align=right | 5.3 km ||
|-id=039 bgcolor=#E9E9E9
| 87039 || || — || May 27, 2000 || Socorro || LINEAR || — || align=right | 1.9 km ||
|-id=040 bgcolor=#fefefe
| 87040 || || — || May 27, 2000 || Socorro || LINEAR || NYS || align=right | 1.3 km ||
|-id=041 bgcolor=#fefefe
| 87041 || || — || May 27, 2000 || Socorro || LINEAR || FLO || align=right | 1.3 km ||
|-id=042 bgcolor=#fefefe
| 87042 || || — || May 27, 2000 || Socorro || LINEAR || — || align=right | 2.2 km ||
|-id=043 bgcolor=#fefefe
| 87043 || || — || May 27, 2000 || Socorro || LINEAR || NYS || align=right | 3.6 km ||
|-id=044 bgcolor=#E9E9E9
| 87044 || || — || May 27, 2000 || Socorro || LINEAR || — || align=right | 3.0 km ||
|-id=045 bgcolor=#fefefe
| 87045 || || — || May 28, 2000 || Socorro || LINEAR || — || align=right | 2.2 km ||
|-id=046 bgcolor=#fefefe
| 87046 || || — || May 28, 2000 || Socorro || LINEAR || V || align=right | 1.5 km ||
|-id=047 bgcolor=#fefefe
| 87047 || || — || May 28, 2000 || Socorro || LINEAR || NYS || align=right | 1.4 km ||
|-id=048 bgcolor=#E9E9E9
| 87048 || || — || May 28, 2000 || Socorro || LINEAR || — || align=right | 2.5 km ||
|-id=049 bgcolor=#fefefe
| 87049 || || — || May 28, 2000 || Socorro || LINEAR || NYS || align=right | 1.3 km ||
|-id=050 bgcolor=#fefefe
| 87050 || || — || May 28, 2000 || Socorro || LINEAR || NYS || align=right | 3.2 km ||
|-id=051 bgcolor=#fefefe
| 87051 || || — || May 28, 2000 || Socorro || LINEAR || — || align=right | 2.2 km ||
|-id=052 bgcolor=#E9E9E9
| 87052 || || — || May 28, 2000 || Socorro || LINEAR || — || align=right | 4.4 km ||
|-id=053 bgcolor=#E9E9E9
| 87053 || || — || May 28, 2000 || Socorro || LINEAR || EUN || align=right | 3.6 km ||
|-id=054 bgcolor=#E9E9E9
| 87054 || || — || May 28, 2000 || Socorro || LINEAR || — || align=right | 4.2 km ||
|-id=055 bgcolor=#fefefe
| 87055 || || — || May 28, 2000 || Socorro || LINEAR || MAS || align=right | 1.6 km ||
|-id=056 bgcolor=#fefefe
| 87056 || || — || May 27, 2000 || Socorro || LINEAR || — || align=right | 2.6 km ||
|-id=057 bgcolor=#E9E9E9
| 87057 || || — || May 27, 2000 || Socorro || LINEAR || — || align=right | 2.1 km ||
|-id=058 bgcolor=#E9E9E9
| 87058 || || — || May 27, 2000 || Socorro || LINEAR || — || align=right | 2.1 km ||
|-id=059 bgcolor=#fefefe
| 87059 || || — || May 29, 2000 || Socorro || LINEAR || — || align=right | 1.4 km ||
|-id=060 bgcolor=#E9E9E9
| 87060 || || — || May 24, 2000 || Kitt Peak || Spacewatch || — || align=right | 2.3 km ||
|-id=061 bgcolor=#d6d6d6
| 87061 || || — || May 30, 2000 || Kitt Peak || Spacewatch || — || align=right | 4.6 km ||
|-id=062 bgcolor=#fefefe
| 87062 || || — || May 28, 2000 || Socorro || LINEAR || NYS || align=right | 3.2 km ||
|-id=063 bgcolor=#E9E9E9
| 87063 || || — || May 29, 2000 || Socorro || LINEAR || — || align=right | 4.2 km ||
|-id=064 bgcolor=#E9E9E9
| 87064 || || — || May 27, 2000 || Socorro || LINEAR || — || align=right | 2.4 km ||
|-id=065 bgcolor=#fefefe
| 87065 || || — || May 27, 2000 || Socorro || LINEAR || — || align=right | 1.9 km ||
|-id=066 bgcolor=#E9E9E9
| 87066 || || — || May 27, 2000 || Socorro || LINEAR || — || align=right | 4.2 km ||
|-id=067 bgcolor=#E9E9E9
| 87067 || || — || May 28, 2000 || Socorro || LINEAR || — || align=right | 2.2 km ||
|-id=068 bgcolor=#fefefe
| 87068 || || — || May 24, 2000 || Anderson Mesa || LONEOS || — || align=right | 1.9 km ||
|-id=069 bgcolor=#fefefe
| 87069 || || — || May 24, 2000 || Kitt Peak || Spacewatch || V || align=right | 1.8 km ||
|-id=070 bgcolor=#E9E9E9
| 87070 || || — || May 25, 2000 || Anderson Mesa || LONEOS || EUN || align=right | 2.7 km ||
|-id=071 bgcolor=#E9E9E9
| 87071 || || — || May 25, 2000 || Anderson Mesa || LONEOS || — || align=right | 2.9 km ||
|-id=072 bgcolor=#E9E9E9
| 87072 || || — || May 26, 2000 || Anderson Mesa || LONEOS || — || align=right | 3.8 km ||
|-id=073 bgcolor=#E9E9E9
| 87073 || || — || May 27, 2000 || Socorro || LINEAR || — || align=right | 4.6 km ||
|-id=074 bgcolor=#fefefe
| 87074 || || — || May 30, 2000 || Socorro || LINEAR || V || align=right | 1.2 km ||
|-id=075 bgcolor=#E9E9E9
| 87075 || || — || May 28, 2000 || Socorro || LINEAR || — || align=right | 1.7 km ||
|-id=076 bgcolor=#E9E9E9
| 87076 || || — || May 28, 2000 || Anderson Mesa || LONEOS || — || align=right | 6.3 km ||
|-id=077 bgcolor=#fefefe
| 87077 || || — || May 27, 2000 || Socorro || LINEAR || ERI || align=right | 3.3 km ||
|-id=078 bgcolor=#fefefe
| 87078 || || — || May 27, 2000 || Socorro || LINEAR || V || align=right | 1.5 km ||
|-id=079 bgcolor=#E9E9E9
| 87079 || || — || May 27, 2000 || Socorro || LINEAR || MAR || align=right | 2.5 km ||
|-id=080 bgcolor=#fefefe
| 87080 || || — || May 27, 2000 || Socorro || LINEAR || — || align=right | 1.8 km ||
|-id=081 bgcolor=#E9E9E9
| 87081 || || — || May 27, 2000 || Socorro || LINEAR || — || align=right | 2.0 km ||
|-id=082 bgcolor=#fefefe
| 87082 || || — || May 27, 2000 || Socorro || LINEAR || — || align=right | 1.9 km ||
|-id=083 bgcolor=#fefefe
| 87083 || || — || May 27, 2000 || Socorro || LINEAR || V || align=right | 1.6 km ||
|-id=084 bgcolor=#E9E9E9
| 87084 || || — || May 27, 2000 || Socorro || LINEAR || MAR || align=right | 2.3 km ||
|-id=085 bgcolor=#fefefe
| 87085 || || — || May 27, 2000 || Socorro || LINEAR || — || align=right | 1.8 km ||
|-id=086 bgcolor=#fefefe
| 87086 || || — || May 24, 2000 || Anderson Mesa || LONEOS || — || align=right | 2.2 km ||
|-id=087 bgcolor=#fefefe
| 87087 || || — || May 25, 2000 || Anderson Mesa || LONEOS || — || align=right | 1.9 km ||
|-id=088 bgcolor=#fefefe
| 87088 Joannewheeler || 2000 LY || || June 2, 2000 || Ondřejov || P. Pravec, P. Kušnirák || ERI || align=right | 3.2 km ||
|-id=089 bgcolor=#fefefe
| 87089 || || — || June 1, 2000 || Črni Vrh || Črni Vrh || — || align=right | 4.4 km ||
|-id=090 bgcolor=#E9E9E9
| 87090 || || — || June 4, 2000 || Socorro || LINEAR || — || align=right | 7.1 km ||
|-id=091 bgcolor=#fefefe
| 87091 || || — || June 5, 2000 || Socorro || LINEAR || PHO || align=right | 2.8 km ||
|-id=092 bgcolor=#E9E9E9
| 87092 || || — || June 4, 2000 || Socorro || LINEAR || — || align=right | 5.2 km ||
|-id=093 bgcolor=#fefefe
| 87093 || || — || June 1, 2000 || Kitt Peak || Spacewatch || V || align=right | 2.1 km ||
|-id=094 bgcolor=#E9E9E9
| 87094 || || — || June 1, 2000 || Kitt Peak || Spacewatch || — || align=right | 2.2 km ||
|-id=095 bgcolor=#E9E9E9
| 87095 || || — || June 5, 2000 || Socorro || LINEAR || — || align=right | 3.5 km ||
|-id=096 bgcolor=#fefefe
| 87096 || || — || June 6, 2000 || Socorro || LINEAR || NYS || align=right | 1.9 km ||
|-id=097 bgcolor=#E9E9E9
| 87097 Lomaki || || || June 7, 2000 || Kleť || M. Tichý, J. Tichá || — || align=right | 2.6 km ||
|-id=098 bgcolor=#E9E9E9
| 87098 || || — || June 1, 2000 || Socorro || LINEAR || MIT || align=right | 6.1 km ||
|-id=099 bgcolor=#E9E9E9
| 87099 || || — || June 5, 2000 || Socorro || LINEAR || — || align=right | 2.7 km ||
|-id=100 bgcolor=#E9E9E9
| 87100 || || — || June 7, 2000 || Socorro || LINEAR || — || align=right | 3.8 km ||
|}
87101–87200
|-bgcolor=#E9E9E9
| 87101 || || — || June 4, 2000 || Socorro || LINEAR || ADE || align=right | 6.9 km ||
|-id=102 bgcolor=#E9E9E9
| 87102 || || — || June 8, 2000 || Socorro || LINEAR || — || align=right | 3.7 km ||
|-id=103 bgcolor=#E9E9E9
| 87103 || || — || June 8, 2000 || Socorro || LINEAR || EUN || align=right | 2.9 km ||
|-id=104 bgcolor=#E9E9E9
| 87104 || || — || June 8, 2000 || Socorro || LINEAR || ADE || align=right | 5.4 km ||
|-id=105 bgcolor=#E9E9E9
| 87105 || || — || June 8, 2000 || Socorro || LINEAR || — || align=right | 5.8 km ||
|-id=106 bgcolor=#fefefe
| 87106 || || — || June 8, 2000 || Socorro || LINEAR || — || align=right | 1.9 km ||
|-id=107 bgcolor=#E9E9E9
| 87107 || || — || June 8, 2000 || Socorro || LINEAR || — || align=right | 3.0 km ||
|-id=108 bgcolor=#E9E9E9
| 87108 || || — || June 8, 2000 || Socorro || LINEAR || — || align=right | 7.0 km ||
|-id=109 bgcolor=#fefefe
| 87109 || || — || June 8, 2000 || Socorro || LINEAR || — || align=right | 5.2 km ||
|-id=110 bgcolor=#E9E9E9
| 87110 || || — || June 8, 2000 || Socorro || LINEAR || — || align=right | 6.4 km ||
|-id=111 bgcolor=#E9E9E9
| 87111 || || — || June 3, 2000 || Anderson Mesa || LONEOS || — || align=right | 2.7 km ||
|-id=112 bgcolor=#fefefe
| 87112 || || — || June 1, 2000 || Socorro || LINEAR || — || align=right | 3.6 km ||
|-id=113 bgcolor=#E9E9E9
| 87113 || || — || June 7, 2000 || Socorro || LINEAR || — || align=right | 3.7 km ||
|-id=114 bgcolor=#E9E9E9
| 87114 || || — || June 6, 2000 || Anderson Mesa || LONEOS || — || align=right | 6.2 km ||
|-id=115 bgcolor=#E9E9E9
| 87115 || || — || June 9, 2000 || Anderson Mesa || LONEOS || — || align=right | 2.7 km ||
|-id=116 bgcolor=#E9E9E9
| 87116 || || — || June 9, 2000 || Anderson Mesa || LONEOS || EUN || align=right | 3.9 km ||
|-id=117 bgcolor=#E9E9E9
| 87117 || || — || June 5, 2000 || Anderson Mesa || LONEOS || — || align=right | 6.1 km ||
|-id=118 bgcolor=#fefefe
| 87118 || || — || June 3, 2000 || Haleakala || NEAT || — || align=right | 1.9 km ||
|-id=119 bgcolor=#fefefe
| 87119 || || — || June 3, 2000 || Kitt Peak || Spacewatch || V || align=right | 1.1 km ||
|-id=120 bgcolor=#E9E9E9
| 87120 || || — || June 3, 2000 || Anderson Mesa || LONEOS || JUN || align=right | 3.1 km ||
|-id=121 bgcolor=#E9E9E9
| 87121 || || — || June 1, 2000 || Haleakala || NEAT || EUN || align=right | 2.1 km ||
|-id=122 bgcolor=#E9E9E9
| 87122 || || — || June 1, 2000 || Haleakala || NEAT || — || align=right | 2.5 km ||
|-id=123 bgcolor=#fefefe
| 87123 || || — || June 25, 2000 || Farpoint || Farpoint Obs. || — || align=right | 2.2 km ||
|-id=124 bgcolor=#E9E9E9
| 87124 || || — || June 26, 2000 || Reedy Creek || J. Broughton || — || align=right | 4.4 km ||
|-id=125 bgcolor=#fefefe
| 87125 || || — || June 25, 2000 || Prescott || P. G. Comba || V || align=right | 1.9 km ||
|-id=126 bgcolor=#fefefe
| 87126 || || — || June 24, 2000 || Socorro || LINEAR || NYS || align=right | 1.3 km ||
|-id=127 bgcolor=#E9E9E9
| 87127 || || — || June 25, 2000 || Socorro || LINEAR || — || align=right | 4.7 km ||
|-id=128 bgcolor=#E9E9E9
| 87128 || || — || June 25, 2000 || Socorro || LINEAR || — || align=right | 2.7 km ||
|-id=129 bgcolor=#E9E9E9
| 87129 || || — || June 26, 2000 || Socorro || LINEAR || EUN || align=right | 3.3 km ||
|-id=130 bgcolor=#E9E9E9
| 87130 || 2000 NE || — || July 1, 2000 || Prescott || P. G. Comba || — || align=right | 3.0 km ||
|-id=131 bgcolor=#E9E9E9
| 87131 || || — || July 4, 2000 || Kitt Peak || Spacewatch || — || align=right | 1.8 km ||
|-id=132 bgcolor=#fefefe
| 87132 || || — || July 3, 2000 || Kitt Peak || Spacewatch || — || align=right | 2.2 km ||
|-id=133 bgcolor=#fefefe
| 87133 || || — || July 7, 2000 || Socorro || LINEAR || — || align=right | 2.9 km ||
|-id=134 bgcolor=#E9E9E9
| 87134 || || — || July 8, 2000 || Socorro || LINEAR || slow || align=right | 4.6 km ||
|-id=135 bgcolor=#fefefe
| 87135 || || — || July 8, 2000 || Socorro || LINEAR || PHO || align=right | 5.1 km ||
|-id=136 bgcolor=#fefefe
| 87136 || || — || July 4, 2000 || Kitt Peak || Spacewatch || — || align=right | 1.7 km ||
|-id=137 bgcolor=#E9E9E9
| 87137 || || — || July 5, 2000 || Kitt Peak || Spacewatch || — || align=right | 2.0 km ||
|-id=138 bgcolor=#E9E9E9
| 87138 || || — || July 10, 2000 || Valinhos || P. R. Holvorcem || DOR || align=right | 7.6 km ||
|-id=139 bgcolor=#fefefe
| 87139 || || — || July 5, 2000 || Anderson Mesa || LONEOS || — || align=right | 3.4 km ||
|-id=140 bgcolor=#E9E9E9
| 87140 || || — || July 5, 2000 || Anderson Mesa || LONEOS || — || align=right | 2.1 km ||
|-id=141 bgcolor=#E9E9E9
| 87141 || || — || July 5, 2000 || Anderson Mesa || LONEOS || — || align=right | 2.6 km ||
|-id=142 bgcolor=#E9E9E9
| 87142 Delsanti || || || July 5, 2000 || Anderson Mesa || LONEOS || POS || align=right | 8.9 km ||
|-id=143 bgcolor=#E9E9E9
| 87143 || || — || July 5, 2000 || Anderson Mesa || LONEOS || — || align=right | 2.8 km ||
|-id=144 bgcolor=#E9E9E9
| 87144 || || — || July 5, 2000 || Anderson Mesa || LONEOS || — || align=right | 6.7 km ||
|-id=145 bgcolor=#E9E9E9
| 87145 || || — || July 5, 2000 || Anderson Mesa || LONEOS || — || align=right | 4.6 km ||
|-id=146 bgcolor=#E9E9E9
| 87146 || || — || July 5, 2000 || Anderson Mesa || LONEOS || RAF || align=right | 2.1 km ||
|-id=147 bgcolor=#E9E9E9
| 87147 || || — || July 5, 2000 || Anderson Mesa || LONEOS || — || align=right | 2.9 km ||
|-id=148 bgcolor=#E9E9E9
| 87148 || || — || July 5, 2000 || Anderson Mesa || LONEOS || — || align=right | 1.7 km ||
|-id=149 bgcolor=#fefefe
| 87149 || || — || July 5, 2000 || Anderson Mesa || LONEOS || NYS || align=right | 2.4 km ||
|-id=150 bgcolor=#E9E9E9
| 87150 || || — || July 5, 2000 || Anderson Mesa || LONEOS || — || align=right | 4.0 km ||
|-id=151 bgcolor=#d6d6d6
| 87151 || || — || July 5, 2000 || Anderson Mesa || LONEOS || — || align=right | 2.4 km ||
|-id=152 bgcolor=#E9E9E9
| 87152 || || — || July 6, 2000 || Kitt Peak || Spacewatch || — || align=right | 3.4 km ||
|-id=153 bgcolor=#fefefe
| 87153 || || — || July 6, 2000 || Kitt Peak || Spacewatch || NYS || align=right | 1.3 km ||
|-id=154 bgcolor=#E9E9E9
| 87154 || || — || July 6, 2000 || Anderson Mesa || LONEOS || — || align=right | 3.4 km ||
|-id=155 bgcolor=#E9E9E9
| 87155 || || — || July 7, 2000 || Anderson Mesa || LONEOS || — || align=right | 3.2 km ||
|-id=156 bgcolor=#E9E9E9
| 87156 || || — || July 7, 2000 || Socorro || LINEAR || — || align=right | 2.1 km ||
|-id=157 bgcolor=#E9E9E9
| 87157 || || — || July 7, 2000 || Anderson Mesa || LONEOS || — || align=right | 3.0 km ||
|-id=158 bgcolor=#E9E9E9
| 87158 || || — || July 7, 2000 || Anderson Mesa || LONEOS || — || align=right | 7.1 km ||
|-id=159 bgcolor=#fefefe
| 87159 || || — || July 5, 2000 || Kitt Peak || Spacewatch || — || align=right | 1.9 km ||
|-id=160 bgcolor=#E9E9E9
| 87160 || || — || July 4, 2000 || Anderson Mesa || LONEOS || DOR || align=right | 5.0 km ||
|-id=161 bgcolor=#fefefe
| 87161 || || — || July 4, 2000 || Anderson Mesa || LONEOS || EUT || align=right | 2.0 km ||
|-id=162 bgcolor=#E9E9E9
| 87162 || || — || July 4, 2000 || Anderson Mesa || LONEOS || — || align=right | 2.1 km ||
|-id=163 bgcolor=#E9E9E9
| 87163 || || — || July 4, 2000 || Anderson Mesa || LONEOS || GEF || align=right | 2.8 km ||
|-id=164 bgcolor=#fefefe
| 87164 || || — || July 4, 2000 || Anderson Mesa || LONEOS || MAS || align=right | 2.2 km ||
|-id=165 bgcolor=#d6d6d6
| 87165 || || — || July 4, 2000 || Anderson Mesa || LONEOS || — || align=right | 6.4 km ||
|-id=166 bgcolor=#E9E9E9
| 87166 || || — || July 3, 2000 || Socorro || LINEAR || EUN || align=right | 3.0 km ||
|-id=167 bgcolor=#fefefe
| 87167 || || — || July 2, 2000 || Kitt Peak || Spacewatch || V || align=right | 2.0 km ||
|-id=168 bgcolor=#E9E9E9
| 87168 || 2000 OW || — || July 24, 2000 || Reedy Creek || J. Broughton || BRG || align=right | 3.5 km ||
|-id=169 bgcolor=#E9E9E9
| 87169 || || — || July 27, 2000 || Črni Vrh || Črni Vrh || — || align=right | 4.1 km ||
|-id=170 bgcolor=#E9E9E9
| 87170 || || — || July 24, 2000 || Socorro || LINEAR || — || align=right | 5.6 km ||
|-id=171 bgcolor=#fefefe
| 87171 || || — || July 24, 2000 || Socorro || LINEAR || — || align=right | 2.4 km ||
|-id=172 bgcolor=#fefefe
| 87172 || || — || July 24, 2000 || Socorro || LINEAR || — || align=right | 3.5 km ||
|-id=173 bgcolor=#E9E9E9
| 87173 || || — || July 24, 2000 || Socorro || LINEAR || EUN || align=right | 3.3 km ||
|-id=174 bgcolor=#fefefe
| 87174 || || — || July 24, 2000 || Socorro || LINEAR || — || align=right | 2.6 km ||
|-id=175 bgcolor=#E9E9E9
| 87175 || || — || July 24, 2000 || Socorro || LINEAR || — || align=right | 3.0 km ||
|-id=176 bgcolor=#E9E9E9
| 87176 || || — || July 24, 2000 || Socorro || LINEAR || EUN || align=right | 4.3 km ||
|-id=177 bgcolor=#fefefe
| 87177 || || — || July 29, 2000 || Socorro || LINEAR || V || align=right | 2.0 km ||
|-id=178 bgcolor=#E9E9E9
| 87178 || || — || July 28, 2000 || Črni Vrh || Črni Vrh || EUN || align=right | 3.1 km ||
|-id=179 bgcolor=#E9E9E9
| 87179 || || — || July 30, 2000 || Socorro || LINEAR || — || align=right | 7.5 km ||
|-id=180 bgcolor=#E9E9E9
| 87180 || || — || July 24, 2000 || Socorro || LINEAR || — || align=right | 4.1 km ||
|-id=181 bgcolor=#E9E9E9
| 87181 || || — || July 30, 2000 || Socorro || LINEAR || — || align=right | 2.9 km ||
|-id=182 bgcolor=#E9E9E9
| 87182 || || — || July 31, 2000 || Socorro || LINEAR || — || align=right | 3.5 km ||
|-id=183 bgcolor=#fefefe
| 87183 || || — || July 23, 2000 || Socorro || LINEAR || ERI || align=right | 5.4 km ||
|-id=184 bgcolor=#E9E9E9
| 87184 || || — || July 23, 2000 || Socorro || LINEAR || — || align=right | 2.1 km ||
|-id=185 bgcolor=#fefefe
| 87185 || || — || July 23, 2000 || Socorro || LINEAR || NYS || align=right | 4.6 km ||
|-id=186 bgcolor=#E9E9E9
| 87186 || || — || July 23, 2000 || Socorro || LINEAR || — || align=right | 4.4 km ||
|-id=187 bgcolor=#E9E9E9
| 87187 || || — || July 23, 2000 || Socorro || LINEAR || — || align=right | 2.0 km ||
|-id=188 bgcolor=#E9E9E9
| 87188 || || — || July 23, 2000 || Socorro || LINEAR || NEM || align=right | 5.8 km ||
|-id=189 bgcolor=#fefefe
| 87189 || || — || July 23, 2000 || Socorro || LINEAR || NYS || align=right | 1.2 km ||
|-id=190 bgcolor=#E9E9E9
| 87190 || || — || July 23, 2000 || Socorro || LINEAR || — || align=right | 3.1 km ||
|-id=191 bgcolor=#E9E9E9
| 87191 || || — || July 23, 2000 || Socorro || LINEAR || — || align=right | 5.3 km ||
|-id=192 bgcolor=#fefefe
| 87192 || || — || July 23, 2000 || Socorro || LINEAR || NYS || align=right | 1.9 km ||
|-id=193 bgcolor=#E9E9E9
| 87193 || || — || July 23, 2000 || Socorro || LINEAR || — || align=right | 5.6 km ||
|-id=194 bgcolor=#E9E9E9
| 87194 || || — || July 23, 2000 || Socorro || LINEAR || — || align=right | 2.3 km ||
|-id=195 bgcolor=#fefefe
| 87195 || || — || July 23, 2000 || Socorro || LINEAR || — || align=right | 2.3 km ||
|-id=196 bgcolor=#E9E9E9
| 87196 || || — || July 30, 2000 || Socorro || LINEAR || — || align=right | 2.5 km ||
|-id=197 bgcolor=#fefefe
| 87197 || || — || July 30, 2000 || Socorro || LINEAR || PHO || align=right | 2.3 km ||
|-id=198 bgcolor=#E9E9E9
| 87198 || || — || July 31, 2000 || Socorro || LINEAR || — || align=right | 3.5 km ||
|-id=199 bgcolor=#fefefe
| 87199 || || — || July 23, 2000 || Socorro || LINEAR || NYS || align=right | 1.8 km ||
|-id=200 bgcolor=#E9E9E9
| 87200 || || — || July 23, 2000 || Socorro || LINEAR || — || align=right | 2.5 km ||
|}
87201–87300
|-bgcolor=#fefefe
| 87201 || || — || July 23, 2000 || Socorro || LINEAR || — || align=right | 2.5 km ||
|-id=202 bgcolor=#fefefe
| 87202 || || — || July 23, 2000 || Socorro || LINEAR || — || align=right | 2.9 km ||
|-id=203 bgcolor=#fefefe
| 87203 || || — || July 23, 2000 || Socorro || LINEAR || MAS || align=right | 2.2 km ||
|-id=204 bgcolor=#fefefe
| 87204 || || — || July 30, 2000 || Socorro || LINEAR || — || align=right | 2.6 km ||
|-id=205 bgcolor=#fefefe
| 87205 || || — || July 30, 2000 || Socorro || LINEAR || — || align=right | 3.2 km ||
|-id=206 bgcolor=#E9E9E9
| 87206 || || — || July 30, 2000 || Socorro || LINEAR || EUN || align=right | 4.0 km ||
|-id=207 bgcolor=#E9E9E9
| 87207 || || — || July 30, 2000 || Socorro || LINEAR || — || align=right | 4.8 km ||
|-id=208 bgcolor=#E9E9E9
| 87208 || || — || July 30, 2000 || Socorro || LINEAR || — || align=right | 2.1 km ||
|-id=209 bgcolor=#E9E9E9
| 87209 || || — || July 30, 2000 || Socorro || LINEAR || — || align=right | 2.2 km ||
|-id=210 bgcolor=#fefefe
| 87210 || || — || July 31, 2000 || Socorro || LINEAR || — || align=right | 3.7 km ||
|-id=211 bgcolor=#E9E9E9
| 87211 || || — || July 30, 2000 || Socorro || LINEAR || — || align=right | 5.1 km ||
|-id=212 bgcolor=#E9E9E9
| 87212 || || — || July 30, 2000 || Socorro || LINEAR || — || align=right | 2.2 km ||
|-id=213 bgcolor=#d6d6d6
| 87213 || || — || July 30, 2000 || Socorro || LINEAR || — || align=right | 4.3 km ||
|-id=214 bgcolor=#E9E9E9
| 87214 || || — || July 30, 2000 || Socorro || LINEAR || — || align=right | 2.1 km ||
|-id=215 bgcolor=#E9E9E9
| 87215 || || — || July 30, 2000 || Socorro || LINEAR || — || align=right | 6.1 km ||
|-id=216 bgcolor=#d6d6d6
| 87216 || || — || July 30, 2000 || Socorro || LINEAR || — || align=right | 3.3 km ||
|-id=217 bgcolor=#E9E9E9
| 87217 || || — || July 30, 2000 || Socorro || LINEAR || — || align=right | 5.2 km ||
|-id=218 bgcolor=#E9E9E9
| 87218 || || — || July 30, 2000 || Socorro || LINEAR || — || align=right | 2.7 km ||
|-id=219 bgcolor=#E9E9E9
| 87219 Marcbernstein || || || July 30, 2000 || Socorro || LINEAR || — || align=right | 2.3 km ||
|-id=220 bgcolor=#E9E9E9
| 87220 || || — || July 30, 2000 || Socorro || LINEAR || EUN || align=right | 2.4 km ||
|-id=221 bgcolor=#E9E9E9
| 87221 || || — || July 30, 2000 || Socorro || LINEAR || — || align=right | 2.1 km ||
|-id=222 bgcolor=#d6d6d6
| 87222 || || — || July 30, 2000 || Socorro || LINEAR || HYG || align=right | 7.1 km ||
|-id=223 bgcolor=#fefefe
| 87223 || || — || July 30, 2000 || Socorro || LINEAR || V || align=right | 2.8 km ||
|-id=224 bgcolor=#E9E9E9
| 87224 || || — || July 30, 2000 || Socorro || LINEAR || MIT || align=right | 7.1 km ||
|-id=225 bgcolor=#d6d6d6
| 87225 || || — || July 30, 2000 || Socorro || LINEAR || — || align=right | 3.6 km ||
|-id=226 bgcolor=#E9E9E9
| 87226 || || — || July 30, 2000 || Socorro || LINEAR || — || align=right | 2.1 km ||
|-id=227 bgcolor=#E9E9E9
| 87227 || || — || July 30, 2000 || Socorro || LINEAR || — || align=right | 3.7 km ||
|-id=228 bgcolor=#d6d6d6
| 87228 || || — || July 30, 2000 || Socorro || LINEAR || — || align=right | 7.1 km ||
|-id=229 bgcolor=#E9E9E9
| 87229 || || — || July 30, 2000 || Socorro || LINEAR || — || align=right | 2.9 km ||
|-id=230 bgcolor=#E9E9E9
| 87230 || || — || July 30, 2000 || Socorro || LINEAR || — || align=right | 2.2 km ||
|-id=231 bgcolor=#E9E9E9
| 87231 || || — || July 30, 2000 || Socorro || LINEAR || EUNslow || align=right | 2.7 km ||
|-id=232 bgcolor=#fefefe
| 87232 || || — || July 30, 2000 || Socorro || LINEAR || — || align=right | 2.0 km ||
|-id=233 bgcolor=#E9E9E9
| 87233 || || — || July 30, 2000 || Socorro || LINEAR || — || align=right | 7.6 km ||
|-id=234 bgcolor=#E9E9E9
| 87234 || || — || July 30, 2000 || Socorro || LINEAR || — || align=right | 3.2 km ||
|-id=235 bgcolor=#E9E9E9
| 87235 || || — || July 30, 2000 || Socorro || LINEAR || EUN || align=right | 6.4 km ||
|-id=236 bgcolor=#E9E9E9
| 87236 || || — || July 30, 2000 || Socorro || LINEAR || — || align=right | 2.2 km ||
|-id=237 bgcolor=#E9E9E9
| 87237 || || — || July 30, 2000 || Socorro || LINEAR || — || align=right | 5.6 km ||
|-id=238 bgcolor=#E9E9E9
| 87238 || || — || July 30, 2000 || Socorro || LINEAR || — || align=right | 2.9 km ||
|-id=239 bgcolor=#E9E9E9
| 87239 || || — || July 30, 2000 || Socorro || LINEAR || IAN || align=right | 3.1 km ||
|-id=240 bgcolor=#E9E9E9
| 87240 || || — || July 30, 2000 || Socorro || LINEAR || JUN || align=right | 3.4 km ||
|-id=241 bgcolor=#E9E9E9
| 87241 || || — || July 30, 2000 || Socorro || LINEAR || — || align=right | 5.3 km ||
|-id=242 bgcolor=#d6d6d6
| 87242 || || — || July 30, 2000 || Socorro || LINEAR || HYG || align=right | 6.1 km ||
|-id=243 bgcolor=#E9E9E9
| 87243 || || — || July 30, 2000 || Socorro || LINEAR || — || align=right | 2.6 km ||
|-id=244 bgcolor=#E9E9E9
| 87244 || || — || July 31, 2000 || Socorro || LINEAR || JUN || align=right | 6.5 km ||
|-id=245 bgcolor=#E9E9E9
| 87245 || || — || July 31, 2000 || Socorro || LINEAR || — || align=right | 4.4 km ||
|-id=246 bgcolor=#fefefe
| 87246 || || — || July 31, 2000 || Socorro || LINEAR || — || align=right | 4.4 km ||
|-id=247 bgcolor=#E9E9E9
| 87247 || || — || July 31, 2000 || Socorro || LINEAR || — || align=right | 2.0 km ||
|-id=248 bgcolor=#E9E9E9
| 87248 || || — || July 31, 2000 || Socorro || LINEAR || MAR || align=right | 4.2 km ||
|-id=249 bgcolor=#E9E9E9
| 87249 || || — || July 31, 2000 || Socorro || LINEAR || — || align=right | 3.4 km ||
|-id=250 bgcolor=#E9E9E9
| 87250 || || — || July 31, 2000 || Socorro || LINEAR || — || align=right | 2.9 km ||
|-id=251 bgcolor=#E9E9E9
| 87251 || || — || July 31, 2000 || Socorro || LINEAR || — || align=right | 3.6 km ||
|-id=252 bgcolor=#E9E9E9
| 87252 || || — || July 31, 2000 || Socorro || LINEAR || — || align=right | 5.4 km ||
|-id=253 bgcolor=#E9E9E9
| 87253 || || — || July 31, 2000 || Socorro || LINEAR || — || align=right | 2.4 km ||
|-id=254 bgcolor=#E9E9E9
| 87254 || || — || July 31, 2000 || Socorro || LINEAR || — || align=right | 2.8 km ||
|-id=255 bgcolor=#d6d6d6
| 87255 || || — || July 30, 2000 || Socorro || LINEAR || — || align=right | 5.8 km ||
|-id=256 bgcolor=#E9E9E9
| 87256 || || — || July 30, 2000 || Socorro || LINEAR || EUN || align=right | 3.2 km ||
|-id=257 bgcolor=#E9E9E9
| 87257 || || — || July 30, 2000 || Socorro || LINEAR || EUN || align=right | 4.2 km ||
|-id=258 bgcolor=#E9E9E9
| 87258 || || — || July 30, 2000 || Socorro || LINEAR || MAR || align=right | 3.7 km ||
|-id=259 bgcolor=#E9E9E9
| 87259 || || — || July 30, 2000 || Socorro || LINEAR || — || align=right | 4.6 km ||
|-id=260 bgcolor=#E9E9E9
| 87260 || || — || July 29, 2000 || Anderson Mesa || LONEOS || — || align=right | 1.9 km ||
|-id=261 bgcolor=#E9E9E9
| 87261 || || — || July 29, 2000 || Anderson Mesa || LONEOS || — || align=right | 2.1 km ||
|-id=262 bgcolor=#E9E9E9
| 87262 || || — || July 29, 2000 || Anderson Mesa || LONEOS || — || align=right | 2.5 km ||
|-id=263 bgcolor=#E9E9E9
| 87263 || || — || July 29, 2000 || Anderson Mesa || LONEOS || — || align=right | 2.2 km ||
|-id=264 bgcolor=#fefefe
| 87264 || || — || July 29, 2000 || Anderson Mesa || LONEOS || V || align=right | 1.6 km ||
|-id=265 bgcolor=#fefefe
| 87265 || || — || July 29, 2000 || Anderson Mesa || LONEOS || — || align=right | 3.1 km ||
|-id=266 bgcolor=#E9E9E9
| 87266 || || — || July 29, 2000 || Anderson Mesa || LONEOS || — || align=right | 1.2 km ||
|-id=267 bgcolor=#E9E9E9
| 87267 || || — || July 29, 2000 || Anderson Mesa || LONEOS || — || align=right | 1.8 km ||
|-id=268 bgcolor=#E9E9E9
| 87268 || || — || July 29, 2000 || Anderson Mesa || LONEOS || — || align=right | 2.0 km ||
|-id=269 bgcolor=#C2E0FF
| 87269 || || — || July 29, 2000 || Cerro Tololo || Cerro Tololo Obs. || centaur || align=right | 64 km ||
|-id=270 bgcolor=#d6d6d6
| 87270 || || — || July 31, 2000 || Cerro Tololo || M. W. Buie || TEL || align=right | 3.4 km ||
|-id=271 bgcolor=#E9E9E9
| 87271 Kokubunji || || || August 3, 2000 || Bisei SG Center || BATTeRS || — || align=right | 5.0 km ||
|-id=272 bgcolor=#E9E9E9
| 87272 || || — || August 1, 2000 || Socorro || LINEAR || — || align=right | 3.4 km ||
|-id=273 bgcolor=#E9E9E9
| 87273 || || — || August 2, 2000 || Socorro || LINEAR || — || align=right | 2.6 km ||
|-id=274 bgcolor=#E9E9E9
| 87274 || || — || August 3, 2000 || Socorro || LINEAR || — || align=right | 3.5 km ||
|-id=275 bgcolor=#fefefe
| 87275 || || — || August 4, 2000 || Siding Spring || R. H. McNaught || — || align=right | 2.9 km ||
|-id=276 bgcolor=#d6d6d6
| 87276 || || — || August 6, 2000 || Siding Spring || R. H. McNaught || — || align=right | 8.7 km ||
|-id=277 bgcolor=#E9E9E9
| 87277 || || — || August 1, 2000 || Socorro || LINEAR || EUN || align=right | 2.5 km ||
|-id=278 bgcolor=#E9E9E9
| 87278 || || — || August 1, 2000 || Socorro || LINEAR || — || align=right | 6.5 km ||
|-id=279 bgcolor=#E9E9E9
| 87279 || || — || August 1, 2000 || Socorro || LINEAR || — || align=right | 2.8 km ||
|-id=280 bgcolor=#E9E9E9
| 87280 || || — || August 1, 2000 || Socorro || LINEAR || MIT || align=right | 5.7 km ||
|-id=281 bgcolor=#E9E9E9
| 87281 || || — || August 8, 2000 || Socorro || LINEAR || — || align=right | 4.1 km ||
|-id=282 bgcolor=#d6d6d6
| 87282 || || — || August 8, 2000 || Socorro || LINEAR || — || align=right | 8.9 km ||
|-id=283 bgcolor=#E9E9E9
| 87283 || || — || August 8, 2000 || Socorro || LINEAR || — || align=right | 5.8 km ||
|-id=284 bgcolor=#E9E9E9
| 87284 || || — || August 1, 2000 || Socorro || LINEAR || — || align=right | 2.9 km ||
|-id=285 bgcolor=#E9E9E9
| 87285 || || — || August 1, 2000 || Socorro || LINEAR || — || align=right | 4.6 km ||
|-id=286 bgcolor=#fefefe
| 87286 || || — || August 1, 2000 || Socorro || LINEAR || — || align=right | 2.0 km ||
|-id=287 bgcolor=#fefefe
| 87287 || || — || August 1, 2000 || Socorro || LINEAR || — || align=right | 1.9 km ||
|-id=288 bgcolor=#fefefe
| 87288 || || — || August 1, 2000 || Socorro || LINEAR || NYS || align=right | 1.5 km ||
|-id=289 bgcolor=#d6d6d6
| 87289 || || — || August 1, 2000 || Socorro || LINEAR || K-2 || align=right | 3.6 km ||
|-id=290 bgcolor=#E9E9E9
| 87290 || || — || August 1, 2000 || Socorro || LINEAR || — || align=right | 2.6 km ||
|-id=291 bgcolor=#d6d6d6
| 87291 || || — || August 1, 2000 || Socorro || LINEAR || — || align=right | 4.3 km ||
|-id=292 bgcolor=#fefefe
| 87292 || || — || August 1, 2000 || Socorro || LINEAR || — || align=right | 4.6 km ||
|-id=293 bgcolor=#E9E9E9
| 87293 || || — || August 1, 2000 || Socorro || LINEAR || — || align=right | 2.2 km ||
|-id=294 bgcolor=#E9E9E9
| 87294 || || — || August 1, 2000 || Socorro || LINEAR || — || align=right | 2.4 km ||
|-id=295 bgcolor=#E9E9E9
| 87295 || || — || August 1, 2000 || Socorro || LINEAR || — || align=right | 2.2 km ||
|-id=296 bgcolor=#d6d6d6
| 87296 || || — || August 2, 2000 || Socorro || LINEAR || KOR || align=right | 2.8 km ||
|-id=297 bgcolor=#E9E9E9
| 87297 || || — || August 2, 2000 || Socorro || LINEAR || — || align=right | 3.4 km ||
|-id=298 bgcolor=#E9E9E9
| 87298 || || — || August 2, 2000 || Socorro || LINEAR || — || align=right | 1.6 km ||
|-id=299 bgcolor=#d6d6d6
| 87299 || || — || August 3, 2000 || Socorro || LINEAR || — || align=right | 12 km ||
|-id=300 bgcolor=#E9E9E9
| 87300 || || — || August 3, 2000 || Socorro || LINEAR || — || align=right | 2.1 km ||
|}
87301–87400
|-bgcolor=#E9E9E9
| 87301 || || — || August 4, 2000 || Socorro || LINEAR || — || align=right | 3.6 km ||
|-id=302 bgcolor=#E9E9E9
| 87302 || || — || August 4, 2000 || Socorro || LINEAR || — || align=right | 5.5 km ||
|-id=303 bgcolor=#d6d6d6
| 87303 || || — || August 5, 2000 || Haleakala || NEAT || — || align=right | 11 km ||
|-id=304 bgcolor=#fefefe
| 87304 || || — || August 9, 2000 || Socorro || LINEAR || — || align=right | 2.3 km ||
|-id=305 bgcolor=#E9E9E9
| 87305 || || — || August 9, 2000 || Socorro || LINEAR || — || align=right | 6.1 km ||
|-id=306 bgcolor=#E9E9E9
| 87306 || || — || August 10, 2000 || Socorro || LINEAR || PAL || align=right | 7.5 km ||
|-id=307 bgcolor=#fefefe
| 87307 || || — || August 7, 2000 || Bisei SG Center || BATTeRS || KLI || align=right | 5.2 km ||
|-id=308 bgcolor=#E9E9E9
| 87308 || || — || August 2, 2000 || Socorro || LINEAR || — || align=right | 3.1 km ||
|-id=309 bgcolor=#FFC2E0
| 87309 || 2000 QP || — || August 21, 2000 || Socorro || LINEAR || ATE +1kmfast || align=right data-sort-value="0.57" | 570 m ||
|-id=310 bgcolor=#E9E9E9
| 87310 || || — || August 23, 2000 || Reedy Creek || J. Broughton || — || align=right | 2.3 km ||
|-id=311 bgcolor=#FFC2E0
| 87311 || || — || August 21, 2000 || Anderson Mesa || LONEOS || APO +1km || align=right | 1.9 km ||
|-id=312 bgcolor=#E9E9E9
| 87312 Akirasuzuki || || || August 23, 2000 || Bisei SG Center || BATTeRS || EUN || align=right | 5.8 km ||
|-id=313 bgcolor=#E9E9E9
| 87313 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 2.5 km ||
|-id=314 bgcolor=#fefefe
| 87314 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 2.3 km ||
|-id=315 bgcolor=#E9E9E9
| 87315 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 2.3 km ||
|-id=316 bgcolor=#E9E9E9
| 87316 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 4.4 km ||
|-id=317 bgcolor=#E9E9E9
| 87317 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 2.1 km ||
|-id=318 bgcolor=#E9E9E9
| 87318 || || — || August 24, 2000 || Črni Vrh || Črni Vrh || — || align=right | 7.2 km ||
|-id=319 bgcolor=#E9E9E9
| 87319 || || — || August 25, 2000 || Črni Vrh || Črni Vrh || — || align=right | 3.4 km ||
|-id=320 bgcolor=#d6d6d6
| 87320 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 6.5 km ||
|-id=321 bgcolor=#E9E9E9
| 87321 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 3.2 km ||
|-id=322 bgcolor=#E9E9E9
| 87322 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 2.5 km ||
|-id=323 bgcolor=#fefefe
| 87323 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 2.6 km ||
|-id=324 bgcolor=#fefefe
| 87324 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 3.5 km ||
|-id=325 bgcolor=#E9E9E9
| 87325 || || — || August 24, 2000 || Socorro || LINEAR || RAF || align=right | 1.8 km ||
|-id=326 bgcolor=#E9E9E9
| 87326 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 1.8 km ||
|-id=327 bgcolor=#E9E9E9
| 87327 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 2.0 km ||
|-id=328 bgcolor=#fefefe
| 87328 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 2.0 km ||
|-id=329 bgcolor=#d6d6d6
| 87329 || || — || August 24, 2000 || Socorro || LINEAR || KOR || align=right | 2.7 km ||
|-id=330 bgcolor=#E9E9E9
| 87330 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 1.9 km ||
|-id=331 bgcolor=#E9E9E9
| 87331 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 1.9 km ||
|-id=332 bgcolor=#d6d6d6
| 87332 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 4.5 km ||
|-id=333 bgcolor=#d6d6d6
| 87333 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 6.4 km ||
|-id=334 bgcolor=#E9E9E9
| 87334 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 2.8 km ||
|-id=335 bgcolor=#E9E9E9
| 87335 || || — || August 24, 2000 || Socorro || LINEAR || MIT || align=right | 5.2 km ||
|-id=336 bgcolor=#d6d6d6
| 87336 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 4.5 km ||
|-id=337 bgcolor=#E9E9E9
| 87337 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 2.6 km ||
|-id=338 bgcolor=#E9E9E9
| 87338 || || — || August 25, 2000 || Socorro || LINEAR || — || align=right | 3.5 km ||
|-id=339 bgcolor=#E9E9E9
| 87339 || || — || August 25, 2000 || Socorro || LINEAR || — || align=right | 3.4 km ||
|-id=340 bgcolor=#E9E9E9
| 87340 || || — || August 25, 2000 || Socorro || LINEAR || — || align=right | 4.3 km ||
|-id=341 bgcolor=#fefefe
| 87341 || || — || August 25, 2000 || Socorro || LINEAR || — || align=right | 2.4 km ||
|-id=342 bgcolor=#E9E9E9
| 87342 || || — || August 25, 2000 || Socorro || LINEAR || — || align=right | 2.1 km ||
|-id=343 bgcolor=#fefefe
| 87343 || || — || August 25, 2000 || Socorro || LINEAR || H || align=right | 1.7 km ||
|-id=344 bgcolor=#E9E9E9
| 87344 || || — || August 26, 2000 || Socorro || LINEAR || BRU || align=right | 5.8 km ||
|-id=345 bgcolor=#E9E9E9
| 87345 || || — || August 26, 2000 || Socorro || LINEAR || BRU || align=right | 7.9 km ||
|-id=346 bgcolor=#E9E9E9
| 87346 || || — || August 24, 2000 || Socorro || LINEAR || MAR || align=right | 2.3 km ||
|-id=347 bgcolor=#E9E9E9
| 87347 || || — || August 24, 2000 || Socorro || LINEAR || EUN || align=right | 3.3 km ||
|-id=348 bgcolor=#d6d6d6
| 87348 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 6.0 km ||
|-id=349 bgcolor=#d6d6d6
| 87349 || || — || August 25, 2000 || Socorro || LINEAR || — || align=right | 5.5 km ||
|-id=350 bgcolor=#fefefe
| 87350 || || — || August 25, 2000 || Socorro || LINEAR || — || align=right | 2.8 km ||
|-id=351 bgcolor=#E9E9E9
| 87351 || || — || August 26, 2000 || Socorro || LINEAR || — || align=right | 2.7 km ||
|-id=352 bgcolor=#E9E9E9
| 87352 || || — || August 26, 2000 || Socorro || LINEAR || — || align=right | 2.9 km ||
|-id=353 bgcolor=#E9E9E9
| 87353 || || — || August 26, 2000 || Socorro || LINEAR || EUN || align=right | 2.7 km ||
|-id=354 bgcolor=#E9E9E9
| 87354 || || — || August 26, 2000 || Socorro || LINEAR || — || align=right | 4.7 km ||
|-id=355 bgcolor=#E9E9E9
| 87355 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 3.6 km ||
|-id=356 bgcolor=#d6d6d6
| 87356 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 6.2 km ||
|-id=357 bgcolor=#fefefe
| 87357 || || — || August 24, 2000 || Socorro || LINEAR || NYS || align=right | 1.7 km ||
|-id=358 bgcolor=#E9E9E9
| 87358 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 2.5 km ||
|-id=359 bgcolor=#E9E9E9
| 87359 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 2.0 km ||
|-id=360 bgcolor=#E9E9E9
| 87360 || || — || August 24, 2000 || Socorro || LINEAR || MAR || align=right | 3.4 km ||
|-id=361 bgcolor=#d6d6d6
| 87361 || || — || August 24, 2000 || Socorro || LINEAR || KOR || align=right | 2.6 km ||
|-id=362 bgcolor=#d6d6d6
| 87362 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 9.0 km ||
|-id=363 bgcolor=#E9E9E9
| 87363 || || — || August 24, 2000 || Socorro || LINEAR || HEN || align=right | 2.2 km ||
|-id=364 bgcolor=#d6d6d6
| 87364 || || — || August 24, 2000 || Socorro || LINEAR || KOR || align=right | 2.6 km ||
|-id=365 bgcolor=#fefefe
| 87365 || || — || August 24, 2000 || Socorro || LINEAR || MAS || align=right | 1.8 km ||
|-id=366 bgcolor=#E9E9E9
| 87366 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 1.4 km ||
|-id=367 bgcolor=#fefefe
| 87367 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 1.6 km ||
|-id=368 bgcolor=#E9E9E9
| 87368 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 3.1 km ||
|-id=369 bgcolor=#E9E9E9
| 87369 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 1.9 km ||
|-id=370 bgcolor=#E9E9E9
| 87370 || || — || August 24, 2000 || Socorro || LINEAR || EUN || align=right | 3.1 km ||
|-id=371 bgcolor=#E9E9E9
| 87371 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 1.9 km ||
|-id=372 bgcolor=#fefefe
| 87372 || || — || August 25, 2000 || Socorro || LINEAR || MAS || align=right | 2.3 km ||
|-id=373 bgcolor=#E9E9E9
| 87373 || || — || August 25, 2000 || Socorro || LINEAR || — || align=right | 2.1 km ||
|-id=374 bgcolor=#E9E9E9
| 87374 || || — || August 25, 2000 || Socorro || LINEAR || XIZ || align=right | 3.5 km ||
|-id=375 bgcolor=#d6d6d6
| 87375 || || — || August 25, 2000 || Socorro || LINEAR || 7:4 || align=right | 10 km ||
|-id=376 bgcolor=#fefefe
| 87376 || || — || August 26, 2000 || Socorro || LINEAR || — || align=right | 4.0 km ||
|-id=377 bgcolor=#E9E9E9
| 87377 || || — || August 26, 2000 || Socorro || LINEAR || — || align=right | 2.9 km ||
|-id=378 bgcolor=#fefefe
| 87378 || || — || August 26, 2000 || Socorro || LINEAR || — || align=right | 1.8 km ||
|-id=379 bgcolor=#d6d6d6
| 87379 || || — || August 26, 2000 || Socorro || LINEAR || — || align=right | 4.5 km ||
|-id=380 bgcolor=#E9E9E9
| 87380 || || — || August 26, 2000 || Socorro || LINEAR || — || align=right | 5.7 km ||
|-id=381 bgcolor=#E9E9E9
| 87381 || || — || August 28, 2000 || Socorro || LINEAR || RAF || align=right | 1.9 km ||
|-id=382 bgcolor=#E9E9E9
| 87382 || || — || August 28, 2000 || Socorro || LINEAR || — || align=right | 2.2 km ||
|-id=383 bgcolor=#E9E9E9
| 87383 || || — || August 28, 2000 || Socorro || LINEAR || — || align=right | 4.9 km ||
|-id=384 bgcolor=#E9E9E9
| 87384 || || — || August 28, 2000 || Socorro || LINEAR || — || align=right | 3.4 km ||
|-id=385 bgcolor=#E9E9E9
| 87385 || || — || August 28, 2000 || Socorro || LINEAR || — || align=right | 2.2 km ||
|-id=386 bgcolor=#E9E9E9
| 87386 || || — || August 28, 2000 || Socorro || LINEAR || — || align=right | 2.4 km ||
|-id=387 bgcolor=#E9E9E9
| 87387 || || — || August 28, 2000 || Socorro || LINEAR || ADE || align=right | 3.0 km ||
|-id=388 bgcolor=#d6d6d6
| 87388 || || — || August 28, 2000 || Socorro || LINEAR || — || align=right | 6.4 km ||
|-id=389 bgcolor=#E9E9E9
| 87389 || || — || August 28, 2000 || Socorro || LINEAR || — || align=right | 5.5 km ||
|-id=390 bgcolor=#d6d6d6
| 87390 || || — || August 28, 2000 || Socorro || LINEAR || — || align=right | 5.9 km ||
|-id=391 bgcolor=#E9E9E9
| 87391 || || — || August 28, 2000 || Socorro || LINEAR || — || align=right | 4.5 km ||
|-id=392 bgcolor=#E9E9E9
| 87392 || || — || August 29, 2000 || Reedy Creek || J. Broughton || — || align=right | 3.5 km ||
|-id=393 bgcolor=#E9E9E9
| 87393 || || — || August 27, 2000 || Needville || Needville Obs. || GEF || align=right | 2.7 km ||
|-id=394 bgcolor=#E9E9E9
| 87394 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 1.5 km ||
|-id=395 bgcolor=#fefefe
| 87395 || || — || August 24, 2000 || Socorro || LINEAR || NYS || align=right | 2.0 km ||
|-id=396 bgcolor=#E9E9E9
| 87396 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 2.4 km ||
|-id=397 bgcolor=#E9E9E9
| 87397 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 2.6 km ||
|-id=398 bgcolor=#E9E9E9
| 87398 || || — || August 24, 2000 || Socorro || LINEAR || EUN || align=right | 2.6 km ||
|-id=399 bgcolor=#E9E9E9
| 87399 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 2.9 km ||
|-id=400 bgcolor=#d6d6d6
| 87400 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 5.3 km ||
|}
87401–87500
|-bgcolor=#E9E9E9
| 87401 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 4.0 km ||
|-id=402 bgcolor=#E9E9E9
| 87402 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 3.6 km ||
|-id=403 bgcolor=#E9E9E9
| 87403 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 3.0 km ||
|-id=404 bgcolor=#E9E9E9
| 87404 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 2.6 km ||
|-id=405 bgcolor=#E9E9E9
| 87405 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 2.3 km ||
|-id=406 bgcolor=#E9E9E9
| 87406 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 4.4 km ||
|-id=407 bgcolor=#E9E9E9
| 87407 || || — || August 24, 2000 || Socorro || LINEAR || MAR || align=right | 3.0 km ||
|-id=408 bgcolor=#E9E9E9
| 87408 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 2.5 km ||
|-id=409 bgcolor=#d6d6d6
| 87409 || || — || August 25, 2000 || Socorro || LINEAR || HYG || align=right | 4.8 km ||
|-id=410 bgcolor=#E9E9E9
| 87410 || || — || August 25, 2000 || Socorro || LINEAR || — || align=right | 2.1 km ||
|-id=411 bgcolor=#E9E9E9
| 87411 || || — || August 25, 2000 || Socorro || LINEAR || EUN || align=right | 3.6 km ||
|-id=412 bgcolor=#E9E9E9
| 87412 || || — || August 25, 2000 || Socorro || LINEAR || EUN || align=right | 3.2 km ||
|-id=413 bgcolor=#E9E9E9
| 87413 || || — || August 25, 2000 || Socorro || LINEAR || — || align=right | 3.4 km ||
|-id=414 bgcolor=#E9E9E9
| 87414 || || — || August 25, 2000 || Socorro || LINEAR || — || align=right | 2.3 km ||
|-id=415 bgcolor=#E9E9E9
| 87415 || || — || August 25, 2000 || Socorro || LINEAR || — || align=right | 1.9 km ||
|-id=416 bgcolor=#E9E9E9
| 87416 || || — || August 25, 2000 || Socorro || LINEAR || — || align=right | 2.0 km ||
|-id=417 bgcolor=#E9E9E9
| 87417 || || — || August 26, 2000 || Socorro || LINEAR || — || align=right | 2.3 km ||
|-id=418 bgcolor=#E9E9E9
| 87418 || || — || August 26, 2000 || Socorro || LINEAR || — || align=right | 2.8 km ||
|-id=419 bgcolor=#d6d6d6
| 87419 || || — || August 26, 2000 || Socorro || LINEAR || — || align=right | 9.1 km ||
|-id=420 bgcolor=#E9E9E9
| 87420 || || — || August 26, 2000 || Socorro || LINEAR || — || align=right | 2.7 km ||
|-id=421 bgcolor=#E9E9E9
| 87421 || || — || August 28, 2000 || Socorro || LINEAR || — || align=right | 2.2 km ||
|-id=422 bgcolor=#E9E9E9
| 87422 || || — || August 28, 2000 || Socorro || LINEAR || — || align=right | 1.6 km ||
|-id=423 bgcolor=#E9E9E9
| 87423 || || — || August 28, 2000 || Socorro || LINEAR || VIB || align=right | 4.1 km ||
|-id=424 bgcolor=#E9E9E9
| 87424 || || — || August 28, 2000 || Socorro || LINEAR || — || align=right | 2.6 km ||
|-id=425 bgcolor=#E9E9E9
| 87425 || || — || August 28, 2000 || Socorro || LINEAR || RAF || align=right | 2.0 km ||
|-id=426 bgcolor=#E9E9E9
| 87426 || || — || August 28, 2000 || Socorro || LINEAR || — || align=right | 3.9 km ||
|-id=427 bgcolor=#E9E9E9
| 87427 || || — || August 28, 2000 || Socorro || LINEAR || — || align=right | 2.6 km ||
|-id=428 bgcolor=#E9E9E9
| 87428 || || — || August 28, 2000 || Socorro || LINEAR || — || align=right | 7.2 km ||
|-id=429 bgcolor=#d6d6d6
| 87429 || || — || August 28, 2000 || Socorro || LINEAR || — || align=right | 5.3 km ||
|-id=430 bgcolor=#E9E9E9
| 87430 || || — || August 28, 2000 || Socorro || LINEAR || — || align=right | 2.5 km ||
|-id=431 bgcolor=#d6d6d6
| 87431 || || — || August 28, 2000 || Socorro || LINEAR || EOS || align=right | 5.0 km ||
|-id=432 bgcolor=#E9E9E9
| 87432 || || — || August 28, 2000 || Socorro || LINEAR || — || align=right | 3.4 km ||
|-id=433 bgcolor=#E9E9E9
| 87433 || || — || August 28, 2000 || Socorro || LINEAR || — || align=right | 3.4 km ||
|-id=434 bgcolor=#d6d6d6
| 87434 || || — || August 28, 2000 || Socorro || LINEAR || — || align=right | 8.2 km ||
|-id=435 bgcolor=#E9E9E9
| 87435 || || — || August 29, 2000 || Socorro || LINEAR || — || align=right | 3.1 km ||
|-id=436 bgcolor=#d6d6d6
| 87436 || || — || August 29, 2000 || Socorro || LINEAR || KOR || align=right | 2.9 km ||
|-id=437 bgcolor=#E9E9E9
| 87437 || || — || August 29, 2000 || Socorro || LINEAR || — || align=right | 7.5 km ||
|-id=438 bgcolor=#E9E9E9
| 87438 || || — || August 29, 2000 || Socorro || LINEAR || — || align=right | 1.5 km ||
|-id=439 bgcolor=#d6d6d6
| 87439 || || — || August 29, 2000 || Socorro || LINEAR || HYG || align=right | 5.4 km ||
|-id=440 bgcolor=#E9E9E9
| 87440 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 2.6 km ||
|-id=441 bgcolor=#E9E9E9
| 87441 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 4.7 km ||
|-id=442 bgcolor=#d6d6d6
| 87442 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 4.9 km ||
|-id=443 bgcolor=#E9E9E9
| 87443 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 4.2 km ||
|-id=444 bgcolor=#E9E9E9
| 87444 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 2.4 km ||
|-id=445 bgcolor=#E9E9E9
| 87445 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 1.9 km ||
|-id=446 bgcolor=#E9E9E9
| 87446 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 4.4 km ||
|-id=447 bgcolor=#E9E9E9
| 87447 || || — || August 28, 2000 || Socorro || LINEAR || — || align=right | 3.3 km ||
|-id=448 bgcolor=#E9E9E9
| 87448 || || — || August 25, 2000 || Socorro || LINEAR || MAR || align=right | 3.1 km ||
|-id=449 bgcolor=#E9E9E9
| 87449 || || — || August 25, 2000 || Socorro || LINEAR || — || align=right | 6.1 km ||
|-id=450 bgcolor=#E9E9E9
| 87450 || || — || August 25, 2000 || Socorro || LINEAR || — || align=right | 4.0 km ||
|-id=451 bgcolor=#E9E9E9
| 87451 || || — || August 25, 2000 || Socorro || LINEAR || — || align=right | 2.4 km ||
|-id=452 bgcolor=#E9E9E9
| 87452 || || — || August 25, 2000 || Socorro || LINEAR || WIT || align=right | 2.5 km ||
|-id=453 bgcolor=#E9E9E9
| 87453 || || — || August 25, 2000 || Socorro || LINEAR || — || align=right | 3.0 km ||
|-id=454 bgcolor=#d6d6d6
| 87454 || || — || August 25, 2000 || Socorro || LINEAR || — || align=right | 8.0 km ||
|-id=455 bgcolor=#E9E9E9
| 87455 || || — || August 25, 2000 || Socorro || LINEAR || — || align=right | 8.2 km ||
|-id=456 bgcolor=#E9E9E9
| 87456 || || — || August 25, 2000 || Socorro || LINEAR || — || align=right | 2.2 km ||
|-id=457 bgcolor=#E9E9E9
| 87457 || || — || August 25, 2000 || Socorro || LINEAR || — || align=right | 3.2 km ||
|-id=458 bgcolor=#E9E9E9
| 87458 || || — || August 28, 2000 || Socorro || LINEAR || — || align=right | 3.4 km ||
|-id=459 bgcolor=#E9E9E9
| 87459 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 2.3 km ||
|-id=460 bgcolor=#E9E9E9
| 87460 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 2.1 km ||
|-id=461 bgcolor=#E9E9E9
| 87461 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 3.9 km ||
|-id=462 bgcolor=#E9E9E9
| 87462 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 3.0 km ||
|-id=463 bgcolor=#E9E9E9
| 87463 || || — || August 25, 2000 || Socorro || LINEAR || — || align=right | 3.1 km ||
|-id=464 bgcolor=#E9E9E9
| 87464 || || — || August 31, 2000 || Reedy Creek || J. Broughton || — || align=right | 3.0 km ||
|-id=465 bgcolor=#E9E9E9
| 87465 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 2.0 km ||
|-id=466 bgcolor=#E9E9E9
| 87466 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 5.9 km ||
|-id=467 bgcolor=#fefefe
| 87467 || || — || August 24, 2000 || Socorro || LINEAR || V || align=right | 1.7 km ||
|-id=468 bgcolor=#fefefe
| 87468 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 2.2 km ||
|-id=469 bgcolor=#E9E9E9
| 87469 || || — || August 25, 2000 || Socorro || LINEAR || — || align=right | 2.2 km ||
|-id=470 bgcolor=#E9E9E9
| 87470 || || — || August 26, 2000 || Socorro || LINEAR || HNS || align=right | 3.3 km ||
|-id=471 bgcolor=#E9E9E9
| 87471 || || — || August 26, 2000 || Socorro || LINEAR || — || align=right | 2.1 km ||
|-id=472 bgcolor=#E9E9E9
| 87472 || || — || August 26, 2000 || Socorro || LINEAR || — || align=right | 2.2 km ||
|-id=473 bgcolor=#E9E9E9
| 87473 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 3.0 km ||
|-id=474 bgcolor=#E9E9E9
| 87474 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 2.7 km ||
|-id=475 bgcolor=#fefefe
| 87475 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 2.7 km ||
|-id=476 bgcolor=#E9E9E9
| 87476 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 2.5 km ||
|-id=477 bgcolor=#E9E9E9
| 87477 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 2.6 km ||
|-id=478 bgcolor=#d6d6d6
| 87478 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 3.9 km ||
|-id=479 bgcolor=#d6d6d6
| 87479 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 6.6 km ||
|-id=480 bgcolor=#E9E9E9
| 87480 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 1.7 km ||
|-id=481 bgcolor=#E9E9E9
| 87481 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 2.3 km ||
|-id=482 bgcolor=#E9E9E9
| 87482 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 4.9 km ||
|-id=483 bgcolor=#E9E9E9
| 87483 || || — || August 24, 2000 || Socorro || LINEAR || GEF || align=right | 4.4 km ||
|-id=484 bgcolor=#E9E9E9
| 87484 || || — || August 25, 2000 || Socorro || LINEAR || — || align=right | 3.2 km ||
|-id=485 bgcolor=#E9E9E9
| 87485 || || — || August 25, 2000 || Socorro || LINEAR || — || align=right | 8.2 km ||
|-id=486 bgcolor=#E9E9E9
| 87486 || || — || August 29, 2000 || Socorro || LINEAR || EUN || align=right | 2.6 km ||
|-id=487 bgcolor=#E9E9E9
| 87487 || || — || August 31, 2000 || Socorro || LINEAR || ADE || align=right | 4.5 km ||
|-id=488 bgcolor=#E9E9E9
| 87488 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 4.9 km ||
|-id=489 bgcolor=#E9E9E9
| 87489 || || — || August 31, 2000 || Socorro || LINEAR || GEF || align=right | 3.1 km ||
|-id=490 bgcolor=#E9E9E9
| 87490 || || — || August 31, 2000 || Socorro || LINEAR || MAR || align=right | 2.6 km ||
|-id=491 bgcolor=#E9E9E9
| 87491 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 3.9 km ||
|-id=492 bgcolor=#E9E9E9
| 87492 || || — || August 31, 2000 || Socorro || LINEAR || DOR || align=right | 6.0 km ||
|-id=493 bgcolor=#E9E9E9
| 87493 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 3.7 km ||
|-id=494 bgcolor=#d6d6d6
| 87494 || || — || August 31, 2000 || Socorro || LINEAR || EOS || align=right | 4.4 km ||
|-id=495 bgcolor=#E9E9E9
| 87495 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 4.9 km ||
|-id=496 bgcolor=#E9E9E9
| 87496 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 2.7 km ||
|-id=497 bgcolor=#E9E9E9
| 87497 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 3.7 km ||
|-id=498 bgcolor=#E9E9E9
| 87498 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 2.6 km ||
|-id=499 bgcolor=#E9E9E9
| 87499 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 2.6 km ||
|-id=500 bgcolor=#E9E9E9
| 87500 || || — || August 31, 2000 || Socorro || LINEAR || RAF || align=right | 1.7 km ||
|}
87501–87600
|-bgcolor=#E9E9E9
| 87501 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 3.2 km ||
|-id=502 bgcolor=#d6d6d6
| 87502 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 6.1 km ||
|-id=503 bgcolor=#E9E9E9
| 87503 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 2.5 km ||
|-id=504 bgcolor=#E9E9E9
| 87504 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 3.3 km ||
|-id=505 bgcolor=#E9E9E9
| 87505 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 2.0 km ||
|-id=506 bgcolor=#d6d6d6
| 87506 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 5.8 km ||
|-id=507 bgcolor=#fefefe
| 87507 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 2.3 km ||
|-id=508 bgcolor=#E9E9E9
| 87508 || || — || August 31, 2000 || Socorro || LINEAR || PAD || align=right | 3.7 km ||
|-id=509 bgcolor=#E9E9E9
| 87509 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 3.0 km ||
|-id=510 bgcolor=#d6d6d6
| 87510 || || — || August 24, 2000 || Socorro || LINEAR || — || align=right | 6.1 km ||
|-id=511 bgcolor=#fefefe
| 87511 || || — || August 26, 2000 || Socorro || LINEAR || — || align=right | 1.7 km ||
|-id=512 bgcolor=#E9E9E9
| 87512 || || — || August 26, 2000 || Socorro || LINEAR || — || align=right | 2.0 km ||
|-id=513 bgcolor=#E9E9E9
| 87513 || || — || August 26, 2000 || Socorro || LINEAR || — || align=right | 2.6 km ||
|-id=514 bgcolor=#E9E9E9
| 87514 || || — || August 26, 2000 || Socorro || LINEAR || ADE || align=right | 5.9 km ||
|-id=515 bgcolor=#E9E9E9
| 87515 || || — || August 26, 2000 || Socorro || LINEAR || — || align=right | 1.8 km ||
|-id=516 bgcolor=#E9E9E9
| 87516 || || — || August 26, 2000 || Socorro || LINEAR || — || align=right | 4.4 km ||
|-id=517 bgcolor=#fefefe
| 87517 || || — || August 26, 2000 || Socorro || LINEAR || V || align=right | 1.7 km ||
|-id=518 bgcolor=#d6d6d6
| 87518 || || — || August 26, 2000 || Socorro || LINEAR || — || align=right | 4.7 km ||
|-id=519 bgcolor=#fefefe
| 87519 || || — || August 26, 2000 || Socorro || LINEAR || — || align=right | 2.1 km ||
|-id=520 bgcolor=#fefefe
| 87520 || || — || August 26, 2000 || Socorro || LINEAR || V || align=right | 2.4 km ||
|-id=521 bgcolor=#fefefe
| 87521 || || — || August 26, 2000 || Socorro || LINEAR || — || align=right | 2.5 km ||
|-id=522 bgcolor=#E9E9E9
| 87522 || || — || August 29, 2000 || Socorro || LINEAR || — || align=right | 4.8 km ||
|-id=523 bgcolor=#fefefe
| 87523 || || — || August 29, 2000 || Socorro || LINEAR || EUT || align=right | 1.4 km ||
|-id=524 bgcolor=#E9E9E9
| 87524 || || — || August 29, 2000 || Socorro || LINEAR || EUN || align=right | 2.3 km ||
|-id=525 bgcolor=#E9E9E9
| 87525 || || — || August 29, 2000 || Socorro || LINEAR || — || align=right | 5.0 km ||
|-id=526 bgcolor=#d6d6d6
| 87526 || || — || August 29, 2000 || Socorro || LINEAR || — || align=right | 4.0 km ||
|-id=527 bgcolor=#E9E9E9
| 87527 || || — || August 29, 2000 || Socorro || LINEAR || — || align=right | 3.3 km ||
|-id=528 bgcolor=#E9E9E9
| 87528 || || — || August 29, 2000 || Socorro || LINEAR || — || align=right | 2.8 km ||
|-id=529 bgcolor=#E9E9E9
| 87529 || || — || August 29, 2000 || Socorro || LINEAR || — || align=right | 2.3 km ||
|-id=530 bgcolor=#E9E9E9
| 87530 || || — || August 29, 2000 || Socorro || LINEAR || — || align=right | 2.5 km ||
|-id=531 bgcolor=#E9E9E9
| 87531 || || — || August 29, 2000 || Socorro || LINEAR || MAR || align=right | 2.0 km ||
|-id=532 bgcolor=#d6d6d6
| 87532 || || — || August 29, 2000 || Socorro || LINEAR || HYG || align=right | 6.7 km ||
|-id=533 bgcolor=#E9E9E9
| 87533 || || — || August 29, 2000 || Socorro || LINEAR || — || align=right | 1.5 km ||
|-id=534 bgcolor=#E9E9E9
| 87534 || || — || August 29, 2000 || Socorro || LINEAR || EUN || align=right | 2.9 km ||
|-id=535 bgcolor=#d6d6d6
| 87535 || || — || August 29, 2000 || Socorro || LINEAR || — || align=right | 3.1 km ||
|-id=536 bgcolor=#E9E9E9
| 87536 || || — || August 29, 2000 || Socorro || LINEAR || — || align=right | 4.6 km ||
|-id=537 bgcolor=#E9E9E9
| 87537 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 1.8 km ||
|-id=538 bgcolor=#d6d6d6
| 87538 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 7.5 km ||
|-id=539 bgcolor=#E9E9E9
| 87539 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 4.5 km ||
|-id=540 bgcolor=#E9E9E9
| 87540 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 3.0 km ||
|-id=541 bgcolor=#E9E9E9
| 87541 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 2.7 km ||
|-id=542 bgcolor=#d6d6d6
| 87542 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 6.0 km ||
|-id=543 bgcolor=#E9E9E9
| 87543 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 2.6 km ||
|-id=544 bgcolor=#d6d6d6
| 87544 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 8.6 km ||
|-id=545 bgcolor=#d6d6d6
| 87545 || || — || August 31, 2000 || Socorro || LINEAR || EOS || align=right | 5.5 km ||
|-id=546 bgcolor=#d6d6d6
| 87546 || || — || August 31, 2000 || Socorro || LINEAR || EOS || align=right | 4.7 km ||
|-id=547 bgcolor=#E9E9E9
| 87547 || || — || August 21, 2000 || Anderson Mesa || LONEOS || — || align=right | 3.5 km ||
|-id=548 bgcolor=#E9E9E9
| 87548 || || — || August 21, 2000 || Anderson Mesa || LONEOS || — || align=right | 2.4 km ||
|-id=549 bgcolor=#E9E9E9
| 87549 || || — || August 21, 2000 || Anderson Mesa || LONEOS || — || align=right | 2.6 km ||
|-id=550 bgcolor=#d6d6d6
| 87550 || || — || August 26, 2000 || Haleakala || NEAT || EOS || align=right | 5.0 km ||
|-id=551 bgcolor=#fefefe
| 87551 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 5.7 km ||
|-id=552 bgcolor=#E9E9E9
| 87552 || || — || August 31, 2000 || Socorro || LINEAR || — || align=right | 2.5 km ||
|-id=553 bgcolor=#E9E9E9
| 87553 || || — || August 31, 2000 || Socorro || LINEAR || MAR || align=right | 3.4 km ||
|-id=554 bgcolor=#E9E9E9
| 87554 || || — || August 29, 2000 || Socorro || LINEAR || — || align=right | 5.7 km ||
|-id=555 bgcolor=#C2E0FF
| 87555 || || — || August 25, 2000 || Cerro Tololo || Cerro Tololo Obs. || centaurcritical || align=right | 102 km ||
|-id=556 bgcolor=#E9E9E9
| 87556 || || — || September 1, 2000 || Socorro || LINEAR || GER || align=right | 5.3 km ||
|-id=557 bgcolor=#fefefe
| 87557 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 2.9 km ||
|-id=558 bgcolor=#E9E9E9
| 87558 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 4.2 km ||
|-id=559 bgcolor=#E9E9E9
| 87559 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 2.9 km ||
|-id=560 bgcolor=#E9E9E9
| 87560 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 2.3 km ||
|-id=561 bgcolor=#E9E9E9
| 87561 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 4.1 km ||
|-id=562 bgcolor=#E9E9E9
| 87562 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 4.8 km ||
|-id=563 bgcolor=#E9E9E9
| 87563 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 2.2 km ||
|-id=564 bgcolor=#E9E9E9
| 87564 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 2.3 km ||
|-id=565 bgcolor=#E9E9E9
| 87565 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 5.7 km ||
|-id=566 bgcolor=#E9E9E9
| 87566 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 5.1 km ||
|-id=567 bgcolor=#E9E9E9
| 87567 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 2.5 km ||
|-id=568 bgcolor=#E9E9E9
| 87568 || || — || September 3, 2000 || Socorro || LINEAR || — || align=right | 4.0 km ||
|-id=569 bgcolor=#E9E9E9
| 87569 || || — || September 1, 2000 || Socorro || LINEAR || MAR || align=right | 2.4 km ||
|-id=570 bgcolor=#E9E9E9
| 87570 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 2.8 km ||
|-id=571 bgcolor=#E9E9E9
| 87571 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 4.5 km ||
|-id=572 bgcolor=#E9E9E9
| 87572 || || — || September 1, 2000 || Socorro || LINEAR || EUN || align=right | 2.5 km ||
|-id=573 bgcolor=#d6d6d6
| 87573 || || — || September 1, 2000 || Socorro || LINEAR || EOS || align=right | 4.5 km ||
|-id=574 bgcolor=#E9E9E9
| 87574 || || — || September 1, 2000 || Socorro || LINEAR || DOR || align=right | 4.5 km ||
|-id=575 bgcolor=#d6d6d6
| 87575 || || — || September 1, 2000 || Socorro || LINEAR || EOS || align=right | 4.7 km ||
|-id=576 bgcolor=#d6d6d6
| 87576 || || — || September 1, 2000 || Socorro || LINEAR || EOS || align=right | 4.8 km ||
|-id=577 bgcolor=#E9E9E9
| 87577 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 2.5 km ||
|-id=578 bgcolor=#d6d6d6
| 87578 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 6.7 km ||
|-id=579 bgcolor=#E9E9E9
| 87579 || || — || September 1, 2000 || Socorro || LINEAR || ADE || align=right | 4.8 km ||
|-id=580 bgcolor=#E9E9E9
| 87580 || || — || September 1, 2000 || Socorro || LINEAR || MARslow || align=right | 3.2 km ||
|-id=581 bgcolor=#E9E9E9
| 87581 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 3.2 km ||
|-id=582 bgcolor=#E9E9E9
| 87582 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 3.6 km ||
|-id=583 bgcolor=#d6d6d6
| 87583 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 3.0 km ||
|-id=584 bgcolor=#E9E9E9
| 87584 || || — || September 1, 2000 || Socorro || LINEAR || EUN || align=right | 2.6 km ||
|-id=585 bgcolor=#E9E9E9
| 87585 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 3.8 km ||
|-id=586 bgcolor=#E9E9E9
| 87586 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 2.3 km ||
|-id=587 bgcolor=#E9E9E9
| 87587 || || — || September 1, 2000 || Socorro || LINEAR || MAR || align=right | 2.4 km ||
|-id=588 bgcolor=#E9E9E9
| 87588 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 3.2 km ||
|-id=589 bgcolor=#E9E9E9
| 87589 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 2.3 km ||
|-id=590 bgcolor=#d6d6d6
| 87590 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 6.0 km ||
|-id=591 bgcolor=#E9E9E9
| 87591 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 2.7 km ||
|-id=592 bgcolor=#d6d6d6
| 87592 || || — || September 1, 2000 || Socorro || LINEAR || EOS || align=right | 4.7 km ||
|-id=593 bgcolor=#E9E9E9
| 87593 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 2.0 km ||
|-id=594 bgcolor=#d6d6d6
| 87594 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 3.5 km ||
|-id=595 bgcolor=#E9E9E9
| 87595 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 4.5 km ||
|-id=596 bgcolor=#d6d6d6
| 87596 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 5.4 km ||
|-id=597 bgcolor=#E9E9E9
| 87597 || || — || September 1, 2000 || Socorro || LINEAR || PAD || align=right | 4.5 km ||
|-id=598 bgcolor=#E9E9E9
| 87598 || || — || September 1, 2000 || Socorro || LINEAR || MRX || align=right | 2.6 km ||
|-id=599 bgcolor=#E9E9E9
| 87599 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 8.7 km ||
|-id=600 bgcolor=#E9E9E9
| 87600 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 5.2 km ||
|}
87601–87700
|-bgcolor=#E9E9E9
| 87601 || || — || September 3, 2000 || Socorro || LINEAR || — || align=right | 3.3 km ||
|-id=602 bgcolor=#E9E9E9
| 87602 || || — || September 3, 2000 || Socorro || LINEAR || — || align=right | 7.0 km ||
|-id=603 bgcolor=#E9E9E9
| 87603 || || — || September 3, 2000 || Socorro || LINEAR || — || align=right | 3.5 km ||
|-id=604 bgcolor=#E9E9E9
| 87604 || || — || September 3, 2000 || Socorro || LINEAR || — || align=right | 3.1 km ||
|-id=605 bgcolor=#d6d6d6
| 87605 || || — || September 3, 2000 || Socorro || LINEAR || — || align=right | 4.9 km ||
|-id=606 bgcolor=#E9E9E9
| 87606 || || — || September 3, 2000 || Socorro || LINEAR || — || align=right | 2.2 km ||
|-id=607 bgcolor=#E9E9E9
| 87607 || || — || September 3, 2000 || Socorro || LINEAR || — || align=right | 3.2 km ||
|-id=608 bgcolor=#E9E9E9
| 87608 || || — || September 3, 2000 || Socorro || LINEAR || — || align=right | 6.1 km ||
|-id=609 bgcolor=#fefefe
| 87609 || || — || September 3, 2000 || Socorro || LINEAR || V || align=right | 1.7 km ||
|-id=610 bgcolor=#E9E9E9
| 87610 || || — || September 3, 2000 || Socorro || LINEAR || — || align=right | 4.2 km ||
|-id=611 bgcolor=#E9E9E9
| 87611 || || — || September 3, 2000 || Socorro || LINEAR || — || align=right | 3.9 km ||
|-id=612 bgcolor=#E9E9E9
| 87612 || || — || September 3, 2000 || Socorro || LINEAR || — || align=right | 2.8 km ||
|-id=613 bgcolor=#E9E9E9
| 87613 || || — || September 3, 2000 || Socorro || LINEAR || BRU || align=right | 5.9 km ||
|-id=614 bgcolor=#E9E9E9
| 87614 || || — || September 3, 2000 || Socorro || LINEAR || — || align=right | 2.8 km ||
|-id=615 bgcolor=#E9E9E9
| 87615 || || — || September 3, 2000 || Socorro || LINEAR || MAR || align=right | 2.6 km ||
|-id=616 bgcolor=#E9E9E9
| 87616 || || — || September 3, 2000 || Socorro || LINEAR || — || align=right | 4.8 km ||
|-id=617 bgcolor=#E9E9E9
| 87617 || || — || September 3, 2000 || Socorro || LINEAR || GEF || align=right | 4.6 km ||
|-id=618 bgcolor=#E9E9E9
| 87618 || || — || September 3, 2000 || Socorro || LINEAR || — || align=right | 3.8 km ||
|-id=619 bgcolor=#E9E9E9
| 87619 || || — || September 3, 2000 || Socorro || LINEAR || JUN || align=right | 3.6 km ||
|-id=620 bgcolor=#E9E9E9
| 87620 || || — || September 3, 2000 || Socorro || LINEAR || — || align=right | 3.2 km ||
|-id=621 bgcolor=#E9E9E9
| 87621 || || — || September 3, 2000 || Socorro || LINEAR || — || align=right | 4.8 km ||
|-id=622 bgcolor=#d6d6d6
| 87622 || || — || September 5, 2000 || Socorro || LINEAR || — || align=right | 5.4 km ||
|-id=623 bgcolor=#E9E9E9
| 87623 || || — || September 5, 2000 || Socorro || LINEAR || — || align=right | 7.4 km ||
|-id=624 bgcolor=#E9E9E9
| 87624 || || — || September 5, 2000 || Socorro || LINEAR || — || align=right | 4.7 km ||
|-id=625 bgcolor=#E9E9E9
| 87625 || || — || September 5, 2000 || Socorro || LINEAR || MAR || align=right | 3.9 km ||
|-id=626 bgcolor=#E9E9E9
| 87626 || || — || September 5, 2000 || Socorro || LINEAR || — || align=right | 3.1 km ||
|-id=627 bgcolor=#d6d6d6
| 87627 || || — || September 6, 2000 || Bisei SG Center || BATTeRS || MEL || align=right | 7.5 km ||
|-id=628 bgcolor=#E9E9E9
| 87628 || || — || September 3, 2000 || Socorro || LINEAR || MAR || align=right | 3.0 km ||
|-id=629 bgcolor=#E9E9E9
| 87629 || || — || September 3, 2000 || Socorro || LINEAR || TIN || align=right | 2.4 km ||
|-id=630 bgcolor=#E9E9E9
| 87630 || || — || September 3, 2000 || Socorro || LINEAR || EUN || align=right | 3.4 km ||
|-id=631 bgcolor=#d6d6d6
| 87631 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 7.7 km ||
|-id=632 bgcolor=#E9E9E9
| 87632 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 4.4 km ||
|-id=633 bgcolor=#E9E9E9
| 87633 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 3.3 km ||
|-id=634 bgcolor=#E9E9E9
| 87634 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 3.8 km ||
|-id=635 bgcolor=#E9E9E9
| 87635 || || — || September 1, 2000 || Socorro || LINEAR || GEF || align=right | 4.7 km ||
|-id=636 bgcolor=#E9E9E9
| 87636 || || — || September 1, 2000 || Socorro || LINEAR || INO || align=right | 4.2 km ||
|-id=637 bgcolor=#E9E9E9
| 87637 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 2.4 km ||
|-id=638 bgcolor=#E9E9E9
| 87638 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 6.7 km ||
|-id=639 bgcolor=#fefefe
| 87639 || || — || September 2, 2000 || Socorro || LINEAR || — || align=right | 3.3 km ||
|-id=640 bgcolor=#E9E9E9
| 87640 || || — || September 2, 2000 || Socorro || LINEAR || — || align=right | 2.3 km ||
|-id=641 bgcolor=#fefefe
| 87641 || || — || September 2, 2000 || Socorro || LINEAR || — || align=right | 2.4 km ||
|-id=642 bgcolor=#fefefe
| 87642 || || — || September 2, 2000 || Socorro || LINEAR || MAS || align=right | 2.5 km ||
|-id=643 bgcolor=#E9E9E9
| 87643 || || — || September 3, 2000 || Socorro || LINEAR || GEF || align=right | 3.7 km ||
|-id=644 bgcolor=#E9E9E9
| 87644 Cathomen || || || September 8, 2000 || Gnosca || S. Sposetti || ADE || align=right | 4.8 km ||
|-id=645 bgcolor=#E9E9E9
| 87645 || || — || September 9, 2000 || Gnosca || S. Sposetti || — || align=right | 2.5 km ||
|-id=646 bgcolor=#d6d6d6
| 87646 || || — || September 8, 2000 || Črni Vrh || Črni Vrh || EOS || align=right | 5.0 km ||
|-id=647 bgcolor=#E9E9E9
| 87647 || || — || September 1, 2000 || Socorro || LINEAR || HNS || align=right | 3.1 km ||
|-id=648 bgcolor=#E9E9E9
| 87648 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 6.5 km ||
|-id=649 bgcolor=#E9E9E9
| 87649 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 5.2 km ||
|-id=650 bgcolor=#d6d6d6
| 87650 || || — || September 1, 2000 || Socorro || LINEAR || — || align=right | 7.1 km ||
|-id=651 bgcolor=#E9E9E9
| 87651 || || — || September 1, 2000 || Socorro || LINEAR || EUN || align=right | 4.3 km ||
|-id=652 bgcolor=#E9E9E9
| 87652 || || — || September 2, 2000 || Socorro || LINEAR || — || align=right | 5.8 km ||
|-id=653 bgcolor=#E9E9E9
| 87653 || || — || September 2, 2000 || Anderson Mesa || LONEOS || — || align=right | 3.1 km ||
|-id=654 bgcolor=#d6d6d6
| 87654 || || — || September 3, 2000 || Socorro || LINEAR || EOS || align=right | 3.5 km ||
|-id=655 bgcolor=#E9E9E9
| 87655 || || — || September 3, 2000 || Socorro || LINEAR || — || align=right | 3.9 km ||
|-id=656 bgcolor=#d6d6d6
| 87656 || || — || September 3, 2000 || Socorro || LINEAR || — || align=right | 6.7 km ||
|-id=657 bgcolor=#E9E9E9
| 87657 || || — || September 3, 2000 || Kitt Peak || Spacewatch || MRX || align=right | 2.0 km ||
|-id=658 bgcolor=#d6d6d6
| 87658 || || — || September 3, 2000 || Socorro || LINEAR || — || align=right | 5.2 km ||
|-id=659 bgcolor=#d6d6d6
| 87659 || || — || September 4, 2000 || Anderson Mesa || LONEOS || — || align=right | 5.5 km ||
|-id=660 bgcolor=#E9E9E9
| 87660 || || — || September 4, 2000 || Anderson Mesa || LONEOS || — || align=right | 5.5 km ||
|-id=661 bgcolor=#E9E9E9
| 87661 || || — || September 4, 2000 || Anderson Mesa || LONEOS || WIT || align=right | 2.5 km ||
|-id=662 bgcolor=#E9E9E9
| 87662 || || — || September 4, 2000 || Haleakala || NEAT || — || align=right | 3.1 km ||
|-id=663 bgcolor=#E9E9E9
| 87663 || || — || September 5, 2000 || Anderson Mesa || LONEOS || — || align=right | 5.1 km ||
|-id=664 bgcolor=#E9E9E9
| 87664 || || — || September 5, 2000 || Anderson Mesa || LONEOS || — || align=right | 6.6 km ||
|-id=665 bgcolor=#E9E9E9
| 87665 || || — || September 5, 2000 || Anderson Mesa || LONEOS || — || align=right | 3.7 km ||
|-id=666 bgcolor=#E9E9E9
| 87666 || || — || September 5, 2000 || Anderson Mesa || LONEOS || — || align=right | 2.3 km ||
|-id=667 bgcolor=#E9E9E9
| 87667 || || — || September 5, 2000 || Anderson Mesa || LONEOS || MAR || align=right | 3.0 km ||
|-id=668 bgcolor=#E9E9E9
| 87668 || || — || September 5, 2000 || Anderson Mesa || LONEOS || EUN || align=right | 2.9 km ||
|-id=669 bgcolor=#E9E9E9
| 87669 || || — || September 5, 2000 || Anderson Mesa || LONEOS || — || align=right | 3.1 km ||
|-id=670 bgcolor=#E9E9E9
| 87670 || || — || September 5, 2000 || Anderson Mesa || LONEOS || ADE || align=right | 3.9 km ||
|-id=671 bgcolor=#E9E9E9
| 87671 || || — || September 5, 2000 || Anderson Mesa || LONEOS || EUN || align=right | 3.7 km ||
|-id=672 bgcolor=#d6d6d6
| 87672 || || — || September 5, 2000 || Anderson Mesa || LONEOS || AEG || align=right | 7.8 km ||
|-id=673 bgcolor=#E9E9E9
| 87673 || || — || September 5, 2000 || Anderson Mesa || LONEOS || MAR || align=right | 2.9 km ||
|-id=674 bgcolor=#E9E9E9
| 87674 || || — || September 5, 2000 || Anderson Mesa || LONEOS || MAR || align=right | 2.8 km ||
|-id=675 bgcolor=#E9E9E9
| 87675 || || — || September 5, 2000 || Anderson Mesa || LONEOS || MAR || align=right | 3.8 km ||
|-id=676 bgcolor=#E9E9E9
| 87676 || || — || September 5, 2000 || Anderson Mesa || LONEOS || — || align=right | 3.6 km ||
|-id=677 bgcolor=#E9E9E9
| 87677 || || — || September 5, 2000 || Anderson Mesa || LONEOS || — || align=right | 4.0 km ||
|-id=678 bgcolor=#E9E9E9
| 87678 || || — || September 6, 2000 || Socorro || LINEAR || — || align=right | 4.2 km ||
|-id=679 bgcolor=#E9E9E9
| 87679 || || — || September 6, 2000 || Socorro || LINEAR || — || align=right | 3.1 km ||
|-id=680 bgcolor=#E9E9E9
| 87680 || || — || September 7, 2000 || Socorro || LINEAR || — || align=right | 3.3 km ||
|-id=681 bgcolor=#E9E9E9
| 87681 || || — || September 7, 2000 || Socorro || LINEAR || JUN || align=right | 2.3 km ||
|-id=682 bgcolor=#E9E9E9
| 87682 || || — || September 20, 2000 || Socorro || LINEAR || — || align=right | 2.2 km ||
|-id=683 bgcolor=#E9E9E9
| 87683 || || — || September 19, 2000 || Haleakala || NEAT || — || align=right | 2.6 km ||
|-id=684 bgcolor=#FFC2E0
| 87684 || || — || September 20, 2000 || Socorro || LINEAR || ATE +1kmPHA || align=right | 2.2 km ||
|-id=685 bgcolor=#d6d6d6
| 87685 || || — || September 20, 2000 || Socorro || LINEAR || — || align=right | 7.7 km ||
|-id=686 bgcolor=#E9E9E9
| 87686 || || — || September 22, 2000 || Socorro || LINEAR || — || align=right | 2.3 km ||
|-id=687 bgcolor=#fefefe
| 87687 || || — || September 20, 2000 || Socorro || LINEAR || V || align=right | 1.8 km ||
|-id=688 bgcolor=#fefefe
| 87688 || || — || September 20, 2000 || Socorro || LINEAR || — || align=right | 4.2 km ||
|-id=689 bgcolor=#E9E9E9
| 87689 || || — || September 21, 2000 || Socorro || LINEAR || — || align=right | 2.8 km ||
|-id=690 bgcolor=#fefefe
| 87690 || || — || September 21, 2000 || Socorro || LINEAR || — || align=right | 3.6 km ||
|-id=691 bgcolor=#E9E9E9
| 87691 || || — || September 21, 2000 || Socorro || LINEAR || — || align=right | 3.1 km ||
|-id=692 bgcolor=#d6d6d6
| 87692 || || — || September 21, 2000 || Socorro || LINEAR || — || align=right | 5.2 km ||
|-id=693 bgcolor=#E9E9E9
| 87693 || || — || September 21, 2000 || Socorro || LINEAR || — || align=right | 2.5 km ||
|-id=694 bgcolor=#E9E9E9
| 87694 || || — || September 22, 2000 || Socorro || LINEAR || — || align=right | 3.2 km ||
|-id=695 bgcolor=#d6d6d6
| 87695 || || — || September 23, 2000 || Socorro || LINEAR || — || align=right | 9.4 km ||
|-id=696 bgcolor=#E9E9E9
| 87696 || || — || September 23, 2000 || Socorro || LINEAR || ADE || align=right | 5.9 km ||
|-id=697 bgcolor=#E9E9E9
| 87697 || || — || September 23, 2000 || Socorro || LINEAR || — || align=right | 8.9 km ||
|-id=698 bgcolor=#E9E9E9
| 87698 || || — || September 23, 2000 || Socorro || LINEAR || — || align=right | 2.6 km ||
|-id=699 bgcolor=#E9E9E9
| 87699 || || — || September 23, 2000 || Socorro || LINEAR || WIT || align=right | 2.4 km ||
|-id=700 bgcolor=#E9E9E9
| 87700 || || — || September 23, 2000 || Socorro || LINEAR || — || align=right | 2.3 km ||
|}
87701–87800
|-bgcolor=#d6d6d6
| 87701 || || — || September 23, 2000 || Socorro || LINEAR || — || align=right | 5.9 km ||
|-id=702 bgcolor=#E9E9E9
| 87702 || || — || September 20, 2000 || Haleakala || NEAT || EUN || align=right | 2.9 km ||
|-id=703 bgcolor=#d6d6d6
| 87703 || || — || September 25, 2000 || Višnjan Observatory || K. Korlević || THM || align=right | 6.4 km ||
|-id=704 bgcolor=#d6d6d6
| 87704 || || — || September 26, 2000 || Višnjan Observatory || K. Korlević || 3:2 || align=right | 8.9 km ||
|-id=705 bgcolor=#E9E9E9
| 87705 || || — || September 26, 2000 || Bisei SG Center || BATTeRS || — || align=right | 4.9 km ||
|-id=706 bgcolor=#E9E9E9
| 87706 || || — || September 23, 2000 || Socorro || LINEAR || — || align=right | 5.2 km ||
|-id=707 bgcolor=#E9E9E9
| 87707 || || — || September 23, 2000 || Socorro || LINEAR || — || align=right | 5.2 km ||
|-id=708 bgcolor=#d6d6d6
| 87708 || || — || September 23, 2000 || Socorro || LINEAR || — || align=right | 6.3 km ||
|-id=709 bgcolor=#E9E9E9
| 87709 || || — || September 23, 2000 || Socorro || LINEAR || — || align=right | 3.7 km ||
|-id=710 bgcolor=#d6d6d6
| 87710 || || — || September 23, 2000 || Socorro || LINEAR || TIR || align=right | 3.4 km ||
|-id=711 bgcolor=#E9E9E9
| 87711 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 3.3 km ||
|-id=712 bgcolor=#E9E9E9
| 87712 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 3.1 km ||
|-id=713 bgcolor=#E9E9E9
| 87713 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 2.7 km ||
|-id=714 bgcolor=#E9E9E9
| 87714 || || — || September 24, 2000 || Socorro || LINEAR || HOF || align=right | 5.7 km ||
|-id=715 bgcolor=#E9E9E9
| 87715 || || — || September 24, 2000 || Socorro || LINEAR || HNS || align=right | 2.5 km ||
|-id=716 bgcolor=#E9E9E9
| 87716 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 3.2 km ||
|-id=717 bgcolor=#E9E9E9
| 87717 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 4.2 km ||
|-id=718 bgcolor=#E9E9E9
| 87718 || || — || September 25, 2000 || Črni Vrh || Črni Vrh || — || align=right | 3.1 km ||
|-id=719 bgcolor=#E9E9E9
| 87719 || || — || September 22, 2000 || Socorro || LINEAR || — || align=right | 3.5 km ||
|-id=720 bgcolor=#E9E9E9
| 87720 || || — || September 22, 2000 || Socorro || LINEAR || — || align=right | 2.9 km ||
|-id=721 bgcolor=#E9E9E9
| 87721 || || — || September 22, 2000 || Socorro || LINEAR || — || align=right | 8.1 km ||
|-id=722 bgcolor=#E9E9E9
| 87722 || || — || September 22, 2000 || Socorro || LINEAR || KAZ || align=right | 4.6 km ||
|-id=723 bgcolor=#E9E9E9
| 87723 || || — || September 22, 2000 || Socorro || LINEAR || — || align=right | 2.5 km ||
|-id=724 bgcolor=#E9E9E9
| 87724 || || — || September 22, 2000 || Socorro || LINEAR || — || align=right | 4.2 km ||
|-id=725 bgcolor=#E9E9E9
| 87725 || || — || September 23, 2000 || Socorro || LINEAR || — || align=right | 3.5 km ||
|-id=726 bgcolor=#E9E9E9
| 87726 || || — || September 23, 2000 || Socorro || LINEAR || — || align=right | 3.4 km ||
|-id=727 bgcolor=#d6d6d6
| 87727 || || — || September 23, 2000 || Socorro || LINEAR || NAE || align=right | 6.7 km ||
|-id=728 bgcolor=#E9E9E9
| 87728 || || — || September 23, 2000 || Socorro || LINEAR || EUN || align=right | 3.0 km ||
|-id=729 bgcolor=#E9E9E9
| 87729 || || — || September 23, 2000 || Socorro || LINEAR || — || align=right | 4.4 km ||
|-id=730 bgcolor=#d6d6d6
| 87730 || || — || September 23, 2000 || Socorro || LINEAR || — || align=right | 6.4 km ||
|-id=731 bgcolor=#d6d6d6
| 87731 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 6.4 km ||
|-id=732 bgcolor=#E9E9E9
| 87732 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 4.6 km ||
|-id=733 bgcolor=#E9E9E9
| 87733 || || — || September 24, 2000 || Socorro || LINEAR || WIT || align=right | 2.1 km ||
|-id=734 bgcolor=#E9E9E9
| 87734 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 2.2 km ||
|-id=735 bgcolor=#E9E9E9
| 87735 || || — || September 24, 2000 || Socorro || LINEAR || HEN || align=right | 2.3 km ||
|-id=736 bgcolor=#E9E9E9
| 87736 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 3.3 km ||
|-id=737 bgcolor=#E9E9E9
| 87737 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 2.4 km ||
|-id=738 bgcolor=#E9E9E9
| 87738 || || — || September 24, 2000 || Socorro || LINEAR || HEN || align=right | 2.5 km ||
|-id=739 bgcolor=#E9E9E9
| 87739 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 3.1 km ||
|-id=740 bgcolor=#E9E9E9
| 87740 || || — || September 24, 2000 || Socorro || LINEAR || HOF || align=right | 6.1 km ||
|-id=741 bgcolor=#E9E9E9
| 87741 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 2.5 km ||
|-id=742 bgcolor=#E9E9E9
| 87742 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 2.7 km ||
|-id=743 bgcolor=#d6d6d6
| 87743 || || — || September 24, 2000 || Socorro || LINEAR || EOS || align=right | 4.7 km ||
|-id=744 bgcolor=#E9E9E9
| 87744 || || — || September 24, 2000 || Socorro || LINEAR || WIT || align=right | 2.5 km ||
|-id=745 bgcolor=#d6d6d6
| 87745 || || — || September 24, 2000 || Socorro || LINEAR || THM || align=right | 5.4 km ||
|-id=746 bgcolor=#d6d6d6
| 87746 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 4.8 km ||
|-id=747 bgcolor=#E9E9E9
| 87747 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 5.9 km ||
|-id=748 bgcolor=#E9E9E9
| 87748 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 3.0 km ||
|-id=749 bgcolor=#E9E9E9
| 87749 || || — || September 24, 2000 || Socorro || LINEAR || GEF || align=right | 2.8 km ||
|-id=750 bgcolor=#E9E9E9
| 87750 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 4.4 km ||
|-id=751 bgcolor=#E9E9E9
| 87751 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 2.7 km ||
|-id=752 bgcolor=#E9E9E9
| 87752 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 5.5 km ||
|-id=753 bgcolor=#E9E9E9
| 87753 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 2.6 km ||
|-id=754 bgcolor=#E9E9E9
| 87754 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 2.8 km ||
|-id=755 bgcolor=#d6d6d6
| 87755 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 6.3 km ||
|-id=756 bgcolor=#E9E9E9
| 87756 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 5.0 km ||
|-id=757 bgcolor=#E9E9E9
| 87757 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 5.3 km ||
|-id=758 bgcolor=#E9E9E9
| 87758 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 5.3 km ||
|-id=759 bgcolor=#d6d6d6
| 87759 || || — || September 24, 2000 || Socorro || LINEAR || HYG || align=right | 6.9 km ||
|-id=760 bgcolor=#E9E9E9
| 87760 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 4.9 km ||
|-id=761 bgcolor=#E9E9E9
| 87761 || || — || September 22, 2000 || Socorro || LINEAR || — || align=right | 3.2 km ||
|-id=762 bgcolor=#d6d6d6
| 87762 || || — || September 29, 2000 || Nacogdoches || W. D. Bruton, G. Rodgers || — || align=right | 4.7 km ||
|-id=763 bgcolor=#E9E9E9
| 87763 || || — || September 22, 2000 || Socorro || LINEAR || MAR || align=right | 3.0 km ||
|-id=764 bgcolor=#d6d6d6
| 87764 || || — || September 22, 2000 || Socorro || LINEAR || ALA || align=right | 9.5 km ||
|-id=765 bgcolor=#d6d6d6
| 87765 || || — || September 22, 2000 || Socorro || LINEAR || — || align=right | 7.2 km ||
|-id=766 bgcolor=#E9E9E9
| 87766 || || — || September 23, 2000 || Socorro || LINEAR || EUN || align=right | 2.5 km ||
|-id=767 bgcolor=#d6d6d6
| 87767 || || — || September 23, 2000 || Socorro || LINEAR || — || align=right | 6.3 km ||
|-id=768 bgcolor=#d6d6d6
| 87768 || || — || September 23, 2000 || Socorro || LINEAR || — || align=right | 6.9 km ||
|-id=769 bgcolor=#d6d6d6
| 87769 || || — || September 23, 2000 || Socorro || LINEAR || — || align=right | 6.1 km ||
|-id=770 bgcolor=#d6d6d6
| 87770 || || — || September 23, 2000 || Socorro || LINEAR || — || align=right | 4.6 km ||
|-id=771 bgcolor=#E9E9E9
| 87771 || || — || September 23, 2000 || Socorro || LINEAR || — || align=right | 4.4 km ||
|-id=772 bgcolor=#E9E9E9
| 87772 || || — || September 23, 2000 || Socorro || LINEAR || — || align=right | 2.2 km ||
|-id=773 bgcolor=#E9E9E9
| 87773 || || — || September 23, 2000 || Socorro || LINEAR || — || align=right | 3.0 km ||
|-id=774 bgcolor=#E9E9E9
| 87774 || || — || September 23, 2000 || Socorro || LINEAR || PAD || align=right | 3.1 km ||
|-id=775 bgcolor=#E9E9E9
| 87775 || || — || September 23, 2000 || Socorro || LINEAR || — || align=right | 3.4 km ||
|-id=776 bgcolor=#E9E9E9
| 87776 || || — || September 24, 2000 || Socorro || LINEAR || HOF || align=right | 5.7 km ||
|-id=777 bgcolor=#E9E9E9
| 87777 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 4.1 km ||
|-id=778 bgcolor=#E9E9E9
| 87778 || || — || September 24, 2000 || Socorro || LINEAR || HOF || align=right | 5.8 km ||
|-id=779 bgcolor=#E9E9E9
| 87779 || || — || September 24, 2000 || Socorro || LINEAR || HEN || align=right | 2.5 km ||
|-id=780 bgcolor=#d6d6d6
| 87780 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 6.8 km ||
|-id=781 bgcolor=#E9E9E9
| 87781 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 4.1 km ||
|-id=782 bgcolor=#E9E9E9
| 87782 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 6.9 km ||
|-id=783 bgcolor=#E9E9E9
| 87783 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 2.2 km ||
|-id=784 bgcolor=#E9E9E9
| 87784 || || — || September 24, 2000 || Socorro || LINEAR || MRX || align=right | 2.9 km ||
|-id=785 bgcolor=#E9E9E9
| 87785 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 2.2 km ||
|-id=786 bgcolor=#E9E9E9
| 87786 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 2.1 km ||
|-id=787 bgcolor=#E9E9E9
| 87787 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 2.4 km ||
|-id=788 bgcolor=#E9E9E9
| 87788 || || — || September 24, 2000 || Socorro || LINEAR || AEO || align=right | 3.0 km ||
|-id=789 bgcolor=#d6d6d6
| 87789 || || — || September 24, 2000 || Socorro || LINEAR || 7:4 || align=right | 10 km ||
|-id=790 bgcolor=#E9E9E9
| 87790 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 4.2 km ||
|-id=791 bgcolor=#E9E9E9
| 87791 || || — || September 24, 2000 || Socorro || LINEAR || MRX || align=right | 2.6 km ||
|-id=792 bgcolor=#E9E9E9
| 87792 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 3.0 km ||
|-id=793 bgcolor=#E9E9E9
| 87793 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 3.6 km ||
|-id=794 bgcolor=#E9E9E9
| 87794 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 2.9 km ||
|-id=795 bgcolor=#d6d6d6
| 87795 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 7.0 km ||
|-id=796 bgcolor=#d6d6d6
| 87796 || || — || September 24, 2000 || Socorro || LINEAR || KOR || align=right | 3.2 km ||
|-id=797 bgcolor=#d6d6d6
| 87797 || || — || September 22, 2000 || Socorro || LINEAR || — || align=right | 5.9 km ||
|-id=798 bgcolor=#E9E9E9
| 87798 || || — || September 22, 2000 || Socorro || LINEAR || MAR || align=right | 2.9 km ||
|-id=799 bgcolor=#E9E9E9
| 87799 || || — || September 22, 2000 || Socorro || LINEAR || EUN || align=right | 3.3 km ||
|-id=800 bgcolor=#E9E9E9
| 87800 || || — || September 22, 2000 || Socorro || LINEAR || EUN || align=right | 2.4 km ||
|}
87801–87900
|-bgcolor=#d6d6d6
| 87801 || || — || September 22, 2000 || Socorro || LINEAR || — || align=right | 7.9 km ||
|-id=802 bgcolor=#E9E9E9
| 87802 || || — || September 22, 2000 || Socorro || LINEAR || MAR || align=right | 2.9 km ||
|-id=803 bgcolor=#E9E9E9
| 87803 || || — || September 23, 2000 || Socorro || LINEAR || EUN || align=right | 3.0 km ||
|-id=804 bgcolor=#E9E9E9
| 87804 || || — || September 23, 2000 || Socorro || LINEAR || EUN || align=right | 3.1 km ||
|-id=805 bgcolor=#E9E9E9
| 87805 || || — || September 23, 2000 || Socorro || LINEAR || — || align=right | 5.5 km ||
|-id=806 bgcolor=#E9E9E9
| 87806 || || — || September 23, 2000 || Socorro || LINEAR || — || align=right | 4.3 km ||
|-id=807 bgcolor=#E9E9E9
| 87807 || || — || September 23, 2000 || Socorro || LINEAR || — || align=right | 4.6 km ||
|-id=808 bgcolor=#d6d6d6
| 87808 || || — || September 23, 2000 || Socorro || LINEAR || — || align=right | 6.6 km ||
|-id=809 bgcolor=#d6d6d6
| 87809 || || — || September 23, 2000 || Socorro || LINEAR || HYG || align=right | 6.4 km ||
|-id=810 bgcolor=#E9E9E9
| 87810 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 2.6 km ||
|-id=811 bgcolor=#d6d6d6
| 87811 || || — || September 24, 2000 || Socorro || LINEAR || 3:2 || align=right | 12 km ||
|-id=812 bgcolor=#d6d6d6
| 87812 || || — || September 24, 2000 || Socorro || LINEAR || TIR || align=right | 6.6 km ||
|-id=813 bgcolor=#d6d6d6
| 87813 || || — || September 24, 2000 || Socorro || LINEAR || HYG || align=right | 6.1 km ||
|-id=814 bgcolor=#d6d6d6
| 87814 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 6.4 km ||
|-id=815 bgcolor=#E9E9E9
| 87815 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 3.2 km ||
|-id=816 bgcolor=#d6d6d6
| 87816 || || — || September 24, 2000 || Socorro || LINEAR || HYG || align=right | 6.8 km ||
|-id=817 bgcolor=#E9E9E9
| 87817 || || — || September 26, 2000 || Socorro || LINEAR || — || align=right | 3.7 km ||
|-id=818 bgcolor=#E9E9E9
| 87818 || || — || September 27, 2000 || Socorro || LINEAR || WIT || align=right | 2.0 km ||
|-id=819 bgcolor=#d6d6d6
| 87819 || || — || September 20, 2000 || Haleakala || NEAT || — || align=right | 5.7 km ||
|-id=820 bgcolor=#E9E9E9
| 87820 || || — || September 20, 2000 || Haleakala || NEAT || — || align=right | 2.7 km ||
|-id=821 bgcolor=#E9E9E9
| 87821 || || — || September 30, 2000 || Elmira || A. J. Cecce || RAF || align=right | 3.8 km ||
|-id=822 bgcolor=#E9E9E9
| 87822 || || — || September 23, 2000 || Socorro || LINEAR || — || align=right | 6.8 km ||
|-id=823 bgcolor=#E9E9E9
| 87823 || || — || September 23, 2000 || Socorro || LINEAR || GEF || align=right | 2.6 km ||
|-id=824 bgcolor=#E9E9E9
| 87824 || || — || September 23, 2000 || Socorro || LINEAR || — || align=right | 5.5 km ||
|-id=825 bgcolor=#E9E9E9
| 87825 || || — || September 23, 2000 || Socorro || LINEAR || GEF || align=right | 2.4 km ||
|-id=826 bgcolor=#E9E9E9
| 87826 || || — || September 23, 2000 || Socorro || LINEAR || — || align=right | 6.0 km ||
|-id=827 bgcolor=#E9E9E9
| 87827 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 6.9 km ||
|-id=828 bgcolor=#E9E9E9
| 87828 || || — || September 24, 2000 || Socorro || LINEAR || INO || align=right | 2.9 km ||
|-id=829 bgcolor=#E9E9E9
| 87829 || || — || September 28, 2000 || Socorro || LINEAR || HNS || align=right | 3.6 km ||
|-id=830 bgcolor=#E9E9E9
| 87830 || || — || September 28, 2000 || Socorro || LINEAR || — || align=right | 5.8 km ||
|-id=831 bgcolor=#E9E9E9
| 87831 || || — || September 28, 2000 || Socorro || LINEAR || RAF || align=right | 2.2 km ||
|-id=832 bgcolor=#d6d6d6
| 87832 || || — || September 28, 2000 || Socorro || LINEAR || — || align=right | 6.3 km ||
|-id=833 bgcolor=#E9E9E9
| 87833 || || — || September 28, 2000 || Socorro || LINEAR || — || align=right | 6.2 km ||
|-id=834 bgcolor=#E9E9E9
| 87834 || || — || September 28, 2000 || Socorro || LINEAR || — || align=right | 4.0 km ||
|-id=835 bgcolor=#E9E9E9
| 87835 || || — || September 20, 2000 || Socorro || LINEAR || — || align=right | 2.2 km ||
|-id=836 bgcolor=#d6d6d6
| 87836 || || — || September 20, 2000 || Haleakala || NEAT || — || align=right | 6.6 km ||
|-id=837 bgcolor=#E9E9E9
| 87837 || || — || September 21, 2000 || Haleakala || NEAT || — || align=right | 2.7 km ||
|-id=838 bgcolor=#E9E9E9
| 87838 || || — || September 21, 2000 || Haleakala || NEAT || EUN || align=right | 2.9 km ||
|-id=839 bgcolor=#E9E9E9
| 87839 || || — || September 23, 2000 || Socorro || LINEAR || HOF || align=right | 4.9 km ||
|-id=840 bgcolor=#E9E9E9
| 87840 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 3.3 km ||
|-id=841 bgcolor=#E9E9E9
| 87841 || || — || September 24, 2000 || Socorro || LINEAR || HEN || align=right | 2.4 km ||
|-id=842 bgcolor=#E9E9E9
| 87842 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 4.4 km ||
|-id=843 bgcolor=#E9E9E9
| 87843 || || — || September 24, 2000 || Socorro || LINEAR || GEF || align=right | 2.5 km ||
|-id=844 bgcolor=#d6d6d6
| 87844 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 4.9 km ||
|-id=845 bgcolor=#d6d6d6
| 87845 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 4.2 km ||
|-id=846 bgcolor=#E9E9E9
| 87846 || || — || September 25, 2000 || Socorro || LINEAR || — || align=right | 4.5 km ||
|-id=847 bgcolor=#d6d6d6
| 87847 || || — || September 25, 2000 || Socorro || LINEAR || — || align=right | 6.8 km ||
|-id=848 bgcolor=#d6d6d6
| 87848 || || — || September 25, 2000 || Socorro || LINEAR || — || align=right | 6.2 km ||
|-id=849 bgcolor=#d6d6d6
| 87849 || || — || September 25, 2000 || Socorro || LINEAR || — || align=right | 5.1 km ||
|-id=850 bgcolor=#E9E9E9
| 87850 || || — || September 25, 2000 || Socorro || LINEAR || JUN || align=right | 5.0 km ||
|-id=851 bgcolor=#E9E9E9
| 87851 || || — || September 26, 2000 || Socorro || LINEAR || — || align=right | 5.5 km ||
|-id=852 bgcolor=#E9E9E9
| 87852 || || — || September 26, 2000 || Socorro || LINEAR || GEF || align=right | 3.6 km ||
|-id=853 bgcolor=#E9E9E9
| 87853 || || — || September 26, 2000 || Socorro || LINEAR || — || align=right | 3.0 km ||
|-id=854 bgcolor=#E9E9E9
| 87854 || || — || September 26, 2000 || Socorro || LINEAR || GEF || align=right | 3.0 km ||
|-id=855 bgcolor=#E9E9E9
| 87855 || || — || September 26, 2000 || Socorro || LINEAR || — || align=right | 2.7 km ||
|-id=856 bgcolor=#E9E9E9
| 87856 || || — || September 26, 2000 || Socorro || LINEAR || — || align=right | 4.1 km ||
|-id=857 bgcolor=#E9E9E9
| 87857 || || — || September 26, 2000 || Socorro || LINEAR || MIT || align=right | 5.0 km ||
|-id=858 bgcolor=#E9E9E9
| 87858 || || — || September 27, 2000 || Socorro || LINEAR || — || align=right | 4.0 km ||
|-id=859 bgcolor=#d6d6d6
| 87859 || || — || September 27, 2000 || Socorro || LINEAR || TIR || align=right | 8.3 km ||
|-id=860 bgcolor=#E9E9E9
| 87860 || || — || September 27, 2000 || Socorro || LINEAR || — || align=right | 4.9 km ||
|-id=861 bgcolor=#E9E9E9
| 87861 || || — || September 28, 2000 || Socorro || LINEAR || — || align=right | 3.0 km ||
|-id=862 bgcolor=#d6d6d6
| 87862 || || — || September 30, 2000 || Socorro || LINEAR || CHA || align=right | 5.3 km ||
|-id=863 bgcolor=#d6d6d6
| 87863 || || — || September 21, 2000 || Socorro || LINEAR || — || align=right | 8.2 km ||
|-id=864 bgcolor=#E9E9E9
| 87864 || || — || September 26, 2000 || Socorro || LINEAR || — || align=right | 4.5 km ||
|-id=865 bgcolor=#E9E9E9
| 87865 || || — || September 25, 2000 || Socorro || LINEAR || — || align=right | 2.5 km ||
|-id=866 bgcolor=#E9E9E9
| 87866 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 3.1 km ||
|-id=867 bgcolor=#d6d6d6
| 87867 || || — || September 24, 2000 || Socorro || LINEAR || HYG || align=right | 6.4 km ||
|-id=868 bgcolor=#d6d6d6
| 87868 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 4.8 km ||
|-id=869 bgcolor=#E9E9E9
| 87869 || || — || September 24, 2000 || Socorro || LINEAR || PAD || align=right | 4.9 km ||
|-id=870 bgcolor=#E9E9E9
| 87870 || || — || September 24, 2000 || Socorro || LINEAR || AGN || align=right | 2.3 km ||
|-id=871 bgcolor=#E9E9E9
| 87871 || || — || September 25, 2000 || Socorro || LINEAR || — || align=right | 4.7 km ||
|-id=872 bgcolor=#E9E9E9
| 87872 || || — || September 27, 2000 || Socorro || LINEAR || — || align=right | 5.9 km ||
|-id=873 bgcolor=#d6d6d6
| 87873 || || — || September 27, 2000 || Socorro || LINEAR || 628 || align=right | 4.1 km ||
|-id=874 bgcolor=#E9E9E9
| 87874 || || — || September 27, 2000 || Socorro || LINEAR || — || align=right | 5.1 km ||
|-id=875 bgcolor=#E9E9E9
| 87875 || || — || September 27, 2000 || Socorro || LINEAR || — || align=right | 4.8 km ||
|-id=876 bgcolor=#E9E9E9
| 87876 || || — || September 27, 2000 || Socorro || LINEAR || — || align=right | 3.0 km ||
|-id=877 bgcolor=#d6d6d6
| 87877 || || — || September 28, 2000 || Socorro || LINEAR || — || align=right | 5.5 km ||
|-id=878 bgcolor=#E9E9E9
| 87878 || || — || September 28, 2000 || Socorro || LINEAR || — || align=right | 2.6 km ||
|-id=879 bgcolor=#d6d6d6
| 87879 || || — || September 28, 2000 || Socorro || LINEAR || HYG || align=right | 9.0 km ||
|-id=880 bgcolor=#d6d6d6
| 87880 || || — || September 30, 2000 || Socorro || LINEAR || — || align=right | 6.4 km ||
|-id=881 bgcolor=#E9E9E9
| 87881 || || — || September 30, 2000 || Socorro || LINEAR || — || align=right | 2.7 km ||
|-id=882 bgcolor=#d6d6d6
| 87882 || || — || September 30, 2000 || Socorro || LINEAR || EOS || align=right | 4.2 km ||
|-id=883 bgcolor=#d6d6d6
| 87883 || || — || September 30, 2000 || Socorro || LINEAR || — || align=right | 8.7 km ||
|-id=884 bgcolor=#E9E9E9
| 87884 || || — || September 25, 2000 || Socorro || LINEAR || — || align=right | 5.0 km ||
|-id=885 bgcolor=#E9E9E9
| 87885 || || — || September 23, 2000 || Socorro || LINEAR || — || align=right | 2.6 km ||
|-id=886 bgcolor=#E9E9E9
| 87886 || || — || September 23, 2000 || Socorro || LINEAR || — || align=right | 3.1 km ||
|-id=887 bgcolor=#E9E9E9
| 87887 || || — || September 26, 2000 || Socorro || LINEAR || GEF || align=right | 2.7 km ||
|-id=888 bgcolor=#E9E9E9
| 87888 || || — || September 26, 2000 || Socorro || LINEAR || — || align=right | 4.5 km ||
|-id=889 bgcolor=#E9E9E9
| 87889 || || — || September 26, 2000 || Socorro || LINEAR || — || align=right | 4.2 km ||
|-id=890 bgcolor=#E9E9E9
| 87890 || || — || September 26, 2000 || Socorro || LINEAR || — || align=right | 3.0 km ||
|-id=891 bgcolor=#E9E9E9
| 87891 || || — || September 27, 2000 || Socorro || LINEAR || WIT || align=right | 1.8 km ||
|-id=892 bgcolor=#d6d6d6
| 87892 || || — || September 27, 2000 || Socorro || LINEAR || NAEslow || align=right | 9.0 km ||
|-id=893 bgcolor=#E9E9E9
| 87893 || || — || September 27, 2000 || Socorro || LINEAR || — || align=right | 3.7 km ||
|-id=894 bgcolor=#E9E9E9
| 87894 || || — || September 27, 2000 || Socorro || LINEAR || EUN || align=right | 3.8 km ||
|-id=895 bgcolor=#E9E9E9
| 87895 || || — || September 28, 2000 || Socorro || LINEAR || — || align=right | 3.6 km ||
|-id=896 bgcolor=#E9E9E9
| 87896 || || — || September 28, 2000 || Socorro || LINEAR || — || align=right | 4.2 km ||
|-id=897 bgcolor=#E9E9E9
| 87897 || || — || September 28, 2000 || Socorro || LINEAR || — || align=right | 3.9 km ||
|-id=898 bgcolor=#d6d6d6
| 87898 || || — || September 30, 2000 || Socorro || LINEAR || VER || align=right | 7.2 km ||
|-id=899 bgcolor=#E9E9E9
| 87899 || || — || September 30, 2000 || Socorro || LINEAR || — || align=right | 6.1 km ||
|-id=900 bgcolor=#d6d6d6
| 87900 || || — || September 30, 2000 || Socorro || LINEAR || — || align=right | 3.9 km ||
|}
87901–88000
|-bgcolor=#E9E9E9
| 87901 || || — || September 30, 2000 || Socorro || LINEAR || GEF || align=right | 3.3 km ||
|-id=902 bgcolor=#E9E9E9
| 87902 || || — || September 30, 2000 || Socorro || LINEAR || — || align=right | 3.6 km ||
|-id=903 bgcolor=#E9E9E9
| 87903 || || — || September 30, 2000 || Socorro || LINEAR || — || align=right | 2.6 km ||
|-id=904 bgcolor=#E9E9E9
| 87904 || || — || September 24, 2000 || Socorro || LINEAR || — || align=right | 4.3 km ||
|-id=905 bgcolor=#E9E9E9
| 87905 || || — || September 26, 2000 || Socorro || LINEAR || — || align=right | 7.9 km ||
|-id=906 bgcolor=#E9E9E9
| 87906 || || — || September 26, 2000 || Socorro || LINEAR || HNS || align=right | 2.7 km ||
|-id=907 bgcolor=#E9E9E9
| 87907 || || — || September 26, 2000 || Socorro || LINEAR || HNS || align=right | 3.4 km ||
|-id=908 bgcolor=#E9E9E9
| 87908 || || — || September 26, 2000 || Socorro || LINEAR || HNS || align=right | 3.9 km ||
|-id=909 bgcolor=#E9E9E9
| 87909 || || — || September 27, 2000 || Socorro || LINEAR || — || align=right | 4.8 km ||
|-id=910 bgcolor=#E9E9E9
| 87910 || || — || September 27, 2000 || Socorro || LINEAR || EUN || align=right | 3.6 km ||
|-id=911 bgcolor=#E9E9E9
| 87911 || || — || September 27, 2000 || Socorro || LINEAR || MAR || align=right | 3.6 km ||
|-id=912 bgcolor=#E9E9E9
| 87912 || || — || September 27, 2000 || Socorro || LINEAR || — || align=right | 3.4 km ||
|-id=913 bgcolor=#E9E9E9
| 87913 || || — || September 27, 2000 || Socorro || LINEAR || MIT || align=right | 5.0 km ||
|-id=914 bgcolor=#E9E9E9
| 87914 || || — || September 27, 2000 || Socorro || LINEAR || — || align=right | 3.3 km ||
|-id=915 bgcolor=#E9E9E9
| 87915 || || — || September 28, 2000 || Socorro || LINEAR || — || align=right | 3.6 km ||
|-id=916 bgcolor=#E9E9E9
| 87916 || || — || September 28, 2000 || Socorro || LINEAR || — || align=right | 5.5 km ||
|-id=917 bgcolor=#d6d6d6
| 87917 || || — || September 30, 2000 || Socorro || LINEAR || — || align=right | 8.0 km ||
|-id=918 bgcolor=#E9E9E9
| 87918 || || — || September 30, 2000 || Socorro || LINEAR || — || align=right | 3.1 km ||
|-id=919 bgcolor=#d6d6d6
| 87919 || || — || September 30, 2000 || Socorro || LINEAR || — || align=right | 9.0 km ||
|-id=920 bgcolor=#d6d6d6
| 87920 || || — || September 30, 2000 || Socorro || LINEAR || — || align=right | 6.9 km ||
|-id=921 bgcolor=#E9E9E9
| 87921 || || — || September 30, 2000 || Socorro || LINEAR || — || align=right | 6.2 km ||
|-id=922 bgcolor=#d6d6d6
| 87922 || || — || September 29, 2000 || Haleakala || NEAT || — || align=right | 3.7 km ||
|-id=923 bgcolor=#E9E9E9
| 87923 || || — || September 26, 2000 || Socorro || LINEAR || — || align=right | 6.7 km ||
|-id=924 bgcolor=#E9E9E9
| 87924 || || — || September 26, 2000 || Socorro || LINEAR || — || align=right | 4.9 km ||
|-id=925 bgcolor=#E9E9E9
| 87925 || || — || September 26, 2000 || Socorro || LINEAR || — || align=right | 5.8 km ||
|-id=926 bgcolor=#d6d6d6
| 87926 || || — || September 27, 2000 || Socorro || LINEAR || EUP || align=right | 12 km ||
|-id=927 bgcolor=#E9E9E9
| 87927 || || — || September 28, 2000 || Kitt Peak || Spacewatch || HEN || align=right | 1.5 km ||
|-id=928 bgcolor=#E9E9E9
| 87928 || || — || September 30, 2000 || Socorro || LINEAR || — || align=right | 4.3 km ||
|-id=929 bgcolor=#E9E9E9
| 87929 || || — || September 28, 2000 || Socorro || LINEAR || — || align=right | 3.5 km ||
|-id=930 bgcolor=#E9E9E9
| 87930 || || — || September 26, 2000 || Socorro || LINEAR || — || align=right | 2.3 km ||
|-id=931 bgcolor=#E9E9E9
| 87931 || || — || September 26, 2000 || Haleakala || NEAT || EUN || align=right | 2.5 km ||
|-id=932 bgcolor=#E9E9E9
| 87932 || || — || September 22, 2000 || Socorro || LINEAR || — || align=right | 4.6 km ||
|-id=933 bgcolor=#E9E9E9
| 87933 || || — || September 21, 2000 || Kitt Peak || M. W. Buie || — || align=right | 4.0 km ||
|-id=934 bgcolor=#E9E9E9
| 87934 || || — || September 25, 2000 || Socorro || LINEAR || HNS || align=right | 5.5 km ||
|-id=935 bgcolor=#E9E9E9
| 87935 || || — || September 25, 2000 || Socorro || LINEAR || HNS || align=right | 4.9 km ||
|-id=936 bgcolor=#E9E9E9
| 87936 || || — || September 29, 2000 || Anderson Mesa || LONEOS || — || align=right | 2.4 km ||
|-id=937 bgcolor=#E9E9E9
| 87937 || || — || September 29, 2000 || Anderson Mesa || LONEOS || — || align=right | 2.4 km ||
|-id=938 bgcolor=#E9E9E9
| 87938 || || — || September 29, 2000 || Anderson Mesa || LONEOS || — || align=right | 4.2 km ||
|-id=939 bgcolor=#E9E9E9
| 87939 || || — || September 30, 2000 || Anderson Mesa || LONEOS || — || align=right | 4.2 km ||
|-id=940 bgcolor=#E9E9E9
| 87940 || || — || September 29, 2000 || Anderson Mesa || LONEOS || — || align=right | 2.7 km ||
|-id=941 bgcolor=#d6d6d6
| 87941 || || — || September 29, 2000 || Anderson Mesa || LONEOS || — || align=right | 5.3 km ||
|-id=942 bgcolor=#E9E9E9
| 87942 || || — || September 29, 2000 || Anderson Mesa || LONEOS || MAR || align=right | 2.4 km ||
|-id=943 bgcolor=#E9E9E9
| 87943 || || — || September 28, 2000 || Anderson Mesa || LONEOS || EUN || align=right | 2.2 km ||
|-id=944 bgcolor=#d6d6d6
| 87944 || || — || September 28, 2000 || Anderson Mesa || LONEOS || URS || align=right | 8.0 km ||
|-id=945 bgcolor=#E9E9E9
| 87945 || || — || September 24, 2000 || Haleakala || NEAT || EUN || align=right | 3.5 km ||
|-id=946 bgcolor=#E9E9E9
| 87946 || || — || September 26, 2000 || Anderson Mesa || LONEOS || — || align=right | 4.3 km ||
|-id=947 bgcolor=#E9E9E9
| 87947 || || — || September 26, 2000 || Haleakala || NEAT || — || align=right | 3.0 km ||
|-id=948 bgcolor=#E9E9E9
| 87948 || || — || September 23, 2000 || Anderson Mesa || LONEOS || — || align=right | 4.5 km ||
|-id=949 bgcolor=#E9E9E9
| 87949 || || — || September 20, 2000 || Socorro || LINEAR || GEF || align=right | 4.2 km ||
|-id=950 bgcolor=#E9E9E9
| 87950 || || — || September 22, 2000 || Socorro || LINEAR || — || align=right | 4.1 km ||
|-id=951 bgcolor=#E9E9E9
| 87951 || || — || September 22, 2000 || Anderson Mesa || LONEOS || ADE || align=right | 4.5 km ||
|-id=952 bgcolor=#E9E9E9
| 87952 || || — || September 24, 2000 || Anderson Mesa || LONEOS || — || align=right | 1.4 km ||
|-id=953 bgcolor=#E9E9E9
| 87953 || || — || September 24, 2000 || Anderson Mesa || LONEOS || — || align=right | 2.8 km ||
|-id=954 bgcolor=#E9E9E9
| 87954 Tomkaye || 2000 TK || || October 2, 2000 || Fountain Hills || C. W. Juels || EUN || align=right | 3.4 km ||
|-id=955 bgcolor=#E9E9E9
| 87955 || || — || October 1, 2000 || Socorro || LINEAR || MRX || align=right | 2.6 km ||
|-id=956 bgcolor=#d6d6d6
| 87956 || || — || October 1, 2000 || Socorro || LINEAR || 3:2 || align=right | 6.9 km ||
|-id=957 bgcolor=#E9E9E9
| 87957 || || — || October 1, 2000 || Socorro || LINEAR || WIT || align=right | 2.2 km ||
|-id=958 bgcolor=#E9E9E9
| 87958 || || — || October 1, 2000 || Socorro || LINEAR || HOF || align=right | 5.1 km ||
|-id=959 bgcolor=#E9E9E9
| 87959 || || — || October 1, 2000 || Socorro || LINEAR || — || align=right | 6.5 km ||
|-id=960 bgcolor=#E9E9E9
| 87960 || || — || October 1, 2000 || Socorro || LINEAR || EUN || align=right | 4.0 km ||
|-id=961 bgcolor=#E9E9E9
| 87961 || || — || October 1, 2000 || Socorro || LINEAR || — || align=right | 2.3 km ||
|-id=962 bgcolor=#d6d6d6
| 87962 || || — || October 1, 2000 || Socorro || LINEAR || VER || align=right | 7.0 km ||
|-id=963 bgcolor=#d6d6d6
| 87963 || || — || October 1, 2000 || Socorro || LINEAR || — || align=right | 6.7 km ||
|-id=964 bgcolor=#d6d6d6
| 87964 || || — || October 3, 2000 || Socorro || LINEAR || 628 || align=right | 3.8 km ||
|-id=965 bgcolor=#E9E9E9
| 87965 || || — || October 6, 2000 || Fountain Hills || C. W. Juels || — || align=right | 5.7 km ||
|-id=966 bgcolor=#E9E9E9
| 87966 || || — || October 3, 2000 || Socorro || LINEAR || — || align=right | 4.0 km ||
|-id=967 bgcolor=#E9E9E9
| 87967 || || — || October 5, 2000 || Socorro || LINEAR || — || align=right | 5.2 km ||
|-id=968 bgcolor=#E9E9E9
| 87968 || || — || October 5, 2000 || Socorro || LINEAR || EUN || align=right | 2.7 km ||
|-id=969 bgcolor=#E9E9E9
| 87969 || || — || October 1, 2000 || Socorro || LINEAR || — || align=right | 6.1 km ||
|-id=970 bgcolor=#E9E9E9
| 87970 || || — || October 1, 2000 || Socorro || LINEAR || RAF || align=right | 3.3 km ||
|-id=971 bgcolor=#d6d6d6
| 87971 || || — || October 1, 2000 || Socorro || LINEAR || URS || align=right | 6.6 km ||
|-id=972 bgcolor=#d6d6d6
| 87972 || || — || October 1, 2000 || Socorro || LINEAR || — || align=right | 3.7 km ||
|-id=973 bgcolor=#E9E9E9
| 87973 || || — || October 1, 2000 || Socorro || LINEAR || — || align=right | 2.9 km ||
|-id=974 bgcolor=#E9E9E9
| 87974 || || — || October 1, 2000 || Socorro || LINEAR || — || align=right | 3.7 km ||
|-id=975 bgcolor=#d6d6d6
| 87975 || || — || October 1, 2000 || Socorro || LINEAR || EOS || align=right | 4.7 km ||
|-id=976 bgcolor=#E9E9E9
| 87976 || || — || October 1, 2000 || Socorro || LINEAR || — || align=right | 5.4 km ||
|-id=977 bgcolor=#E9E9E9
| 87977 || || — || October 1, 2000 || Socorro || LINEAR || — || align=right | 4.2 km ||
|-id=978 bgcolor=#E9E9E9
| 87978 || || — || October 1, 2000 || Socorro || LINEAR || — || align=right | 1.6 km ||
|-id=979 bgcolor=#d6d6d6
| 87979 || || — || October 1, 2000 || Socorro || LINEAR || EOS || align=right | 4.8 km ||
|-id=980 bgcolor=#E9E9E9
| 87980 || || — || October 1, 2000 || Socorro || LINEAR || XIZ || align=right | 2.4 km ||
|-id=981 bgcolor=#E9E9E9
| 87981 || || — || October 1, 2000 || Socorro || LINEAR || — || align=right | 3.4 km ||
|-id=982 bgcolor=#E9E9E9
| 87982 || || — || October 2, 2000 || Anderson Mesa || LONEOS || MAR || align=right | 2.3 km ||
|-id=983 bgcolor=#d6d6d6
| 87983 || || — || October 2, 2000 || Anderson Mesa || LONEOS || EOS || align=right | 3.5 km ||
|-id=984 bgcolor=#E9E9E9
| 87984 || || — || October 2, 2000 || Anderson Mesa || LONEOS || — || align=right | 2.0 km ||
|-id=985 bgcolor=#E9E9E9
| 87985 || || — || October 2, 2000 || Socorro || LINEAR || — || align=right | 3.0 km ||
|-id=986 bgcolor=#E9E9E9
| 87986 || || — || October 2, 2000 || Anderson Mesa || LONEOS || — || align=right | 3.5 km ||
|-id=987 bgcolor=#E9E9E9
| 87987 || || — || October 2, 2000 || Anderson Mesa || LONEOS || EUN || align=right | 3.4 km ||
|-id=988 bgcolor=#E9E9E9
| 87988 || || — || October 2, 2000 || Socorro || LINEAR || — || align=right | 2.4 km ||
|-id=989 bgcolor=#d6d6d6
| 87989 || || — || October 21, 2000 || Desert Beaver || W. K. Y. Yeung || — || align=right | 9.2 km ||
|-id=990 bgcolor=#d6d6d6
| 87990 || || — || October 24, 2000 || Socorro || LINEAR || KAR || align=right | 2.7 km ||
|-id=991 bgcolor=#E9E9E9
| 87991 || || — || October 24, 2000 || Socorro || LINEAR || — || align=right | 4.6 km ||
|-id=992 bgcolor=#E9E9E9
| 87992 || || — || October 24, 2000 || Socorro || LINEAR || — || align=right | 5.3 km ||
|-id=993 bgcolor=#E9E9E9
| 87993 || || — || October 24, 2000 || Socorro || LINEAR || — || align=right | 4.8 km ||
|-id=994 bgcolor=#d6d6d6
| 87994 || || — || October 25, 2000 || Socorro || LINEAR || EOS || align=right | 4.5 km ||
|-id=995 bgcolor=#E9E9E9
| 87995 || || — || October 24, 2000 || Socorro || LINEAR || — || align=right | 4.1 km ||
|-id=996 bgcolor=#E9E9E9
| 87996 || || — || October 24, 2000 || Socorro || LINEAR || AGN || align=right | 2.5 km ||
|-id=997 bgcolor=#E9E9E9
| 87997 || || — || October 24, 2000 || Socorro || LINEAR || NEM || align=right | 4.5 km ||
|-id=998 bgcolor=#E9E9E9
| 87998 || || — || October 25, 2000 || Socorro || LINEAR || — || align=right | 4.3 km ||
|-id=999 bgcolor=#d6d6d6
| 87999 || || — || October 30, 2000 || Socorro || LINEAR || — || align=right | 3.1 km ||
|-id=000 bgcolor=#E9E9E9
| 88000 || || — || October 24, 2000 || Socorro || LINEAR || — || align=right | 4.6 km ||
|}
References
External links
Discovery Circumstances: Numbered Minor Planets (85001)–(90000) (IAU Minor Planet Center)
0087 |
Pinjada Ko Suga (; ) is a 1917 Nepali-language Hindu allegory poem by Lekhnath Paudyal.
Background
Pinjada Ko Suga is described as an "allegory with a dual meaning". The poem also contains Hindu religious verses, and double entendres to Brum Shumsher – the poet's employer. It is one of the most famous poems in Nepal.
Text
Translation
Adaptation
Pinjada Ko Suga was adapted into a song with the same title by Nepali rock band 1974 AD.
References
1917 poems
Nepalese poems
Hindu poetry
Poems about birds |
Sound Summit is an annual independent conference / festival focusing on exploratory and innovative independent music that takes place in Newcastle, New South Wales, Australia as part of the annual This Is Not Art Festival. It was founded in 2000 by Sebastian Chan, Kenny Sabir and Marcus Westbury and evolved in part from the involvement of musicians in the Electrofringe festival that took place in Newcastle at that time.
Sound Summit exists to support the development of independent in Australia. It typically consists of a series of artist development workshops examining production techniques, mastering, and sound manipulation and a focus on business development covering licensing, royalties, label management, and promotion focusing specifically on the needs of independent labels and independent artists.
Artists and labels that appeared at Sound Summit
Kevin Blechdom
Sage Francis
Caribou
Concord Dawn
Mad Professor
Anticon
Fat Cat Records
b(if)tek
Curse Ov Dialect
Little Nobody
The Herd
Ducktails
Hrvatski
Nasenbluten
Pumice
Lucky Dragons
TZU
See also
List of electronic music festivals
External links
Sound Summit website
Music festivals established in 2000
Electronic music festivals in Australia
Music festivals in New South Wales |
Volkovce () is a village and municipality in Zlaté Moravce District of the Nitra Region, in western-central Slovakia.
The village has recently launched a new website, www.volkovce.sk
Village symbols
Coat of arms:
A blue shield as background has a silver mouldboard with coulter hovers over sickle lying horizontally. Between the mouldboard and the coulter are two golden pilgrimage sticks crossed through a silver shell.
The Flag:
The Volkovce flag consists of four horizontal stripes – white, blue, yellow
and blue. The ratio of the sides of the flag is 2:3 and the right hand side has a jagged edge. The colours of the stripes correspond to the
colours of the Volkovce's crest.
The
first written mention of Volkovce dates back to 1275, calling it Wolkouch, later Walkoch (in 1327) and in 1773 Wolkowcze. The Hungarian
name for Volkovce is Valkóc.
History
The earliest evidence of settlement in the area dates back to the Palaeolithic period, around 35,000 years ago. The first written mention of Volkovce is found in a document from 1275, where the village is mentioned as being a part of the Tekov Castle. In 1327 part of the village belonged to the Saint Benedict Abbey. In 1535 the village was burnt completely. In 1565 the village was one of Esztergom canonry. In the 16th and 17th centuries this area fell victim to Turkish invasion. The Závada village is first mentioned in 1629. The villages of Volkovce and Závada first merged in 1924-1931, and finally in 1945. Part of the village also includes the village (former farmlands) Slance and Olichov.
1275
The first written reference to Volkovce is found in a document from 1275. It was written by master Ladislav an official from Ostrihom canonry during the reign of king Ladislav IV. The document confirms the exchange of land estates between master Štefan, the Tekov region Zhupan (Zhupan = a title of various positions among South Slavic peoples, at the head of several types of units called ŽUPA) and the castle's lords Dom, the son of George and his brothers. All the attending parties declared that they “give and assign estates called Mohala and Wolkouch”, that have fallen into the castle's territory and therefore are better, preferable and more beneficial to be exchanged for other estates that belong to them”.
Volkovce did not get into this document as a newly erected village, but in connection with an economic dispute of its residing owners. It can be assumed that the village was probably well established and belonged under the territory of Tekov castle.
1327
Another interesting reference to Volkovce is dated 1327. It is also a record about judicial dispute between an Abbot of Saint Benedict Abbacy, who owned a part of estate in the region of Volkovce and Pavol also named as Literate from Volkovce and his brothers. According to the document these tenants wanted to withdraw from the influence of the abbot and claim ownership of the land they had rented from him. However, the abbot was able to prove that the predecessors of Pavol acquired their lands from the previous abbot as tenants, therefore the estates in dispute continued to be the property of abbacy. Since Pavol lost his case, he was forced to pay the court costs – 12 marks of silver
read more about the history of Volkovce on its website www.volkovce.sk
Geography
The municipality lies at an altitude of 210 metres and covers an area of 11.604 km². In 2011 it had a population of 1005 inhabitants.
Volkovce lies in the Danube highlands, represented by Hron highlands on
the southern slopes of Pohronský Inovec in the Valley of the Bočovka Stream.
Basic information
Cultural and historical values
A Roman Catholic church of St. Jacob the Elder,
is situated in the centre of the village. The original building was
built in the Gothic style. However it was rebuilt in the Baroque style
between 1750-1754. A church tower was built into the front of the
building in 1926. The church building is the oldest historical building
in the village with the presbytery dating back to the 14th century.
Other sacral monuments – several historical crosses and Virgin Mary statues commissioned by individual families as a thanksgiving for the Lord's help and protection.
A memorial board for the 1st and 2nd WW victims
Private properties dated back to 19th century, these are mostly renovated as summer-houses or chalets.
The folk group Volkovčanka
Local church choir
Amateur theatre group
References
External links
Official homepage
Villages and municipalities in Zlaté Moravce District |
Maldini Pali (born 27 January 1995) is an Indonesian former footballer who plays as a winger.
International career
In 2010, Maldini represented the Indonesia U-16, in the 2010 AFC U-16 Championship. And in 2014 Maldini represented the Indonesia U-19, in the 2014 AFC U-19 Championship.
Personal life
He is a graduate of Yogyakarta State University (UNY), the Faculty of Sports Science with a concentration in sports coaching education.
Honours
International
Indonesia U19
AFF U-19 Youth Championship: 2013
References
External links
Maldini Pali at Liga Indonesia
1995 births
Living people
Sportspeople from West Sulawesi
Indonesian men's footballers
Men's association football midfielders
PSM Makassar players
Sriwijaya F.C. players
Persiba Balikpapan players
Bhayangkara Presisi Indonesia F.C. players
Kalteng Putra F.C. players
Liga 1 (Indonesia) players
Liga 2 (Indonesia) players
Indonesia men's youth international footballers
Yogyakarta State University alumni |
```javascript
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
// Flags: --allow-natives-syntax --opt --no-always-opt --deopt-every-n-times=6
// Check that stress deopt count resets correctly
// Function with two deopt points
function f(x) {
return x + 1;
}
%PrepareFunctionForOptimization(f);
f(1);
%OptimizeFunctionOnNextCall(f);
// stress_deopt_count == 6
f(1);
assertOptimized(f, undefined, undefined, false);
// stress_deopt_count == 4
f(1);
assertOptimized(f, undefined, undefined, false);
// stress_deopt_count == 2
f(1);
// deopt & counter reset
assertUnoptimized(f, undefined, undefined, false);
// stress_deopt_count == 6
%PrepareFunctionForOptimization(f);
%OptimizeFunctionOnNextCall(f);
f(1);
assertOptimized(f, undefined, undefined, false);
// stress_deopt_count == 4
f(1);
assertOptimized(f, undefined, undefined, false);
// stress_deopt_count == 2
f(1);
// deopt & counter reset
assertUnoptimized(f, undefined, undefined, false);
``` |
```shell
#!/usr/bin/env bash
# <xbar.title>Church of England Liturgical Calendar</xbar.title>
# <xbar.version>v1.0</xbar.version>
# <xbar.author>Christian Selvaratnam</xbar.author>
# <xbar.author.github>cselvaratnam</xbar.author.github>
# <xbar.desc>Displays the title of the church season or festival of the day and the Collect of the Day from the Church of England website.</xbar.desc>
# <xbar.image>path_to_url
# <xbar.dependencies>bash</xbar.dependencies>
# <xbar.abouturl>path_to_url
# Collect the front page of the Church of England website
web=$(curl -f -s -S path_to_url
# Extract the season/festival title from the Prayer for the Day
full_title=$(echo $web | sed 's/.*<div class="textfill-footer">.*<small>\(.*\)<\/small>.*/\1/')
# Make short version of the title
short_title=$(echo $full_title | sed -e 's/^The //' -e 's/Blessed Virgin Mary/BVM/' -e 's/ (.*$//' -e 's/,.*//')
# Extract the Collect of the Day and reformat
collect=$(echo $web | sed -e 's/.*<div class="textfill-footer">.*<p>\(.*\)<\/p>.*/\1/' -e 's/<br \/>/\\r/g' -e 's/\\r /\\r/g')
printf "%s\n" "$short_title"
echo "---"
printf "%s\n" "$full_title"
printf "%s\n" "$collect"
echo "Refresh | refresh=true"
``` |
```c#
@*
For more information on enabling MVC for empty projects, visit path_to_url
*@
@{
Layout = null;
}
<!DOCTYPE html>
<html>
<head>
<meta name="viewport" content="width=device-width" />
<title>Hello world from RazorClassLibrary1</title>
</head>
<body>
<h1>RazorClassLibrary1 - About</h1>
<h2>Hello world from: RazorClassLibrary1/Areas/MyFeature/Views/About/Index.cshtml</h2>
</body>
</html>
``` |
Ryan David Brasier (born August 26, 1987) is an American professional baseball pitcher for the Los Angeles Dodgers of Major League Baseball (MLB). He has previously played in MLB for the Los Angeles Angels and Boston Red Sox, and in Nippon Professional Baseball (NPB) for the Hiroshima Toyo Carp. Listed at and , he both throws and bats right-handed.
Career
Brasier attended Rider High School in Wichita Falls, Texas, and Weatherford College in Weatherford, Texas.
Los Angeles Angels
The Angels selected him in the sixth round of the 2007 Major League Baseball draft. From 2007 through 2013, Brasier pitched for various Angels farm teams, starting with the Rookie League Orem Owlz and reaching the Triple-A Salt Lake Bees. He made a career-high 55 appearances (all in relief) with the Bees in 2012, recording 13 saves along with a 7–3 record, 54 strikeouts, and 24 walks in innings pitched.
The Angels promoted Brasier to the major leagues for the first time on May 1, 2013. He made his MLB debut the next day, pitching an inning of relief against the Baltimore Orioles, allowing two runs on two hits. After making one additional appearance in May, he returned to the minors and was recalled in September when the major league rosters expanded; he made five appearances during the month. Overall, with the 2013 Angels, Brasier made seven appearances, striking out seven and walking four in nine innings pitched with a 2.00 ERA. Brasier was outrighted off of the Angels 40-man roster on October 28, 2014.
Oakland Athletics
On July 7, 2015, Brasier signed a minor league deal with the Oakland Athletics. He spent 2015 and 2016 in Oakland's farm system, including 46 relief appearances with the Triple-A Nashville Sounds in 2016, recording a 3.56 ERA in innings.
Hiroshima Toyo Carp
The Athletics sold his contract to the Hiroshima Toyo Carp of Nippon Professional Baseball on December 14, 2016. With the Carp in 2017, Brasier made 26 relief appearances; in 30 innings of work he struck out 19, walked eight, and had a 3.00 ERA.
Boston Red Sox
On March 4, 2018, Brasier signed a minor-league contract with the Boston Red Sox. Pitching for the Pawtucket Red Sox of the Triple-A International League, he was selected to appear in the Triple-A All-Star Game. The Red Sox promoted Brasier to the major leagues on July 8; he made his Boston debut the next day, pitching one inning against the Texas Rangers and retiring the side in order. On August 30, Brasier recorded his first MLB win, pitching an inning of scoreless relief in a come-from-behind victory over the Chicago White Sox. Brasier proved to be a consistent reliever down the stretch, finishing with a 1.60 ERA in 34 appearances, and was the recipient of the Red Sox' Lou Gorman Award. Brasier was included on Boston's postseason roster, making a total of nine appearances and allowing one earned run in innings, as Boston went on to win the World Series.
Brasier was included on Boston's Opening Day roster to start the 2019 season. On April 3, Brasier recorded his first major league save in closing out a 6–3 win over the Athletics. He was placed on the bereavement/family medical emergency list on June 11, and re-activated on June 17. Brasier was optioned to Pawtucket on July 16, and recalled to Boston on August 17. Overall with the 2019 Red Sox, Brasier appeared in 62 games, compiling a 2–4 record with seven saves, along with a 4.85 ERA and 61 strikeouts in innings.
With the 2020 Red Sox, Brasier appeared in 25 games (one start), compiling a 1–0 record with 3.96 ERA and 30 strikeouts in 25 innings pitched. In early December 2020, Brasier and the Red Sox reached a one-year deal for the 2021 season. Before appearing in a 2021 game, Brasier was placed on the 60-day injured list with a calf injury on May 3. On June 3, he was hospitalized after being hit in the head by a line drive during a simulated game at Boston's training complex in Fort Myers, Florida. Brasier returned to the Red Sox on September 1, was optioned to the Triple-A Worcester Red Sox on September 17, and recalled on September 21. Overall during the 2021 regular season, Brasier made 13 appearances with Boston, all in relief, compiling a 1.50 ERA and 1–1 record while striking out nine batters in 12 innings. He also made seven relief appearances in the postseason, as the Red Sox advanced to the American League Championship Series. On November 30, the Red Sox agreed to terms with Brasier on a one-year contract for 2022, reportedly worth $1.4 million.
Brasier began the 2022 season as a member of Boston's bullpen. On May 20, with a 6.28 ERA in 18 appearances, he was optioned to Triple-A Worcester. He was recalled to Boston on May 28. In 68 relief appearances with the Red Sox, Brasier posted an 0–3 record with a 5.78 ERA and one save while striking out 64 batters in innings.
On January 13, 2023, the Red Sox and Brasier reached agreement on a one-year contract, avoiding salary arbitration. His struggles continued in 2023, as he worked to a 7.29 ERA with 18 strikeouts in 20 relief appearances. On May 14, Brasier was designated for assignment by Boston, hours after he allowed three runs in a relief appearance against the St. Louis Cardinals at Fenway Park. Following the roster move, Brasier told reporters, "Honestly, a new start might not be bad. Obviously getting to play at Fenway every day is a dream come true. Two parks you want to play at growing up are Yankee Stadium and Fenway. And I got to do both a lot. So grateful.” He was released by the team on May 21.
Los Angeles Dodgers
On June 5, 2023, Brasier signed a minor league contract with the Los Angeles Dodgers organization. Brasier made two scoreless appearances for the Triple–A Oklahoma City Dodgers before he was selected to the major league roster on June 20. He pitched in innings over 39 games, with an 0.70 ERA.
References
External links
1987 births
Living people
American expatriate baseball players in Japan
Arizona League Angels players
Arizona League Athletics players
Arkansas Travelers players
Baseball players from Texas
Boston Red Sox players
Cedar Rapids Kernels players
Hiroshima Toyo Carp players
Los Angeles Angels players
Los Angeles Dodgers players
Major League Baseball pitchers
Nashville Sounds players
Nippon Professional Baseball pitchers
Orem Owlz players
Pawtucket Red Sox players
Sportspeople from Wichita Falls, Texas
Rancho Cucamonga Quakes players
Salt Lake Bees players
Weatherford Coyotes baseball players
Worcester Red Sox players
Portland Sea Dogs players
Oklahoma City Dodgers players |
Bouvet can have the following meanings:
Places
Bouvet Island, an uninhabited Norwegian island in the South Atlantic
People
Joachim Bouvet (1656–1730), French Jesuit who worked in China, leading member of the Figurist movement
Jean-Baptiste Charles Bouvet de Lozier (1705–1786), French explorer, discovered Bouvet Island
René Joseph Bouvet de Précourt (1715 — 1782), French Navy officer, captain of Ajax in Suffren's squadron during the War of American Independence
Pierre-Servan-René Bouvet (1750 — 1795), French Navy officer, officer in Suffren's squadron during the War of American Independence
François Joseph Bouvet de Précourt (1753–1832), French admiral
Pierre François Étienne Bouvet de Maisonneuve (1775–1860), French Navy officer
Gustave Bouvet (born 1898), French anarchist and attempted assassin
Maximilien-Nicolas Bouvet, French opera singer (1854–1943)
Organizations
Bouvet ASA, Norwegian software services company
Warships
French ship Bouvet, five ships named in honour of François Joseph Bouvet |
Lamjung District ( ), a part of Gandaki Province, is one of the 77 districts of Nepal. The district, with Besisahar as its district headquarters, covers an area of and had a population of 167,724. Lamjung lies in the mid-hills of Nepal spanning tropical to trans-Himalayan geo-ecological belts, including the geographical midpoint of the country (i.e., Duipipal). It has mixed habitation of casts and ethnicities. It is host to probably the highest density of the Gurung ethnic population in the country.
Popular Media in Lamjung Includes Mero Lamjung, Radio Chautari, Aantaranga Saptahik, Radio Marsyangdi,Radio Lamjung etc.
Geography and climate
Demographics
At the time of the 2011 Nepal census, Lamjung District had a population of 167,724.
As first language, 58.6% spoke Nepali, 29.9% Gurung, 6.6% Tamang, 1.8% Newari, 1.0% Dura, 0.8% Magar, 0.3% Urdu, 0.2% Bhojpuri, 0.1% Kumhali, 0.1% Maithili, 0.1% Yolmo, 0.1% Rai and 0.2% other languages.
Ethnicity/caste: 31.4% were Gurung, 15.9% Chhetri, 12.8% Hill Brahmin, 8.7% Kami, 7.3% Tamang, 5.3% Sarki, 3.9% Damai/Dholi, 3.7% Newar, 2.3% Gharti/Bhujel, 2.2% Magar, 1.9% Dura, 1.0% Kumal, 0.9% Thakuri, 0.8% Sanyasi/Dasnami, 0.6% Musalman, 0.2% Rai, 0.1% Gaine, 0.1% Ghale, 0.1% Khawas, 0.1% Majhi, 0.1% Tharu, 0.1% Yolmo and 0.3% others.
Religion: 64.0% were Hindu, 33.1% Buddhist, 1.8% Christian, 0.6% Muslim and 0.4% others.
Literacy: 70.8% could read and write, 2.5% could only read and 26.6% could neither read nor write.
Rural municipalities and municipalities
Besisahar Municipality
Dordi Rural Municipality
Dudhpokhari Rural Municipality
Kwhlosothar Rural Municipality
Madhya Nepal Municipality
Marsyandi Rural Municipality
Rainas Municipality
Sundarbazar Municipality
2015 earthquake
The epicentre of an earthquake on 25 April 2015 was near Lamjung District. Most of the major damage and casualties took place in nearby Kathmandu, Nepal's capital. The death toll was placed at over 8,800. However, only four deaths were reported in Lamjung District.
While Lamjung was the district with the 20th most deaths in Nepal, it was severely damaged. The villages of Bichaur, Ilampokhari, Dudhpokhari, Gauda, Kolki and Pyarjung were the most affected. Assistant Sub Inspector Bir Bahadur Thapa Magar identified the four deaths in Lamjung District as Lakshmi Gurung, 18, of Ilampokhari village; Nepti Tamang, 91, of Gaudu village; Sher Bahadur Tamang, 62, of Gaudu village; and three-and-a-half-month-old Sumit Bika of Gauda village. Twenty-five people were injured in Lamjung District. Local police estimate 2,094 houses were completely destroyed while another 2,129 houses were partially damaged.
References
Districts of Nepal established in 1962
Districts of Gandaki Province
bar:Gorkha (Distrikt) |
```yaml
---
auth:
# A private key used for signing jwt tokens
# Easily generate one by running
# $ openssl genrsa -out jwt.pem 2048
jwtPrivateKey: |
-----BEGIN RSA PRIVATE KEY-----
YOUR-KEY-HERE
-----END RSA PRIVATE KEY-----
# The public key used for verifying the signature
# Generate one by running
# $ openssl rsa -in jwt.pem -pubout -out jwt.pub
jwtPublicKey: |
-----BEGIN PUBLIC KEY-----
YOUR-KEY-HERE
-----END PUBLIC KEY-----
jwtQueueServicePublicKey: |
-----BEGIN PUBLIC KEY-----
YOUR-KEY-HERE
-----END PUBLIC KEY-----
# A password used for encrypting session data.
# **Needs to be minimum 32 characters**
cookiePassword: WOW-ANOTHER-INSECURE-PASSWORD!!!
# A password used for encrypting stored pipeline secrets and user Oauth token.
# **Needs to be minimum 32 characters**
encryptionPassword: WOW-ANOTHER-MORE-INSECURE-PASSWORD!!!
# A password used for hashing user/pipeline access tokens.
# **Needs to be minimum 32 characters**
hashingPassword: WOW-ANOTHER-MORE-INSECURE-PASSWORD!!!
# A flag to set if the server is running over https.
# Used as a flag for the OAuth flow
https: false
# A flag to set if you want guests to browse your pipelines
allowGuestAccess: false
# Deprecated. Instead, use allowList which is more secure.
# List of users able to authenticate against the system
# if empty, it allows everyone
# Values should follow '{scmDisplayName:scmUsername}' format
# Ex: ['github:john', 'bitbucket:john']
whitelist: []
# list of users able to authenticate against the system
# if empty, it allows everyone
# Values should follow '{scmDisplayName:scmUsername:scmUserId}' format
# Ex: ['github:john:12345', 'bitbucket:john:{98fsa1ba-0b91-4e3c-95ee-55899e933b0}']
allowList: []
# Deprecated. Instead, use sdAdmins which is more secure.
# List of users who should be given screwdriver admin privileges
# Values should follow '{scmDisplayName:scmUsername}' format
# Ex: ['github:john', 'bitbucket:john']
admins: []
# List of users who should be given screwdriver admin privileges
# Values should follow '{scmDisplayName:scmUsername:scmUserId}' format
# Ex: ['github:john:12345', 'bitbucket:john:{98fsa1ba-0b91-4e3c-95ee-55899e933b0}']
sdAdmins: []
# When set to true
# - grant admin privileges to the users listed in 'sdAdmins'
# - only authenticate the users listed in 'allowList'
# When set to false, performs
# - grant admin privileges to the users listed in 'admins'
# - only authenticate the users listed in 'whitelist'
authCheckById: true
# Default session timeout (in minutes)
sessionTimeout: 120
# SameSite Cookie Option
sameSite: Strict
# cookie path to access the cookie, set to '/'
path: /
shutdown:
terminationGracePeriod: TERMINATION_GRACE_PERIOD
httpd:
# Port to listen on
port: 80
# Host to listen on (set to localhost to only accept connections from this machine)
host: 0.0.0.0
# Externally routable URI (usually your load balancer or CNAME)
uri: path_to_url
# SSL Support
tls: false
# If you want SSL, you can easily add it by replacing `tls: false` with an object that
# provides the options required by `tls.createServer`
# path_to_url#tls_tls_createserver_options_secureconnectionlistener
# key: |
# PRIVATE KEY HERE
# cert: |
# YOUR CERT HERE
datastore:
plugin: sequelize
ddlSyncEnabled: "true"
sequelize:
# Type of server to talk to
dialect: sqlite
# More arguments here:
# path_to_url
ssl: false
pool: {}
retry: {}
buildMetricsEnabled: "false"
# readOnly datastore config
# readOnly: {}
executor:
# Default executor
plugin: k8s
k8s:
enabled: true
options:
kubernetes:
# The host or IP of the kubernetes cluster
host: kubernetes.default
# The jwt token used for authenticating kubernetes requests
# Loaded from /var/run/secrets/kubernetes.io/serviceaccount/token by default
# Resources for build pod
resources:
# Number of cpu cores
cpu:
micro: "0.5"
low: 2
high: 6
# Memory in GB
memory:
micro: 1
low: 2
high: 12
# Default build timeout for all builds in this cluster (in minutes)
buildTimeout: 90
# Default max build timeout (in minutes)
maxBuildTimeout: 120
# k8s node selectors for appropriate pod scheduling
nodeSelectors: {}
preferredNodeSelectors: {}
# support for kata-containers-as-a-runtimeclass
runtimeClass: ""
# Launcher image to use
launchImage: screwdrivercd/launcher
# Container tags to use
launchVersion: stable
# nomad:
# enabled: true
# options:
# nomad:
# # The host or IP of the nomad cluster
# host: nomad.default/v1/jobs
# resources:
# cpu:
# high: 200
# memory:
# high: 2000
# # Container tags to use
# launchVersion: stable
docker:
enabled: true
options:
# Dockerode configuration path_to_url#getting-started
docker: {}
# Container tags to use
launchVersion: stable
k8s-vm:
enabled: true
options:
# Configuration of Docker
kubernetes:
# The host or IP of the kubernetes cluster
host: kubernetes.default
# The jwt token used for authenticating kubernetes requests
# Loaded from /var/run/secrets/kubernetes.io/serviceaccount/token by default
# Resources for build pod
resources:
# Number of cpu cores
cpu:
micro: 1
low: 2
high: 6
# Memory in GB
memory:
micro: 1
low: 2
high: 12
# Default build timeout for all builds in this cluster (in minutes)
buildTimeout: 90
# Default max build timeout (in minutes)
maxBuildTimeout: 120
# k8s node selectors for appropriate pod scheduling
nodeSelectors: {}
preferredNodeSelectors: {}
# Launcher image to use
launchImage: screwdrivercd/launcher
# Launcher container tag to use
launchVersion: stable
# jenkins:
# options:
# # Configuration of Jenkins
# jenkins:
# host: jenkins.default
# port: 8080
# username: screwdriver
# password: "WOW-AN-EVEN-MORE-INSECURE-PASSWORD!!!!"
# # Default build timeout (in minutes)
# buildTimeout: 90
# # Default max build timeout (in minutes)
# maxBuildTimeout: 120
queue:
enabled: true
options:
# redis or redisCluster(beta)
connectionType: redis
# Configuration of the redis instance containing resque
redisConnection:
host: "127.0.0.1"
port: 9999
options:
password: "THIS-IS-A-PASSWORD"
tls: false
database: 0
redisClusterConnection:
hosts: []
options:
password: a-secure-password
tls: false
slotsRefreshTimeout: 1000
queueWebhook:
# Enabled events from webhook queue or not
enabled: false
scms: {}
# github:
# plugin: github
# config:
# # The client id used for OAuth with github. Look up GitHub OAuth for details
# # path_to_url
# oauthClientId: YOU-PROBABLY-WANT-SOMETHING-HERE
# # The client secret used for OAuth with github
# oauthClientSecret: AGAIN-SOMETHING-HERE-IS-USEFUL
# # You can also configure for use with GitHub enterprise
# # gheHost: github.screwdriver.cd
# # The username and email used for checkout with github
# username: sd-buildbot
# email: dev-null@screwdriver.cd
# # Token for writing PR comments in Github, needs public_repo scope
# commentUserToken: A-BOT-GITHUB-PERSONAL-ACCESS-TOKEN
# # Secret to add to GitHub webhooks so that we can validate them
# secret: SUPER-SECRET-SIGNING-THING
# # Whether it supports private repo: boolean value.
# # If true, it will ask for read and write access to public and private repos
# # path_to_url#scopes
# privateRepo: false
# bitbucket:
# plugin: bitbucket
# config:
# oauthClientId: YOUR-BITBUCKET-OAUTH-CLIENT-ID
# oauthClientSecret: YOUR-BITBUCKET-OAUTH-CLIENT-SECRET
# # The username and email used for checkout with bitbucket
# username: sd-buildbot
# email: dev-null@screwdriver.cd
# gitlab:
# plugin: gitlab
# config:
# oauthClientId: YOUR-GITLAB-OAUTH-CLIENT-ID
# oauthClientSecret: YOUR-GITLAB-OAUTH-CLIENT-SECRET
# # If you have on-premise gitlab, you can specify that here
# # gitlabHost: mygitlab.com
# # gitlabProtocol: https
# # The username and email used for checkout with gitlab
# username: sd-buildbot
# # email: dev-null@screwdriver.cd
# # read-only scm config, default false
# readOnly:
# # set true to enable read-only scm mode
# enabled: false
# # headless username
# username: headless-user
# # headless access token
# accessToken: headlesstoken
# # SCM clone type (https or ssh)
# cloneType: https
webhooks:
# Obtains the SCM token for a given user. If a user does not have a valid SCM token registered with Screwdriver, it will use this user's token instead.
username: sd-buildbot
# Ignore commits made by these users
ignoreCommitsBy: []
# Restrict PR: all, none, branch, or fork
restrictPR: none
# Chain PR: true or false
chainPR: false
# Upper limit on incoming uploads to builds
maxBytes: 1048576 # 1MB
coverage:
default: true
# plugin: sonar
# sonar:
# sdApiUrl: path_to_url
# sonarHost: path_to_url
# adminToken: your-sonar-admin-token
# sdUiUrl: path_to_url
# sonarEnterprise: false
# sonarGitAppName: "Screwdriver Sonar PR Checks"
multiBuildCluster:
# Enabled multi build cluster feature or not
enabled: false
unzipArtifacts:
# Enabled unzip artifacts feature or not
enabled: false
bookends:
# Plugins for build setup
default:
setup:
- scm
- screwdriver-cache-bookend
teardown:
- screwdriver-artifact-bookend
- screwdriver-coverage-bookend
- screwdriver-cache-bookend
notifications:
options:
# Throw error when validation fails (default true); otherwise show warning
throwValidationErr: true
# # Email notification when a build finishes
# email:
# host: email-host
# port: email-port
# from: email-address-to-send-from
# username: optional-username
# password: optional-password
# # Slack notification when build finishes
# slack:
# # default workspace key
# defaultWorkspace: workspace1
# # Objects with slack token
# workspaces:
# # These keys are used in notification setting on screwdriver.yaml
# # ex)
# # settings:
# # slack:
# # channels:
# # - test-channel-1
# # - workspace1:test-channel-2
# # - workspace2:test-channel-1
# workspace1:
# token: your-slack-bot-token1
# workspace2:
# token: your-slack-bot-token2
ecosystem:
# Externally routable URL for the User Interface
ui: path_to_url
# Externally routable URL for the Artifact Store
store: path_to_url
# Externally routable URL for the Queue Service
queue: path_to_url
# Badge service (needs to add a status and color)
badges: path_to_url{{subject}}-{{status}}-{{color}}.svg
# Default registry to pull build containers from. Uses Docker Hub if nothing/empty string is provided
dockerRegistry: ""
# Extra origins allowed to do CORS to API
allowCors: []
# build cache strategies: s3, disk, with s3 as default option to store cache
cache:
strategy: "s3"
path: "/"
compress: false
md5check: false
max_size_mb: 0
max_go_threads: 10000
# environment release information
release:
mode: stable
cookieName: release
cookieValue: stable
cookieTimeout: 2 # in minutes
headerName: release
headerValue: stable
# Logging preferences
log:
audit:
# set true to enable audit logs for all API calls
enabled: false
# add target scope tokens(pipeline, build, temporal, admin, guest, user)
scope: []
# default cluster environment variables to inject into builds
build:
environment:
SD_VERSION: 4
rateLimit:
# set true to enable rate limiting on auth token
enabled: false
# max request limit on auth token per duration, default: 300 (1 rps)
limit: 300
# limit duration in milliseconds, default: 300000 (5 mins)
duration: 300000
redisLock:
# set true to enable redis lock
enabled: false
options:
# maximum retry limit to obtain lock
retryCount: 200
# the expected clock drift
driftFactor: 0.01
# the time in milliseconds between retry attempts
retryDelay: 500
# the maximum time in milliseconds randomly added to retries
retryJitter: 200
# the maximum time in milliseconds living of a key that has a timeout
ttl: 20000
# redis or redisCluster(beta)
connectionType: redis
# Configuration of the redis instance
redisConnection:
host: "127.0.0.1"
port: 9999
options:
password: "THIS-IS-A-PASSWORD"
tls: false
database: 0
redisClusterConnection:
hosts: []
options:
password: "THIS-IS-A-PASSWORD"
tls: false
slotsRefreshTimeout: 1000
``` |
Adesmus pulchellus is a species of beetle in the family Cerambycidae. It was described by Galileo and Martins in 1999. It is known from Argentina.
References
Adesmus
Beetles described in 1999 |
Clarita Hunsberger Neher (April 26, 1906 – December 6, 2001) was an American athlete who participated in the 1924 and 1928 Olympics diving competitions.
She was born in Michigan in 1906 and moved to Los Angeles with her family when she was either three or four. After a tragedy in which a close family friend died swimming in a riptide, Clarita's father decided that she needed swimming lessons. She became active in the Los Angeles Athletic Club, and eventually attended Stanford University from which she graduated in 1927.
In 1924 she was an alternate on the diving team during the Olympics in Paris, but was part of the primary team in 1928 at the Amsterdam.
After her experience in the Olympics, she taught and later became an administrator in Los Angeles Unified School District. She was an avid traveler and visited all seven continents during her life. In 1984, Clarita participated in the Olympic Organizing Committee for the games in Los Angeles. She spoke throughout California about her Olympic experience, "emphasizing the values of individual achievement and sportsmanship over political counts of gold medals."
Clarita Hunsberger-Neher died on December 6, 2001.
References
1906 births
2001 deaths
American female divers
Olympic divers for the United States
Divers at the 1928 Summer Olympics
Sportspeople from Michigan
Stanford University alumni
Stanford Cardinal women's swimmers
20th-century American women
20th-century American people |
Admete bruuni is a species of sea snail, a marine gastropod mollusk in the family Cancellariidae, the nutmeg snails.
Description
The shell grows to a length of 22 mm.
Distribution
This marine species occurs in the South Pacific off the Kermadec Islands.
References
External links
Knudsen J. 1964. Scaphopoda and Gastropoda from depths exceeding 6000 meters. Galathea Report 7: 125–136, page(s): 132–133
Hemmen J. (2007) Recent Cancellariidae. Annotated and illustrated catalogue of Recent Cancellariidae. Privately published, Wiesbaden. 428 pp. [With amendments and corrections taken from Petit R.E. (2012) A critique of, and errata for, Recent Cancellariidae by Jens Hemmen, 2007. Conchologia Ingrata 9: 1–8.
Spencer H.G., Willan R.C., Marshall B.A. & Murray T.J. (2011) Checklist of the Recent Mollusca Recorded from the New Zealand Exclusive Economic Zone
Intergovernmental Oceanographic Commission (IOC) of UNESCO. The Ocean Biogeographic Information System
Cancellariidae
Gastropods described in 1964 |
Michele Gino Regolo (born 17 August 1978 in Fermo) is an Italian sailor. He competed at the 2012 Summer Olympics in the Men's Laser class finishing in 35th place.
References
External links
1978 births
Living people
Italian male sailors (sport)
Olympic sailors for Italy
Sailors at the 2012 Summer Olympics – Laser
People from Fermo |
The women's lightweight single sculls competition at the 2018 World Rowing Championships in Plovdiv took place at the Plovdiv Regatta Venue.
Schedule
The schedule was as follows:
All times are Eastern European Summer Time (UTC+3)
Results
Heats
The two fastest boats in each heat advanced directly to the A/B semifinals. The remaining boats were sent to the repechages.
Heat 1
Heat 2
Heat 3
Heat 4
Repechages
The two fastest boats in each repechage advanced to the A/B semifinals. The remaining boats were sent to the C/D semifinals.
Repechage 1
Repechage 2
Semifinals C/D
All but the slowest boat in each semi were sent to the C final. The slowest boats were sent to the D final.
Semifinal 1
Semifinal 2
Semifinals A/B
The three fastest boats in each semi advanced to the A final. The remaining boats were sent to the B final.
Semifinal 1
Semifinal 2
Finals
The A final determined the rankings for places 1 to 6. Additional rankings were determined in the other finals.
Final D
Final C
Final B
Final A
References
2018 World Rowing Championships
World |
Gilbert Bozon (19 March 1935 – 21 July 2007) was a French swimmer and Olympic medalist.
Career
Bozon was born in Troyes. He competed at the 1952 Olympic Games in Helsinki, where he received a silver medal in 100 m backstroke.
See also
World record progression 200 metres backstroke
References
External links
1935 births
2007 deaths
Sportspeople from Troyes
French male backstroke swimmers
French male freestyle swimmers
Olympic swimmers for France
Swimmers at the 1952 Summer Olympics
Swimmers at the 1956 Summer Olympics
Olympic silver medalists for France
World record setters in swimming
European Aquatics Championships medalists in swimming
Medalists at the 1952 Summer Olympics
Olympic silver medalists in swimming
Mediterranean Games gold medalists for France
Swimmers at the 1951 Mediterranean Games
Swimmers at the 1955 Mediterranean Games
Mediterranean Games medalists in swimming
20th-century French people |
Andrea J. Cabral (born 1959) is an American lawyer and former Massachusetts Secretary of Public Safety and sheriff of Suffolk County, Massachusetts.
Background
Cabral is a native of East Providence, Rhode Island. She is a graduate of Boston College (1981) with a Bachelor of Arts degree and Suffolk University Law School where she earned her Juris Doctor degree in 1986.
Cabral began her legal career in 1986 as a staff attorney at the Suffolk County Sheriff's Department at the Charles Street Jail, working to prepare and argue motions for bail reduction for the Suffolk Superior Court. Subsequently, she served as an assistant district attorney at the Middlesex County District Attorney's Office from 1987 to 1991.
From 1991 to 1993, Cabral served in the Office of the Attorney General including work in the Torts Division/Government Bureau and the Civil Rights/ Public Protection Bureau. Cabral then began work at the Suffolk County District Attorney's Office in 1993 under then District Attorney Ralph C. Martin III. From 1993 to 1994, she was director of Roxbury District Court Family Violence Project. She became chief of the Domestic Violence Unit at the Suffolk County District Attorney's Office in 1994. In 1998, Cabral was promoted to chief of District Courts and Community Prosecutions. Eisenhower Fellowships selected Andrea Cabral as a USA Eisenhower in 1997.
Sheriff of Suffolk County
In 2002, after the Stern Commission, headed by Donald K. Stern, called for reform in the Sheriff's Department, she was appointed sheriff by Governor Jane Swift. Cabral won election in 2004 as the Sheriff of Suffolk County, Massachusetts, and was the first female in the Commonwealth of Massachusetts history to hold the position.
As Sheriff of Suffolk County, Cabral was responsible for the operation of the House of Correction, the Suffolk County Jail, the Suffolk County Women's Resource Center, the Suffolk County Community Corrections Center and the Civil Process Division. The Suffolk County Sheriff's Department has more than 1,100 employees, being correctional officers, criminal justice professionals, caseworkers and administrative staff whose primary responsibility is upholding public safety and providing rehabilitative support for more than 2,500 offenders daily.
Immigration issues
In an August 13, 2010 letter to the U.S. Bureau of Immigration and Customs Enforcement, Suffolk County Sheriff Andrea Cabral noted a "staggering lack of communication and respect" from the federal agency.
She told CNN Radio that if her concerns aren't addressed, ICE "would no longer be allowed to house federal detainees at the Suffolk County Sheriff's Department. They would have to take them to a different facility."
ICE is reviewing Cabral's letter and will offer a direct response to her concerns, said Harold Ort, a spokesman for the agency.
Massachusetts Secretary of Public Safety
On December 12, 2012, she was named Massachusetts Secretary of Public Safety by Governor Deval Patrick. She later resigned as Sheriff in order to accept that post.
In September 2014 it came to light due to a news story by Fox Boston TV News that Andrea Cabral as Secretary of Public Safety had issued an advisory letter to the Massachusetts Sheriffs. This advisory letter said sheriffs departments should not turn over suspects to the Immigration service who were in violation of United States immigration law. Cabral's letter said this was because the warrants are issued by a federal administrative worker not issued by a judge. Most of the sheriffs repudiated her suggestion and one of them released a notice through Fox they would continue to comply.
On January 21, 2015, Governor Baker named Daniel Bennett as the new Secretary of the Executive Office for Public Safety and Security.
Publications
"Obtaining, Enforcing and Defending x.209A Restraining Orders in Massachusetts"
"Same Gender Domestic Violence: Strategies for Change in Creating Courtroom Accessibility."
References
Further reading
Sweet, Laurel J., "Sheriff defends jail after Markoff suicide", Boston Herald, Wednesday, August 18, 2010
External links
Rooney, Emily, "Interview with Andrea Cabral", Greater Boston show, WGBH-TV, Boston, July 9, 2012
21st-century American women lawyers
21st-century American lawyers
African-American women lawyers
African-American sheriffs
African-American state cabinet secretaries
Women sheriffs
Sheriffs of Suffolk County, Massachusetts
Massachusetts Secretaries of Public Safety
American legal writers
21st-century American politicians
21st-century American women politicians
Suffolk University Law School alumni
Boston College alumni
1959 births
Living people
21st-century African-American women
21st-century African-American politicians
20th-century African-American people
Massachusetts sheriffs
20th-century African-American women
21st-century African-American lawyers |
```objective-c
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
// The LazyInstance<Type, Traits> class manages a single instance of Type,
// which will be lazily created on the first time it's accessed. This class is
// useful for places you would normally use a function-level static, but you
// need to have guaranteed thread-safety. The Type constructor will only ever
// be called once, even if two threads are racing to create the object. Get()
// and Pointer() will always return the same, completely initialized instance.
//
// LazyInstance is completely thread safe, assuming that you create it safely.
// The class was designed to be POD initialized, so it shouldn't require a
// static constructor. It really only makes sense to declare a LazyInstance as
// a global variable using the LAZY_INSTANCE_INITIALIZER initializer.
//
// LazyInstance is similar to Singleton, except it does not have the singleton
// property. You can have multiple LazyInstance's of the same type, and each
// will manage a unique instance. It also preallocates the space for Type, as
// to avoid allocating the Type instance on the heap. This may help with the
// performance of creating the instance, and reducing heap fragmentation. This
// requires that Type be a complete type so we can determine the size. See
// notes for advanced users below for more explanations.
//
// Example usage:
// static LazyInstance<MyClass>::type my_instance = LAZY_INSTANCE_INITIALIZER;
// void SomeMethod() {
// my_instance.Get().SomeMethod(); // MyClass::SomeMethod()
//
// MyClass* ptr = my_instance.Pointer();
// ptr->DoDoDo(); // MyClass::DoDoDo
// }
//
// Additionally you can override the way your instance is constructed by
// providing your own trait:
// Example usage:
// struct MyCreateTrait {
// static void Construct(void* allocated_ptr) {
// new (allocated_ptr) MyClass(/* extra parameters... */);
// }
// };
// static LazyInstance<MyClass, MyCreateTrait>::type my_instance =
// LAZY_INSTANCE_INITIALIZER;
//
// WARNINGS:
// - This implementation of LazyInstance IS THREAD-SAFE by default. See
// SingleThreadInitOnceTrait if you don't care about thread safety.
// - Lazy initialization comes with a cost. Make sure that you don't use it on
// critical path. Consider adding your initialization code to a function
// which is explicitly called once.
//
// Notes for advanced users:
// LazyInstance can actually be used in two different ways:
//
// - "Static mode" which is the default mode since it is the most efficient
// (no extra heap allocation). In this mode, the instance is statically
// allocated (stored in the global data section at compile time).
// The macro LAZY_STATIC_INSTANCE_INITIALIZER (= LAZY_INSTANCE_INITIALIZER)
// must be used to initialize static lazy instances.
//
// - "Dynamic mode". In this mode, the instance is dynamically allocated and
// constructed (using new) by default. This mode is useful if you have to
// deal with some code already allocating the instance for you (e.g.
// OS::Mutex() which returns a new private OS-dependent subclass of Mutex).
// The macro LAZY_DYNAMIC_INSTANCE_INITIALIZER must be used to initialize
// dynamic lazy instances.
#ifndef V8_BASE_LAZY_INSTANCE_H_
#define V8_BASE_LAZY_INSTANCE_H_
#include "src/base/macros.h"
#include "src/base/once.h"
namespace v8 {
namespace base {
#define LAZY_STATIC_INSTANCE_INITIALIZER { V8_ONCE_INIT, { {} } }
#define LAZY_DYNAMIC_INSTANCE_INITIALIZER { V8_ONCE_INIT, 0 }
// Default to static mode.
#define LAZY_INSTANCE_INITIALIZER LAZY_STATIC_INSTANCE_INITIALIZER
template <typename T>
struct LeakyInstanceTrait {
static void Destroy(T* /* instance */) {}
};
// Traits that define how an instance is allocated and accessed.
template <typename T>
struct StaticallyAllocatedInstanceTrait {
// 16-byte alignment fallback to be on the safe side here.
struct V8_ALIGNAS(T, 16) StorageType {
char x[sizeof(T)];
};
STATIC_ASSERT(V8_ALIGNOF(StorageType) >= V8_ALIGNOF(T));
static T* MutableInstance(StorageType* storage) {
return reinterpret_cast<T*>(storage);
}
template <typename ConstructTrait>
static void InitStorageUsingTrait(StorageType* storage) {
ConstructTrait::Construct(storage);
}
};
template <typename T>
struct DynamicallyAllocatedInstanceTrait {
typedef T* StorageType;
static T* MutableInstance(StorageType* storage) {
return *storage;
}
template <typename CreateTrait>
static void InitStorageUsingTrait(StorageType* storage) {
*storage = CreateTrait::Create();
}
};
template <typename T>
struct DefaultConstructTrait {
// Constructs the provided object which was already allocated.
static void Construct(void* allocated_ptr) { new (allocated_ptr) T(); }
};
template <typename T>
struct DefaultCreateTrait {
static T* Create() {
return new T();
}
};
struct ThreadSafeInitOnceTrait {
template <typename Function, typename Storage>
static void Init(OnceType* once, Function function, Storage storage) {
CallOnce(once, function, storage);
}
};
// Initialization trait for users who don't care about thread-safety.
struct SingleThreadInitOnceTrait {
template <typename Function, typename Storage>
static void Init(OnceType* once, Function function, Storage storage) {
if (*once == ONCE_STATE_UNINITIALIZED) {
function(storage);
*once = ONCE_STATE_DONE;
}
}
};
// TODO(pliard): Handle instances destruction (using global destructors).
template <typename T, typename AllocationTrait, typename CreateTrait,
typename InitOnceTrait, typename DestroyTrait /* not used yet. */>
struct LazyInstanceImpl {
public:
typedef typename AllocationTrait::StorageType StorageType;
private:
static void InitInstance(void* storage) {
AllocationTrait::template InitStorageUsingTrait<CreateTrait>(
static_cast<StorageType*>(storage));
}
void Init() const {
InitOnceTrait::Init(&once_, &InitInstance, static_cast<void*>(&storage_));
}
public:
T* Pointer() {
Init();
return AllocationTrait::MutableInstance(&storage_);
}
const T& Get() const {
Init();
return *AllocationTrait::MutableInstance(&storage_);
}
mutable OnceType once_;
// Note that the previous field, OnceType, is an AtomicWord which guarantees
// 4-byte alignment of the storage field below. If compiling with GCC (>4.2),
// the LAZY_ALIGN macro above will guarantee correctness for any alignment.
mutable StorageType storage_;
};
template <typename T,
typename CreateTrait = DefaultConstructTrait<T>,
typename InitOnceTrait = ThreadSafeInitOnceTrait,
typename DestroyTrait = LeakyInstanceTrait<T> >
struct LazyStaticInstance {
typedef LazyInstanceImpl<T, StaticallyAllocatedInstanceTrait<T>,
CreateTrait, InitOnceTrait, DestroyTrait> type;
};
template <typename T,
typename CreateTrait = DefaultConstructTrait<T>,
typename InitOnceTrait = ThreadSafeInitOnceTrait,
typename DestroyTrait = LeakyInstanceTrait<T> >
struct LazyInstance {
// A LazyInstance is a LazyStaticInstance.
typedef typename LazyStaticInstance<T, CreateTrait, InitOnceTrait,
DestroyTrait>::type type;
};
template <typename T,
typename CreateTrait = DefaultCreateTrait<T>,
typename InitOnceTrait = ThreadSafeInitOnceTrait,
typename DestroyTrait = LeakyInstanceTrait<T> >
struct LazyDynamicInstance {
typedef LazyInstanceImpl<T, DynamicallyAllocatedInstanceTrait<T>,
CreateTrait, InitOnceTrait, DestroyTrait> type;
};
} // namespace base
} // namespace v8
#endif // V8_BASE_LAZY_INSTANCE_H_
``` |
The Independence Hills () are a line of rugged hills and peaks, long, with mainly bare rock eastern slopes. They lie southeast of the Marble Hills and form the southern segment of the west wall of Horseshoe Valley, in the Heritage Range of Antarctica. The Independence Hills were mapped by the United States Geological Survey from ground surveys and U.S. Navy air photos, 1961–66. The name was applied by the Advisory Committee on Antarctic Names in association with the name "Heritage Range".
Features
Geographical features include:
Marble Hills
Horseshoe Valley
Morris Cliff
Mount Geissel
Mount Shattuck
Mount Simmons
Patriot Hills
Redpath Peaks
References
Hills of Ellsworth Land |
Duhallow () is a barony located in the north-western part of County Cork, Ireland.
Legal context
Baronies were created after the Norman invasion of Ireland as divisions of Irish counties and used in the administration of justice and the raising of revenue. While baronies have been administratively obsolete since 1898, they continue to be used in some areas, such as in planning permissions. In some cases, a barony may correspond to an earlier Gaelic túath which had submitted to the Crown.
Location and settlements
Duhallow is located on the borders of counties Kerry and Limerick, and is bounded on the south by the Boggeragh Mountains. The Blackwater river flows southward from Ballydesmond to Rathmore before turning eastward past Millstreet, Kanturk and Banteer, eventually flowing to the sea at Youghal. The main towns in Duhallow are Newmarket, Kanturk and Millstreet, with smaller villages such as Ballydesmond, Banteer, Lyre, Kilcorney, Nadd, Boherbue, Castlemagner, Cullen, Kiskeam, Kilbrin, Knocknagree, Lismire, Meelin, Freemount, Rockchapel and Rathcoole.
Culture
Duhallow GAA is the local division for the Gaelic Athletic Association clubs of Duhallow. The top football and hurling competitions in the division are the Duhallow Junior A Football Championship and Duhallow Junior A Hurling Championship.
Duhallow is mentioned in the Irish folk song Thady Quill.
See also
List of civil parishes of County Cork
List of townlands of the barony of Duhallow in County Cork
Baronies of County Cork |
is a Japanese karateka and a retired professional welterweight kickboxer.
Soeno was a renowned practitioner of Kyokushin-kaikan style of karate, before branching out and founding his own style of Shidōkan Karate. Soeno is currently the director of The World Karate Association Shidokan, headquartered at Shizuoka-ken, Japan.
Background
Yoshiji Soeno was born in Tokorozawa, Saitama Prefecture. From childhood, Soeno was very interested in martial arts, and learned Judo. Originally he found that Karate was not strong compared to Judo, but Karate was evolving and becoming much stronger. He first studied Wado-ryu Karate-Jujutsu a while.
He began the study of Kyokushin karate at the headquarters (honbu) of Kyokushin Kaikan at Ikebukuro, Tokyo, where founder Masutatsu Ōyama taught on September 1, 1964. Soeno practiced with the senior pupils who were Shigeru Ōyama, Yasuhiko Ōyama (both from The World Ōyama Karate in the United States - Shigeru is Sōshu and Yasuhiko is Saikō Shihan), Tadashi Nakamura and Hideyuki Ashihara at the time.
After entering Josai University, Soeno founded the Karate club and taught karate. Miyuki Miura was 2 years one's junior at the club. Soeno had reached the rank of shodan(1st degree black belt) on April 15, 1967.
Fighting career
Televised kickboxing was a huge boom from 1965 to 1975 when it was broadcast on the four TV stations, TBS, Nippon Television, TV Asahi and TV Tokyo all over Japan. TV Asahi requested a player from Kyokushin in February, 1969, and Masutatsu Ōyama elected Soeno and Terutomo Yamazaki to enter the competitions. Ōyama also founded a kickboxing gym called Kyokushin Gym where they practiced kickboxing about two months before entering the kickboxing competitions in April, 1969. Soeno fought in the welterweight division at kickboxing.
Kyokushin was planning to hold the First All-Japan Full Contact Karate Championships (AJFCKC) at the Tokyo Metropolitan Gymnasium in September, 1969. It was not only a karate championship, but martial artists of various kinds also participated in this competition. Athletes included Gidon Gaddary who was an Israeli Judo player weighing over 100 kilograms; Paul Jackson who was a heavyweight boxer from the United States; and three Muay Thai boxers from Lumpinee-ranked boxers including Birahon, Sakao and Samanso. The competition was fighting against other combative arts. The rules were simple: It was a foul to use a hand or elbow to the face and to attack a man's vital point. The players did not use any protection. They fought using bare hands, bare knees and bare legs. Soeno lost Yamazaki at finals and won 2nd place.
After graduating University, he opened ‘Soeno Dojo’ and ‘Soeno Gym’, giving lessons in both karate and kick-boxing. He also practiced Muay Thai in Bangkok, and Karate in the United States. He founded The World Karatedo Association Shidokan and The Japan Fighting Association New Fighting Shidokan in 1981.
Personal life
Although had distanced himself from the Kyokushin Kaikan, he continued to have personal friendship with Mas Oyama, and the two would often meet at the sauna in Ikebukuro. When Mas Oyama passed away, Soeno had rushed to the Kyokushin headquarters and started crying on the spot.
He has tutored professional wrestlers Mitsuharu Misawa and Toshiaki Kawada in combat sports.
Tournament History
1st Open Tournament All Japan Karatedo Championships, Runner-up
2nd All Japan Championship, 3rd place
4th All Japan Championship, 5th place
See also
Terutomo Yamazaki - another prestigious student of Mas Oyama.
List of male kickboxers
List of karateka
References
1947 births
Living people
Josai University alumni
Japanese male kickboxers
Welterweight kickboxers
Japanese male karateka
Karate coaches
Martial arts school founders
Sportspeople from Saitama Prefecture
Kyokushin kaikan practitioners
Wadō-ryū practitioners
Shidōkan practitioners
People from Tokorozawa, Saitama |
Rabbi Azriel Zelig Hausdorf () (1826 – 1905) was an Israeli philanthropist and doctor who worked with the Kollel Hod to build shelters in Jerusalem for Jewish immigrants.
Early life
Hausdorf was born in 1826 to Moshe Hausdorf in the city of Mislovitz in East Prussia (now Poland). Due to his place of birth, he was sometimes called "Rabbi Zelig Deutsch" (Rabbi Zelig the German). He studied in the local Yeshiva of Rabbi Pinchas Hamburger, while concurrently receiving a secular education. IN 1846, he immigrated to the Land of Israel via boat over the Mediterranean. During the trip, due to unstable weather, the boat was at risk of capsizing, so the captain of the ship asked Hausdorf to pray for the boat like Jonah the prophet. He settled in Jerusalem and married Hana Lipsha Minsker, daughter of Rabbi Zvi of Vilna.
Career
Although in the beginning Hausdorf received aid from the Kollel Hod, he later became one of the leaders of the organization. He worked as an interpreter at the Austrian embassy in Jerusalem. He was one of the initiators of the 'shelter and hospitality' project established by his Kollel in the Old City. To raise money to build shelters he went to Europe in 1858 and collected donations from Jews who wanted to support settlement in Ottoman Palestine. One of these shelters included the Batei Mahse.
In the summer of 1876, there was a pestilence of locusts in Israel, as well as a drought, so Hausdorf supported the community by working with the Yehuda and Israel Society, established by Rabbi Chaim Tzvi Schneerson, with the goal of storing grain to ensure food security for the poor in Jerusalem for the coming winter. During the cholera epidemic in Jerusalem, he also helped to buy flour to distribute to the poor. He also volunteered for the Diskin Orphanage.
Hausdorf was an important voice in the construction of the Misgav Ladach hospital built by the Rothschild family in Jerusalem, and was appointed overseer of the hospital's finances. Before its construction, the initial plan was to build it in Tiberias, and in 1865, he visited the city for that purpose. He also helped Charles Netter in his quest to purchase land for the Mikveh Israel.
He was one of the chief organizers for many receptions held on behalf of Jews for distinguished guests who came to Jerusalem, such as Moses Montefiore, Baron Edmond James de Rothschild, Rudolf of Austria, and Emperor Franz Joseph. Emperor Wilhelm II even gifted him a gold metal, the Knight's Medal of the Prussian Kingdom, as Hausdorf was authorized by the Prussian embassy to act as a defense attorney for a Jew in a criminal trial. They wrote on 14 April 1866 to his superiors:There are no editors in Jerusalem law, and it is impossible to find a suitable person who meets the requirements of Prussian law as a defense attorney, so [Wilhelm] asks the authority to appoint someone as defense council for trials involving a leader of the Jewish community, who represents them and will interpret their requests. For multiple years, he was reelected to his position. Throughout his career, he also helped protect Jews from proselytization from Christian missionaries and forces who were disapproving of Jewish practices in Israel.
Family
Rabbi Hausdorf had a total of 13 children, but only 3 survived into adulthood:
His son Mordechai Shlomo was among the founders of Petah Tikva and Hausdorf provided the colony funding.
His other son, Rabbi Chaim Eliezer, was a pharmacist and authored multiple books, including one about his father.
His daughter Friedel was the wife of Rabbi , a member of the Kollel Shomrei HaChomos.
The municipality of Jerusalem named a street after him (Azriel Street) in the Givat Shaul neighborhood. He is buried at the Mount of Olives.
Sources
Pinchas Greivsky, booklet 7 of Magnazi Jerusalem (1839), pp. 11-14.
References
Old Yishuv
1905 deaths
East Prussia
History of Israel
Jewish activists
Israeli people of Ashkenazi descent
People from Mysłowice |
Jamshoro is a city in Pakistan.
Jamshoro may also refer to:
Jamshoro District, an administrative unit of Sindh, Pakistan
Jamshoro Power Station, a power station in Pakistan
Jamshoro railway station, a railway station in Pakistan
See also |
```xml
<?xml version="1.0" encoding="UTF-8" ?>
<ContentPage
xmlns="path_to_url"
xmlns:x="path_to_url"
x:Class="Xamarin.Forms.Controls.GalleryPages.RefreshViewGalleries.RefreshLayoutGallery"
Title="Layout (Pull To Refresh)">
<ContentPage.Resources>
<ResourceDictionary>
<DataTemplate x:Key="RefreshItemTemplate">
<Grid
HeightRequest="100"
WidthRequest="100">
<Grid.RowDefinitions>
<RowDefinition Height="*" />
<RowDefinition Height="Auto" />
</Grid.RowDefinitions>
<BoxView
Grid.Row="0"
Color="{Binding Color}"/>
<Label
Grid.Row="1"
Text="{Binding Name}"/>
</Grid>
</DataTemplate>
</ResourceDictionary>
</ContentPage.Resources>
<ContentPage.Content>
<RefreshView
IsRefreshing="{Binding IsRefreshing}"
RefreshColor="Red"
Command="{Binding RefreshCommand}"
HorizontalOptions="FillAndExpand"
VerticalOptions="FillAndExpand">
<StackLayout
Padding="6">
<Label
FontSize="Medium"
FontAttributes="Bold"
Text="The Content of a RefreshView must be a scrollable control, such as ScrollView, CollectionView, ListView, etc."/>
<Label
FontSize="Small"
Text="Setting the Content to a control like Grid will result in undefined behavior."/>
</StackLayout>
</RefreshView>
</ContentPage.Content>
</ContentPage>
``` |
Eastern Coach Works was a bus and train bodybuilder based in Lowestoft, England.
History
The origins of Eastern Coach Works (ECW) can be traced back to 1912, when United Automobile Services was founded in Lowestoft to run bus services. United began a coach building business at the Lowestoft site in 1920. In 1931, the East Anglian operations of United were hived off into a new company, Eastern Counties Omnibus Company, and Eastern Counties inherited the coach works - now concentrating on building bus bodies, with a workforce of over 600 people. In July 1936, the coach works were separated into a new company, Eastern Coach Works Limited, which developed into the largest full-time employer in Lowestoft.
In May 1940, the factory received orders from the military authorities to cease production. It was thought that, following the outbreak of World War II, the East Coast would be the first target for an invading German army, so all wheeled vehicles were moved away from the site so that they did not fall into enemy hands. As a result of this, 950 staff were laid off with production shifted to Irthlingborough. By 1947, though, production was back to pre-war levels.
ECW was nationalised in 1947. For the next 18 years, its business consisted mainly of building bus bodies, which were mounted on Bristol chassis, for state-owned bus operators. In 1965, the state-owned Transport Holding Company sold a 25% share in ECW to Leyland Motors, which enabled ECW to sell to the private sector. During the 1960s, it was common to see a bare bus chassis being driven through town by a goggle-wearing driver, delivering the chassis for a body.
In 1969, ECW became part of a 50/50 joint venture between the National Bus Company (successor to the Transport Holding Company) and British Leyland (successor to Leyland Motors).
The materials to build the buses came into the Coach works via Essex Road at the back of the factory, but the newly built buses were driven out of the big doors at the front. They drove down the short, narrow lane, with no pavements called Eastern Way, on their way to their new depot. Eastern Way used to be called Laundry Lane, but the name was changed to Eastern Way following the opening of Eastern Coach Works.
The joint venture came to an end in 1982, when British Leyland bought out NBC's shareholding. ECW closed in January 1987. The site was subsequently demolished to make way for the North Quay Retail Park, which opened in 1990. ECW was one of Lowestoft's largest employers, with around 1,200 staff at its peak.
Products
ECW was probably best known for its close association with Bristol Commercial Vehicles. Amongst the Bristol buses most frequently bodied at Lowestoft were the:
Bristol LH - a small, single deck bus (1970s)
Bristol Lodekka - a front-engined double deck bus (1950s and 1960s)
Bristol RE - a single deck bus (1960s and 1970s)
Bristol VRT - a rear-engined double deck bus (1970s), successor to the Lodekka
Leyland Olympian - a rear engined double deck bus (1980's) successor to Bristol VRT
Further reading
References
External links
Lowestoft, Eastern Coach Works War Memorials
Victoria Coach Station Memories
YouTube clip
British Leyland
Companies based in Suffolk
Defunct bus manufacturers of the United Kingdom
1920 establishments in England
1987 disestablishments in England
British companies established in 1920
British companies disestablished in 1987 |
```ruby
# -*- encoding: utf-8 -*-
# frozen_string_literal: false
require_relative '../../spec_helper'
# Examples taken from path_to_url#Norm_Forms
describe "String#unicode_normalize" do
before :each do
@accented_f = "\u1e9b\u0323"
@angstrom = "\u212b"
@ohm = "\u2126"
end
it "normalizes code points in the string according to the form that is specified" do
@accented_f.unicode_normalize(:nfc).should == "\u1e9b\u0323"
@accented_f.unicode_normalize(:nfd).should == "\u017f\u0323\u0307"
@accented_f.unicode_normalize(:nfkc).should == "\u1e69"
@accented_f.unicode_normalize(:nfkd).should == "\u0073\u0323\u0307"
end
it "defaults to the nfc normalization form if no forms are specified" do
@accented_f.unicode_normalize.should == "\u1e9b\u0323"
@angstrom.unicode_normalize.should == "\u00c5"
@ohm.unicode_normalize.should == "\u03a9"
end
# path_to_url#6
context "returns normalized form of string by default" do
it "03D3 () GREEK UPSILON WITH ACUTE AND HOOK SYMBOL" do
"\u03D3".unicode_normalize(:nfc).should == "\u03D3"
"\u03D3".unicode_normalize(:nfd).should == "\u03D2\u0301"
"\u03D3".unicode_normalize(:nfkc).should == "\u038E"
"\u03D3".unicode_normalize(:nfkd).should == "\u03A5\u0301"
end
it "03D4 () GREEK UPSILON WITH DIAERESIS AND HOOK SYMBOL" do
"\u03D4".unicode_normalize(:nfc).should == "\u03D4"
"\u03D4".unicode_normalize(:nfd).should == "\u03D2\u0308"
"\u03D4".unicode_normalize(:nfkc).should == "\u03AB"
"\u03D4".unicode_normalize(:nfkd).should == "\u03A5\u0308"
end
it "1E9B () LATIN SMALL LETTER LONG S WITH DOT ABOVE" do
"\u1E9B".unicode_normalize(:nfc).should == "\u1E9B"
"\u1E9B".unicode_normalize(:nfd).should == "\u017F\u0307"
"\u1E9B".unicode_normalize(:nfkc).should == "\u1E61"
"\u1E9B".unicode_normalize(:nfkd).should == "\u0073\u0307"
end
end
it "raises an Encoding::CompatibilityError if string is not in an unicode encoding" do
-> do
[0xE0].pack('C').force_encoding("ISO-8859-1").unicode_normalize(:nfd)
end.should raise_error(Encoding::CompatibilityError)
end
it "raises an ArgumentError if the specified form is invalid" do
-> {
@angstrom.unicode_normalize(:invalid_form)
}.should raise_error(ArgumentError)
end
end
describe "String#unicode_normalize!" do
it "normalizes code points and modifies the receiving string" do
angstrom = "\u212b"
angstrom.unicode_normalize!
angstrom.should == "\u00c5"
angstrom.should_not == "\u212b"
end
it "modifies original string (nfc)" do
str = "a\u0300"
str.unicode_normalize!(:nfc)
str.should_not == "a\u0300"
str.should == ""
end
it "modifies self in place (nfd)" do
str = "\u00E0"
str.unicode_normalize!(:nfd)
str.should_not == "\u00E0"
str.should == "a\u0300"
end
it "modifies self in place (nfkc)" do
str = "\u1E9B\u0323"
str.unicode_normalize!(:nfkc)
str.should_not == "\u1E9B\u0323"
str.should == "\u1E69"
end
it "modifies self in place (nfkd)" do
str = "\u1E9B\u0323"
str.unicode_normalize!(:nfkd)
str.should_not == "\u1E9B\u0323"
str.should == "s\u0323\u0307"
end
it "raises an Encoding::CompatibilityError if the string is not in an unicode encoding" do
-> {
[0xE0].pack('C').force_encoding("ISO-8859-1").unicode_normalize!
}.should raise_error(Encoding::CompatibilityError)
end
it "raises an ArgumentError if the specified form is invalid" do
ohm = "\u2126"
-> {
ohm.unicode_normalize!(:invalid_form)
}.should raise_error(ArgumentError)
end
end
``` |
Juichi Maruyama (born 23 February 1945) is a Japanese alpine skier. He competed in the men's downhill at the 1968 Winter Olympics.
References
1945 births
Living people
Japanese male alpine skiers
Olympic alpine skiers for Japan
Alpine skiers at the 1968 Winter Olympics
Sportspeople from Nagano (city)
20th-century Japanese people |
Hemopexin (or haemopexin; Hpx; Hx), also known as beta-1B-glycoprotein, is a glycoprotein that in humans is encoded by the HPX gene and belongs to the hemopexin family of proteins. Hemopexin is the plasma protein with the highest binding affinity for heme.
Hemoglobin itself circulating alone in the blood plasma (called free hemoglobin, as opposed to the hemoglobin situated in and circulating with the red blood cell.) will soon be oxidized into met-hemoglobin which then further disassociates into free heme along with globin chain. The free heme will then be oxidized into free met-heme and sooner or later the hemopexin will come to bind free met-heme together, forming a complex of met-heme and hemopexin, continuing their journey in the circulation until reaching a receptor, such as CD91, on hepatocytes or macrophages within the spleen, liver and bone marrow.
Hemopexin's arrival and subsequent binding to the free heme not only prevent heme's pro-oxidant and pro-inflammatory effects but also promotes free heme's detoxification.
Hemopexin is different from haptoglobin, the latter always binds to free hemoglobin. (See Haptoglobin § Differentiation with hemopexin)
Cloning, expression, and discovery
Takahashi et al. (1985) determined that human plasma hemopexin consists of a single polypeptide chain of 439 amino acids residues with six intrachain disulfide bridges and has a molecular mass of approximately 63 kD. The amino-terminal threonine residue is modified by a mucin-type O-linked galactosamine oligosaccharide, and the protein has five N-linked glycan modifications. The 18 tryptophan residues are arranged in four clusters, and 12 of the tryptophans are conserved in homologous positions. Computer-assisted analysis of the internal homology in amino acid sequence suggested duplication of an ancestral gene thus indicating that hemopexin consists of two similar halves.
Altruda et al. (1988) demonstrated that the HPX gene spans approximately 12 kb and is interrupted by 9 exons. The demonstration shows direct correspondence between exons and the 10 repeating units in the protein. The introns were not placed randomly; they fell in the center of the region of amino acid sequence homology in strikingly similar locations in 6 of the 10 units and in a symmetric position in each half of the coding sequence. From these observations, Altruda et al. (1988) concluded that the gene evolved through intron-mediated duplications of a primordial sequence to a 5-exon cluster.
Mapping of hemopexin gene
Cai and Law (1986) prepared a cDNA clone for hemopexin, by Southern blot analysis of human/hamster hybrids containing different combinations of human chromosomes, assigned the HPX gene to human chromosome 11. Law et al. (1988) assigned the HPX gene to 11p15.5-p15.4, the same location as that of the beta-globin gene complex by in situ hybridization.
Differential transcriptional pattern of hemopexin gene
In 1986, the expression of the human HPX gene in different human tissues and cell lines was carried out by using a specific cDNA probe. From the results obtained it was concluded that this gene was expressed in the liver and it was below the level of detection in other tissues or cell lines examined. By S1 mapping, the transcription initiation site in hepatic cells was located 28 base pairs upstream from the AUG initiation codon of the hemopexin gene.
Function
Hemopexin binds heme with the highest affinity of any known protein. Its main function is scavenging the heme released or lost by the turnover of heme proteins such as hemoglobin and thus protects the body from the oxidative damage that free heme can cause. In addition, hemopexin releases its bound ligand for internalisation upon interacting with CD91. Hemopexin preserves the body's iron. Hemopexin -dependent uptake of extracellular heme can lead to the deactivation of Bach1 repression which leads to the transcriptional activation of antioxidant heme oxygenase-1 gene. Hemoglobin, haptoglobin (Hp) and Hx associate with high density lipoprotein (HDL) and influence the inflammatory properties of HDL. Hemopexin can downregulate the angiotensin II Type 1 receptor (AT1-R) in vitro.
Clinical significance
The predominant source of circulating hemopexin is the liver with a plasma concentration of 1–2 mg/ml. Serum hemopexin level reflects how much heme is present in the blood. Therefore, a low hemopexin level indicates that there has been significant degradation of heme containing compounds. A low hemopexin level is one of the diagnostic features of an intravascular hemolytic anemia. Hemopexin has been implicated in cardiovascular disease, septic shock, cerebral ischemic injury, and experimental autoimmune encephalomyelitis. The circulating level of hemopexin is associated with prognosis in patients with septic shock.
HPX is produced in the brain. Deletion of the HPX gene can aggravate brain injury followed by stroma-free hemoglobin-induced intracerebral haemorrhage. High hemopexin level in the cerebrospinal fluid is associated with poor outcome after subarachnoid hemorrhage.
Circulating hemopexin can modulate in patients and in mice anthracycline-induced cardiotoxicity (e.g. heart failure).
Relation to haptoglobin
In past there have been reports showing that in patients with sickle cell disease, spherocytosis, autoimmune hemolytic anemia, erythropoietic protoporphyria and pyruvate kinase deficiency, a decline in hemopexin concentration occurs in situations when haptoglobin (Hp) concentrations are low or depleted as a result of severe or prolonged hemolysis. Both haptoglobin and hemopexin are acute-phase proteins, the synthesis of which are induced during infection and after inflammatory states to minimize tissue injury and facilitate tissue repair. Hp and hemopexin prevent heme toxicity by binding themselves to heme prior to monocyte or macrophage's arrivals and ensuing clearances, which may explain their effects on outcome in several diseases, and underlies the rationale for exogenous haptoglobin and hemopexin as therapeutic proteins in hemolytic or hemorrhagic conditions. Hemopexin is the major vehicle for the transportation of heme in the plasma.
References
Further reading
External links
See also
Haptoglobin
Hemoglobin
Heme
Blood proteins
Single-pass transmembrane proteins
Orphan drugs |
Someone Still Loves You Boris Yeltsin (SSLYBY) is an American indie pop band from Springfield, Missouri. They are named after Boris Yeltsin, the first President of Russia after the breakup of the Soviet Union. Their first full-length album, Broom, was independently released in 2005. They are now signed with Polyvinyl Record Co.
Biography
Will Knauer and Philip Dickey were friends in high school. Phil and John Robert Cardwell met in 2002 during their freshman year of college and started writing songs together.
From 2002 to 2004, the group recorded demos at home and in their dorm rooms while playing local shows in Springfield and Columbia, Missouri. The group's first release was a split EP with the vocal duo Gwyn and Grace in 2004.
In Fall 2004 the group began recording their first full-length album, Broom, at Knauer's house, which is featured in much of the band's artwork. Broom was released in March 2005. The debut was seen as an indie success, and received favorable press in Spin Magazine and internet buzz from blogs like You Ain't No Picasso and Bars and Guitars, while Pitchfork gave the album an average rating, 6.9/10.0. Shortly after releasing Broom, SSLYBY released a split record with Michael Holt, formerly of the Mommyheads, on Catbird Records (a label started by the blog site Catbirdseat) in 2005.
In February 2006, the band went on their first national support tour opening up for Catfish Haven (from the Secretly Canadian label). On the same tour, the group recorded their first session for the music website Daytrotter. Later that year, the band's song "Oregon Girl" was featured on an episode of The OC.
The group signed to Polyvinyl Records in June 2006 and re-released Broom in October 2006. Because the original version of the album was recorded by the band with their own equipment (including a Boss digital multitrack recorder using only Shure SM57 and SM58 microphones), it was not professionally mastered to the same level as most industry-standard releases. The lo-fi sound drew many critics and listeners to the band.
In July 2007, SSLYBY performed at the Afisha Picnic music festival in Moscow, Russia, just three months after the death of Boris Yeltsin.
The group returned to Springfield to record their highly anticipated follow up to Broom. Unable to record at Knauer's house because of noise complaints, the band moved their home recording studio to Knauer's aunt's house.
Pershing was released on April 8, 2008 on Polyvinyl Records. The album spawned three music videos: "Think I Wanna Die" directed by Grammy-nominated director Israel Anthem and featuring members of the band Eisley, and "Modern Mystery" and "Glue Girls", both directed by Brook Linder.
The band was named the "best new band in Missouri" by the Boston Phoenix despite the "cutesy, irritating quality of its six-word name". Pershing was named the best album of 2008 by the blogs It's Hard to Find A Friend, The Stark Online, and The Power Pop Show. Blender Magazine ranked "Dead Right" as one of the top 200 songs of 2008.
In 2008 the band released a split EP with the Liverpool band Puzzle, licensed their song "Anne Elephant" to a MasterCard commercial, and made their network television performance debut on the Carson Daly Show.
SSLYBY's third album under Polyvinyl, Let It Sway, was produced by Chris Walla of Death Cab for Cutie and Beau Sorenson.
On October 22, 2010, NME.com debuted the music video for "Sink/Let It Sway" directed by Brook Linder. The band and Linder would pair up again in early 2011 to make a video for "Critical Drain", which premiered on MTV.com.
In early 2011, the band supported Tokyo Police Club on a US tour. Later that year, they released Tape Club, a collection of b-sides and rarities.
The band released a new album on September 17, 2013 entitled Fly by Wire. News of this album coincides with John Robert's departure from the band. As Phil would now be required to cover vocals full-time, Tom Hembree was brought back to the band to take over bassist duties, and Phil's sister Roni was added as a keyboardist.
On March 5, 2015, it was announced via the band's official Twitter page that a new album would be released in the summer of 2015. A teaser trailer for the album was simultaneously released on YouTube. Later that month, on March 26, it was announced that the album would be called "The High Country" and that it would be released on June 2, 2015.
Members
Current
Philip Dickey - vocals, drums, guitar, songwriting
Will Knauer - lead guitar, songwriting
Jonathan James - bass, drums, backing vocals
Tom Hembree - bass
Former
John Robert Cardwell - vocals, guitar, bass, drums, songwriting
Roni Dickey - keyboard
Discography
Albums
Broom (Generic Equivalent 2005, reissued on Polyvinyl Records in 2006 and 2011)
Pershing (2008 Polyvinyl Records) US Heatseekers #39
Let It Sway (2010 Polyvinyl Records) US Heatseekers #19
Fly by Wire (2013 Polyvinyl Records) US Heatseekers #31
The High Country (2015 Polyvinyl Records)
Other releases
Split CD Vol. 6 (with Grace and Gwyn) - Sew, Sew, Suck Your Toe (2004 Generic Equivalent)
Two People... Probably Thinking About Me EP (Generic Equivalent) (2004 also known as "Gwyn and Grace" and untitled)
Someone Still Loves You Michael Holt (2005 Catbird Records / CBR 001)
'Haircuts' split cd w/Nathaniel Carroll (2006 Things That Are True)
Not Worth Fighting Single (2007 Polyvinyl Records / PRC-134)
Pangea single (2007 Polyvinyl Records)
Someone Still Loves You Boris Yeltsin/Puzzle (2008 Polyvinyl Records)
'Back To You' for Fast Forward World Cup Compilation (2010 Indiecater Records)
Tape Club (2011 Polyvinyl Records) US Heatseekers #49
Other projects
Winter's Bone soundtrack (Jonathan James recorded and mixed several songs)
Yawn
The Current Group
mrPunch
Wharf
Sweetwater Abilene
The New Monsters Collective
Dragon Inn 3
References
External links
Official Website
SSLYBY Youtube channel
last.fm
2006 Daytrotter Session (Free Songs)
2008 Daytrotter Session (Free Songs)
1999 establishments in Missouri
Indie rock musical groups from Missouri
Musical groups established in 1999
Cultural depictions of Boris Yeltsin |
Todd R. Moore (born ) is a United States Space Force brigadier general who is the deputy commander of the Space Training and Readiness Command.
Education
Lower Merion High School
1995 Bachelor of Science, Business Administration in Finance and Management, University of Delaware, Newark
2001 Master of Business Administration, University of Colorado, Colorado Springs
2002 Squadron Officer School, Maxwell Air Force Base, Ala.
2007 Strategic Policy Intern, Pentagon, Washington D.C.
2013 Master of Arts, National Security and Strategic Studies, United States Naval War College, Newport, R.I.
Assignments
1. May 1996–February 1997, Student, Undergraduate Space & Missile Training, Vandenberg Air Force Base, Calif.
2. March 1997–June 1999, Satellite Operator & Operations Engineer, 4th Space Operations Squadron, Schriever
AFB, Colo.
3. July 1999–July 2003, Instructor & Deputy Flight Commander, 534th Training Squadron, Vandenberg AFB, Calif.
4. August 2003–May 2005, Air Force Intern, Headquarters U.S. Air Force, Pentagon, Washington D.C.
5. June 2005–June 2007, Flight Commander & Assistant Director of Operations, Data Masked
6. July 2007–June 2008, Executive Officer to the deputy director, National Reconnaissance Office, Chantilly, Va.
7. July 2008–May 2010, Operations Officer, 3rd Space Experimentation Squadron, Schriever AFB, Colo.
8. June 2010–June 2012, Squadron Commander, Space Operations Squadron, Aerospace Data Facility, Buckley
AFB, Colo.
9. July 2012–June 2013, Naval War College, Newport R.I.
10. July 2013–May 2014, Chief, Space Branch, Joint Staff J6, Pentagon, Washington D.C.
11. June 2014–June 2015 Deputy Director, Joint Staff Mitigation Oversight Task Force, Washington D.C.
12. July 2015–July 2017, Commander, Air Force Element, RAF, Menwith Hill, England
13. July 2017–July 2019, Commander, 21st Space Wing, Peterson AFB, Colo.
14. July 2019–June 2020, deputy director, Space Security and Defense Program
15. June 2020–August 2021, Inspector General, Space Operations Command, Peterson SFB
16. August 2021–present, Deputy Commander, Space Training and Readiness Command, Peterson SFB
Personal life
In June 1999, Moore married Kelly Zachocki.
Awards and decorations
Moore is the recipient of the following awards:
Dates of promotion
References
Living people
Year of birth missing (living people)
Place of birth missing (living people)
United States Space Force generals |
The Ivey Purchasing Managers Index (IPMI) is jointly sponsored by the Purchasing Management Association of Canada (PMAC) and the Richard Ivey School of Business. The Ivey Purchasing Managers Index measures month-to-month changes in dollars of purchases as indicated by a panel of purchasing managers from across Canada.
Business indices |
Ivan "Ivo" Brešan (27 May 1936 – 3 January 2017) was a Croatian and Yugoslav playwright, novelist and screenwriter, known for political satire. His work included screenplays written with his son Vinko.
Personal life
Born in Vodice 1936, Brešan attended Antun Vrančić High School in Šibenik. He was married Croatian writer Jelena Godlar, a Jew of Slavonia native. In February 1964, she gave to birth their son Vinko, today a film director. Ivo's wife Jelena died on 20 September 2016. He died after long and severe illness, on 3 January 2017 in Zagreb, aged 80.
Screenplays
1973 – Predstava Hamleta u selu Mrduša Donja
1976 – Izbavitelj
1980 – The Secret of Nikola Tesla
1986 – Obećana zemlja
1989 – Donator
1996 – How the War Started on My Island
2000 – Marshal Tito's Spirit
2004 – Libertas
References
External links
Ivo Brešan at film.hr
1936 births
2017 deaths
Croatian novelists
Croatian male writers
Croatian dramatists and playwrights
Croatian screenwriters
Croatian satirists
Golden Arena winners
Male novelists
Vladimir Nazor Award winners
People from Vodice, Croatia |
Thomas Hales may refer to:
Thomas Hales (c. 1515 – at least 1585), MP for Canterbury
Sir Thomas Hales, 2nd Baronet (1666–1748), British Member of Parliament
Sir Thomas Hales, 3rd Baronet (c. 1695–1762), British Member of Parliament and courtier
Sir Thomas Hales, 4th Baronet (c. 1726–1773), British Member of Parliament
Thomas Hales (dramatist) (c. 1740–1780), Anglo-French dramatist
Thomas Callister Hales (born 1958), American mathematician
Tom Hales (Irish republican) (1892–1966), Irish republican and politician
Tom Hales (jockey) (1847–1901), Australian jockey
See also
Thomas Hale (disambiguation) |
Nuevo Arroyo Hondo is a Sector in the city of Santo Domingo in the Distrito Nacional of the Dominican Republic. This neighborhood is in particular populated by individuals from the middle class.
Sources
Distrito Nacional sectors
Populated places in Santo Domingo |
```java
/*
*
*
* Permission is hereby granted, free of charge, to any person obtaining a copy
* of this software and associated documentation files (the "Software"), to deal
* in the Software without restriction, including without limitation the rights
* to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
* copies of the Software, and to permit persons to whom the Software is
* furnished to do so, subject to the following conditions:
*
* The above copyright notice and this permission notice shall be included in all
* copies or substantial portions of the Software.
*
* THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
* IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
* FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
* AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
* LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
* OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
* SOFTWARE.
*/
package com.taobao.luaview.extend.animation.bouncing_entrances;
import android.animation.AnimatorSet;
import android.animation.ObjectAnimator;
import android.view.View;
import com.taobao.luaview.extend.animation.BaseViewAnimatorDecoration;
public class BounceInRightAnimatorDecoration extends BaseViewAnimatorDecoration {
@Override
protected void prepare(AnimatorSet animatorSet, View target) {
animatorSet.playTogether(
ObjectAnimator.ofFloat(target, "translationX", target.getMeasuredWidth() + target.getWidth(), -30, 10, 0),
ObjectAnimator.ofFloat(target, "alpha", 0, 1, 1, 1)
);
}
}
``` |
Monument is the seventh studio album by German rapper Kollegah, released on 7 December 2018 through his own label Alpha Music Empire. The album is Kollegah's first solo album since 2016's Imperator. The double album also included his tenth mixtape Hoodtape Volume 3.
Background and release
Kollegah released his third collaborative studio album alongside German rapper Farid Bang, Jung Brutal Gutaussehend 3, in December 2017. The album became an immediate success for them, debuting on the pole positions in German-speaking Europe and being certified platinum by the Bundesverband Musikindustrie (BVMI) and gold by the IFPI Austria. Following a controversy about antisemitic lyrics on the bonus EP §185, both rappers released Platin war gestern in August 2018.
Kollegah announced Monument on 1 October 2018. It was released by Alpha Music Empire, Kollegah's record label. On 1 October 2018, the limited box set was made available to pre-order on Amazon for €43.99.
Track listing
Credits adapted from Spotify.
Charts
Weekly charts
Year-end charts
References
2018 albums
Kollegah albums |
Leonard Krumov (Sesto San Giovanni, 1 May 1996) is an Italian rugby union player.
His usual position is as a Lock and he currently plays for Zebre in Pro14.
After playing for Italy Under 20 in 2015 and 2016, in November 2016 and June 2017 Krumov was named in the Emerging Italy squad for the Nations Cup. On the 14 October 2021, he was selected by Alessandro Troncon to be part of an Italy A 28-man squad for the 2021 end-of-year rugby union internationals.
References
External links
It's Rugby France Profile
Profile Player
ESPN Profile
All Rugby Profile
1996 births
Living people
People from Sesto San Giovanni
Italian rugby union players
Rugby union locks
Rugby Viadana players
Zebre Parma players |
Adamów may refer to any of the following villages in Poland:
Adamów, Łęczna County in Lublin Voivodeship (east Poland)
Adamów, Łuków County in Lublin Voivodeship (east Poland)
Adamów, Zamość County in Lublin Voivodeship (east Poland)
Adamów, Chełm County in Lublin Voivodeship (east Poland)
Adamów, Gmina Bełchatów in Łódź Voivodeship (central Poland)
Adamów, Gmina Kleszczów in Łódź Voivodeship (central Poland)
Adamów, Brzeziny County in Łódź Voivodeship (central Poland)
Adamów, Kutno County in Łódź Voivodeship (central Poland)
Adamów, Gmina Opoczno in Łódź Voivodeship (central Poland)
Adamów, Gmina Paradyż in Łódź Voivodeship (central Poland)
Adamów, Gmina Żarnów in Łódź Voivodeship (central Poland)
Adamów, Gmina Łęki Szlacheckie in Łódź Voivodeship (central Poland)
Adamów, Gmina Wolbórz in Łódź Voivodeship (central Poland)
Adamów, Poddębice County in Łódź Voivodeship (central Poland)
Adamów, Radomsko County in Łódź Voivodeship (central Poland)
Adamów, Skierniewice County in Łódź Voivodeship (central Poland)
Adamów, Tomaszów Mazowiecki County in Łódź Voivodeship (central Poland)
Adamów, Końskie County in Świętokrzyskie Voivodeship (south-central Poland)
Adamów, Gmina Opatów in Świętokrzyskie Voivodeship (south-central Poland)
Adamów, Gmina Lipnik in Świętokrzyskie Voivodeship (south-central Poland)
Adamów, Starachowice County in Świętokrzyskie Voivodeship (south-central Poland)
Adamów, Białobrzegi County in Masovian Voivodeship (east-central Poland)
Adamów, Gostynin County in Masovian Voivodeship (east-central Poland)
Adamów, Grodzisk Mazowiecki County in Masovian Voivodeship (east-central Poland)
Adamów, Kozienice County in Masovian Voivodeship (east-central Poland)
Adamów, Lipsko County in Masovian Voivodeship (east-central Poland)
Adamów, Mińsk County in Masovian Voivodeship (east-central Poland)
Adamów, Węgrów County in Masovian Voivodeship (east-central Poland)
Adamów, Żyrardów County in Masovian Voivodeship (east-central Poland)
Adamów, Gmina Golina in Greater Poland Voivodeship (west-central Poland)
Adamów, Gmina Krzymów in Greater Poland Voivodeship (west-central Poland)
Adamów, Gmina Kłomnice in Silesian Voivodeship (south Poland)
Adamów, Gmina Mykanów in Silesian Voivodeship (south Poland)
See also
Gmina Adamów, Łuków County
Gmina Adamów, Zamość County |
The International Museum of Dinnerware Design (IMoDD) is a design museum located in Ann Arbor, Michigan. It was established in 2012 by Margaret Carney. IMoDD is a 501(c)(3) organization that "collects, preserves, and celebrates masterpieces of the tabletop genre created by leading artists and designers worldwide. Through its collections, exhibitions, and educational programming," IMoDD's mission statement says, "it provides a window on the varied cultural and societal attitudes toward food and dining and commemorates the objects that exalt and venerate the dining experience." IMoDD has around 9,000 objects in its permanent collection, consisting of work by contemporary artists as well as the leading designers for industry, with an additional focus on fine art referencing dining.
History
Margaret Carney established the International Museum of Dinnerware Design in Ann Arbor in 2012, based on her love of the work of the leading designers for industry, including that of Eva Zeisel, Glidden Parker, Russel Wright, Ben Seibel, Fong Chow, Viktor and Don Schreckengost, along with functional pottery by contemporary artists. In the late 1990s, after organizing special exhibitions and writing catalogues on the topic of dinnerware, Carney began to explore the idea of creating a unique museum devoted to the celebration of dinnerware. In order to test public interest, she aimed to hold a special exhibition in New York City with Corning Inc. titled "Great Moments in Dinnerware" and/or "You Are What You Eat Off Of" in 2002; unfortunately, the September 11 attacks occurred and Corning closed its exhibition space in Manhattan.
On December 30, 2011, designer Eva Zeisel died, prompting Carney to move forward with her museum plans, as she had shared her dream with Eva, who supported the idea. In 2012, Carney moved to Ann Arbor, filed for incorporation, and applied for 501(c)(3) status.
Because of the cost of commercial space in Ann Arbor, the museum lacks a dedicated exhibition space. As a result, public exhibitions of the museum's collection appear in curated exhibits at other facilities, particularly in Ann Arbor and Ypsilanti. IMoDD's pop-up exhibits typically last from 3 days to 5 months. For example, one of its first exhibits was “Whetting Your Appetite,” held in 2013 at SOFA (Sculpture, Objects, Functional Art + Design) Chicago.
In January 2017, the museum's name was changed from The Dinnerware Museum to The International Museum of Dinnerware Design in order to better reflect the mission of capturing dining history worldwide and celebrating dining memories, with a focus on design as a key element. While there are currently no paid employees at the museum, it has had interns from the University of Michigan's Museum Studies program as well as other volunteers. Carney continues to serve as Director and Chief Curator.
Since its founding, IMoDD has put on biennial national juried, invitational, and historical exhibitions. These exhibitions include "The Art of High Chair Fine Dining" (2014), "Cake" (2016), "Butter" (2019), "Breakfast" (2021), and "Entomophagous Dining" (2023).
Collections
The International Museum of Dinnerware Design "celebrates a significant aspect of our daily lives. The permanent collection features international dinnerware from ancient to futuristic times," and the objects are made of an array of different materials – from ceramic, glass, and metal to plastic, lacquer, fiber, paper, wood, yarn, and more. The collection features historic dinnerware made by the leading designers for industry, including work by Eva Zeisel, Russel Wright, Ben Seibel, Arne Jacobsen, Glidden Parker, Frederick Carder, Frederick Hurten Rhead, Viktor Schreckengost, Don Schreckengost, Michael Lax, A.D. Copier, Fong Chow, and Shinichiro Ogata. The collection also includes masterpieces by hundreds of contemporary artists such as Warren MacKenzie, Marie Woo, Val Cushing, John Neely, Josh DeWeese, Léopold L. Foulem, Ruth Duckworth, Chris Staley, Jeff Oestreich, and Otto and Vivika Heino. Along with contemporary and historic dinnerware, IMoDD collects non-functional fine art that references the dining experience, including art made by Roy Lichtenstein, Sandy Skoglund ("The Cocktail Party"), William Parry ("Knife Fork Spoon" ceramic sculpture), and David Oliviera ("Wire Scribble Sculpture"). IMoDD has over 9,000 objects in its collection.
Exhibitions and educational programming
The International Museum of Dinnerware Design has office and storage facilities in Ann Arbor, but without a dedicated museum building, it has partnered with other local museums, galleries, and libraries on more than twenty exhibitions since its founding in 2012. Three successful exhibitions have been held at SOFA (Sculpture, Objects, Functional Art + Design). Other IMoDD exhibits include:
"Unforgettable Dinnerware" at the Ladies Literary Club, Ypsilanti, MI (2013), an inaugural exhibition.
"Whetting Your Appetite" at SOFA Chicago 2013, Navy Pier, Chicago, IL (2013).
"Three Courses" at the Museum on Main Street, Ann Arbor, MI (2014).
"Coffee," at Zingerman's Coffee Company, Ann Arbor, MI (2015).
"The Art of High Chair Fine Dining" at the Ladies Literary Club, Ypsilanti, MI (2014), a national juried, invitational, and historic exhibition.
"TEA" at Zingerman's Coffee Company and ZingTrain, Ann Arbor, MI (2015).
"Time for Dinner," in collaboration with weaver Mary Underwood at Front Porch Textiles, Ann Arbor, MI (2015).
"Delicious Dishes," at the Riverside Arts Center, Ypsilanti, MI (2015).
"A Place at the Table," at the University of Michigan Health System, Gifts of Art Gallery, Ann Arbor, MI (2015).
"Thirst Quenchers" at the Ann Arbor District Library, Ann Arbor, MI (2016).
"Cake" at the Museum on Main Street, Ann Arbor, MI (2016), a national juried, invitational, and historic exhibition.
"a la carte: from the studio to the table" at Washtenaw Community College, Ann Arbor, MI (2017).
"Dining Mid-Century" at the Stone Chalet, Ann Arbor, MI (2017).
"Barware" at Morgan & York, Ann Arbor, MI (2017).
"Timeless Dinnerware Design" at SOFA Chicago 2017, Navy Pier, Chicago, IL (2017).
"Dining In Dining Out" at the Stone Chalet, Ann Arbor, MI (2018).
"Unapologetic Dinnerware: a brief history of disposable dinnerware" at Concordia University, Ann Arbor, MI (2018).
"Tabletop Stories," presented by IMoDD and the Ann Arbor District Library, at the Ann Arbor District Library, Ann Arbor, MI (2019).
"Butter" at the Museum on Main Street, Ann Arbor, MI (2019), a national juried, invitational, and historic exhibition.
"Dinnerware + Design + Decoration" at SOFA Chicago 2019, Navy Pier, Chicago, IL (2019).
"Sculptural Dinnerware" at the Gifts of Art Gallery, Michigan Medicine, University of Michigan, Ann Arbor, MI (2020).
During the COVID-19 pandemic, IMoDD exhibited "Delicious Dish Distractions," pairing items of its collection with various food items, including pasta, a burger with fries, and grilled cheese. This online exhibit was posted to Facebook, Instagram, and IMoDD's website (2020).
"One Table Oodles of Dishes" an interactive virtual exhibition (2021).
"Breakfast" at the Museum on Main Street, Ann Arbor, MI (2021), a national juried, invitational, and historic exhibition.
"Colorful California Dinnerware" at the Gifts of Art Gallery, Michigan Medicine, University of Michigan, Ann Arbor, MI (2021).
"Holiday Dining" a virtual exhibition, installed just long enough to be photographed (2021).
"Wedding China" a virtual exhibition consisting of some of the IMoDD collection as well as photos sent in by IMoDD's friends and supporters.
"A Perfect Pairing of Cookbooks and Dinenrware," a collaboration between Director Margaret Carney and Curator Juli McLoon, at Hatcher Library, University of Michigan, Ann Arbor, MI (2022).
"Travel Dining" at Gifts of Art Gallery, Michigan Medicine, University of Michigan, Ann Arbor, MI (2022).
"Dish Night at the Movies" at the Michigan Theater, Ann Arbor, MI (2023).
"Dining on Modernism" a special exhibition at the Palm Springs Modernism Show (Modernism Week), Palm Springs, CA (2023).
"Entomophagous Dining" at the Museum on Main Street, Ann Arbor, MI (2023), a national juried, invitational, and historic exhibition.
The museum hosts educational programming to accompany its exhibits, including public lectures hosted by SOFA Chicago in 2012 and 2013, NCECA (National Council on Education for the Ceramic Arts) in 2013 and 2016, the Wedgwood Society of Washington, D.C., the Haviland International Foundation, the Washtenaw County Historical Society, the Culinary Historians of Ann Arbor, the Ann Arbor District Library, University of Michigan Retirees, the Culinary Historians of Chicago, the Hall China Convention, and other specialized groups. Tours have been provided during nearly all of the public exhibitions, along with occasional behind-the-scenes tours of office and storage facilities.
Recently, the International Museum of Dinnerware Design has teamed up with the Ann Arbor District Library to present "Unforgettable Dinnerware," an educational, virtual series of lectures from special guests. Events cover a wide variety of topics:
"Unforgettable Dinnerware: a Behind-the-Scenes Tour of the International Museum of Dinnerware Design" presented by Dr. Margaret Carney (March 2022).
"Eva Zeisel: an Unforgettable Designer, an Unforgettable Life" presented by Jean Richards, Eva Zeisel's daughter, and Scott Vermillion (April 2022).
"The Unforgettable Dinnerware of Julia Galloway, with a Focus on Her Endangered Species Series" presented by Julia Galloway (May 2022).
"Unforgettable Dinnerware: Setting the Standard for Setting the Table: Modern Women Textile Designers" presented by Lindsay Prachet and Gregory Spinner (June 2022).
"American Mid-Century Modern Dinnerware with Michael E. Pratt" presented by Michael Pratt (September 2022).
"Plastic Dishes on the Table: America’s Love Affair with Melamine in the Mid-20th Century" presented by Dr. Margaret Carney (October 2022).
"A Place at the Table: Heath Ceramics and the Legacy of Edith Heath" presented by Julie Muñiz (November 2022).
"Unforgettable Dinnerware: Saenger Porcelain" presented by Peter Saenger (December 2022).
"How “Dish Night” at the Movies Giveaways Saved Hollywood" presented by Kathy Fuller-Seeley (January 2023).
"Contemporary Black American Ceramic Artists" presented by donald a clark and Chotsani Elaine Dean (February 2023).
"Degenerate Dinnerware: Shape and Decoration" presented by Rolf Achilles (March 2023).
"Insect Foods: Back to the Future?" presented by Gina Hunter, Ph.D. (April 2023).
"A Dinnerware Collector's Journey" presented by Scott Vermillion (May 2023).
Newsletter
Since 2015, the International Museum of Dinnerware Design has published an annual membership newsletter, MENU, which details the exhibitions, recent acquisitions, and educational programs IMoDD put on that year. As of 2022, IMoDD had published seven iterations of the newsletter.
References
2012 establishments in Michigan
Museums established in 2012
Museums in Ann Arbor, Michigan
Ceramics museums in the United States
Tableware |
Basterotiidae is a family of bivalves belonging to the order Galeommatida.
Genera:
Anisodonta Deshayes, 1857
Anisodonta alata (Powell, 1952)
Anisodonta alata trigonia (Powell, 1952)
Anisodonta pseudoscintilla Ponder, 1971
Anisodonta carolina Dall, 1900
Atopomya Oliver, 2013
Basterotia Hörnes, 1859
Basterotina Coan, 1999
Ensitellops Olsson & Harbison, 1953
Ensitellops pilsbryi (Dall, 1899)
Ensitellops protexta (Conrad, 1841)
Ensitellops tabula Olsson and Harbison, 1953
Fulcrella Cossmann, 1886
Isoconcha Dautzenberg & Fischer, 1911
Paramya Conrad, 1860
Physoida Pallary, 1900
Saxicavella Fischer, 1878
References
Bivalves
Bivalve families |
```c++
//===-- PdbSymUid.cpp -----------------------------------------------------===//
//
// See path_to_url for license information.
//
//===your_sha256_hash------===//
#include "PdbSymUid.h"
using namespace lldb_private;
using namespace lldb_private::npdb;
using namespace llvm::codeview;
namespace {
struct GenericIdRepr {
uint64_t tag : 4;
uint64_t data : 60;
};
struct CompilandIdRepr {
uint64_t tag : 4;
uint64_t modi : 16;
uint64_t unused : 44;
};
struct CompilandSymIdRepr {
uint64_t tag : 4;
uint64_t modi : 16;
uint64_t offset : 32;
uint64_t unused : 12;
};
struct GlobalSymIdRepr {
uint64_t tag : 4;
uint64_t offset : 32;
uint64_t pub : 1;
uint64_t unused : 27;
};
struct TypeSymIdRepr {
uint64_t tag : 4;
uint64_t index : 32;
uint64_t ipi : 1;
uint64_t unused : 27;
};
struct FieldListMemberIdRepr {
uint64_t tag : 4;
uint64_t index : 32;
uint64_t offset : 16;
uint64_t unused : 12;
};
static_assert(sizeof(CompilandIdRepr) == 8, "Invalid structure size!");
static_assert(sizeof(CompilandSymIdRepr) == 8, "Invalid structure size!");
static_assert(sizeof(GlobalSymIdRepr) == 8, "Invalid structure size!");
static_assert(sizeof(TypeSymIdRepr) == 8, "Invalid structure size!");
static_assert(sizeof(FieldListMemberIdRepr) == 8, "Invalid structure size!");
} // namespace
template <typename OutT, typename InT> static OutT repr_cast(const InT &value) {
OutT result;
::memcpy(&result, &value, sizeof(value));
return result;
}
PdbSymUid::PdbSymUid(const PdbCompilandId &cid) {
CompilandIdRepr repr;
::memset(&repr, 0, sizeof(repr));
repr.modi = cid.modi;
repr.tag = static_cast<uint64_t>(PdbSymUidKind::Compiland);
m_repr = repr_cast<uint64_t>(repr);
}
PdbSymUid::PdbSymUid(const PdbCompilandSymId &csid) {
CompilandSymIdRepr repr;
::memset(&repr, 0, sizeof(repr));
repr.modi = csid.modi;
repr.offset = csid.offset;
repr.tag = static_cast<uint64_t>(PdbSymUidKind::CompilandSym);
m_repr = repr_cast<uint64_t>(repr);
}
PdbSymUid::PdbSymUid(const PdbGlobalSymId &gsid) {
GlobalSymIdRepr repr;
::memset(&repr, 0, sizeof(repr));
repr.pub = gsid.is_public;
repr.offset = gsid.offset;
repr.tag = static_cast<uint64_t>(PdbSymUidKind::GlobalSym);
m_repr = repr_cast<uint64_t>(repr);
}
PdbSymUid::PdbSymUid(const PdbTypeSymId &tsid) {
TypeSymIdRepr repr;
::memset(&repr, 0, sizeof(repr));
repr.index = tsid.index.getIndex();
repr.ipi = tsid.is_ipi;
repr.tag = static_cast<uint64_t>(PdbSymUidKind::Type);
m_repr = repr_cast<uint64_t>(repr);
}
PdbSymUid::PdbSymUid(const PdbFieldListMemberId &flmid) {
FieldListMemberIdRepr repr;
::memset(&repr, 0, sizeof(repr));
repr.index = flmid.index.getIndex();
repr.offset = flmid.offset;
repr.tag = static_cast<uint64_t>(PdbSymUidKind::FieldListMember);
m_repr = repr_cast<uint64_t>(repr);
}
PdbSymUidKind PdbSymUid::kind() const {
GenericIdRepr generic = repr_cast<GenericIdRepr>(m_repr);
return static_cast<PdbSymUidKind>(generic.tag);
}
PdbCompilandId PdbSymUid::asCompiland() const {
assert(kind() == PdbSymUidKind::Compiland);
auto repr = repr_cast<CompilandIdRepr>(m_repr);
PdbCompilandId result;
result.modi = repr.modi;
return result;
}
PdbCompilandSymId PdbSymUid::asCompilandSym() const {
assert(kind() == PdbSymUidKind::CompilandSym);
auto repr = repr_cast<CompilandSymIdRepr>(m_repr);
PdbCompilandSymId result;
result.modi = repr.modi;
result.offset = repr.offset;
return result;
}
PdbGlobalSymId PdbSymUid::asGlobalSym() const {
assert(kind() == PdbSymUidKind::GlobalSym ||
kind() == PdbSymUidKind::PublicSym);
auto repr = repr_cast<GlobalSymIdRepr>(m_repr);
PdbGlobalSymId result;
result.is_public = repr.pub;
result.offset = repr.offset;
return result;
}
PdbTypeSymId PdbSymUid::asTypeSym() const {
assert(kind() == PdbSymUidKind::Type);
auto repr = repr_cast<TypeSymIdRepr>(m_repr);
PdbTypeSymId result;
result.index.setIndex(repr.index);
result.is_ipi = repr.ipi;
return result;
}
PdbFieldListMemberId PdbSymUid::asFieldListMember() const {
assert(kind() == PdbSymUidKind::FieldListMember);
auto repr = repr_cast<FieldListMemberIdRepr>(m_repr);
PdbFieldListMemberId result;
result.index.setIndex(repr.index);
result.offset = repr.offset;
return result;
}
``` |
"Go Back" is a song by German recording artist Jeanette. It was written by Frank Johnes, Tom Remm, and Kristina "Wonderbra" Bach and produced by Cobra for her debut studio album Enjoy! (2000). Released as the album's first single and Jeanette's English language singing debut, it became a top ten hit in Germany, peaking at number eight, and was eventually certified gold by the Bundesverband Musikindustrie (BVMI). Internationally, "Go Back" reached the top twenty of the Swiss Singles Chart.
Formats and track listings
Charts
Weekly charts
Year-end charts
Certifications and sales
References
2000 songs
Jeanette Biedermann songs
Universal Music Group singles
Songs written by Kristina Bach
2000 debut singles |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.