in_source_id stringlengths 13 58 | issue stringlengths 3 241k | before_files listlengths 0 3 | after_files listlengths 0 3 | pr_diff stringlengths 109 107M ⌀ |
|---|---|---|---|---|
chainer__chainer-764 | cuda.cupy.clip errors
If I runt he code
`cuda.cupy.clip(cuda.cupy.arange(10), 2, 7)`
I get the following error
```
---------------------------------------------------------------------------
TypeError Traceback (most recent call last)
<ipython-input-7-e529e5fea46e> in <module>()
----> 1 cuda.cupy.clip(cuda.cupy.arange(10), 2, 7)
/usr/local/lib/python2.7/dist-packages/cupy/math/misc.pyc in clip(a, a_min, a_max, out)
24 '''
25 # TODO(okuta): check type
---> 26 return a(a_min, a_max, out=out)
27
28
TypeError: 'cupy.core.core.ndarray' object is not callable
```
Expected output via numpy code `np.clip(np.arange(10), 2, 7)` is `array([2, 2, 2, 3, 4, 5, 6, 7, 7, 7])`
| [
{
"content": "from cupy import core\n\n\n# TODO(okuta): Implement convolve\n\n\ndef clip(a, a_min, a_max, out=None):\n '''Clips the values of an array to a given interval.\n\n This is equivalent to ``maximum(minimum(a, a_max), a_min)``, while this\n function is more efficient.\n\n Args:\n a (... | [
{
"content": "from cupy import core\n\n\n# TODO(okuta): Implement convolve\n\n\ndef clip(a, a_min, a_max, out=None):\n '''Clips the values of an array to a given interval.\n\n This is equivalent to ``maximum(minimum(a, a_max), a_min)``, while this\n function is more efficient.\n\n Args:\n a (... | diff --git a/cupy/math/misc.py b/cupy/math/misc.py
index 434da3ce9c3b..01697aee8c0b 100644
--- a/cupy/math/misc.py
+++ b/cupy/math/misc.py
@@ -23,7 +23,7 @@ def clip(a, a_min, a_max, out=None):
'''
# TODO(okuta): check type
- return a(a_min, a_max, out=out)
+ return a.clip(a_min, a_max, out=out)
sqrt = core.create_ufunc(
diff --git a/tests/cupy_tests/math_tests/test_misc.py b/tests/cupy_tests/math_tests/test_misc.py
index 65396d8166c5..2a6a90409cb7 100644
--- a/tests/cupy_tests/math_tests/test_misc.py
+++ b/tests/cupy_tests/math_tests/test_misc.py
@@ -50,6 +50,12 @@ def test_clip1(self, xp, dtype):
a = testing.shaped_arange((2, 3, 4), xp, dtype)
return a.clip(3, 13)
+ @testing.for_all_dtypes()
+ @testing.numpy_cupy_array_equal()
+ def test_clip_func(self, xp, dtype):
+ a = testing.shaped_arange((2, 3, 4), xp, dtype)
+ return xp.clip(a, 3, 13)
+
@testing.for_all_dtypes()
@testing.numpy_cupy_array_equal()
def test_clip2(self, xp, dtype):
|
dask__dask-6299 | importing fails when calling python -OO
This was discovered by `xarray`'s `upstream-dev` CI ([environment](https://dev.azure.com/xarray/xarray/_build/results?buildId=2996&view=logs&j=2280efed-fda1-53bd-9213-1fa8ec9b4fa8&t=031ddd67-e55f-5fbd-2283-1ff4dfed6587)) a few days ago, but we were a bit slow in reporting so this also happens with the newly released `2.18.0`.
The problem is this:
```
$ python -OO -c 'import dask.array'
Traceback (most recent call last):
File "<string>", line 1, in <module>
File ".../lib/python3.8/site-packages/dask/array/__init__.py", line 26, in <module>
from .routines import (
File ".../lib/python3.8/site-packages/dask/array/routines.py", line 18, in <module>
from .creation import arange, diag, empty, indices
File ".../lib/python3.8/site-packages/dask/array/creation.py", line 26, in <module>
from .wrap import empty, ones, zeros, full
File ".../lib/python3.8/site-packages/dask/array/wrap.py", line 173, in <module>
full.__name__ = _full.__name__
AttributeError: 'functools.partial' object has no attribute '__name__'
```
without the optimization, the import obviously works.
See also pydata/xarray#4124
| [
{
"content": "from functools import partial\nfrom itertools import product\n\nimport numpy as np\n\nfrom tlz import curry\n\nfrom ..base import tokenize\nfrom ..utils import funcname\nfrom .core import Array, normalize_chunks\nfrom .utils import meta_from_array\n\n\ndef _parse_wrap_args(func, args, kwargs, shap... | [
{
"content": "from functools import partial\nfrom itertools import product\n\nimport numpy as np\n\nfrom tlz import curry\n\nfrom ..base import tokenize\nfrom ..utils import funcname\nfrom .core import Array, normalize_chunks\nfrom .utils import meta_from_array\n\n\ndef _parse_wrap_args(func, args, kwargs, shap... | diff --git a/dask/array/wrap.py b/dask/array/wrap.py
index af3d1487f1a..7d06ce01c1b 100644
--- a/dask/array/wrap.py
+++ b/dask/array/wrap.py
@@ -170,6 +170,4 @@ def full_like(a, fill_value, *args, **kwargs):
full.__doc__ = _full.__doc__
-full.__name__ = _full.__name__
full_like.__doc__ = _full_like.__doc__
-full_like.__name__ = _full_like.__name__
|
unionai-oss__pandera-1419 | Date type not exported
**Describe the bug**
In the `__all__` list [here](https://github.com/unionai-oss/pandera/blob/37c24d94ae719dcf4cdc36d1f204478539fce74a/pandera/__init__.py#L104-L106), the type `Date` is missing, causing complaints from mypy if you refer to the type as `pa.Date` -- you have to fully qualify it as `pa.typing.common.Date`.
- [x] I have checked that this issue has not already been reported.
- [x] I have confirmed this bug exists on the latest version of pandera.
- [x] (optional) I have confirmed this bug exists on the master branch of pandera.
**Note**: Please read [this guide](https://matthewrocklin.com/blog/work/2018/02/28/minimal-bug-reports) detailing how to provide the necessary information for us to reproduce your bug.
#### Code Sample, a copy-pastable example
```python
import pandera as pa
# Mypy errors [name-defined]
class ErrorSchema(pa.DataFrameModel):
date_col: pa.Date
# Mypy is happy
class NoErrorSchema(pa.DataFrameModel):
date_col: pa.typing.common.Date
```
#### Expected behavior
No errors from mypy in both cases
#### Desktop (please complete the following information):
- OS: [Manjaro Linux kernel 6.1.60 - 1]
- Browser [Firefox 119.0]
- Version [pandera 0.17.2]
| [
{
"content": "\"\"\"A flexible and expressive pandas validation library.\"\"\"\nimport platform\n\nimport pandera.backends\nfrom pandera import errors, external_config, typing\nfrom pandera.accessors import pandas_accessor\nfrom pandera.api import extensions\nfrom pandera.api.checks import Check\nfrom pandera.a... | [
{
"content": "\"\"\"A flexible and expressive pandas validation library.\"\"\"\nimport platform\n\nimport pandera.backends\nfrom pandera import errors, external_config, typing\nfrom pandera.accessors import pandas_accessor\nfrom pandera.api import extensions\nfrom pandera.api.checks import Check\nfrom pandera.a... | diff --git a/pandera/__init__.py b/pandera/__init__.py
index 1ebee0126..ecbc07a7c 100644
--- a/pandera/__init__.py
+++ b/pandera/__init__.py
@@ -101,6 +101,7 @@
"Complex64",
"Complex128",
"Complex256",
+ "Date",
"DataType",
"DateTime",
"Float",
|
pyodide__pyodide-2939 | Add lzma
As mentioned by @hoodmane in https://github.com/pyodide/pyodide/discussions/2930#discussioncomment-3316181
> Is there an issue open about lzma? What is our position on it again? That we want it but there is no emscripten port and we haven't gotten to it?
I think the main concern was the size increase for everyone vs few people actually needing it. Depending on the size maybe we could make it an unvendored stdlib package (or include by default if the size is negligible).
| [
{
"content": "import contextlib\nimport functools\nimport os\nimport subprocess\nimport sys\nfrom collections.abc import Generator, Iterable, Iterator, Mapping\nfrom pathlib import Path\n\nimport tomli\nfrom packaging.tags import Tag, compatible_tags, cpython_tags\nfrom packaging.utils import parse_wheel_filena... | [
{
"content": "import contextlib\nimport functools\nimport os\nimport subprocess\nimport sys\nfrom collections.abc import Generator, Iterable, Iterator, Mapping\nfrom pathlib import Path\n\nimport tomli\nfrom packaging.tags import Tag, compatible_tags, cpython_tags\nfrom packaging.utils import parse_wheel_filena... | diff --git a/Makefile.envs b/Makefile.envs
index 207c7ecdcb5..d53d266ef91 100644
--- a/Makefile.envs
+++ b/Makefile.envs
@@ -145,7 +145,7 @@ export MAIN_MODULE_CFLAGS= $(CFLAGS_BASE) \
-I$(PYTHONINCLUDE) \
-s EXCEPTION_CATCHING_ALLOWED=['we only want to allow exception handling in side modules']
-export STDLIB_MODULE_CFLAGS= $(SIDE_MODULE_CFLAGS) -I Include/ -I .
+export STDLIB_MODULE_CFLAGS= $(SIDE_MODULE_CFLAGS) -I Include/ -I . -I Include/internal/
# For RUST
export CARGO_HOME ?= $(HOME)/.cargo
diff --git a/docs/project/changelog.md b/docs/project/changelog.md
index 436c35dd548..985fd82f212 100644
--- a/docs/project/changelog.md
+++ b/docs/project/changelog.md
@@ -12,6 +12,10 @@ substitutions:
# Change Log
+## Unreleased
+
+- New packages: the standard library lzma module {pr}`2939`
+
## Version 0.21.0
_August 9, 2022_
diff --git a/packages/liblzma/meta.yaml b/packages/liblzma/meta.yaml
new file mode 100644
index 00000000000..a3d8bf53f81
--- /dev/null
+++ b/packages/liblzma/meta.yaml
@@ -0,0 +1,25 @@
+package:
+ name: liblzma
+ version: 5.2.2
+
+source:
+ url: https://github.com/xz-mirror/xz/releases/download/v5.2.2/xz-5.2.2.tar.gz
+ sha256: 73df4d5d34f0468bd57d09f2d8af363e95ed6cc3a4a86129d2f2c366259902a2
+
+build:
+ library: true
+ script: |
+ emconfigure ./configure \
+ CFLAGS="-fPIC" \
+ --disable-xz \
+ --disable-xzdec \
+ --disable-lzmadec \
+ --disable-lzmainfo \
+ --disable-lzma-links \
+ --disable-scripts \
+ --disable-doc \
+ --enable-shared=no \
+ --prefix=${WASM_LIBRARY_DIR}
+
+ emmake make -j ${PYODIDE_JOBS:-3}
+ emmake make install
diff --git a/packages/lzma/empty/.keep b/packages/lzma/empty/.keep
new file mode 100644
index 00000000000..e69de29bb2d
diff --git a/packages/lzma/meta.yaml b/packages/lzma/meta.yaml
new file mode 100644
index 00000000000..507bcafca3c
--- /dev/null
+++ b/packages/lzma/meta.yaml
@@ -0,0 +1,23 @@
+package:
+ name: lzma
+ version: 1.0.0 # Nonesense
+ _cpython_dynlib: true
+source:
+ path: empty
+build:
+ sharedlibrary: true
+ script: |
+ mkdir dist
+ export DISTDIR=$(pwd)/dist
+ cd $CPYTHONBUILD
+ emcc $STDLIB_MODULE_CFLAGS -c Modules/_lzmamodule.c -o Modules/_lzmamodule.o \
+ $(pkg-config --cflags --dont-define-prefix liblzma)
+
+ emcc Modules/_lzmamodule.o -o $DISTDIR/_lzma.so $SIDE_MODULE_LDFLAGS \
+ $(pkg-config --libs --dont-define-prefix liblzma)
+requirements:
+ run:
+ - liblzma
+test:
+ imports:
+ - lzma
diff --git a/packages/lzma/test_lzma.py b/packages/lzma/test_lzma.py
new file mode 100644
index 00000000000..937af92873f
--- /dev/null
+++ b/packages/lzma/test_lzma.py
@@ -0,0 +1,17 @@
+from pytest_pyodide import run_in_pyodide
+
+
+@run_in_pyodide(packages=["test", "lzma"], pytest_assert_rewrites=False)
+def test_lzma(selenium):
+ # TODO: libregrtest.main(["test_lzma"]) doesn't collect any tests for some unknown reason.
+
+ import test.test_lzma
+ import unittest
+
+ suite = unittest.TestSuite(
+ [unittest.TestLoader().loadTestsFromModule(test.test_lzma)]
+ )
+
+ runner = unittest.TextTestRunner(verbosity=2)
+ result = runner.run(suite)
+ assert result.wasSuccessful()
diff --git a/pyodide-build/pyodide_build/common.py b/pyodide-build/pyodide_build/common.py
index 9ad476f243b..13f1acdef7d 100644
--- a/pyodide-build/pyodide_build/common.py
+++ b/pyodide-build/pyodide_build/common.py
@@ -80,6 +80,7 @@ def find_matching_wheels(wheel_paths: Iterable[Path]) -> Iterator[Path]:
"sharedlib-test-py",
"cpp-exceptions-test",
"ssl",
+ "lzma",
"pytest",
"tblib",
}
|
wemake-services__wemake-python-styleguide-776 | Add `reveal_type` to forbidden functions
Now it is not recognised as invalid.
However, there's no reason to use it in production.
| [
{
"content": "# -*- coding: utf-8 -*-\n\n\"\"\"\nThis module contains list of white- and black-listed ``python`` members.\n\nIt contains lists of keywords and built-in functions we discourage to use.\nIt also contains some exceptions that we allow to use in our codebase.\n\"\"\"\n\nimport re\n\nfrom typing_exte... | [
{
"content": "# -*- coding: utf-8 -*-\n\n\"\"\"\nThis module contains list of white- and black-listed ``python`` members.\n\nIt contains lists of keywords and built-in functions we discourage to use.\nIt also contains some exceptions that we allow to use in our codebase.\n\"\"\"\n\nimport re\n\nfrom typing_exte... | diff --git a/wemake_python_styleguide/constants.py b/wemake_python_styleguide/constants.py
index 5db381af4..0ce2b4050 100644
--- a/wemake_python_styleguide/constants.py
+++ b/wemake_python_styleguide/constants.py
@@ -46,6 +46,9 @@
# OOP:
'staticmethod',
+
+ # Mypy:
+ 'reveal_type',
))
#: List of module metadata we forbid to use.
|
e2nIEE__pandapower-2242 | connected_components documentation error
### Feature Checklist
- [X] Searched the [issues page](https://github.com/e2nIEE/pandapower/issues) for similar reports
- [X] Read the relevant sections of the [documentation](https://pandapower.readthedocs.io/en/latest/about.html)
- [ ] Browse the [tutorials](https://github.com/e2nIEE/pandapower/tree/develop/tutorials) and [tests](https://github.com/e2nIEE/pandapower/tree/develop/pandapower/test) for usefull code snippets and examples of use
### Issue
Error in the Docs of `pandapower.topology.connected_components(mg, notravbuses={})`
The examples states:
```python
import pandapower.topology as top
mg = top.create_nxgraph(net)
cc = top.connected_components(net, 5)
```
but it should be
```python
import pandapower.topology as top
mg = top.create_nxgraph(net)
cc = top.connected_components(mg, 5)
```
note the `net` in the last line. connected components takes a graph not a pandapowerNet.
### Label
- [ ] Relevant labels are selected
| [
{
"content": "# -*- coding: utf-8 -*-\n\n# Copyright (c) 2016-2023 by University of Kassel and Fraunhofer Institute for Energy Economics\n# and Energy System Technology (IEE), Kassel. All rights reserved.\n\n\nimport networkx as nx\nimport pandas as pd\nfrom collections import deque\nfrom itertools import combi... | [
{
"content": "# -*- coding: utf-8 -*-\n\n# Copyright (c) 2016-2023 by University of Kassel and Fraunhofer Institute for Energy Economics\n# and Energy System Technology (IEE), Kassel. All rights reserved.\n\n\nimport networkx as nx\nimport pandas as pd\nfrom collections import deque\nfrom itertools import combi... | diff --git a/pandapower/topology/graph_searches.py b/pandapower/topology/graph_searches.py
index d3adeffab..2490646c9 100644
--- a/pandapower/topology/graph_searches.py
+++ b/pandapower/topology/graph_searches.py
@@ -70,7 +70,7 @@ def connected_components(mg, notravbuses=set()):
mg = top.create_nxgraph(net)
- cc = top.connected_components(net, 5)
+ cc = top.connected_components(mg, 5)
"""
|
pyqtgraph__pyqtgraph-868 | Crash on closing Matplotlib export
E.g. when opening the Matplotlib exporter multiple times, and closing the windows again, Python crashes with a segmentation fault.
This is caused by the Matplotlib QMainWindow listening to the closeEvent and deleting the only reference of the window before it is closed properly.
| [
{
"content": "from ..Qt import QtGui, QtCore\nfrom .Exporter import Exporter\nfrom .. import PlotItem\nfrom .. import functions as fn\n\n__all__ = ['MatplotlibExporter']\n\n\"\"\"\nIt is helpful when using the matplotlib Exporter if your\n.matplotlib/matplotlibrc file is configured appropriately.\nThe following... | [
{
"content": "from ..Qt import QtGui, QtCore\nfrom .Exporter import Exporter\nfrom .. import PlotItem\nfrom .. import functions as fn\n\n__all__ = ['MatplotlibExporter']\n\n\"\"\"\nIt is helpful when using the matplotlib Exporter if your\n.matplotlib/matplotlibrc file is configured appropriately.\nThe following... | diff --git a/pyqtgraph/exporters/Matplotlib.py b/pyqtgraph/exporters/Matplotlib.py
index 2da979b118..dedc2b8741 100644
--- a/pyqtgraph/exporters/Matplotlib.py
+++ b/pyqtgraph/exporters/Matplotlib.py
@@ -124,5 +124,4 @@ def __getattr__(self, attr):
def closeEvent(self, ev):
MatplotlibExporter.windows.remove(self)
-
-
+ self.deleteLater()
|
nautobot__nautobot-987 | FileVar job variable causes Server Error
<!--
NOTE: IF YOUR ISSUE DOES NOT FOLLOW THIS TEMPLATE, IT WILL BE CLOSED.
This form is only for reporting reproducible bugs. If you need assistance
with Nautobot installation, or if you have a general question, please start a
discussion instead: https://github.com/nautobot/nautobot/discussions
Please describe the environment in which you are running Nautobot. Be sure
that you are running an unmodified instance of the latest stable release
before submitting a bug report, and that any plugins have been disabled.
-->
### Environment
* Python version: 3.8.12
* Nautobot version: 1.1.3
<!--
Describe in detail the exact steps that someone else can take to reproduce
this bug using the current stable release of Nautobot. Begin with the
creation of any necessary database objects and call out every operation
being performed explicitly. If reporting a bug in the REST API, be sure to
reconstruct the raw HTTP request(s) being made: Don't rely on a client
library such as pynautobot.
-->
### Steps to Reproduce
1. Create a custom `MyCustomJob` job script which has a `nautobot.extras.jobs.FileVar` variable.
2. Navigate to **Extensibility - Jobs - MyCustomJob**
3.
<!-- What did you expect to happen? -->
### Expected Behavior
Job Data table including a file input form field to select a file as input for the script.
<!-- What happened instead? -->
### Observed Behavior

### Workaround
```
# nautobot_config.py
EXTRA_INSTALLED_APPS = ["db_file_storage"]
```
| [
{
"content": "import os\nimport platform\n\nfrom django.contrib.messages import constants as messages\n\nfrom nautobot import __version__\nfrom nautobot.core.settings_funcs import is_truthy, parse_redis_connection\n\n#\n# Environment setup\n#\n\n# This is used for display in the UI.\nVERSION = __version__\n\n# ... | [
{
"content": "import os\nimport platform\n\nfrom django.contrib.messages import constants as messages\n\nfrom nautobot import __version__\nfrom nautobot.core.settings_funcs import is_truthy, parse_redis_connection\n\n#\n# Environment setup\n#\n\n# This is used for display in the UI.\nVERSION = __version__\n\n# ... | diff --git a/nautobot/core/settings.py b/nautobot/core/settings.py
index 5a8f0fd8de5..6cf4e63b811 100644
--- a/nautobot/core/settings.py
+++ b/nautobot/core/settings.py
@@ -304,6 +304,7 @@
"health_check",
"health_check.cache",
"health_check.storage",
+ "db_file_storage",
]
# Middleware
diff --git a/nautobot/extras/tests/dummy_jobs/test_field_order.py b/nautobot/extras/tests/dummy_jobs/test_field_order.py
index a9a71592df7..389ef290c1a 100644
--- a/nautobot/extras/tests/dummy_jobs/test_field_order.py
+++ b/nautobot/extras/tests/dummy_jobs/test_field_order.py
@@ -1,4 +1,4 @@
-from nautobot.extras.jobs import Job, StringVar
+from nautobot.extras.jobs import Job, FileVar, StringVar
class TestFieldOrder(Job):
@@ -8,7 +8,9 @@ class TestFieldOrder(Job):
var2 = StringVar(description="Hello")
+ var1 = FileVar(description="Some file wants to be first")
+
class Meta:
"""Metaclass attrs."""
- field_order = ["var2", "var23"]
+ field_order = ["var1", "var2", "var23"]
diff --git a/nautobot/extras/tests/test_jobs.py b/nautobot/extras/tests/test_jobs.py
index 66923d1bed4..e928082ffb7 100644
--- a/nautobot/extras/tests/test_jobs.py
+++ b/nautobot/extras/tests/test_jobs.py
@@ -83,7 +83,10 @@ def test_field_order(self):
self.assertHTMLEqual(
form.as_table(),
- """<tr><th><label for="id_var2">Var2:</label></th><td>
+ """<tr><th><label for="id_var1">Var1:</label></th><td>
+<input class="form-control form-control" id="id_var1" name="var1" placeholder="None" required type="file">
+<br><span class="helptext">Some file wants to be first</span></td></tr>
+<tr><th><label for="id_var2">Var2:</label></th><td>
<input class="form-control form-control" id="id_var2" name="var2" placeholder="None" required type="text">
<br><span class="helptext">Hello</span></td></tr>
<tr><th><label for="id_var23">Var23:</label></th><td>
|
CTFd__CTFd-863 | get_config return default
get_config(key) should probably be get_config(key, default=None). This helps in some ideas where you want to do different behavior if get_config returns None.
| [
{
"content": "import sys\nimport os\n\nfrom distutils.version import StrictVersion\nfrom flask import Flask, Request\nfrom werkzeug.utils import cached_property\nfrom werkzeug.contrib.fixers import ProxyFix\nfrom jinja2 import FileSystemLoader\nfrom jinja2.sandbox import SandboxedEnvironment\nfrom six.moves imp... | [
{
"content": "import sys\nimport os\n\nfrom distutils.version import StrictVersion\nfrom flask import Flask, Request\nfrom werkzeug.utils import cached_property\nfrom werkzeug.contrib.fixers import ProxyFix\nfrom jinja2 import FileSystemLoader\nfrom jinja2.sandbox import SandboxedEnvironment\nfrom six.moves imp... | diff --git a/CHANGELOG.md b/CHANGELOG.md
index 5f8fc51fb..b9edd2324 100644
--- a/CHANGELOG.md
+++ b/CHANGELOG.md
@@ -1,3 +1,31 @@
+2.0.4 / 2019-01-30
+==================
+
+**General**
+* Block user & team name changes if name changes are disabled (Closes #835)
+* Set accounts to unconfirmed if email is changed while `verify_emails` is enabled
+* Only allow users to change their email to emails with domains in the whitelist.
+* Add `email.check_email_is_whitelisted()` to verify that a user's email is whitelisted.
+* Create a `get_config` wrapper around the internal `_get_config` to let us set a default config value (Closes #659)
+* Remove `utils.get_app_config()` from memoization and also give it a `default` parameter
+* Move `utils.logging.init_logs()` into `utils.initialization` and properly call `init_logs()` to save logs to the logs folder
+* Block the creation of users/teams from MLC if registration_visibility is private
+* Fix showing incorrect 'CTF has ended' error if `view_after_ctf` is set.
+* Fix creating users from the admin panel while name changes are disabled.
+
+**API**
+* `/api/v1/teams/<team_id>` now coerced to an int (i.e. `/api/v1/teams/<int:team_id>`)
+
+**Deployment**
+* Re-add the `LOG_FOLDER` envvar to docker-compose so we don't try to write to the read-only host
+* Stop gunicorn from logging to `LOG_FOLDER` in docker without explicit opt-in
+* Add `ACCESS_LOG` and `ERROR_LOG` envvars to docker to specify where gunicorn will log to
+* Allow `DATABASE_URL` to contain custom MySQL ports for `docker-entrypoint.sh`
+* Drop `WORKERS` count to 1 to avoid dealing with Flask-SocketIO sticky sessions'
+* Install `gevent-websocket` and use it by default until we have a better solution
+* NOTE: In future releases, websockets functionality will likely be removed. (#852)
+
+
2.0.3 / 2019-01-12
==================
diff --git a/CTFd/__init__.py b/CTFd/__init__.py
index 38e019ba8..7fbbbdd64 100644
--- a/CTFd/__init__.py
+++ b/CTFd/__init__.py
@@ -22,7 +22,7 @@
reload(sys)
sys.setdefaultencoding("utf-8")
-__version__ = '2.0.3'
+__version__ = '2.0.4'
class CTFdRequest(Request):
|
pydantic__pydantic-2139 | `underscore_attrs_are_private` breaks generics
### Checks
* [x] I added a descriptive title to this issue
* [x] I have searched (google, github) for similar issues and couldn't find anything
* [x] I have read and followed [the docs](https://pydantic-docs.helpmanual.io/) and still think this is a bug
# Bug
Output of `python -c "import pydantic.utils; print(pydantic.utils.version_info())"`:
```
pydantic version: 1.7.2
pydantic compiled: False
install path: /nix/store/4snc9a6ywd1m75z7k5v863h9kl3s38dy-python3.7-pydantic-1.7.2/lib/python3.7/site-packages/pydantic
python version: 3.7.7 (default, Mar 10 2020, 06:34:06) [GCC 9.3.0]
platform: Linux-4.15.0-123-generic-x86_64-with-debian-buster-sid
optional deps. installed: ['typing-extensions', 'email-validator']
```
----
The `underscore_attrs_are_private` config option seems to break generics. In particular, it seems to be messing up with the model's `__orig_bases__`, which ends up causing a `TypeError` in `typing.Generic`. Unfortunately, I'm not familiar enough with Pydantic's code to pinpoint the exact root of the issue.
To reproduce:
```py
from pydantic.generics import GenericModel
from typing import TypeVar, Generic
T = TypeVar('T')
class Model(GenericModel, Generic[T]):
class Config:
underscore_attrs_are_private = True
value: T
```
Output:
```python
TypeError Traceback (most recent call last)
<ipython-input-17-86d3af5f0365> in <module>
----> 1 class Model(GenericModel, Generic[T]):
2 class Config:
3 underscore_attrs_are_private = True
4 id: T
5
/nix/store/5mlyrz5jm75dbjd92wsq89b9lsd0bhww-python3-3.7.7-env/lib/python3.7/site-packages/pydantic/main.py in __new__(mcs, name, bases, namespace, **kwargs)
322 }
323
--> 324 cls = super().__new__(mcs, name, bases, new_namespace, **kwargs)
325 # set __signature__ attr only for model class, but not for its instances
326 cls.__signature__ = ClassAttribute('__signature__', generate_model_signature(cls.__init__, fields, config))
/nix/store/k2w1idz2vdag50xl88113845mr74z823-python3-3.7.7/lib/python3.7/abc.py in __new__(mcls, name, bases, namespace, **kwargs)
124 """
125 def __new__(mcls, name, bases, namespace, **kwargs):
--> 126 cls = super().__new__(mcls, name, bases, namespace, **kwargs)
127 _abc_init(cls)
128 return cls
/nix/store/k2w1idz2vdag50xl88113845mr74z823-python3-3.7.7/lib/python3.7/typing.py in __init_subclass__(cls, *args, **kwargs)
848 tvars = []
849 if '__orig_bases__' in cls.__dict__:
--> 850 error = Generic in cls.__orig_bases__
851 else:
852 error = Generic in cls.__bases__ and cls.__name__ != '_Protocol'
TypeError: argument of type 'member_descriptor' is not iterable
```
----
Removing `underscore_attrs_are_private` or setting it to `False` makes it work as expected. Using `PrivateAttr` instead of the config option works well too.
| [
{
"content": "import warnings\nimport weakref\nfrom collections import OrderedDict, defaultdict, deque\nfrom copy import deepcopy\nfrom itertools import islice\nfrom types import BuiltinFunctionType, CodeType, FunctionType, GeneratorType, LambdaType, ModuleType\nfrom typing import (\n TYPE_CHECKING,\n Abs... | [
{
"content": "import warnings\nimport weakref\nfrom collections import OrderedDict, defaultdict, deque\nfrom copy import deepcopy\nfrom itertools import islice\nfrom types import BuiltinFunctionType, CodeType, FunctionType, GeneratorType, LambdaType, ModuleType\nfrom typing import (\n TYPE_CHECKING,\n Abs... | diff --git a/changes/2138-PrettyWood.md b/changes/2138-PrettyWood.md
new file mode 100644
index 00000000000..e58d0ed169b
--- /dev/null
+++ b/changes/2138-PrettyWood.md
@@ -0,0 +1 @@
+fix: support `underscore_attrs_are_private` with generic models
\ No newline at end of file
diff --git a/pydantic/utils.py b/pydantic/utils.py
index e3e613ca392..c75f4e1cfc8 100644
--- a/pydantic/utils.py
+++ b/pydantic/utils.py
@@ -636,5 +636,6 @@ def is_valid_private_name(name: str) -> bool:
'__classcell__',
'__doc__',
'__module__',
+ '__orig_bases__',
'__qualname__',
}
diff --git a/tests/test_private_attributes.py b/tests/test_private_attributes.py
index 21f52090be3..d87e572abf9 100644
--- a/tests/test_private_attributes.py
+++ b/tests/test_private_attributes.py
@@ -1,9 +1,13 @@
-from typing import ClassVar
+import sys
+from typing import ClassVar, Generic, TypeVar
import pytest
from pydantic import BaseModel, Extra, PrivateAttr
from pydantic.fields import Undefined
+from pydantic.generics import GenericModel
+
+skip_36 = pytest.mark.skipif(sys.version_info < (3, 7), reason='generics only supported for python 3.7 and above')
def test_private_attribute():
@@ -180,3 +184,19 @@ class Config:
m = MyModel(x='hello')
assert m.dict() == {'x': 'hello'}
assert m._private_attr == 123
+
+
+@skip_36
+def test_generic_private_attribute():
+ T = TypeVar('T')
+
+ class Model(GenericModel, Generic[T]):
+ value: T
+ _private_value: T
+
+ class Config:
+ underscore_attrs_are_private = True
+
+ m = Model[int](value=1, _private_attr=3)
+ m._private_value = 3
+ assert m.dict() == {'value': 1}
|
qtile__qtile-1837 | 0.16.0: impossible to build from github sources (to run tests)
<!--
Please do not ask general questions here! There are [community
contact](https://github.com/qtile/qtile#community) options for that.
-->
# Issue description
Hi! I package qtile for Arch Linux. I'm currently trying to build 0.16.0.
Usually I also run the test suite against the release (although there are still problems: #1352 and #1130) to be able to at least ensure some kind of compatibility with the Arch Linux provided python3 ecosystem.
However, running tests is only possible with the github source tarballs (because the test files are included), which unfortunately is not the case for the pypi tarballs.
When running `python setup.py build` for 0.16.0 I am now getting this:
```
Traceback (most recent call last):
File "setup.py", line 91, in <module>
setup(
File "/usr/lib/python3.8/site-packages/setuptools/__init__.py", line 165, in setup
return distutils.core.setup(**attrs)
File "/usr/lib/python3.8/distutils/core.py", line 108, in setup
_setup_distribution = dist = klass(attrs)
File "/usr/lib/python3.8/site-packages/setuptools/dist.py", line 429, in __init__
_Distribution.__init__(self, {
File "/usr/lib/python3.8/distutils/dist.py", line 292, in __init__
self.finalize_options()
File "/usr/lib/python3.8/site-packages/setuptools/dist.py", line 721, in finalize_options
ep(self)
File "/usr/lib/python3.8/site-packages/setuptools/dist.py", line 728, in _finalize_setup_keywords
ep.load()(self, ep.name, value)
File "/usr/lib/python3.8/site-packages/setuptools_scm/integration.py", line 17, in version_keyword
dist.metadata.version = _get_version(config)
File "/usr/lib/python3.8/site-packages/setuptools_scm/__init__.py", line 148, in _get_version
parsed_version = _do_parse(config)
File "/usr/lib/python3.8/site-packages/setuptools_scm/__init__.py", line 110, in _do_parse
raise LookupError(
LookupError: setuptools-scm was unable to detect version for '/build/qtile/src/qtile-0.16.0'.
Make sure you're either building from a fully intact git repository or PyPI tarballs. Most other sources (such as GitHub's tarballs, a git checkout without the .git folder) don't contain the necessary metadata and will not work.
For example, if you're using pip, instead of https://github.com/user/proj/archive/master.zip use git+https://github.com/user/proj.git#egg=proj
```
It seems that setuptools_scm has been introduced. Unfortunately, this breaks the build for me.
It would be great to either include the tests in the pypi sdist tarballs or to start using [signed tags](https://github.com/qtile/qtile/tags) again, as then I can rely upon signed tags and a git repository (note: the latter might not help other distributions, as they have different policies).
If you choose the latter (both would be great too), please make sure to have @flacjacket sign the key of @tych0 so that a clear chain of trust can be established.
# Qtile version
0.16.0
# Stack traces
n/a
# Configuration
n/a
| [
{
"content": "#!/usr/bin/env python3\n\n# Copyright (c) 2008 Aldo Cortesi\n# Copyright (c) 2011 Mounier Florian\n# Copyright (c) 2012 dmpayton\n# Copyright (c) 2014 Sean Vig\n# Copyright (c) 2014 roger\n# Copyright (c) 2014 Pedro Algarvio\n# Copyright (c) 2014-2015 Tycho Andersen\n#\n# Permission is hereby gran... | [
{
"content": "#!/usr/bin/env python3\n\n# Copyright (c) 2008 Aldo Cortesi\n# Copyright (c) 2011 Mounier Florian\n# Copyright (c) 2012 dmpayton\n# Copyright (c) 2014 Sean Vig\n# Copyright (c) 2014 roger\n# Copyright (c) 2014 Pedro Algarvio\n# Copyright (c) 2014-2015 Tycho Andersen\n#\n# Permission is hereby gran... | diff --git a/MANIFEST.in b/MANIFEST.in
index 08975f6dc1..0f66062037 100644
--- a/MANIFEST.in
+++ b/MANIFEST.in
@@ -16,11 +16,11 @@ exclude logo.png
graft libqtile/resources
graft resources
+graft test
prune bin
prune docs
prune scripts
-prune test
prune rpm
include bin/dqtile-cmd
include bin/iqshell
diff --git a/setup.py b/setup.py
index 12c7735fae..b82201c8f3 100755
--- a/setup.py
+++ b/setup.py
@@ -93,4 +93,5 @@ def get_cffi_modules():
use_scm_version=True,
cffi_modules=get_cffi_modules(),
install_requires=["cffi>=1.0.0"],
+ include_package_data=True,
)
|
facebookresearch__fairseq-62 | installation from source requires installing cffi
This is a very minor documentation issue
note: using python3/pip3 as there is a comment about requiring python 3 for fairseq-py
not using anaconda..I have had issues with package consistency..so I avoid it
fairseq-py installed with
git clone https://github.com/facebookresearch/fairseq-py.git
sudo pip3 install -r requirements.txt
levinth@zt-gpu-lin-1:~/fairseq-py$ sudo python3 setup.py build
Traceback (most recent call last):
File "/usr/local/lib/python3.5/dist-packages/torch/utils/ffi/__init__.py", line 12, in <module>
import cffi
ImportError: No module named 'cffi'
During handling of the above exception, another exception occurred:
Traceback (most recent call last):
File "setup.py", line 13, in <module>
from torch.utils.ffi import create_extension
File "/usr/local/lib/python3.5/dist-packages/torch/utils/ffi/__init__.py", line 14, in <module>
raise ImportError("torch.utils.ffi requires the cffi package")
ImportError: torch.utils.ffi requires the cffi package
levinth@zt-gpu-lin-1:~/fairseq-py$ pip3 install cffi
and then the build worked
likely can be fixed by adding cffii to requirements.txt
| [
{
"content": "# Copyright (c) 2017-present, Facebook, Inc.\n# All rights reserved.\n#\n# This source code is licensed under the license found in the LICENSE file in\n# the root directory of this source tree. An additional grant of patent rights\n# can be found in the PATENTS file in the same directory.\n#\n\n\"... | [
{
"content": "# Copyright (c) 2017-present, Facebook, Inc.\n# All rights reserved.\n#\n# This source code is licensed under the license found in the LICENSE file in\n# the root directory of this source tree. An additional grant of patent rights\n# can be found in the PATENTS file in the same directory.\n#\n\n\"... | diff --git a/fairseq/progress_bar.py b/fairseq/progress_bar.py
index 713f73b7b2..2c4acf833f 100644
--- a/fairseq/progress_bar.py
+++ b/fairseq/progress_bar.py
@@ -13,7 +13,6 @@
from collections import OrderedDict
import json
from numbers import Number
-import sys
from tqdm import tqdm
diff --git a/requirements.txt b/requirements.txt
index 3b55e1b4d3..3327ee454c 100644
--- a/requirements.txt
+++ b/requirements.txt
@@ -1,3 +1,4 @@
+cffi
numpy
torch
tqdm
|
pex-tool__pex-795 | pex --index-url=... fails in 2.0.0
Hello,
In my team we have an issue since this morning with the new version of PEX
This is a big Django project but with simple configuration.
Here is an extract of the setup.py
```
setuptools.setup(
name='rackguru-api',
version=find_version(),
install_requires=_INSTALL_REQUIRES,
author='Criteo',
author_email='infratools-team@criteo.com',
description='Criteo datacenter assets manager',
packages=setuptools.find_packages(),
entry_points={
'console_scripts': [
'rackguru-run = marathon.run:main',
],
},
classifiers=CLASSIFIERS,
include_package_data=True,
)
```
In the tox.ini :
```
# Bundle environment
[testenv:bundle]
deps = pex
setenv =
LANG=en_US.UTF-8
commands =
# Collect the statics to be embedded in the sdist and PEX file (via the MANIFEST)
{envpython} manage.py collectstatic --noinput --clear
# Creates a source archive in sdist/
{envpython} setup.py sdist --dist-dir=sdist --format=gztar
# Build exec file and save it in dist/
{envpython} setup.py bdist_pex --bdist-dir=dist --pex-args='--disable-cache --not-zip-safe --index-url=http://build-nexus.crto.in/repository/pypi/simple' --bdist-all
```
And here is the build output :
```
bundle run-test: commands[2] | /tmp/.tox-rackguru-api-post-submit-3573/com.criteo.rackguru.rackguru-api/bundle/bin/python setup.py bdist_pex --bdist-dir=dist '--pex-args=--disable-cache --not-zip-safe --index-url=http://build-nexus.crto.in/repository/pypi/simple' --bdist-all
running bdist_pex
Writing rackguru-run to dist/rackguru-run
Failed to create pex via /tmp/.tox-rackguru-api-post-submit-3573/com.criteo.rackguru.rackguru-api/bundle/bin/python3.6 -s -m pex /home/jenkins/workspace/rackguru-api-post-submit --disable-cache --not-zip-safe --index-url=http://build-nexus.crto.in/repository/pypi/simple --output-file dist/rackguru-run --script rackguru-run:
Traceback (most recent call last):
File "/usr/lib64/python3.6/runpy.py", line 193, in _run_module_as_main
"__main__", mod_spec)
File "/usr/lib64/python3.6/runpy.py", line 85, in _run_code
exec(code, run_globals)
File "/tmp/.tox-rackguru-api-post-submit-3573/com.criteo.rackguru.rackguru-api/bundle/lib/python3.6/site-packages/pex/__main__.py", line 8, in <module>
__name__ == '__main__' and pex.main()
File "/tmp/.tox-rackguru-api-post-submit-3573/com.criteo.rackguru.rackguru-api/bundle/lib/python3.6/site-packages/pex/bin/pex.py", line 628, in main
pex_builder = build_pex(reqs, options)
File "/tmp/.tox-rackguru-api-post-submit-3573/com.criteo.rackguru.rackguru-api/bundle/lib/python3.6/site-packages/pex/bin/pex.py", line 540, in build_pex
indexes = [str(index) for index in options.indexes]
File "/tmp/.tox-rackguru-api-post-submit-3573/com.criteo.rackguru.rackguru-api/bundle/lib/python3.6/site-packages/pex/bin/pex.py", line 540, in <listcomp>
indexes = [str(index) for index in options.indexes]
TypeError: __str__ returned non-string (type NoneType)
```
Do you have any idea about the root issue ?
| [
{
"content": "# Copyright 2014 Pants project contributors (see CONTRIBUTORS.md).\n# Licensed under the Apache License, Version 2.0 (see LICENSE).\n\n\"\"\"\nThe pex.bin.pex utility builds PEX environments and .pex files specified by\nsources, requirements and their dependencies.\n\"\"\"\n\nfrom __future__ impor... | [
{
"content": "# Copyright 2014 Pants project contributors (see CONTRIBUTORS.md).\n# Licensed under the Apache License, Version 2.0 (see LICENSE).\n\n\"\"\"\nThe pex.bin.pex utility builds PEX environments and .pex files specified by\nsources, requirements and their dependencies.\n\"\"\"\n\nfrom __future__ impor... | diff --git a/pex/bin/pex.py b/pex/bin/pex.py
index 1376c3bbc..7268aa712 100755
--- a/pex/bin/pex.py
+++ b/pex/bin/pex.py
@@ -60,7 +60,7 @@ def process_disable_cache(option, option_str, option_value, parser):
class PyPiSentinel(object):
def __str__(self):
- 'https://pypi.org/simple'
+ return 'https://pypi.org/simple'
_PYPI = PyPiSentinel()
|
liberapay__liberapay.com-726 | The list of top individuals is incomplete
While looking at https://liberapay.com/explore/individuals I realized that ploum isn't listed. It's because he doesn't have a profile statement. The thinking was that without a statement there isn't much to see on a profile page, so there's little point in linking to it. However it also makes the list incomplete.
The list of top individuals is incomplete
While looking at https://liberapay.com/explore/individuals I realized that ploum isn't listed. It's because he doesn't have a profile statement. The thinking was that without a statement there isn't much to see on a profile page, so there's little point in linking to it. However it also makes the list incomplete.
| [
{
"content": "# coding: utf8\nfrom __future__ import print_function, unicode_literals\n\nfrom collections import namedtuple, OrderedDict\nfrom datetime import date, datetime, timedelta\nfrom decimal import Decimal, ROUND_UP\nimport re\n\nfrom jinja2 import StrictUndefined\nfrom pando.utils import utc\n\n\nclass... | [
{
"content": "# coding: utf8\nfrom __future__ import print_function, unicode_literals\n\nfrom collections import namedtuple, OrderedDict\nfrom datetime import date, datetime, timedelta\nfrom decimal import Decimal, ROUND_UP\nimport re\n\nfrom jinja2 import StrictUndefined\nfrom pando.utils import utc\n\n\nclass... | diff --git a/liberapay/constants.py b/liberapay/constants.py
index 47b3c9dccd..c03372d92a 100644
--- a/liberapay/constants.py
+++ b/liberapay/constants.py
@@ -232,6 +232,8 @@ def make_standard_tip(label, weekly):
make_standard_tip(_("Maximum"), DONATION_WEEKLY_MAX),
)
+SUMMARY_MAX_SIZE = 100
+
USERNAME_MAX_SIZE = 32
del _
diff --git a/sql/branch.sql b/sql/branch.sql
new file mode 100644
index 0000000000..802ffa1737
--- /dev/null
+++ b/sql/branch.sql
@@ -0,0 +1 @@
+ALTER TYPE stmt_type ADD VALUE IF NOT EXISTS 'summary';
diff --git a/style/base/base.scss b/style/base/base.scss
index 9abbd62c91..1ecded0c75 100644
--- a/style/base/base.scss
+++ b/style/base/base.scss
@@ -191,6 +191,10 @@ img.account-type {
font-size: 20px;
margin: 0 0 10px;
}
+ h4 + p.summary {
+ color: $gray-light;
+ margin-top: -5px;
+ }
.radio {
margin-top: 0;
}
diff --git a/templates/profile-box.html b/templates/profile-box.html
index ed56dd5e09..a884d7a1c3 100644
--- a/templates/profile-box.html
+++ b/templates/profile-box.html
@@ -8,9 +8,9 @@
% endcall
% endmacro
-% macro profile_box_embedded(participant, nmembers=None)
+% macro profile_box_embedded(participant, summary, nmembers=None)
% call profile_box(participant, embedded=True)
- {{ profile_box_embedded_col2(participant, nmembers=nmembers) }}
+ {{ profile_box_embedded_col2(participant, summary, nmembers=nmembers) }}
% endcall
% endmacro
@@ -93,13 +93,17 @@ <h1>{{ username }}</h1>
% endif
% endmacro
-% macro profile_box_embedded_col2(participant, nmembers=None)
+% macro profile_box_embedded_col2(participant, summary, nmembers=None)
% set username = participant.username
% set receiving = participant.receiving
% set goal = participant.goal
<h4><a href="/{{ username }}/">{{ username }}</a></h4>
+ % if summary
+ <p class="summary">{{ summary }}</p>
+ % endif
+
% if participant.hide_receiving
% elif goal == None
<p>{{ _("Income: {0}/week", Money(receiving, 'EUR')) }}</p>
diff --git a/www/%username/edit.spt b/www/%username/edit.spt
index 61ef4c006e..cf2b3f7177 100644
--- a/www/%username/edit.spt
+++ b/www/%username/edit.spt
@@ -9,25 +9,36 @@ participant = get_participant(state, restrict=True, allow_member=True)
if request.method == 'POST':
lang = request.body['lang']
+ summary = request.body.get('summary') or ''
statement = request.body['statement']
if lang not in LANGUAGES_2:
raise response.error(400, "unknown lang")
+ if len(summary) > constants.SUMMARY_MAX_SIZE:
+ raise response.error(400, _(
+ "The submitted summary is too long ({0} > {1}).",
+ len(summary), constants.SUMMARY_MAX_SIZE)
+ )
+
if request.body.get('save') == 'true':
- participant.upsert_statement(lang, statement)
+ participant.upsert_statement(lang, summary, 'summary')
+ participant.upsert_statement(lang, statement, 'profile')
response.redirect(request.line.uri+'#statement')
else:
lang = request.qs.get('lang')
if lang:
+ if lang not in LANGUAGES_2:
+ raise response.error(400, "unknown lang")
statement = participant.get_statement(lang)
else:
statement, lang = participant.get_statement(request.accept_langs)
+ if not lang:
+ lang = locale.language
+ summary = participant.get_statement(lang, 'summary') or ''
select_langs = get_lang_options(request, locale, participant.get_statement_langs())
-lang = lang or locale.language
-stmt_placeholder = _("You don't have a profile statement in this language yet.")
confirm_discard = _("You haven't saved your changes, are you sure you want to discard them?")
if participant.kind == 'individual':
@@ -155,6 +166,11 @@ title = _username
<form action="#statement" method="POST">
<input type="hidden" name="csrf_token" value="{{ csrf_token }}" />
<input type="hidden" name="lang" value="{{ lang }}" />
+ % if summary
+ <input type="hidden" name="summary" value="{{ summary }}" />
+ <p class="summary">{{ summary }}</p>
+ <hr>
+ % endif
<textarea class="hidden" name="statement">{{ statement }}</textarea>
<section class="profile-statement">{{ rendered_stmt }}</section>
<hr>
@@ -167,26 +183,42 @@ title = _username
% else
- <p>{{ _("Tell us how you're making the world better.") }}</p>
-
<p>{{ _(
- "Liberapay allows you to have profile statements in multiple languages. "
- "Use the selector below to switch between them."
+ "Describe your work, why you're asking for donations, etc. We need "
+ "both a short summary and a full statement."
) }}</p>
+ <p>{{ _(
+ "Liberapay allows you to internationalize your texts. "
+ "Use the selector below to switch between languages.")
+ }}</p>
+
<form action="#statement" method="POST" class="statement">
<input type="hidden" name="csrf_token" value="{{ csrf_token }}" />
<input type="hidden" name="lang" value="{{ lang }}" />
- {{ _("Current language: {0}", locale.languages.get(lang, lang.upper())) }}
- <textarea name="statement" rows="15" class="form-control profile-statement vertical-resize"
- placeholder="{{ stmt_placeholder }}"
+
+ <p>{{ _("Current language: {0}",
+ '<b>%s</b>'|safe % locale.languages.get(lang, lang.upper())) }}</p>
+
+ <div class="form-group">
+ <input name="summary" class="form-control" size=60
+ maxlength="{{ constants.SUMMARY_MAX_SIZE }}"
+ placeholder="{{ _('Short description') }}"
+ value="{{ summary }}" />
+ </div>
+
+ <div class="form-group">
+ <textarea name="statement" rows="15"
+ class="form-control profile-statement vertical-resize"
+ placeholder="{{ _('Full statement') }}"
data-confirm-discard="{{ confirm_discard }}"
>{{ statement or '' }}</textarea>
<p class="help-block pull-right">{{ _("Markdown supported.") }}
<a href="https://daringfireball.net/projects/markdown/basics"
target="_blank" rel="noopener noreferrer">{{ _("What is markdown?") }}</a>
</p>
- <p> </p>{# this is for spacing #}
+ </div>
+
<button class="preview btn btn-default" name="preview" value="true">{{ _("Preview") }}</button>
<button class="save btn btn-success" name="save" value="true">{{ _("Save") }}</button>
</form>
diff --git a/www/%username/index.html.spt b/www/%username/index.html.spt
index 7add1edc4b..ce7c233d2c 100644
--- a/www/%username/index.html.spt
+++ b/www/%username/index.html.spt
@@ -14,6 +14,7 @@ if lang:
else:
statement, lang = participant.get_statement(request.accept_langs)
statement = markdown.render(statement) if statement else None
+summary = participant.get_statement(lang, 'summary')
langs = participant.get_statement_langs()
@@ -26,8 +27,8 @@ show_income = not participant.hide_receiving and participant.accepts_tips
% block head_early
{{ super() }}
-% if statement
- <meta property="og:description" content="{{ excerpt_intro(statement) }}">
+% if statement or summary
+ <meta property="og:description" content="{{ excerpt_intro(statement) or summary }}">
% endif
% endblock
diff --git a/www/explore/individuals.spt b/www/explore/individuals.spt
index 8fe2b006ea..593b15d6b7 100644
--- a/www/explore/individuals.spt
+++ b/www/explore/individuals.spt
@@ -6,6 +6,13 @@ query_cache = website.db_qc5
individuals = query_cache.all("""
SELECT p
+ , ( SELECT s.content
+ FROM statements s
+ WHERE s.participant = p.id
+ AND s.type = 'summary'
+ ORDER BY s.lang = %s DESC, s.id
+ LIMIT 1
+ ) AS summary
FROM participants p
WHERE p.kind = 'individual'
AND p.status = 'active'
@@ -13,10 +20,9 @@ individuals = query_cache.all("""
AND p.hide_receiving IS NOT TRUE
AND p.hide_from_lists = 0
AND p.receiving > 0
- AND EXISTS (SELECT 1 FROM statements s WHERE s.participant = p.id)
ORDER BY p.receiving DESC, p.join_time DESC
LIMIT 30
-""")
+""", (locale.language,))
title = _("Explore")
subhead = _("Individuals")
@@ -30,9 +36,9 @@ subhead = _("Individuals")
% if individuals
<p>{{ _("The top {0} individuals on Liberapay are:", len(individuals)) }}</p>
<div class="row">
- % for p in individuals
+ % for p, summary in individuals
<div class="col-md-6">
- {{ profile_box_embedded(p) }}
+ {{ profile_box_embedded(p, summary) }}
</div>
% endfor
</div>
diff --git a/www/explore/organizations.spt b/www/explore/organizations.spt
index ba038bba1e..549f1b5592 100644
--- a/www/explore/organizations.spt
+++ b/www/explore/organizations.spt
@@ -6,6 +6,13 @@ query_cache = website.db_qc5
orgs_receiving = query_cache.all("""
SELECT p
+ , ( SELECT s.content
+ FROM statements s
+ WHERE s.participant = p.id
+ AND s.type = 'summary'
+ ORDER BY s.lang = %s DESC, s.id
+ LIMIT 1
+ ) AS summary
FROM participants p
WHERE p.kind = 'organization'
AND p.status = 'active'
@@ -13,10 +20,9 @@ orgs_receiving = query_cache.all("""
AND p.hide_receiving IS NOT TRUE
AND p.hide_from_lists = 0
AND p.receiving > 0
- AND EXISTS (SELECT 1 FROM statements s WHERE s.participant = p.id)
ORDER BY p.receiving DESC, p.join_time DESC
LIMIT 30
-""")
+""", (locale.language,))
title = _("Explore")
subhead = _("Organizations")
@@ -30,9 +36,9 @@ subhead = _("Organizations")
% if orgs_receiving
<p>{{ _("The top {0} organizations on Liberapay are:", len(orgs_receiving)) }}</p>
<div class="row">
- % for p in orgs_receiving
+ % for p, summary in orgs_receiving
<div class="col-md-6">
- {{ profile_box_embedded(p) }}
+ {{ profile_box_embedded(p, summary) }}
</div>
% endfor
</div>
diff --git a/www/explore/teams.spt b/www/explore/teams.spt
index 3ddcc0a9aa..7159b008c3 100644
--- a/www/explore/teams.spt
+++ b/www/explore/teams.spt
@@ -8,17 +8,23 @@ teams = query_cache.all("""
SELECT t.*
, p.*::participants AS participant
+ , ( SELECT s.content
+ FROM statements s
+ WHERE s.participant = p.id
+ AND s.type = 'summary'
+ ORDER BY s.lang = %s DESC, s.id
+ LIMIT 1
+ ) AS summary
FROM ( SELECT team AS id, count(member) AS nmembers
FROM current_takes
GROUP BY team
) AS t
- JOIN participants p
- ON p.id = t.id
+ JOIN participants p ON p.id = t.id
WHERE (p.goal >= 0 OR p.goal IS NULL)
AND p.hide_from_lists = 0
ORDER BY receiving DESC, join_time DESC
-""")
+""", (locale.language,))
nteams = len(teams)
title = _("Explore")
subhead = _("Teams")
@@ -44,7 +50,7 @@ subhead = _("Teams")
<div class="row">
% for team in teams
<div class="col-md-6">
- {{ profile_box_embedded(team.participant, nmembers=team.nmembers) }}
+ {{ profile_box_embedded(team.participant, team.summary, nmembers=team.nmembers) }}
</div>
% endfor
</div>
diff --git a/www/for/%name/edit.spt b/www/for/%name/edit.spt
index 8fe2c57404..e0abf7c285 100644
--- a/www/for/%name/edit.spt
+++ b/www/for/%name/edit.spt
@@ -44,7 +44,8 @@ title = _("{0} community settings", c.name)
"Use the selector below to switch between languages.")
}}</p>
-<p>{{ _("Current language: {0}", locale.languages.get(lang, lang.upper())) }}</p>
+<p>{{ _("Current language: {0}",
+ '<b>%s</b>'|safe % locale.languages.get(lang, lang.upper())) }}</p>
<form action="" class="block-labels" method="POST">
<input type="hidden" name="csrf_token" value="{{ csrf_token }}" />
diff --git a/www/search.spt b/www/search.spt
index a5f7d17272..286e5fc9dd 100644
--- a/www/search.spt
+++ b/www/search.spt
@@ -25,7 +25,7 @@ if query:
""", locals())
if scope in (None, 'statements'):
- langs = tuple(l for l in request.accept_langs if l in LANGUAGES_2)
+ langs = tuple(l for l in request.accept_langs[:3] if l in LANGUAGES_2)
search_confs = list(set(SEARCH_CONFS.get(lang, 'simple') for lang in langs))
results['statements'] = website.db.all("""
WITH queries AS (
@@ -40,14 +40,14 @@ if query:
SELECT rank
, lang
, ts_headline(search_conf, content, query,
- 'StartSel=**,StopSel=**,MaxFragments=1') AS excerpt
+ 'StartSel=**,StopSel=**,MaxFragments=1,ShortWord=0') AS excerpt
) a)) AS excerpts
FROM (
SELECT participant, lang, content, search_conf, query
, ts_rank_cd(search_vector, query) AS rank
FROM statements NATURAL JOIN queries
WHERE lang IN %(langs)s
- AND type = 'profile'
+ AND type IN ('profile', 'summary')
AND search_vector @@ query
ORDER BY rank DESC
LIMIT 10
|
scikit-hep__pyhf-1540 | Split "Use in Publications" into use cases and general citations
> Technically speaking we don't actually use `pyhf` to obtain the results of our paper,
Yeah, as you correctly point out we just have the "list of citations and use cases of `pyhf`" under "[Use in Publications](https://scikit-hep.org/pyhf/citations.html#use-in-publications)" and we should probably split that out into actual use cases vs. just citations like this one.
_Originally posted by @matthewfeickert in https://github.com/scikit-hep/pyhf/issues/1537#issuecomment-890282084_
| [
{
"content": "#\n# pyhf documentation build configuration file, created by\n# sphinx-quickstart on Fri Feb 9 11:58:49 2018.\n#\n# This file is execfile()d with the current directory set to its\n# containing dir.\n#\n# Note that not all possible configuration values are present in this\n# autogenerated file.\n#... | [
{
"content": "#\n# pyhf documentation build configuration file, created by\n# sphinx-quickstart on Fri Feb 9 11:58:49 2018.\n#\n# This file is execfile()d with the current directory set to its\n# containing dir.\n#\n# Note that not all possible configuration values are present in this\n# autogenerated file.\n#... | diff --git a/docs/bib/general_citations.bib b/docs/bib/general_citations.bib
new file mode 100644
index 0000000000..481fc91c2c
--- /dev/null
+++ b/docs/bib/general_citations.bib
@@ -0,0 +1,75 @@
+% 2021-07-27
+@article{Tastet:2021vwp,
+ author = "Tastet, Jean-Loup and Ruchayskiy, Oleg and Timiryasov, Inar",
+ title = "{Reinterpreting the ATLAS bounds on heavy neutral leptons in a realistic neutrino oscillation model}",
+ eprint = "2107.12980",
+ archivePrefix = "arXiv",
+ primaryClass = "hep-ph",
+ month = "7",
+ year = "2021",
+ journal = ""
+}
+
+% 2020-06-20
+@article{Krupa:2020bwg,
+ author = "Krupa, Jeffrey and others",
+ title = "{GPU coprocessors as a service for deep learning inference in high energy physics}",
+ eprint = "2007.10359",
+ archivePrefix = "arXiv",
+ primaryClass = "physics.comp-ph",
+ reportNumber = "FERMILAB-PUB-20-338-E-SCD",
+ month = "7",
+ year = "2020",
+ journal = ""
+}
+
+% 2020-03-17
+@article{LHCReinterpretationForum:2020xtr,
+ author = "Abdallah, Waleed and others",
+ collaboration = "LHC Reinterpretation Forum",
+ title = "{Reinterpretation of LHC Results for New Physics: Status and Recommendations after Run 2}",
+ eprint = "2003.07868",
+ archivePrefix = "arXiv",
+ primaryClass = "hep-ph",
+ reportNumber = "CERN-LPCC-2020-001, FERMILAB-FN-1098-CMS-T, Imperial/HEP/2020/RIF/01",
+ doi = "10.21468/SciPostPhys.9.2.022",
+ journal = "SciPost Phys.",
+ volume = "9",
+ number = "2",
+ pages = "022",
+ year = "2020"
+}
+
+% 2019-09-30
+@article{DiMicco:2019ngk,
+ author = "Alison, J. and others",
+ editor = "Di Micco, Biagio and Gouzevitch, Maxime and Mazzitelli, Javier and Vernieri, Caterina",
+ title = "{Higgs boson potential at colliders: Status and perspectives}",
+ eprint = "1910.00012",
+ archivePrefix = "arXiv",
+ primaryClass = "hep-ph",
+ reportNumber = "FERMILAB-CONF-19-468-E-T, LHCXSWG-2019-005",
+ doi = "10.1016/j.revip.2020.100045",
+ journal = "Rev. Phys.",
+ volume = "5",
+ pages = "100045",
+ year = "2020"
+}
+
+% 2019-06-24
+@article{Brehmer:2019xox,
+ author = "Brehmer, Johann and Kling, Felix and Espejo, Irina and
+ Cranmer, Kyle",
+ title = "{MadMiner: Machine learning-based inference for particle
+ physics}",
+ journal = "Comput. Softw. Big Sci.",
+ volume = "4",
+ year = "2020",
+ number = "1",
+ pages = "3",
+ doi = "10.1007/s41781-020-0035-2",
+ eprint = "1907.10621",
+ archivePrefix = "arXiv",
+ primaryClass = "hep-ph",
+ SLACcitation = "%%CITATION = ARXIV:1907.10621;%%"
+}
diff --git a/docs/bib/use_citations.bib b/docs/bib/use_citations.bib
index f5277d8728..b906764e02 100644
--- a/docs/bib/use_citations.bib
+++ b/docs/bib/use_citations.bib
@@ -1,15 +1,3 @@
-% 2021-07-27
-@article{Tastet:2021vwp,
- author = "Tastet, Jean-Loup and Ruchayskiy, Oleg and Timiryasov, Inar",
- title = "{Reinterpreting the ATLAS bounds on heavy neutral leptons in a realistic neutrino oscillation model}",
- eprint = "2107.12980",
- archivePrefix = "arXiv",
- primaryClass = "hep-ph",
- month = "7",
- year = "2021",
- journal = ""
-}
-
% 2021-06-03
@article{ATLAS:SUSY-3L-compressed-combination,
author = "ATLAS Collaboration",
@@ -180,19 +168,6 @@ @article{Aad:2021hjy
journal = ""
}
-% 2020-06-20
-@article{Krupa:2020bwg,
- author = "Krupa, Jeffrey and others",
- title = "{GPU coprocessors as a service for deep learning inference in high energy physics}",
- eprint = "2007.10359",
- archivePrefix = "arXiv",
- primaryClass = "physics.comp-ph",
- reportNumber = "FERMILAB-PUB-20-338-E-SCD",
- month = "7",
- year = "2020",
- journal = ""
-}
-
% 2020-05-01
@article{Khosa:2020zar,
author = "Khosa, Charanjit K. and Kraml, Sabine and Lessa, Andre and Neuhuber, Philipp and Waltenberger, Wolfgang",
@@ -208,21 +183,6 @@ @article{Khosa:2020zar
year = "2020"
}
-@article{Abdallah:2020pec,
- author = "Abdallah, Waleed and others",
- title = "{Reinterpretation of LHC Results for New Physics: Status
- and Recommendations after Run 2}",
- collaboration = "LHC Reinterpretation Forum",
- year = "2020",
- eprint = "2003.07868",
- archivePrefix = "arXiv",
- primaryClass = "hep-ph",
- reportNumber = "CERN-LPCC-2020-001, FERMILAB-FN-1098-CMS-T,
- Imperial/HEP/2020/RIF/01",
- SLACcitation = "%%CITATION = ARXIV:2003.07868;%%",
- journal = ""
-}
-
@inproceedings{Brooijmans:2020yij,
author = "Brooijmans, G. and others",
title = "{Les Houches 2019 Physics at TeV Colliders: New Physics
@@ -266,19 +226,6 @@ @article{Allanach:2019zfr
year = "2020"
}
-@inproceedings{DiMicco:2019ngk,
- author = "Alison, J. and others",
- editor = "Di Micco, B. and Gouzevitch, M. and Mazzitelli, J. and Vernieri, C.",
- title = "{Higgs Boson Pair Production at Colliders: Status and Perspectives}",
- booktitle = "{Double Higgs Production at Colliders}",
- eprint = "1910.00012",
- archivePrefix = "arXiv",
- primaryClass = "hep-ph",
- reportNumber = "FERMILAB-CONF-19-468-E-T, LHCXSWG-2019-005",
- month = "9",
- year = "2019"
-}
-
@booklet{ATL-PHYS-PUB-2019-029,
author = "{ATLAS Collaboration}",
title = "{Reproducing searches for new physics with the ATLAS
@@ -293,23 +240,6 @@ @booklet{ATL-PHYS-PUB-2019-029
url = "https://cds.cern.ch/record/2684863",
}
-@article{Brehmer:2019xox,
- author = "Brehmer, Johann and Kling, Felix and Espejo, Irina and
- Cranmer, Kyle",
- title = "{MadMiner: Machine learning-based inference for particle
- physics}",
- journal = "Comput. Softw. Big Sci.",
- volume = "4",
- year = "2020",
- number = "1",
- pages = "3",
- doi = "10.1007/s41781-020-0035-2",
- eprint = "1907.10621",
- archivePrefix = "arXiv",
- primaryClass = "hep-ph",
- SLACcitation = "%%CITATION = ARXIV:1907.10621;%%"
-}
-
@article{Heinrich:2018nip,
author = "Heinrich, Lukas and Schulz, Holger and Turner, Jessica
and Zhou, Ye-Ling",
diff --git a/docs/citations.rst b/docs/citations.rst
index 2497b28360..c3cb36afa2 100644
--- a/docs/citations.rst
+++ b/docs/citations.rst
@@ -19,11 +19,22 @@ Use in Publications
Updating list of citations and use cases of :code:`pyhf`:
+Use Citations
+~~~~~~~~~~~~~
+
.. bibliography:: bib/use_citations.bib
:list: bullet
:all:
:style: plain
+General Citations
+~~~~~~~~~~~~~~~~~
+
+.. bibliography:: bib/general_citations.bib
+ :list: bullet
+ :all:
+ :style: plain
+
Published Statistical Models
----------------------------
diff --git a/docs/conf.py b/docs/conf.py
index 17b9636843..dc7fc07892 100644
--- a/docs/conf.py
+++ b/docs/conf.py
@@ -63,6 +63,7 @@ def setup(app):
"bib/talks.bib",
"bib/tutorials.bib",
"bib/use_citations.bib",
+ "bib/general_citations.bib",
]
# external links
|
cython__cython-4842 | [BUG] Fused type not subscriptable in uncompiled pure python
**Describe the bug**
Fused type can't be subscribed in pure python syntax when `cython.compiled == False`
**To Reproduce**
Code to reproduce the behaviour:
```python
import cython
int_or_float = cython.fused_type(cython.int, cython.float)
def func(num: int_or_float[:]):
...
```
Gives error:
```
---------------------------------------------------------------------------
TypeError Traceback (most recent call last)
Input In [302], in <module>
1 import cython
3 int_or_float = cython.fused_type(cython.int, cython.float)
----> 5 def func(num: int_or_float[:]):
6 ...
TypeError: '_FusedType' object is not subscriptable
```
**Expected behavior**
`Cython.Shadow` should implement this so that it doesn't raise an error (?).
**Environment (please complete the following information):**
- OS: Linux
- Python version: '3.8.12 | packaged by conda-forge | (default, Oct 12 2021, 21:59:51) \n[GCC 9.4.0]'
- Cython version: 3.0.0a10
| [
{
"content": "# cython.* namespace for pure mode.\nfrom __future__ import absolute_import\n\n__version__ = \"3.0.0a10\"\n\ntry:\n from __builtin__ import basestring\nexcept ImportError:\n basestring = str\n\n\n# BEGIN shameless copy from Cython/minivect/minitypes.py\n\nclass _ArrayType(object):\n\n is_... | [
{
"content": "# cython.* namespace for pure mode.\nfrom __future__ import absolute_import\n\n__version__ = \"3.0.0a10\"\n\ntry:\n from __builtin__ import basestring\nexcept ImportError:\n basestring = str\n\n\n# BEGIN shameless copy from Cython/minivect/minitypes.py\n\nclass _ArrayType(object):\n\n is_... | diff --git a/Cython/Shadow.py b/Cython/Shadow.py
index 48bc249e01f..78d950ce231 100644
--- a/Cython/Shadow.py
+++ b/Cython/Shadow.py
@@ -385,7 +385,7 @@ def __repr__(self):
__getitem__ = index_type
class _FusedType(CythonType):
- pass
+ __getitem__ = index_type
def fused_type(*args):
|
conda__conda-3524 | Progress bar broken

```
C:\Users\Korijn\dev\myproject>conda info
Current conda install:
platform : win-64
conda version : 4.2.7
conda is private : False
conda-env version : 4.2.7
conda-build version : 2.0.1
python version : 3.5.1.final.0
requests version : 2.9.1
root environment : C:\Users\Korijn\Miniconda3 (writable)
default environment : C:\Users\Korijn\Miniconda3
envs directories : C:\Users\Korijn\Miniconda3\envs
package cache : C:\Users\Korijn\Miniconda3\pkgs
channel URLs : https://repo.continuum.io/pkgs/free/win-64/
https://repo.continuum.io/pkgs/free/noarch/
https://repo.continuum.io/pkgs/pro/win-64/
https://repo.continuum.io/pkgs/pro/noarch/
https://repo.continuum.io/pkgs/msys2/win-64/
https://repo.continuum.io/pkgs/msys2/noarch/
config file : C:\Users\Korijn\.condarc
offline mode : False
```
| [
{
"content": "# -*- coding: utf-8 -*-\n\"\"\"\nThis file should hold almost all string literals and magic numbers used throughout the code base.\nThe exception is if a literal is specifically meant to be private to and isolated within a module.\n\"\"\"\nfrom __future__ import absolute_import, division, print_fu... | [
{
"content": "# -*- coding: utf-8 -*-\n\"\"\"\nThis file should hold almost all string literals and magic numbers used throughout the code base.\nThe exception is if a literal is specifically meant to be private to and isolated within a module.\n\"\"\"\nfrom __future__ import absolute_import, division, print_fu... | diff --git a/conda/base/constants.py b/conda/base/constants.py
index e9ae93e008c..5816bf5174d 100644
--- a/conda/base/constants.py
+++ b/conda/base/constants.py
@@ -99,6 +99,9 @@ class _Null(object):
def __nonzero__(self):
return False
+ def __bool__(self):
+ return False
+
NULL = _Null()
UTF8 = 'UTF-8'
diff --git a/tests/base/test_constants.py b/tests/base/test_constants.py
new file mode 100644
index 00000000000..04e0adefe7a
--- /dev/null
+++ b/tests/base/test_constants.py
@@ -0,0 +1,11 @@
+# -*- coding: utf-8 -*-
+from __future__ import absolute_import, division, print_function, unicode_literals
+
+from conda.base.constants import NULL
+from logging import getLogger
+
+log = getLogger(__name__)
+
+
+def test_null_is_falsey():
+ assert not NULL
|
twisted__twisted-11622 | Release 22.8.0
This is the ticket to track the release of 22.8.0
| [
{
"content": "\"\"\"\nProvides Twisted version information.\n\"\"\"\n\n# This file is auto-generated! Do not edit!\n# Use `python -m incremental.update Twisted` to change this file.\n\nfrom incremental import Version\n\n__version__ = Version(\"Twisted\", 22, 4, 0, post=0)\n__all__ = [\"__version__\"]\n",
"p... | [
{
"content": "\"\"\"\nProvides Twisted version information.\n\"\"\"\n\n# This file is auto-generated! Do not edit!\n# Use `python -m incremental.update Twisted` to change this file.\n\nfrom incremental import Version\n\n__version__ = Version(\"Twisted\", 22, 8, 0, post=0)\n__all__ = [\"__version__\"]\n",
"p... | diff --git a/NEWS.rst b/NEWS.rst
index b91359d22fc..f96d726e59b 100644
--- a/NEWS.rst
+++ b/NEWS.rst
@@ -1,4 +1,4 @@
-This file contains the release notes for the Twisted.
+This file contains the release notes for Twisted.
It only contains high-level changes that are of interest to Twisted library users.
Users of Twisted should check the notes before planning an upgrade.
@@ -8,6 +8,135 @@ https://twisted.org/trac/ticket/<number>
.. towncrier release notes start
+Twisted 22.8.0 (2022-09-06)
+===========================
+
+Twisted 22.8.0rc1 release candidate was released on 2022-08-28 and there are
+no changes between the release candidate and the final release.
+
+
+Features
+--------
+
+- twisted.internet.defer.maybeDeferred will now schedule a coroutine result as asynchronous operation and return a Deferred that fires with the result of the coroutine. (#10327)
+- Twisted now works with Cryptography versions 37 and above, and as a result, its minimum TLS protocol version has been upgraded to TLSv1.2. (#10377)
+
+
+Bugfixes
+--------
+
+- ``twisted.internet.base.DelayedCall.__repr__`` will no longer raise ``AttributeError`` if the ``DelayedCall`` was created before debug mode was enabled. As a side-effect, ``twisted.internet.base.DelayedCall.creator`` is now defined as ``None`` in cases where previously it was undefined. (#8306)
+- twisted.internet.iocpreactor.udp now properly re-queues its listener when there is a failure condition on the read from the socket. (#10052)
+- twisted.internet.defer.inlineCallbacks no longer causes confusing StopIteration tracebacks to be added to the top of tracebacks originating in triggered callbacks (#10260)
+- The typing of twisted.internet.task.react no longer constrains the type of argv. (#10289)
+- `ContextVar.reset()` now works correctly inside `inlineCallbacks` functions and coroutines. (#10301)
+- Implement twisted.python.failure._Code.co_positions for compatibility with Python 3.11. (#10336)
+- twisted.pair.tuntap._TUNSETIFF and ._TUNGETIFF values are now correct parisc, powerpc and sparc architectures. (#10339)
+
+
+Improved Documentation
+----------------------
+
+- The release process documentation was updated to include information about
+ doing a security release. (#10324)
+- The development and policy documentation pages were moved into the same
+ directory that is now placed inside the documentation root directory. (#11575)
+
+
+Deprecations and Removals
+-------------------------
+
+- Python 3.6 is no longer supported.
+ Twisted 22.4.0 was the last version with support for Python 3.6. (#10304)
+
+
+Misc
+----
+
+- #9437, #9495, #10066, #10275, #10318, #10325, #10328, #10329, #10331, #10349, #10350, #10352, #10353, #11561, #11564, #11567, #11569, #11585, #11592, #11600, #11606, #11610, #11612, #11614
+
+
+Conch
+-----
+
+Bugfixes
+~~~~~~~~
+
+- twisted.conch.checkers.UNIXAuthorizedKeysFiles now uses the filesystem encoding to decode usernames before looking them up in the password database, so it works on Python 3. (#10286)
+- twisted.conch.ssh.SSHSession.request_env no longer gives a warning if the session does not implement ISessionSetEnv. (#10347)
+- The cftp command line (and `twisted.conch.scripts.cftp.SSHSession.extReceived`) no longer raises an unhandled error when receiving data on stderr from the server. (#10351)
+
+
+Misc
+~~~~
+
+- #10330
+
+
+Web
+---
+
+Features
+~~~~~~~~
+
+- twisted.web.template.renderElement now combines consecutive, sychronously-available bytes up to a fixed size limit into a single string to pass to ``IRequest.write`` instead of passing them all separately. This greatly reduces the number of chunks in the response. (#10348)
+
+
+Misc
+~~~~
+
+- #11604
+
+
+Mail
+----
+
+Bugfixes
+~~~~~~~~
+
+- twisted.mail.maildir.MaildirMessage now use byte header to avoid incompatibility with the FileMessage which writes bytes not strings lines to a message file (#10244)
+
+
+Words
+-----
+
+Bugfixes
+~~~~~~~~
+
+- twisted.words.protocols.irc.IRCClient now splits overly long NOTICEs and NOTICEs containing \n before sending. (#10285)
+
+
+Names
+-----
+
+Bugfixes
+~~~~~~~~
+
+- twisted.names.dns logs unparsable messages rather than generating a Failure instance (#9723)
+
+
+Trial
+-----
+
+Features
+~~~~~~~~
+
+- ``trial --jobs=N --exitfirst`` is now supported. (#9654)
+
+
+Bugfixes
+~~~~~~~~
+
+- `trial --jobs=N --until-failure ...` now reports the correct number of tests run after each iteration. (#10311)
+- ``trial -jN ...`` will now pass errors and failures to ``IReporter`` methods as instances of ``WorkerException`` instead of ``str``. (#10333)
+
+
+Misc
+~~~~
+
+- #10319, #10338, #11571
+
+
Twisted 22.4.0 (2022-04-11)
===========================
diff --git a/setup.cfg b/setup.cfg
index 18c01766fab..3b0419da96c 100644
--- a/setup.cfg
+++ b/setup.cfg
@@ -56,7 +56,7 @@ test =
; List of dependencies required to build the documentation and test the
; release scripts and process.
dev_release =
- towncrier ~= 19.2
+ towncrier ~= 22.8
pydoctor ~= 22.7.0
sphinx-rtd-theme ~= 0.5
readthedocs-sphinx-ext ~= 2.1
diff --git a/src/twisted/_version.py b/src/twisted/_version.py
index 06ca17532f8..9f5c29361b9 100644
--- a/src/twisted/_version.py
+++ b/src/twisted/_version.py
@@ -7,5 +7,5 @@
from incremental import Version
-__version__ = Version("Twisted", 22, 4, 0, post=0)
+__version__ = Version("Twisted", 22, 8, 0, post=0)
__all__ = ["__version__"]
diff --git a/src/twisted/conch/newsfragments/10286.bugfix b/src/twisted/conch/newsfragments/10286.bugfix
deleted file mode 100644
index fc42c4c2df1..00000000000
--- a/src/twisted/conch/newsfragments/10286.bugfix
+++ /dev/null
@@ -1 +0,0 @@
-twisted.conch.checkers.UNIXAuthorizedKeysFiles now uses the filesystem encoding to decode usernames before looking them up in the password database, so it works on Python 3.
diff --git a/src/twisted/conch/newsfragments/10330.misc b/src/twisted/conch/newsfragments/10330.misc
deleted file mode 100644
index e69de29bb2d..00000000000
diff --git a/src/twisted/conch/newsfragments/10347.bugfix b/src/twisted/conch/newsfragments/10347.bugfix
deleted file mode 100644
index 476b2788100..00000000000
--- a/src/twisted/conch/newsfragments/10347.bugfix
+++ /dev/null
@@ -1 +0,0 @@
-twisted.conch.ssh.SSHSession.request_env no longer gives a warning if the session does not implement ISessionSetEnv.
diff --git a/src/twisted/conch/newsfragments/10351.bugfix b/src/twisted/conch/newsfragments/10351.bugfix
deleted file mode 100644
index 91da01e1c22..00000000000
--- a/src/twisted/conch/newsfragments/10351.bugfix
+++ /dev/null
@@ -1 +0,0 @@
-The cftp command line (and `twisted.conch.scripts.cftp.SSHSession.extReceived`) no longer raises an unhandled error when receiving data on stderr from the server.
diff --git a/src/twisted/mail/newsfragments/10244.bugfix b/src/twisted/mail/newsfragments/10244.bugfix
deleted file mode 100644
index 5c6970b2cf1..00000000000
--- a/src/twisted/mail/newsfragments/10244.bugfix
+++ /dev/null
@@ -1 +0,0 @@
-twisted.mail.maildir.MaildirMessage now use byte header to avoid incompatibility with the FileMessage which writes bytes not strings lines to a message file
diff --git a/src/twisted/names/newsfragments/9723.bugfix b/src/twisted/names/newsfragments/9723.bugfix
deleted file mode 100644
index 8f8ed1d9640..00000000000
--- a/src/twisted/names/newsfragments/9723.bugfix
+++ /dev/null
@@ -1 +0,0 @@
-twisted.names.dns logs unparsable messages rather than generating a Failure instance
diff --git a/src/twisted/newsfragments/10052.bugfix b/src/twisted/newsfragments/10052.bugfix
deleted file mode 100644
index e61ef8131d4..00000000000
--- a/src/twisted/newsfragments/10052.bugfix
+++ /dev/null
@@ -1 +0,0 @@
-twisted.internet.iocpreactor.udp now properly re-queues its listener when there is a failure condition on the read from the socket.
diff --git a/src/twisted/newsfragments/10066.misc b/src/twisted/newsfragments/10066.misc
deleted file mode 100644
index e69de29bb2d..00000000000
diff --git a/src/twisted/newsfragments/10260.bugfix b/src/twisted/newsfragments/10260.bugfix
deleted file mode 100644
index 11e6320037d..00000000000
--- a/src/twisted/newsfragments/10260.bugfix
+++ /dev/null
@@ -1 +0,0 @@
-twisted.internet.defer.inlineCallbacks no longer causes confusing StopIteration tracebacks to be added to the top of tracebacks originating in triggered callbacks
diff --git a/src/twisted/newsfragments/10275.misc b/src/twisted/newsfragments/10275.misc
deleted file mode 100644
index e69de29bb2d..00000000000
diff --git a/src/twisted/newsfragments/10289.bugfix b/src/twisted/newsfragments/10289.bugfix
deleted file mode 100644
index ea4d85df4b1..00000000000
--- a/src/twisted/newsfragments/10289.bugfix
+++ /dev/null
@@ -1 +0,0 @@
-The typing of twisted.internet.task.react no longer constrains the type of argv.
diff --git a/src/twisted/newsfragments/10301.bugfix b/src/twisted/newsfragments/10301.bugfix
deleted file mode 100644
index 587bd7d7422..00000000000
--- a/src/twisted/newsfragments/10301.bugfix
+++ /dev/null
@@ -1 +0,0 @@
-`ContextVar.reset()` now works correctly inside `inlineCallbacks` functions and coroutines.
diff --git a/src/twisted/newsfragments/10304.removal b/src/twisted/newsfragments/10304.removal
deleted file mode 100644
index 11457cc802b..00000000000
--- a/src/twisted/newsfragments/10304.removal
+++ /dev/null
@@ -1,2 +0,0 @@
-Python 3.6 is no longer supported.
-Twisted 22.4.0 was the last version with support for Python 3.6.
diff --git a/src/twisted/newsfragments/10318.misc b/src/twisted/newsfragments/10318.misc
deleted file mode 100644
index e69de29bb2d..00000000000
diff --git a/src/twisted/newsfragments/10324.doc b/src/twisted/newsfragments/10324.doc
deleted file mode 100644
index f383ad7775f..00000000000
--- a/src/twisted/newsfragments/10324.doc
+++ /dev/null
@@ -1,2 +0,0 @@
-The release process documentation was updated to include information about
-doing a security release.
diff --git a/src/twisted/newsfragments/10325.misc b/src/twisted/newsfragments/10325.misc
deleted file mode 100644
index e69de29bb2d..00000000000
diff --git a/src/twisted/newsfragments/10327.feature b/src/twisted/newsfragments/10327.feature
deleted file mode 100644
index cd3db5bbf4d..00000000000
--- a/src/twisted/newsfragments/10327.feature
+++ /dev/null
@@ -1 +0,0 @@
-twisted.internet.defer.maybeDeferred will now schedule a coroutine result as asynchronous operation and return a Deferred that fires with the result of the coroutine.
diff --git a/src/twisted/newsfragments/10328.misc b/src/twisted/newsfragments/10328.misc
deleted file mode 100644
index e69de29bb2d..00000000000
diff --git a/src/twisted/newsfragments/10329.misc b/src/twisted/newsfragments/10329.misc
deleted file mode 100644
index e69de29bb2d..00000000000
diff --git a/src/twisted/newsfragments/10331.misc b/src/twisted/newsfragments/10331.misc
deleted file mode 100644
index e69de29bb2d..00000000000
diff --git a/src/twisted/newsfragments/10336.bugfix b/src/twisted/newsfragments/10336.bugfix
deleted file mode 100644
index a7ffab3627d..00000000000
--- a/src/twisted/newsfragments/10336.bugfix
+++ /dev/null
@@ -1 +0,0 @@
-Implement twisted.python.failure._Code.co_positions for compatibility with Python 3.11.
diff --git a/src/twisted/newsfragments/10339.bugfix b/src/twisted/newsfragments/10339.bugfix
deleted file mode 100644
index 7d543b4ec44..00000000000
--- a/src/twisted/newsfragments/10339.bugfix
+++ /dev/null
@@ -1 +0,0 @@
-twisted.pair.tuntap._TUNSETIFF and ._TUNGETIFF values are now correct parisc, powerpc and sparc architectures.
diff --git a/src/twisted/newsfragments/10349.misc b/src/twisted/newsfragments/10349.misc
deleted file mode 100644
index e69de29bb2d..00000000000
diff --git a/src/twisted/newsfragments/10350.misc b/src/twisted/newsfragments/10350.misc
deleted file mode 100644
index e69de29bb2d..00000000000
diff --git a/src/twisted/newsfragments/10352.misc b/src/twisted/newsfragments/10352.misc
deleted file mode 100644
index e69de29bb2d..00000000000
diff --git a/src/twisted/newsfragments/10353.misc b/src/twisted/newsfragments/10353.misc
deleted file mode 100644
index e69de29bb2d..00000000000
diff --git a/src/twisted/newsfragments/10377.feature b/src/twisted/newsfragments/10377.feature
deleted file mode 100644
index 79cd5927b1b..00000000000
--- a/src/twisted/newsfragments/10377.feature
+++ /dev/null
@@ -1 +0,0 @@
-Twisted now works with Cryptography versions 37 and above, and as a result its minimum TLS protocol version has been upgraded to TLSv1.2.
diff --git a/src/twisted/newsfragments/11561.misc b/src/twisted/newsfragments/11561.misc
deleted file mode 100644
index e69de29bb2d..00000000000
diff --git a/src/twisted/newsfragments/11564.misc b/src/twisted/newsfragments/11564.misc
deleted file mode 100644
index e69de29bb2d..00000000000
diff --git a/src/twisted/newsfragments/11567.misc b/src/twisted/newsfragments/11567.misc
deleted file mode 100644
index e69de29bb2d..00000000000
diff --git a/src/twisted/newsfragments/11569.misc b/src/twisted/newsfragments/11569.misc
deleted file mode 100644
index e69de29bb2d..00000000000
diff --git a/src/twisted/newsfragments/11575.doc b/src/twisted/newsfragments/11575.doc
deleted file mode 100644
index b3b4c29a485..00000000000
--- a/src/twisted/newsfragments/11575.doc
+++ /dev/null
@@ -1,2 +0,0 @@
-The development and policy documentation pages were moved into the same
-directory that is now placed inside the documentation root directory.
diff --git a/src/twisted/newsfragments/11585.misc b/src/twisted/newsfragments/11585.misc
deleted file mode 100644
index e69de29bb2d..00000000000
diff --git a/src/twisted/newsfragments/11592.misc b/src/twisted/newsfragments/11592.misc
deleted file mode 100644
index e69de29bb2d..00000000000
diff --git a/src/twisted/newsfragments/11600.misc b/src/twisted/newsfragments/11600.misc
deleted file mode 100644
index e69de29bb2d..00000000000
diff --git a/src/twisted/newsfragments/11606.misc b/src/twisted/newsfragments/11606.misc
deleted file mode 100644
index e69de29bb2d..00000000000
diff --git a/src/twisted/newsfragments/11610.misc b/src/twisted/newsfragments/11610.misc
deleted file mode 100644
index e69de29bb2d..00000000000
diff --git a/src/twisted/newsfragments/11612.misc b/src/twisted/newsfragments/11612.misc
deleted file mode 100644
index e69de29bb2d..00000000000
diff --git a/src/twisted/newsfragments/11614.misc b/src/twisted/newsfragments/11614.misc
deleted file mode 100644
index e69de29bb2d..00000000000
diff --git a/src/twisted/newsfragments/8306.bugfix b/src/twisted/newsfragments/8306.bugfix
deleted file mode 100644
index 455bc564851..00000000000
--- a/src/twisted/newsfragments/8306.bugfix
+++ /dev/null
@@ -1 +0,0 @@
-``twisted.internet.base.DelayedCall.__repr__`` will no longer raise ``AttributeError`` if the ``DelayedCall`` was created before debug mode was enabled. As a side-effect, ``twisted.internet.base.DelayedCall.creator`` is now defined as ``None`` in cases where previously it was undefined.
diff --git a/src/twisted/newsfragments/9437.misc b/src/twisted/newsfragments/9437.misc
deleted file mode 100644
index e69de29bb2d..00000000000
diff --git a/src/twisted/newsfragments/9495.misc b/src/twisted/newsfragments/9495.misc
deleted file mode 100644
index e69de29bb2d..00000000000
diff --git a/src/twisted/trial/newsfragments/0.misc b/src/twisted/trial/newsfragments/0.misc
deleted file mode 100644
index e69de29bb2d..00000000000
diff --git a/src/twisted/trial/newsfragments/10311.bugfix b/src/twisted/trial/newsfragments/10311.bugfix
deleted file mode 100644
index 008db2b635a..00000000000
--- a/src/twisted/trial/newsfragments/10311.bugfix
+++ /dev/null
@@ -1 +0,0 @@
-`trial --jobs=N --until-failure ...` now reports the correct number of tests run after each iteration.
diff --git a/src/twisted/trial/newsfragments/10319.misc b/src/twisted/trial/newsfragments/10319.misc
deleted file mode 100644
index e69de29bb2d..00000000000
diff --git a/src/twisted/trial/newsfragments/10333.bugfix b/src/twisted/trial/newsfragments/10333.bugfix
deleted file mode 100644
index 062ce1460dc..00000000000
--- a/src/twisted/trial/newsfragments/10333.bugfix
+++ /dev/null
@@ -1 +0,0 @@
-``trial -jN ...`` will now pass errors and failures to ``IReporter`` methods as instances of ``WorkerException`` instead of ``str``.
diff --git a/src/twisted/trial/newsfragments/10338.misc b/src/twisted/trial/newsfragments/10338.misc
deleted file mode 100644
index 8b137891791..00000000000
--- a/src/twisted/trial/newsfragments/10338.misc
+++ /dev/null
@@ -1 +0,0 @@
-
diff --git a/src/twisted/trial/newsfragments/11571.misc b/src/twisted/trial/newsfragments/11571.misc
deleted file mode 100644
index 8b137891791..00000000000
--- a/src/twisted/trial/newsfragments/11571.misc
+++ /dev/null
@@ -1 +0,0 @@
-
diff --git a/src/twisted/trial/newsfragments/9654.feature b/src/twisted/trial/newsfragments/9654.feature
deleted file mode 100644
index 328c3da8f4f..00000000000
--- a/src/twisted/trial/newsfragments/9654.feature
+++ /dev/null
@@ -1 +0,0 @@
-``trial --jobs=N --exitfirst`` is now supported.
diff --git a/src/twisted/web/newsfragments/10348.feature b/src/twisted/web/newsfragments/10348.feature
deleted file mode 100644
index 20604a707f7..00000000000
--- a/src/twisted/web/newsfragments/10348.feature
+++ /dev/null
@@ -1 +0,0 @@
-twisted.web.template.renderElement now combines consecutive, sychronously-available bytes up to a fixed size limit into a single string to pass to ``IRequest.write`` instead of passing them all separately. This greatly reduces the number of chunks in the response.
diff --git a/src/twisted/web/newsfragments/11604.misc b/src/twisted/web/newsfragments/11604.misc
deleted file mode 100644
index e69de29bb2d..00000000000
diff --git a/src/twisted/words/newsfragments/10285.bugfix b/src/twisted/words/newsfragments/10285.bugfix
deleted file mode 100644
index 3caac051b3b..00000000000
--- a/src/twisted/words/newsfragments/10285.bugfix
+++ /dev/null
@@ -1 +0,0 @@
-twisted.words.protocols.irc.IRCClient now splits overly long NOTICEs and NOTICEs containing \n before sending.
|
dbt-labs__dbt-core-2057 | Create -t flag as alias for dbt run --target
I love the `-m` flag as an alias for `--models` (in #1161) but now it's completely messed up my muscle memory for `--target`! I'm now repeatedly typing `-target` instead of `--target` when I want to run dbt on production.
| [
{
"content": "from dbt.logger import GLOBAL_LOGGER as logger, log_cache_events, log_manager\n\nimport argparse\nimport os.path\nimport sys\nimport traceback\nfrom contextlib import contextmanager\n\nimport dbt.version\nimport dbt.flags as flags\nimport dbt.task.run as run_task\nimport dbt.task.compile as compil... | [
{
"content": "from dbt.logger import GLOBAL_LOGGER as logger, log_cache_events, log_manager\n\nimport argparse\nimport os.path\nimport sys\nimport traceback\nfrom contextlib import contextmanager\n\nimport dbt.version\nimport dbt.flags as flags\nimport dbt.task.run as run_task\nimport dbt.task.compile as compil... | diff --git a/core/dbt/main.py b/core/dbt/main.py
index 6136350b44a..f5c0cd75949 100644
--- a/core/dbt/main.py
+++ b/core/dbt/main.py
@@ -244,6 +244,7 @@ def _build_base_subparser():
)
base_subparser.add_argument(
+ '-t',
'--target',
default=None,
type=str,
|
aws-cloudformation__cfn-lint-2900 | E1017 Select does not find already supported function when using complex list with nested Selects
### CloudFormation Lint Version
cfn-lint 0.80.4
### What operating system are you using?
Mac
### Describe the bug
When launching a template with complex nested Selects and list to extract value from, it seems to be reporting E1017 while it should not. Templates are correctly deployed and work fine on my side.
Output from command
```
E1017 Select should use a supported function of Fn::FindInMap, Fn::GetAtt, Fn::GetAZs, Fn::If, Fn::Split, Fn::Cidr, Ref
/file1.yml:3189:11
```
### Expected behavior
No E1017 reported by cfn-lint.
Template is working fine in Cloudformation, E1017 should not be reported.
### Reproduction template
AWSTemplateFormatVersion: '2010-09-09'
Description: 'Build EC2 instance'
Resources:
MountTarget1:
Type: AWS::EFS::MountTarget
Properties:
FileSystemId: fs-1234567svsdabsf76s
# E1017 STARTS HERE
SubnetId: !Select
- 0
- !Select
- 0
- [
[
"subnet-0987sknlnsdoi9j76",
"subnet-875jgyjlpzj75j8k0",
"subnet-5447hnd6hI8js45js"
],
[
"subnet-0987sknlnsdoi9j76",
"subnet-875jgyjlpzj75j8k0",
"subnet-5447hnd6hI8js45js"
],
[
"subnet-0987sknlnsdoi9j76",
"subnet-875jgyjlpzj75j8k0",
"subnet-5447hnd6hI8js45js"
]
]
SecurityGroups: [sg-00qdqeef0a5c345gf]
| [
{
"content": "\"\"\"\nCopyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\nSPDX-License-Identifier: MIT-0\n\"\"\"\nfrom cfnlint.rules import CloudFormationLintRule, RuleMatch\n\n\nclass Select(CloudFormationLintRule):\n \"\"\"Check if Select values are correct\"\"\"\n\n id = \"E1017\"\n ... | [
{
"content": "\"\"\"\nCopyright Amazon.com, Inc. or its affiliates. All Rights Reserved.\nSPDX-License-Identifier: MIT-0\n\"\"\"\nfrom cfnlint.rules import CloudFormationLintRule, RuleMatch\n\n\nclass Select(CloudFormationLintRule):\n \"\"\"Check if Select values are correct\"\"\"\n\n id = \"E1017\"\n ... | diff --git a/src/cfnlint/rules/functions/Select.py b/src/cfnlint/rules/functions/Select.py
index a463abcc42..d9f034aaca 100644
--- a/src/cfnlint/rules/functions/Select.py
+++ b/src/cfnlint/rules/functions/Select.py
@@ -20,6 +20,7 @@ class Select(CloudFormationLintRule):
"Fn::If",
"Fn::Split",
"Fn::Cidr",
+ "Fn::Select", # issue: 2895
"Ref",
]
|
twisted__twisted-1695 | Release 22.2.0
|[<img alt="adiroiban's avatar" src="https://avatars.githubusercontent.com/u/204609?s=50" width="50" height="50">](https://github.com/adiroiban)| @adiroiban reported|
|-|-|
|Trac ID|trac#10306|
|Type|enhancement|
|Created|2022-02-08 14:05:11Z|
<details><summary>Searchable metadata</summary>
```
trac-id__10306 10306
type__enhancement enhancement
reporter__adiroiban adiroiban
priority__normal normal
milestone__None None
branch__
branch_author__
status__closed closed
resolution__fixed fixed
component__core core
keywords__None None
time__1644329111193403 1644329111193403
changetime__1646513115841857 1646513115841857
version__None None
owner__None None
```
</details>
| [
{
"content": "\"\"\"\nProvides Twisted version information.\n\"\"\"\n\n# This file is auto-generated! Do not edit!\n# Use `python -m incremental.update Twisted` to change this file.\n\nfrom incremental import Version\n\n__version__ = Version(\"Twisted\", 22, 1, 0, post=0)\n__all__ = [\"__version__\"]\n",
"p... | [
{
"content": "\"\"\"\nProvides Twisted version information.\n\"\"\"\n\n# This file is auto-generated! Do not edit!\n# Use `python -m incremental.update Twisted` to change this file.\n\nfrom incremental import Version\n\n__version__ = Version(\"Twisted\", 22, 2, 0, post=0)\n__all__ = [\"__version__\"]\n",
"p... | diff --git a/NEWS.rst b/NEWS.rst
index b6880590715..66a31d0742a 100644
--- a/NEWS.rst
+++ b/NEWS.rst
@@ -3,6 +3,78 @@ http://twistedmatrix.com/trac/ticket/<number>
.. towncrier release notes start
+Twisted 22.2.0 (2022-03-01)
+===========================
+
+Bugfixes
+--------
+
+- twisted.internet.gireactor.PortableGIReactor.simulate and twisted.internet.gtk2reactor.PortableGtkReactor.simulate no longer raises TypeError when there are no delayed called. This was a regression introduced with the migration to Python 3 in which the builtin `min` function no longer accepts `None` as an argument. (#9660)
+- twisted.conch.ssh.transport.SSHTransportBase now disconnects the remote peer if the
+ SSH version string is not sent in the first 4096 bytes. (#10284, CVE-2022-21716,
+ GHSA-rv6r-3f5q-9rgx)
+
+
+Improved Documentation
+----------------------
+
+- Add type annotations for twisted.web.http.Request.getHeader. (#10270)
+
+
+Deprecations and Removals
+-------------------------
+
+- Support for Python 3.6, which is EoL as of 2021-09-04, has been deprecated. (#10303)
+
+
+Misc
+----
+
+- #10216, #10299, #10300
+
+
+Conch
+-----
+
+Misc
+~~~~
+
+- #10298
+
+
+Web
+---
+
+No significant changes.
+
+
+Mail
+----
+
+No significant changes.
+
+
+Words
+-----
+
+No significant changes.
+
+
+Names
+-----
+
+No significant changes.
+
+
+Trial
+-----
+
+Bugfixes
+~~~~~~~~
+
+- _dist.test.test_workertrial now correctly compare strings via assertEqual() and pass on PyPy3 (#10302)
+
+
Twisted 22.1.0 (2022-02-03)
===========================
diff --git a/src/twisted/_version.py b/src/twisted/_version.py
index ae72bd784d9..4b8dba9d272 100644
--- a/src/twisted/_version.py
+++ b/src/twisted/_version.py
@@ -7,5 +7,5 @@
from incremental import Version
-__version__ = Version("Twisted", 22, 1, 0, post=0)
+__version__ = Version("Twisted", 22, 2, 0, post=0)
__all__ = ["__version__"]
diff --git a/src/twisted/conch/newsfragments/10298.misc b/src/twisted/conch/newsfragments/10298.misc
deleted file mode 100644
index e69de29bb2d..00000000000
diff --git a/src/twisted/newsfragments/10216.misc b/src/twisted/newsfragments/10216.misc
deleted file mode 100644
index e69de29bb2d..00000000000
diff --git a/src/twisted/newsfragments/10270.doc b/src/twisted/newsfragments/10270.doc
deleted file mode 100644
index 90b17e9e517..00000000000
--- a/src/twisted/newsfragments/10270.doc
+++ /dev/null
@@ -1,2 +0,0 @@
-Add type annotations for twisted.web.http.Request.getHeader.
-
diff --git a/src/twisted/newsfragments/10284.bugfix b/src/twisted/newsfragments/10284.bugfix
deleted file mode 100644
index b2316f1e687..00000000000
--- a/src/twisted/newsfragments/10284.bugfix
+++ /dev/null
@@ -1,2 +0,0 @@
-twisted.conch.ssh.transport.SSHTransportBase now disconnects the remote peer if the
-SSH version string is not sent in the first 4096 bytes.
diff --git a/src/twisted/newsfragments/10299.misc b/src/twisted/newsfragments/10299.misc
deleted file mode 100644
index e69de29bb2d..00000000000
diff --git a/src/twisted/newsfragments/10300.misc b/src/twisted/newsfragments/10300.misc
deleted file mode 100644
index e69de29bb2d..00000000000
diff --git a/src/twisted/newsfragments/10303.removal b/src/twisted/newsfragments/10303.removal
deleted file mode 100644
index 3fcd35ba559..00000000000
--- a/src/twisted/newsfragments/10303.removal
+++ /dev/null
@@ -1 +0,0 @@
-Support for Python 3.6, which is EoL as of 2021-09-04, has been deprecated.
diff --git a/src/twisted/newsfragments/9660.bugfix b/src/twisted/newsfragments/9660.bugfix
deleted file mode 100644
index 288c38a2d44..00000000000
--- a/src/twisted/newsfragments/9660.bugfix
+++ /dev/null
@@ -1 +0,0 @@
-twisted.internet.gireactor.PortableGIReactor.simulate and twisted.internet.gtk2reactor.PortableGtkReactor.simulate no longer raises TypeError when there are no delayed called. This was a regression introduced with the migration to Python3 in which the builtin `min` function no longer accepts `None` as an argument.
diff --git a/src/twisted/trial/newsfragments/10302.bugfix b/src/twisted/trial/newsfragments/10302.bugfix
deleted file mode 100644
index 098693409cd..00000000000
--- a/src/twisted/trial/newsfragments/10302.bugfix
+++ /dev/null
@@ -1 +0,0 @@
-_dist.test.test_workertrial now correctly compare strings via assertEqual() and pass on PyPy3
|
scrapy__scrapy-1566 | signals docs are confusing
It seems it is not explained how to connect a callback to a singnal anywhere in Scrapy docs.
http://doc.scrapy.org/en/latest/topics/signals.html tells:
> You can connect to signals (or send your own) through the [Signals API](http://doc.scrapy.org/en/latest/topics/api.html#topics-api-signals).
But if you follow this link you get docs for scrapy.signalmanager.SignalManager - that's fine, but it is not explained where to get a SignalManager instance from.
There is an example in Extension docs (http://doc.scrapy.org/en/latest/topics/extensions.html#sample-extension), but
a) this is just an example;
b) it is not explained that crawler.signals is a SignalManager instance;
c) this example is neither in Signals docs nor in SignalManager docs.
There is also a bit of information here: http://doc.scrapy.org/en/latest/topics/api.html#scrapy.crawler.Crawler.signals, but
a) it is not linked to neither from Signal docs nor from SignalManager, so you can't find it if you don't know about it already;
b) it is not explained that crawler.signals is the only way to access signals.
So in the end users may get some luck connecting signals if they start from Crawler docs, but almost no luck if they start from Signals docs.
| [
{
"content": "\"\"\"Helper functions which doesn't fit anywhere else\"\"\"\nimport re\nimport hashlib\nfrom importlib import import_module\nfrom pkgutil import iter_modules\n\nimport six\nfrom w3lib.html import replace_entities\n\nfrom scrapy.utils.python import flatten, to_unicode\nfrom scrapy.item import Base... | [
{
"content": "\"\"\"Helper functions which don't fit anywhere else\"\"\"\nimport re\nimport hashlib\nfrom importlib import import_module\nfrom pkgutil import iter_modules\n\nimport six\nfrom w3lib.html import replace_entities\n\nfrom scrapy.utils.python import flatten, to_unicode\nfrom scrapy.item import BaseIt... | diff --git a/docs/topics/media-pipeline.rst b/docs/topics/media-pipeline.rst
index 4ee4f17583c..5ed6ce97d4b 100644
--- a/docs/topics/media-pipeline.rst
+++ b/docs/topics/media-pipeline.rst
@@ -7,7 +7,7 @@ Downloading and processing files and images
.. currentmodule:: scrapy.pipelines.images
Scrapy provides reusable :doc:`item pipelines </topics/item-pipeline>` for
-downloading fies attached to a particular item (for example, when you scrape
+downloading files attached to a particular item (for example, when you scrape
products and also want to download their images locally). These pipelines share
a bit of functionality and structure (we refer to them as media pipelines), but
typically you'll either use the Files Pipeline or the Images Pipeline.
diff --git a/docs/topics/signals.rst b/docs/topics/signals.rst
index 5dd3b9ef5d9..19d5e8df9f6 100644
--- a/docs/topics/signals.rst
+++ b/docs/topics/signals.rst
@@ -16,6 +16,37 @@ deliver the arguments that the handler receives.
You can connect to signals (or send your own) through the
:ref:`topics-api-signals`.
+Here is a simple example showing how you can catch signals and perform some action:
+::
+
+ from scrapy import signals
+ from scrapy import Spider
+
+
+ class DmozSpider(Spider):
+ name = "dmoz"
+ allowed_domains = ["dmoz.org"]
+ start_urls = [
+ "http://www.dmoz.org/Computers/Programming/Languages/Python/Books/",
+ "http://www.dmoz.org/Computers/Programming/Languages/Python/Resources/",
+ ]
+
+
+ @classmethod
+ def from_crawler(cls, crawler, *args, **kwargs):
+ spider = super(DmozSpider, cls).from_crawler(crawler, *args, **kwargs)
+ crawler.signals.connect(spider.spider_closed, signal=signals.spider_closed)
+ return spider
+
+
+ def spider_closed(self, spider):
+ spider.logger.info('Spider closed: %s', spider.name)
+
+
+ def parse(self, response):
+ pass
+
+
Deferred signal handlers
========================
diff --git a/scrapy/utils/misc.py b/scrapy/utils/misc.py
index 303a413d8b9..f20070b5d98 100644
--- a/scrapy/utils/misc.py
+++ b/scrapy/utils/misc.py
@@ -1,4 +1,4 @@
-"""Helper functions which doesn't fit anywhere else"""
+"""Helper functions which don't fit anywhere else"""
import re
import hashlib
from importlib import import_module
|
blaze__blaze-475 | Make blaze.test() return True or False
@asmeurer suggests this. Currently we're passing through pytest.main() which is like the error code from command line programs.
<!---
@huboard:{"order":398.859375,"milestone_order":452,"custom_state":""}
-->
| [
{
"content": "from __future__ import absolute_import, division, print_function\n\nimport logging\n\nfrom dynd import nd\nfrom pandas import DataFrame\nimport h5py\n\nfrom multipledispatch import halt_ordering, restart_ordering\n\nhalt_ordering() # Turn off multipledispatch ordering\n\nfrom .expr import *\nfrom ... | [
{
"content": "from __future__ import absolute_import, division, print_function\n\nimport logging\n\nfrom dynd import nd\nfrom pandas import DataFrame\nimport h5py\n\nfrom multipledispatch import halt_ordering, restart_ordering\n\nhalt_ordering() # Turn off multipledispatch ordering\n\nfrom .expr import *\nfrom ... | diff --git a/blaze/__init__.py b/blaze/__init__.py
index 94239fde3..b6cd8e108 100644
--- a/blaze/__init__.py
+++ b/blaze/__init__.py
@@ -139,4 +139,4 @@ def test(verbose=False, junitfile=None, exit=False):
error_code = pytest.main(args=args)
if exit:
return sys.exit(error_code)
- return error_code
+ return error_code == 0
|
ocadotechnology__aimmo-232 | Test coverage
Some first extra tests written to get the test coverage up a bit.
| [
{
"content": "# -*- coding: utf-8 -*-\nfrom setuptools import find_packages, setup\n\n\nsetup(\n name='aimmo-game-creator',\n packages=find_packages(),\n include_package_data=True,\n install_requires=[\n 'eventlet',\n 'pykube',\n ],\n tests_require=[\n 'httmock',\n ],\n... | [
{
"content": "# -*- coding: utf-8 -*-\nfrom setuptools import find_packages, setup\n\n\nsetup(\n name='aimmo-game-creator',\n packages=find_packages(),\n include_package_data=True,\n install_requires=[\n 'eventlet',\n 'pykube',\n ],\n tests_require=[\n 'httmock',\n ... | diff --git a/aimmo-game-creator/setup.py b/aimmo-game-creator/setup.py
index 6f7ef60c8..1f147d967 100644
--- a/aimmo-game-creator/setup.py
+++ b/aimmo-game-creator/setup.py
@@ -12,6 +12,7 @@
],
tests_require=[
'httmock',
+ 'mock',
],
test_suite='tests',
zip_safe=False,
diff --git a/aimmo-game-creator/tests/test_worker_manager.py b/aimmo-game-creator/tests/test_worker_manager.py
index fa60d5cf0..5ec5bfe16 100644
--- a/aimmo-game-creator/tests/test_worker_manager.py
+++ b/aimmo-game-creator/tests/test_worker_manager.py
@@ -1,11 +1,16 @@
from __future__ import absolute_import
+import cPickle as pickle
import unittest
+
from json import dumps, loads
from httmock import HTTMock
+import mock
from worker_manager import WorkerManager
+from worker_manager import LocalWorkerManager
+
class ConcreteWorkerManager(WorkerManager):
def __init__(self, *args, **kwargs):
@@ -93,3 +98,45 @@ def test_added_workers_given_correct_url(self):
'http://test/{}/'.format(i)
)
self.assertEqual(self.worker_manager.added_workers[str(i)]['name'], 'Game %s' % i)
+
+
+class TestLocalWorkerManager(unittest.TestCase):
+
+ def test_create_worker(self):
+ with mock.patch('subprocess.Popen') as mocked_popen:
+ localWorkerManager = LocalWorkerManager("")
+
+ game_id = 1
+ game_data = {
+ "test" : "test"
+ }
+
+ localWorkerManager.create_worker(game_id, game_data)
+ call_args = mocked_popen.call_args
+
+ argument_dictionary = call_args[1]
+ self.assertTrue("aimmo-game" in argument_dictionary["cwd"])
+ self.assertEqual(argument_dictionary["env"]["test"], "test")
+
+ def test_remove_worker(self):
+ self.killed = False
+ class KillableWorker():
+ def __init__(self, binder):
+ self.binder = binder
+ self.binder.killed = False
+
+ def kill(self):
+ self.binder.killed = True
+
+ localWorkerManager = LocalWorkerManager("")
+ localWorkerManager.workers = {
+ 1 : KillableWorker(self)
+ }
+
+ self.assertFalse(self.killed)
+ self.assertTrue(1 in localWorkerManager.workers)
+
+ localWorkerManager.remove_worker(1)
+
+ self.assertTrue(self.killed)
+ self.assertTrue(1 not in localWorkerManager.workers)
diff --git a/aimmo-game-worker/tests/simulation/test_location.py b/aimmo-game-worker/tests/simulation/test_location.py
new file mode 100644
index 000000000..890e57f23
--- /dev/null
+++ b/aimmo-game-worker/tests/simulation/test_location.py
@@ -0,0 +1,29 @@
+from __future__ import absolute_import
+
+from unittest import TestCase
+
+from simulation.location import Location
+
+
+class TestLocation(TestCase):
+
+ def test_add(self):
+ dummy_location = Location(1, 2)
+ direction = Location(1, 1)
+ expected = Location(2, 3)
+ self.assertEqual(dummy_location + direction, expected)
+
+ def test_sub(self):
+ dummy_location = Location(3, 2)
+ direction = Location(1, 1)
+ expected = Location(2, 1)
+ self.assertEqual(dummy_location - direction, expected)
+
+ def test_repr(self):
+ dummy_location = Location(1, 2)
+ self.assertTrue("Location(1, 2)" == str(dummy_location))
+
+ def test_not_equal(self):
+ dummy_location_1 = Location(1, 1)
+ dummy_location_2 = Location(2, 2)
+ self.assertTrue(dummy_location_1 != dummy_location_2)
diff --git a/aimmo-game/tests/test_simulation/avatar/test_fog_of_war.py b/aimmo-game/tests/test_simulation/avatar/test_fog_of_war.py
new file mode 100644
index 000000000..737e00b91
--- /dev/null
+++ b/aimmo-game/tests/test_simulation/avatar/test_fog_of_war.py
@@ -0,0 +1,11 @@
+from __future__ import absolute_import
+
+from unittest import TestCase
+
+from simulation.avatar.fog_of_war import should_partially_fog
+
+
+class TestFogOfWar(TestCase):
+ def test_should_partially_fog(self):
+ self.assertFalse(should_partially_fog(no_fog_distance=20, partial_fog_distance=2, x_dist=1, y_dist=10))
+ self.assertTrue(should_partially_fog(no_fog_distance=1, partial_fog_distance=2, x_dist=20, y_dist=10))
diff --git a/aimmo-game/tests/test_simulation/test_location.py b/aimmo-game/tests/test_simulation/test_location.py
index 83e86b7c7..3eb4d5471 100644
--- a/aimmo-game/tests/test_simulation/test_location.py
+++ b/aimmo-game/tests/test_simulation/test_location.py
@@ -9,39 +9,46 @@ class TestLocation(TestCase):
def test_equal(self):
loc_1 = Location(3, 3)
loc_2 = Location(3, 3)
+
self.assertEqual(loc_1, loc_2)
self.assertFalse(loc_1 != loc_2)
def test_x_not_equal(self):
loc_1 = Location(3, 3)
loc_2 = Location(4, 3)
+
self.assertNotEqual(loc_1, loc_2)
self.assertFalse(loc_1 == loc_2)
def test_y_not_equal(self):
loc_1 = Location(4, 4)
loc_2 = Location(4, 3)
+
self.assertNotEqual(loc_1, loc_2)
self.assertFalse(loc_1 == loc_2)
def test_add(self):
loc_1 = Location(1, 2)
loc_2 = Location(3, 4)
+
expected = Location(4, 6)
self.assertEqual(loc_1 + loc_2, expected)
def test_sub(self):
loc_1 = Location(1, 2)
loc_2 = Location(3, 4)
+
expected = Location(-2, -2)
self.assertEqual(loc_1 - loc_2, expected)
def test_hash_equal(self):
loc_1 = Location(3, 3)
loc_2 = Location(3, 3)
+
self.assertEqual(hash(loc_1), hash(loc_2))
def test_serialise(self):
loc = Location(3, 9)
+
expected = {'x': 3, 'y': 9}
self.assertEqual(loc.serialise(), expected)
diff --git a/aimmo-game/tests/test_simulation/test_turn_manager.py b/aimmo-game/tests/test_simulation/test_turn_manager.py
index 074b69139..18f45f583 100644
--- a/aimmo-game/tests/test_simulation/test_turn_manager.py
+++ b/aimmo-game/tests/test_simulation/test_turn_manager.py
@@ -6,6 +6,7 @@
from simulation.game_state import GameState
from simulation.location import Location
from simulation.turn_manager import ConcurrentTurnManager
+from simulation.turn_manager import SequentialTurnManager
from .dummy_avatar import DummyAvatarManager
from .dummy_avatar import MoveEastDummy
from .dummy_avatar import MoveNorthDummy
@@ -32,16 +33,22 @@ class TestTurnManager(unittest.TestCase):
def construct_default_avatar_appearance(self):
return AvatarAppearance("#000", "#ddd", "#777", "#fff")
- def construct_turn_manager(self, avatars, locations):
+ def construct_turn_manager(self, avatars, locations, manager):
self.avatar_manager = DummyAvatarManager(avatars)
self.game_state = MockGameState(InfiniteMap(), self.avatar_manager)
- self.turn_manager = ConcurrentTurnManager(game_state=self.game_state,
+ self.turn_manager = manager(game_state=self.game_state,
end_turn_callback=lambda: None,
completion_url='')
for index, location in enumerate(locations):
self.game_state.add_avatar(index, "", location)
return self.turn_manager
+ def construct_concurrent_turn_manager(self, avatars, locations):
+ return self.construct_turn_manager(avatars, locations, ConcurrentTurnManager)
+
+ def construct_sequential_turn_manager(self, avatars, locations):
+ return self.construct_turn_manager(avatars, locations, SequentialTurnManager)
+
def assert_at(self, avatar, location):
self.assertEqual(avatar.location, location)
cell = self.game_state.world_map.get_cell(location)
@@ -53,33 +60,33 @@ def get_avatar(self, player_id):
def run_turn(self):
self.turn_manager.run_turn()
- def test_run_turn(self):
+ def run_by_manager_turn(self, construct_manager):
'''
Given: > _
(1)
Expect: _ o
'''
- self.construct_turn_manager([MoveEastDummy], [ORIGIN])
+ construct_manager([MoveEastDummy], [ORIGIN])
avatar = self.get_avatar(0)
self.assert_at(avatar, ORIGIN)
self.run_turn()
self.assert_at(avatar, RIGHT_OF_ORIGIN)
- def test_run_several_turns(self):
+ def run_by_manager_several_turns(self, construct_manager):
'''
Given: > _ _ _ _ _
(5)
Expect: _ _ _ _ _ o
'''
- self.construct_turn_manager([MoveEastDummy], [ORIGIN])
+ construct_manager([MoveEastDummy], [ORIGIN])
avatar = self.get_avatar(0)
self.assertEqual(avatar.location, ORIGIN)
[self.run_turn() for _ in range(5)]
self.assertEqual(avatar.location, FIVE_RIGHT_OF_ORIGIN)
- def test_run_several_turns_and_avatars(self):
+ def run_by_manager_several_turns_and_avatars(self, construct_manager):
'''
Given: > _ _ _ _ _
> _ _ _ _ _
@@ -87,7 +94,7 @@ def test_run_several_turns_and_avatars(self):
Expect: _ _ _ _ _ o
_ _ _ _ _ o
'''
- self.construct_turn_manager([MoveEastDummy, MoveEastDummy],
+ construct_manager([MoveEastDummy, MoveEastDummy],
[ORIGIN, ABOVE_ORIGIN])
avatar0 = self.get_avatar(0)
avatar1 = self.get_avatar(1)
@@ -98,13 +105,13 @@ def test_run_several_turns_and_avatars(self):
self.assert_at(avatar0, FIVE_RIGHT_OF_ORIGIN)
self.assert_at(avatar1, FIVE_RIGHT_OF_ORIGIN_AND_ONE_ABOVE)
- def test_move_chain_succeeds(self):
+ def run_by_manager_move_chain_succeeds(self, construct_manager):
'''
Given: > > > > > _
Expect: _ o o o o o
'''
- self.construct_turn_manager([MoveEastDummy for _ in range(5)],
+ construct_manager([MoveEastDummy for _ in range(5)],
[Location(x, 0) for x in range(5)])
avatars = [self.get_avatar(i) for i in range(5)]
@@ -112,13 +119,13 @@ def test_move_chain_succeeds(self):
self.run_turn()
[self.assert_at(avatars[x], Location(x + 1, 0)) for x in range(5)]
- def test_move_chain_fails_occupied(self):
+ def run_by_manager_move_chain_fails_occupied(self, construct_manager):
'''
Given: > > x _
Expect: x x x _
'''
- self.construct_turn_manager([MoveEastDummy, MoveEastDummy, WaitDummy],
+ construct_manager([MoveEastDummy, MoveEastDummy, WaitDummy],
[Location(x, 0) for x in range(3)])
avatars = [self.get_avatar(i) for i in range(3)]
@@ -126,14 +133,14 @@ def test_move_chain_fails_occupied(self):
self.run_turn()
[self.assert_at(avatars[x], Location(x, 0)) for x in range(3)]
- def test_move_chain_fails_collision(self):
+ def run_by_manager_move_chain_fails_collision(self, construct_manager):
'''
Given: > > > _ <
(1)
Expect: x x x _ x
'''
locations = [Location(0, 0), Location(1, 0), Location(2, 0), Location(4, 0)]
- self.construct_turn_manager(
+ construct_manager(
[MoveEastDummy, MoveEastDummy, MoveEastDummy, MoveWestDummy],
locations)
avatars = [self.get_avatar(i) for i in range(4)]
@@ -142,7 +149,7 @@ def test_move_chain_fails_collision(self):
self.run_turn()
[self.assert_at(avatars[i], locations[i]) for i in range(4)]
- def test_move_chain_fails_cycle(self):
+ def run_by_manager_move_chain_fails_cycle(self, construct_manager):
'''
Given: > v
^ <
@@ -151,7 +158,7 @@ def test_move_chain_fails_cycle(self):
x x
'''
locations = [Location(0, 1), Location(1, 1), Location(1, 0), Location(0, 0)]
- self.construct_turn_manager(
+ construct_manager(
[MoveEastDummy, MoveSouthDummy, MoveWestDummy, MoveNorthDummy],
locations)
avatars = [self.get_avatar(i) for i in range(4)]
@@ -160,7 +167,7 @@ def test_move_chain_fails_cycle(self):
self.run_turn()
[self.assert_at(avatars[i], locations[i]) for i in range(4)]
- def test_move_chain_fails_spiral(self):
+ def run_by_manager_move_chain_fails_spiral(self, construct_manager):
'''
Given: > > v
^ <
@@ -173,7 +180,7 @@ def test_move_chain_fails_spiral(self):
Location(2, 1),
Location(2, 0),
Location(1, 0)]
- self.construct_turn_manager(
+ construct_manager(
[MoveEastDummy, MoveEastDummy, MoveSouthDummy, MoveWestDummy, MoveNorthDummy],
locations)
avatars = [self.get_avatar(i) for i in range(5)]
@@ -182,5 +189,59 @@ def test_move_chain_fails_spiral(self):
self.run_turn()
[self.assert_at(avatars[i], locations[i]) for i in range(5)]
+ def build_test_by_constructor(self, constructor):
+ self.run_by_manager_turn(constructor)
+ self.run_by_manager_several_turns_and_avatars(constructor)
+ self.run_by_manager_several_turns(constructor)
+ self.run_by_manager_move_chain_fails_spiral(constructor)
+ self.run_by_manager_move_chain_fails_cycle(constructor)
+ self.run_by_manager_move_chain_fails_occupied(constructor)
+
+ def test_concurrent_turn_manager(self):
+ constructor = lambda x, y: self.construct_concurrent_turn_manager(x, y)
+ self.build_test_by_constructor(constructor)
+ self.run_by_manager_move_chain_fails_collision(constructor)
+ self.run_by_manager_move_chain_succeeds(constructor)
+
+ def sequential_move_chain_consecutive_avatars_fails(self):
+ '''
+ Given: > > > > > _
+ Expect: _ o o o o o
+
+ This should fail for the sequential manager as the first avatar will bump into the second one
+ '''
+ self.construct_sequential_turn_manager([MoveEastDummy for _ in range(5)],
+ [Location(x, 0) for x in range(5)])
+ avatars = [self.get_avatar(i) for i in range(5)]
+
+ [self.assert_at(avatars[x], Location(x, 0)) for x in range(5)]
+ self.run_turn()
+ [self.assert_at(avatars[x], Location(x, 0)) for x in range(4)]
+ self.assert_at(avatars[4], Location(5, 0))
+
+ def sequential_move_chain_fails_collision(self):
+ '''
+ Given: > > > _ <
+ (1)
+ Expect: x x x _ x
+ '''
+ locations = [Location(0, 0), Location(1, 0), Location(2, 0), Location(4, 0)]
+ self.construct_sequential_turn_manager(
+ [MoveEastDummy, MoveEastDummy, MoveEastDummy, MoveWestDummy],
+ locations)
+ avatars = [self.get_avatar(i) for i in range(4)]
+
+ [self.assert_at(avatars[i], locations[i]) for i in range(4)]
+ self.run_turn()
+ [self.assert_at(avatars[i], locations[i]) for i in [0, 1, 3]]
+ self.assert_at(avatars[2], Location(3, 0))
+
+ def test_sequential_turn_manager(self):
+ constructor = lambda x, y: self.construct_sequential_turn_manager(x, y)
+ self.build_test_by_constructor(constructor)
+ self.sequential_move_chain_consecutive_avatars_fails()
+ self.sequential_move_chain_fails_collision()
+
+
if __name__ == '__main__':
unittest.main()
|
ansible-collections__community.aws-1886 | mq_broker: Tagging a broker on creation does not work
### Summary
When creating a new MQ broker using the following task, the broker does not get tagged.
```
- name: create broker with minimal parameters
mq_broker:
broker_name: "{{ broker_name }}"
security_groups: "{{ broker_sg_ids.split(',') }}"
subnet_ids: "{{ broker_subnet_ids.split(',') }}"
tags:
"Foo": "Bar"
"FooBar": "foobar"
```
Actual result:
```
changed: [testhost] => {
"broker": {
"broker_arn": "arn:aws:mq:us-east-1:123456789100:broker:ansible-test-52903175--mq:b-70e0807b-102d-42ae-8805-94ec6395436c",
"broker_id": "b-70e0807b-102d-42ae-8805-94ec6395436c",
"response_metadata": {
"http_headers": {
"access-control-allow-origin": "*",
"access-control-expose-headers": "x-amzn-errortype,x-amzn-requestid,x-amzn-errormessage,x-amzn-trace-id,x-amz-apigw-id,date",
"cache-control": "no-cache; no-store, must-revalidate, private",
"connection": "keep-alive",
"content-length": "191",
"content-type": "application/json",
"date": "Wed, 31 May 2023 13:25:16 GMT",
"expires": "0",
"pragma": "no-cache",
"x-amz-apigw-id": "FyidUFppIAMF1zw=",
"x-amzn-requestid": "12345bcb-5678-890d-972c-26a92712aaeb",
"x-amzn-trace-id": "Root=1-64774abb-2b3bf58a2b0cbf7800afdef6"
},
"http_status_code": 200,
"request_id": "59392bcb-5406-460d-972c-26a92712aaeb",
"retry_attempts": 0
}
},
```
### Issue Type
Bug Report
### Component Name
mq_broker
### Ansible Version
```console (paste below)
$ ansible --version
ansible [core 2.14.3]
```
### Collection Versions
```console (paste below)
$ ansible-galaxy collection list
Collection Version
----------------------------- -------
amazon.aws 6.0.0
community.aws 6.0.0
```
### AWS SDK versions
```console (paste below)
$ pip show boto boto3 botocore
Name: boto3
Version: 1.22.0
Summary: The AWS SDK for Python
Home-page: https://github.com/boto/boto3
Author: Amazon Web Services
Author-email:
License: Apache License 2.0
Location: /Users/alinabuzachis/anaconda3/envs/py310/lib/python3.10/site-packages
Requires: botocore, jmespath, s3transfer
Required-by: gouttelette
---
Name: botocore
Version: 1.25.13
Summary: Low-level, data-driven core of boto 3.
Home-page: https://github.com/boto/botocore
Author: Amazon Web Services
Author-email:
License: Apache License 2.0
Location: /Users/alinabuzachis/anaconda3/envs/py310/lib/python3.10/site-packages
Requires: jmespath, python-dateutil, urllib3
Required-by: aiobotocore, awscli, boto3, s3transfer
```
### Configuration
```console (paste below)
$ ansible-config dump --only-changed
```
### OS / Environment
_No response_
### Steps to Reproduce
<!--- Paste example playbooks or commands between quotes below -->
```yaml (paste below)
```
### Expected Results
Create an MQ broker using the task I pasted before.
### Actual Results
```console (paste below)
```
### Code of Conduct
- [X] I agree to follow the Ansible Code of Conduct
mq_broker: Tagging a broker on creation does not work
### Summary
When creating a new MQ broker using the following task, the broker does not get tagged.
```
- name: create broker with minimal parameters
mq_broker:
broker_name: "{{ broker_name }}"
security_groups: "{{ broker_sg_ids.split(',') }}"
subnet_ids: "{{ broker_subnet_ids.split(',') }}"
tags:
"Foo": "Bar"
"FooBar": "foobar"
```
Actual result:
```
changed: [testhost] => {
"broker": {
"broker_arn": "arn:aws:mq:us-east-1:123456789100:broker:ansible-test-52903175--mq:b-70e0807b-102d-42ae-8805-94ec6395436c",
"broker_id": "b-70e0807b-102d-42ae-8805-94ec6395436c",
"response_metadata": {
"http_headers": {
"access-control-allow-origin": "*",
"access-control-expose-headers": "x-amzn-errortype,x-amzn-requestid,x-amzn-errormessage,x-amzn-trace-id,x-amz-apigw-id,date",
"cache-control": "no-cache; no-store, must-revalidate, private",
"connection": "keep-alive",
"content-length": "191",
"content-type": "application/json",
"date": "Wed, 31 May 2023 13:25:16 GMT",
"expires": "0",
"pragma": "no-cache",
"x-amz-apigw-id": "FyidUFppIAMF1zw=",
"x-amzn-requestid": "12345bcb-5678-890d-972c-26a92712aaeb",
"x-amzn-trace-id": "Root=1-64774abb-2b3bf58a2b0cbf7800afdef6"
},
"http_status_code": 200,
"request_id": "59392bcb-5406-460d-972c-26a92712aaeb",
"retry_attempts": 0
}
},
```
### Issue Type
Bug Report
### Component Name
mq_broker
### Ansible Version
```console (paste below)
$ ansible --version
ansible [core 2.14.3]
```
### Collection Versions
```console (paste below)
$ ansible-galaxy collection list
Collection Version
----------------------------- -------
amazon.aws 6.0.0
community.aws 6.0.0
```
### AWS SDK versions
```console (paste below)
$ pip show boto boto3 botocore
Name: boto3
Version: 1.22.0
Summary: The AWS SDK for Python
Home-page: https://github.com/boto/boto3
Author: Amazon Web Services
Author-email:
License: Apache License 2.0
Location: /Users/alinabuzachis/anaconda3/envs/py310/lib/python3.10/site-packages
Requires: botocore, jmespath, s3transfer
Required-by: gouttelette
---
Name: botocore
Version: 1.25.13
Summary: Low-level, data-driven core of boto 3.
Home-page: https://github.com/boto/botocore
Author: Amazon Web Services
Author-email:
License: Apache License 2.0
Location: /Users/alinabuzachis/anaconda3/envs/py310/lib/python3.10/site-packages
Requires: jmespath, python-dateutil, urllib3
Required-by: aiobotocore, awscli, boto3, s3transfer
```
### Configuration
```console (paste below)
$ ansible-config dump --only-changed
```
### OS / Environment
_No response_
### Steps to Reproduce
<!--- Paste example playbooks or commands between quotes below -->
```yaml (paste below)
```
### Expected Results
Create an MQ broker using the task I pasted before.
### Actual Results
```console (paste below)
```
### Code of Conduct
- [X] I agree to follow the Ansible Code of Conduct
| [
{
"content": "#!/usr/bin/python\n# -*- coding: utf-8 -*-\n\n# Copyright: Contributors to the Ansible project\n# GNU General Public License v3.0+ (see COPYING or https://www.gnu.org/licenses/gpl-3.0.txt)\n\nDOCUMENTATION = r\"\"\"\n---\nmodule: mq_broker\nversion_added: 6.0.0\nshort_description: MQ broker manage... | [
{
"content": "#!/usr/bin/python\n# -*- coding: utf-8 -*-\n\n# Copyright: Contributors to the Ansible project\n# GNU General Public License v3.0+ (see COPYING or https://www.gnu.org/licenses/gpl-3.0.txt)\n\nDOCUMENTATION = r\"\"\"\n---\nmodule: mq_broker\nversion_added: 6.0.0\nshort_description: MQ broker manage... | diff --git a/changelogs/fragments/1832-mq_broker_tags.yml b/changelogs/fragments/1832-mq_broker_tags.yml
new file mode 100644
index 00000000000..b2320dd3c71
--- /dev/null
+++ b/changelogs/fragments/1832-mq_broker_tags.yml
@@ -0,0 +1,2 @@
+bugfixes:
+ - mq_broker - ensure broker is created with ``tags`` when passed (https://github.com/ansible-collections/community.aws/issues/1832).
\ No newline at end of file
diff --git a/plugins/modules/mq_broker.py b/plugins/modules/mq_broker.py
index 5fda006b8b0..0453a43b6d0 100644
--- a/plugins/modules/mq_broker.py
+++ b/plugins/modules/mq_broker.py
@@ -237,6 +237,7 @@
"storage_type": "StorageType",
"subnet_ids": "SubnetIds",
"users": "Users",
+ "tags": "Tags",
}
diff --git a/tests/integration/targets/mq/defaults/main.yml b/tests/integration/targets/mq/defaults/main.yml
index 896ba8afa7d..2199c2f637f 100644
--- a/tests/integration/targets/mq/defaults/main.yml
+++ b/tests/integration/targets/mq/defaults/main.yml
@@ -5,3 +5,5 @@ vpc_name: "{{ resource_prefix }}-vpc"
vpc_cidr: "10.0.0.0/16"
subnet_cidr: "10.0.1.0/24"
sg_name: "{{resource_prefix}}-sg"
+tags:
+ workload_type: other
\ No newline at end of file
diff --git a/tests/integration/targets/mq/tasks/broker_tests.yml b/tests/integration/targets/mq/tasks/broker_tests.yml
index 958b80cb205..d4d399da7c1 100644
--- a/tests/integration/targets/mq/tasks/broker_tests.yml
+++ b/tests/integration/targets/mq/tasks/broker_tests.yml
@@ -3,6 +3,7 @@
broker_name: "{{ broker_name }}"
security_groups: "{{ broker_sg_ids.split(',') }}"
subnet_ids: "{{ broker_subnet_ids.split(',') }}"
+ tags: "{{ tags }}"
register: result
- set_fact:
broker_id: "{{ result.broker['broker_id'] }}"
@@ -20,6 +21,7 @@
- result_c1.broker['broker_name'] == broker_name
- result_c1.broker['broker_state'] == 'CREATION_IN_PROGRESS'
- ( result_c1.broker['storage_type'] | upper ) == 'EFS'
+ - result_c1.broker['tags'] == tags
when: not ansible_check_mode
- debug:
msg: "Wait until broker {{ broker_name }} ({{ broker_id }}) enters running state. This may take several minutes"
diff --git a/tests/integration/targets/mq/tasks/main.yml b/tests/integration/targets/mq/tasks/main.yml
index 2055700480b..e84367a76c2 100644
--- a/tests/integration/targets/mq/tasks/main.yml
+++ b/tests/integration/targets/mq/tasks/main.yml
@@ -32,4 +32,4 @@
- name: cleanup broker
include_tasks: broker_cleanup.yml
- - include_tasks: env_cleanup.yml
\ No newline at end of file
+ - include_tasks: env_cleanup.yml
|
pytorch__torchdynamo-1539 | Remove the triton dependency of Inductor CPU codegen
We import triton library even we compile the CPU codegen, e.g:
```
from ctypes import c_void_p, c_long
import torch
import random
from torch import empty_strided, as_strided, device
from torchinductor.codecache import AsyncCompile
aten = torch.ops.aten
async_compile = AsyncCompile()
import triton
import triton.language as tl
from torchinductor.triton_ops.autotune import grid
from torch._C import _cuda_getCurrentRawStream as get_cuda_stream
kernel0 = async_compile.cpp('''
#include "/tmp/torchinductor_ybliang/i5/ci5zbqbzeij2usetynv7oczewshegubkvtpswwuumpp6xjync55y.h"
extern "C" void kernel(const float* __restrict__ in_ptr0,
const float* __restrict__ in_ptr1,
float* __restrict__ out_ptr0,
const long ks0)
{
#pragma GCC ivdep
for(long i0=0; i0<ks0*ks0; ++i0)
{
{
{
auto tmp0 = in_ptr0[i0];
auto tmp1 = in_ptr1[i0];
auto tmp2 = tmp0 + tmp1;
out_ptr0[i0] = tmp2;
}
}
}
}
''')
```
This will cause dependency issue if users just want to use inductor on CPU. I think we should remove this dependency. Look at the code [here](https://github.com/pytorch/torchdynamo/blob/main/torchinductor/codegen/wrapper.py#L198), actually we add these headers according if ```has_triton```, maybe we should define a better criteria.
| [
{
"content": "import collections\nimport functools\nimport operator\nimport time\nfrom importlib import import_module\nfrom typing import Any\nfrom typing import Dict\nfrom typing import List\n\nimport numpy as np\nimport sympy\nimport torch\nfrom torch.fx.immutable_collections import immutable_dict\nfrom torch... | [
{
"content": "import collections\nimport functools\nimport operator\nimport time\nfrom importlib import import_module\nfrom typing import Any\nfrom typing import Dict\nfrom typing import List\n\nimport numpy as np\nimport sympy\nimport torch\nfrom torch.fx.immutable_collections import immutable_dict\nfrom torch... | diff --git a/torchinductor/utils.py b/torchinductor/utils.py
index 4716dd4daa..37722807f5 100644
--- a/torchinductor/utils.py
+++ b/torchinductor/utils.py
@@ -26,6 +26,8 @@
@functools.lru_cache(None)
def has_triton():
+ if not torch.cuda.is_available():
+ return False
try:
import triton
|
microsoft__superbenchmark-209 | V0.3.0 Release Plan
# Release Manager
@TobeyQin
# Endgame
Code freeze: 9/1/2021
Bug Bash date: 9/2/2021
Release date: 9/17/2021
# Main Features
## SuperBench Framework
### SB Runner -- @abuccts
- [x] MPI mode implementation
PR: #146
### SB Benchmarks -- @guoshzhao
- [x] Docker Base
PR: #179 and #180
## Single-node Validation
### Micro-benchmarks -- @guoshzhao @yukirora
1. - [x] Memory (Tool: Nvidia Bandwidth Test Tool) -- @yukirora ETA: 5/28/2021
PR: #114
| Metrics | Unit | Description |
|---|---|---|
| H2D_Mem_BW_\<GPU ID> | GB/s | host-to-GPU bandwidth for each GPU |
| D2H_Mem_BW_\<GPU ID> | GB/s | GPU-to-host bandwidth for each GPU |
2. - [ ] Device P2P Bandwidth (Tool: Nvidia p2pBandwidthLatencyTest Tool) -- Delayed
| Metrics | Unit | Description |
|---|---|---|
| P2P_BW_Max | GB/s | The maximum bandwidth in Bidirectional P2P=Enabled Bandwidth Matrix for all GPUs |
| P2P_BW_Min | GB/s | The minimum bandwidth |
| P2P_BW_Avg | GB/s | The average bandwidth |
3. - [x] IBLoopback (Tool: PerfTest – Standard RDMA Test Tool) -- @yukirora ETA: 7/30/2021
PR: #112 and #129
| Metrics | Unit | Description |
|---|---|---|
| IB_Write | MB/s | The IB write loopback throughput with different message size |
| IB_Read | MB/s | The IB read loopback throughput with different message size |
| IB_Send | MB/s | The IB send loopback throughput with different message size |
4. - [x] NCCL (Tool: Nvidia NCCL Test) -- @yukirora ETA: 7/30/2021
PR: #113 and #128
| Metrics | Unit | Description |
|---|---|---|
| NCCL_AllReduce | GB/s | The NCCL AllReduce performance with different message size |
| NCCL_AllGather | GB/s | The NCCL AllGather performance with different message size |
| NCCL_broadcast | GB/s | The NCCL Broadcast performance with different message size |
| NCCL_reduce | GB/s | The NCCL Reduce performance with different message size |
| NCCL_reduce_scatter | GB/s | The NCCL ReduceScatter performance with different message size |
5. - [x] Disk (Tool: FIO – Standard Disk Performance Tool) -- @yzygitzh ETA: 7/30/2021
PR: #127 and #132 and #161
| Metrics | Unit | Description |
|---|---|---|
| Seq_Read | MB/s | Sequential read performance |
| Seq_Write | MB/s | Sequential write performance |
| Rand_Read | MB/s | Random read performance |
| Rand_Write | MB/s | Random write performance |
| Seq_R/W_Read | MB/s | Read performance in sequential read/write, fixed measurement (read:write = 4:1)|
| Seq_R/W_Write | MB/s | Write performance in sequential read/write (read:write = 4:1)|
| Rand_R/W_Read | MB/s | Read performance in random read/write (read:write = 4:1)|
| Rand_R/W_Write | MB/s | Write performance in random read/write (read:write = 4:1)|
6. - [x] H2D/D2H SM Transmission Bandwidth (Tool: MSR-A build) -- @yzygitzh ETA: 8/6/2021
PR: #162 and #169
| Metrics | Unit | Description |
|---|---|---|
| H2D_SM_BW_\<GPU ID>| GB/s | host-to-GPU bandwidth using GPU kernel for each GPU |
| D2H_SM_BW_\<GPU ID> | GB/s | GPU-to-host bandwidth using GPU kernel for each GPU |
###
## Support AMD
### Docker Image Support -- @guoshzhao ETA: 7/16/2021
- [x] ROCm 4.2 PyTorch 1.7 PR: #164
- [x] ROCm 4.0 PyTorch 1.7 PR: #164
### Micro Benchmarks
1. - [x] Kernel Launch (Tool: MSR-A build) -- @yukirora ETA: 7/30/2021
PR: #137 and #136
| Metrics | Unit | Description |
|---|---|---|
| Kernel_Launch_Event_Time | Time (ms) | Dispatch latency measured in GPU time using hipEventRecord() |
|Kernel_Launch_Wall_Time| Time (ms) | Dispatch latency measured in CPU time |
2. - [x] RCCL (Tool: AMD RCCL Test) -- @yukirora ETA: 7/30/2021
PR: #139 and #143
| Metrics | Unit | Description |
|---|---|---|
| RCCL_AllReduce | GB/s | The RCCL AllReduce performance with different message size |
| RCCL_AllGather | GB/s | The RCCL AllGather performance with different message size |
| RCCL_broadcast | GB/s | The RCCL Broadcast performance with different message size |
| RCCL_reduce | GB/s | The RCCL Reduce performance with different message size |
| RCCL_reduce_scatter | GB/s | The RCCL ReduceScatter performance with different message size |
3. - [x] GEMM FLOPS (Tool: AMD rocblas-bench Tool) -- @yukirora ETA: 8/27/2021
PR: #144 and #165
| Metrics | Unit | Description |
|---|---|---|
| FP64 | GFLOPS | FP64 FLOPS without MatrixCore |
| FP32 | GFLOPS | FP32 FLOPS without MatrixCore |
| FP16 | GFLOPS | FP16 FLOPS without MatrixCore |
| FP32(MC) | GFLOPS | TF32 FLOPS with MatrixCore |
| FP16(MC) | GFLOPS | FP16 FLOPS with MatrixCore |
| BF16(MC) | GFLOPS | BF16 FLOPS with MatrixCore |
| INT8(MC) | GOPS | INT8 FLOPS with MatrixCore |
| INT4(MC) | GOPS | INT4 FLOPS with MatrixCore |
4. - [x] Memory (Tool: HIP Bandwidth Test Tool) -- @yukirora ETA: 8/27/2021
PR: #159 and #153
| Metrics | Unit | Description |
|---|---|---|
| H2D_Mem_BW_\<GPU ID> | GB/s | host-to-GPU bandwidth for each GPU |
| D2H_Mem_BW_\<GPU ID> | GB/s | GPU-to-host bandwidth for each GPU |
### E2E Benchmarks -- @guoshzhao ETA: 7/16/2021
1. - [x] CNN models -- User PyTorch TORCHVISION.MODELS sub-package
- ResNet: ResNet-50, ResNet-101, ResNet-152
- DenseNet: DenseNet-169, DenseNet-201
- VGG: VGG-11, VGG-13, VGG-16, VGG-19
2. - [x] BERT -- Use huggingface Transformers
- BERT
- BERT LARGE
3. - [x] LSTM -- Use PyTorch TORCH.NN sub-package
4. - [x] GPT-2 -- Use huggingface Transformers
## Result Summary -- @cp5555
- [x] Generate a report to summarize the results -- @guoshzhao ETA: 7/30/2021
PR: #147, #149, and #157
- [ ] Support basic analysis feature (boxplot figure, outlier detection, etc.)
## Bug Fix
- [x] VGG models failed on A100 GPU with batch_size=128 #115
PR: #134
## Other Improvement
1. Contribution related -- @lynex
- [x] Contribute rule (#131)
- [x] system information collection (#160)
2. Document -- @TobeyQin
- [x] Add release process doc (#130)
- [x] Add design documents (#125)
- [x] Add developer guide doc for coding style (#155)
- [x] Add contribution rules (#131)
- [x] Add docker image list (#154)
- [x] Add initial validation results
- [x] ~~Add metric reasoning doc -- @cp5555 @guoshzhao~~
3. Process monitor
- [ ] Add Heart beat to monitor process health
- [ ] Auto kill all processes on all nodes
4. Coding style -- @abuccts
- [x] Add vscode online
------------
## Backlogs
### Multi-Node Benchmarks
- Mellanox ClusterKit
- GPCNeT
### UI Design
| [
{
"content": "# Copyright (c) Microsoft Corporation.\n# Licensed under the MIT License.\n\n\"\"\"SuperBench Python module.\n\nProvide hardware and software benchmarks for AI systems.\n\"\"\"\n\n__version__ = '0.2.1'\n__author__ = 'Microsoft'\n",
"path": "superbench/__init__.py"
}
] | [
{
"content": "# Copyright (c) Microsoft Corporation.\n# Licensed under the MIT License.\n\n\"\"\"SuperBench Python module.\n\nProvide hardware and software benchmarks for AI systems.\n\"\"\"\n\n__version__ = '0.3.0'\n__author__ = 'Microsoft'\n",
"path": "superbench/__init__.py"
}
] | diff --git a/README.md b/README.md
index 320ecca21..eaefbf308 100644
--- a/README.md
+++ b/README.md
@@ -15,7 +15,7 @@
__SuperBench__ is a validation and profiling tool for AI infrastructure.
-📢 [v0.2.1](https://github.com/microsoft/superbenchmark/releases/tag/v0.2.1) has been released!
+📢 [v0.3.0](https://github.com/microsoft/superbenchmark/releases/tag/v0.3.0) has been released!
## _Check [aka.ms/superbench](https://aka.ms/superbench) for more details._
diff --git a/docs/developer-guides/using-docker.mdx b/docs/developer-guides/using-docker.mdx
index a27d88dd2..2c3ab02f0 100644
--- a/docs/developer-guides/using-docker.mdx
+++ b/docs/developer-guides/using-docker.mdx
@@ -36,7 +36,10 @@ docker buildx build \
<TabItem value='rocm'>
```bash
-# coming soon
+export DOCKER_BUILDKIT=1
+docker buildx build \
+ --platform linux/amd64 --cache-to type=inline,mode=max \
+ --tag superbench-dev --file dockerfile/rocm4.2-pytorch1.7.0.dockerfile .
```
</TabItem>
diff --git a/docs/getting-started/installation.md b/docs/getting-started/installation.md
index 53697e087..673901aac 100644
--- a/docs/getting-started/installation.md
+++ b/docs/getting-started/installation.md
@@ -57,7 +57,7 @@ You can clone the source from GitHub and build it.
:::note Note
You should checkout corresponding tag to use release version, for example,
-`git clone -b v0.2.1 https://github.com/microsoft/superbenchmark`
+`git clone -b v0.3.0 https://github.com/microsoft/superbenchmark`
:::
```bash
diff --git a/docs/getting-started/run-superbench.md b/docs/getting-started/run-superbench.md
index 661b914dc..0d88fa4f8 100644
--- a/docs/getting-started/run-superbench.md
+++ b/docs/getting-started/run-superbench.md
@@ -27,7 +27,7 @@ sb deploy -f remote.ini --host-password [password]
:::note Note
You should deploy corresponding Docker image to use release version, for example,
-`sb deploy -f local.ini -i superbench/superbench:v0.2.1-cuda11.1.1`
+`sb deploy -f local.ini -i superbench/superbench:v0.3.0-cuda11.1.1`
:::
## Run
diff --git a/docs/superbench-config.mdx b/docs/superbench-config.mdx
index b4bab07e4..4ef87f03d 100644
--- a/docs/superbench-config.mdx
+++ b/docs/superbench-config.mdx
@@ -66,7 +66,7 @@ superbench:
<TabItem value='example'>
```yaml
-version: v0.2
+version: v0.3
superbench:
enable: benchmark_1
var:
diff --git a/docs/tutorial/container-images.mdx b/docs/tutorial/container-images.mdx
index 9af332a89..d3ea643ef 100644
--- a/docs/tutorial/container-images.mdx
+++ b/docs/tutorial/container-images.mdx
@@ -29,13 +29,17 @@ available tags are listed below for all stable versions.
| Tag | Description |
| ----------------- | ---------------------------------- |
+| v0.3.0-cuda11.1.1 | SuperBench v0.3.0 with CUDA 11.1.1 |
| v0.2.1-cuda11.1.1 | SuperBench v0.2.1 with CUDA 11.1.1 |
| v0.2.0-cuda11.1.1 | SuperBench v0.2.0 with CUDA 11.1.1 |
</TabItem>
<TabItem value='rocm'>
- Coming soon.
+| Tag | Description |
+| --------------------------- | ---------------------------------------------- |
+| v0.3.0-rocm4.2-pytorch1.7.0 | SuperBench v0.3.0 with ROCm 4.2, PyTorch 1.7.0 |
+| v0.3.0-rocm4.0-pytorch1.7.0 | SuperBench v0.3.0 with ROCm 4.0, PyTorch 1.7.0 |
</TabItem>
</Tabs>
diff --git a/superbench/__init__.py b/superbench/__init__.py
index 0a7d95e9a..60cedd82e 100644
--- a/superbench/__init__.py
+++ b/superbench/__init__.py
@@ -6,5 +6,5 @@
Provide hardware and software benchmarks for AI systems.
"""
-__version__ = '0.2.1'
+__version__ = '0.3.0'
__author__ = 'Microsoft'
diff --git a/superbench/config/amd_mi100_hpe.yaml b/superbench/config/amd_mi100_hpe.yaml
index a54217eaf..f2c894314 100644
--- a/superbench/config/amd_mi100_hpe.yaml
+++ b/superbench/config/amd_mi100_hpe.yaml
@@ -3,7 +3,7 @@
# Server:
# - Product: HPE Apollo 6500
-version: v0.2
+version: v0.3
superbench:
enable: null
var:
@@ -52,8 +52,8 @@ superbench:
gemm-flops:
<<: *default_local_mode
parameters:
- m: 7680
- n: 8192
+ m: 7680
+ n: 8192
k: 8192
ib-loopback:
enable: true
diff --git a/superbench/config/amd_mi100_z53.yaml b/superbench/config/amd_mi100_z53.yaml
index 2ba94b61e..99f197bbf 100644
--- a/superbench/config/amd_mi100_z53.yaml
+++ b/superbench/config/amd_mi100_z53.yaml
@@ -4,7 +4,7 @@
# - Product: G482-Z53
# - Link: https://www.gigabyte.cn/FileUpload/Global/MicroSite/553/G482-Z53.html
-version: v0.2
+version: v0.3
superbench:
enable: null
var:
diff --git a/superbench/config/azure_ndv4.yaml b/superbench/config/azure_ndv4.yaml
index 633870ff5..aed971ca7 100644
--- a/superbench/config/azure_ndv4.yaml
+++ b/superbench/config/azure_ndv4.yaml
@@ -1,5 +1,5 @@
# SuperBench Config
-version: v0.2
+version: v0.3
superbench:
enable: null
var:
diff --git a/superbench/config/default.yaml b/superbench/config/default.yaml
index 98ee7fbbd..d3194a54c 100644
--- a/superbench/config/default.yaml
+++ b/superbench/config/default.yaml
@@ -1,5 +1,5 @@
# SuperBench Config
-version: v0.2
+version: v0.3
superbench:
enable: null
var:
diff --git a/website/blog/2021-09-22-release-0-3.md b/website/blog/2021-09-22-release-0-3.md
new file mode 100644
index 000000000..931434da0
--- /dev/null
+++ b/website/blog/2021-09-22-release-0-3.md
@@ -0,0 +1,132 @@
+---
+slug: release-sb-v0.3
+title: Releasing SuperBench v0.3
+author: Peng Cheng
+author_title: SuperBench Team
+author_url: https://github.com/cp5555
+author_image_url: https://github.com/cp5555.png
+tags: [superbench, announcement, release]
+---
+
+We are very happy to announce that **SuperBench 0.3.0 version** is officially released today!
+
+You can install and try superbench by following [Getting Started Tutorial](https://microsoft.github.io/superbenchmark/docs/getting-started/installation).
+
+## SuperBench 0.3.0 Release Notes
+
+### SuperBench Framework
+
+#### Runner
+
+- Implement MPI mode.
+
+#### Benchmarks
+
+- Support Docker benchmark.
+
+### Single-node Validation
+
+#### Micro Benchmarks
+
+1. Memory (Tool: NVIDIA/AMD Bandwidth Test Tool)
+
+ | Metrics | Unit | Description |
+ |----------------|------|-------------------------------------|
+ | H2D_Mem_BW_GPU | GB/s | host-to-GPU bandwidth for each GPU |
+ | D2H_Mem_BW_GPU | GB/s | GPU-to-host bandwidth for each GPU |
+
+2. IBLoopback (Tool: PerfTest – Standard RDMA Test Tool)
+
+ | Metrics | Unit | Description |
+ |----------|------|---------------------------------------------------------------|
+ | IB_Write | MB/s | The IB write loopback throughput with different message sizes |
+ | IB_Read | MB/s | The IB read loopback throughput with different message sizes |
+ | IB_Send | MB/s | The IB send loopback throughput with different message sizes |
+
+3. NCCL/RCCL (Tool: NCCL/RCCL Tests)
+
+ | Metrics | Unit | Description |
+ |---------------------|------|-----------------------------------------------------------------|
+ | NCCL_AllReduce | GB/s | The NCCL AllReduce performance with different message sizes |
+ | NCCL_AllGather | GB/s | The NCCL AllGather performance with different message sizes |
+ | NCCL_broadcast | GB/s | The NCCL Broadcast performance with different message sizes |
+ | NCCL_reduce | GB/s | The NCCL Reduce performance with different message sizes |
+ | NCCL_reduce_scatter | GB/s | The NCCL ReduceScatter performance with different message sizes |
+
+4. Disk (Tool: FIO – Standard Disk Performance Tool)
+
+ | Metrics | Unit | Description |
+ |----------------|------|---------------------------------------------------------------------------------|
+ | Seq_Read | MB/s | Sequential read performance |
+ | Seq_Write | MB/s | Sequential write performance |
+ | Rand_Read | MB/s | Random read performance |
+ | Rand_Write | MB/s | Random write performance |
+ | Seq_R/W_Read | MB/s | Read performance in sequential read/write, fixed measurement (read:write = 4:1) |
+ | Seq_R/W_Write | MB/s | Write performance in sequential read/write (read:write = 4:1) |
+ | Rand_R/W_Read | MB/s | Read performance in random read/write (read:write = 4:1) |
+ | Rand_R/W_Write | MB/s | Write performance in random read/write (read:write = 4:1) |
+
+5. H2D/D2H SM Transmission Bandwidth (Tool: MSR-A build)
+
+ | Metrics | Unit | Description |
+ |---------------|------|-----------------------------------------------------|
+ | H2D_SM_BW_GPU | GB/s | host-to-GPU bandwidth using GPU kernel for each GPU |
+ | D2H_SM_BW_GPU | GB/s | GPU-to-host bandwidth using GPU kernel for each GPU |
+
+### AMD GPU Support
+
+#### Docker Image Support
+
+- ROCm 4.2 PyTorch 1.7.0
+- ROCm 4.0 PyTorch 1.7.0
+
+#### Micro Benchmarks
+
+1. Kernel Launch (Tool: MSR-A build)
+
+ | Metrics | Unit | Description |
+ |--------------------------|-----------|--------------------------------------------------------------|
+ | Kernel_Launch_Event_Time | Time (ms) | Dispatch latency measured in GPU time using hipEventRecord() |
+ | Kernel_Launch_Wall_Time | Time (ms) | Dispatch latency measured in CPU time |
+
+2. GEMM FLOPS (Tool: AMD rocblas-bench Tool)
+
+ | Metrics | Unit | Description |
+ |----------|--------|-------------------------------|
+ | FP64 | GFLOPS | FP64 FLOPS without MatrixCore |
+ | FP32(MC) | GFLOPS | TF32 FLOPS with MatrixCore |
+ | FP16(MC) | GFLOPS | FP16 FLOPS with MatrixCore |
+ | BF16(MC) | GFLOPS | BF16 FLOPS with MatrixCore |
+ | INT8(MC) | GOPS | INT8 FLOPS with MatrixCore |
+
+#### E2E Benchmarks
+
+1. CNN models -- Use PyTorch torchvision models
+ - ResNet: ResNet-50, ResNet-101, ResNet-152
+ - DenseNet: DenseNet-169, DenseNet-201
+ - VGG: VGG-11, VGG-13, VGG-16, VGG-19
+
+2. BERT -- Use huggingface Transformers
+ - BERT
+ - BERT Large
+
+3. LSTM -- Use PyTorch
+4. GPT-2 -- Use huggingface Transformers
+
+### Bug Fix
+
+- VGG models failed on A100 GPU with batch_size=128
+
+### Other Improvement
+
+1. Contribution related
+ - Contribute rule
+ - System information collection
+
+2. Document
+ - Add release process doc
+ - Add design documents
+ - Add developer guide doc for coding style
+ - Add contribution rules
+ - Add docker image list
+ - Add initial validation results
diff --git a/website/docusaurus.config.js b/website/docusaurus.config.js
index 6c6fdbd5b..51982f062 100644
--- a/website/docusaurus.config.js
+++ b/website/docusaurus.config.js
@@ -101,7 +101,7 @@ module.exports = {
announcementBar: {
id: 'supportus',
content:
- '📢 <a href="https://microsoft.github.io/superbenchmark/blog/release-sb-v0.2">v0.2.1</a> has been released! ' +
+ '📢 <a href="https://microsoft.github.io/superbenchmark/blog/release-sb-v0.3">v0.3.0</a> has been released! ' +
'⭐️ If you like SuperBench, give it a star on <a target="_blank" rel="noopener noreferrer" href="https://github.com/microsoft/superbenchmark">GitHub</a>! ⭐️',
},
algolia: {
diff --git a/website/package-lock.json b/website/package-lock.json
index d04d66d26..50c6fc31b 100644
--- a/website/package-lock.json
+++ b/website/package-lock.json
@@ -1,6 +1,6 @@
{
"name": "superbench-website",
- "version": "0.2.1",
+ "version": "0.3.0",
"lockfileVersion": 1,
"requires": true,
"dependencies": {
diff --git a/website/package.json b/website/package.json
index cf6874ebf..d2ed79ae4 100644
--- a/website/package.json
+++ b/website/package.json
@@ -1,6 +1,6 @@
{
"name": "superbench-website",
- "version": "0.2.1",
+ "version": "0.3.0",
"private": true,
"scripts": {
"docusaurus": "docusaurus",
|
ansible-collections__community.aws-1971 | mq_broker: Tagging a broker on creation does not work
### Summary
When creating a new MQ broker using the following task, the broker does not get tagged.
```
- name: create broker with minimal parameters
mq_broker:
broker_name: "{{ broker_name }}"
security_groups: "{{ broker_sg_ids.split(',') }}"
subnet_ids: "{{ broker_subnet_ids.split(',') }}"
tags:
"Foo": "Bar"
"FooBar": "foobar"
```
Actual result:
```
changed: [testhost] => {
"broker": {
"broker_arn": "arn:aws:mq:us-east-1:123456789100:broker:ansible-test-52903175--mq:b-70e0807b-102d-42ae-8805-94ec6395436c",
"broker_id": "b-70e0807b-102d-42ae-8805-94ec6395436c",
"response_metadata": {
"http_headers": {
"access-control-allow-origin": "*",
"access-control-expose-headers": "x-amzn-errortype,x-amzn-requestid,x-amzn-errormessage,x-amzn-trace-id,x-amz-apigw-id,date",
"cache-control": "no-cache; no-store, must-revalidate, private",
"connection": "keep-alive",
"content-length": "191",
"content-type": "application/json",
"date": "Wed, 31 May 2023 13:25:16 GMT",
"expires": "0",
"pragma": "no-cache",
"x-amz-apigw-id": "FyidUFppIAMF1zw=",
"x-amzn-requestid": "12345bcb-5678-890d-972c-26a92712aaeb",
"x-amzn-trace-id": "Root=1-64774abb-2b3bf58a2b0cbf7800afdef6"
},
"http_status_code": 200,
"request_id": "59392bcb-5406-460d-972c-26a92712aaeb",
"retry_attempts": 0
}
},
```
### Issue Type
Bug Report
### Component Name
mq_broker
### Ansible Version
```console (paste below)
$ ansible --version
ansible [core 2.14.3]
```
### Collection Versions
```console (paste below)
$ ansible-galaxy collection list
Collection Version
----------------------------- -------
amazon.aws 6.0.0
community.aws 6.0.0
```
### AWS SDK versions
```console (paste below)
$ pip show boto boto3 botocore
Name: boto3
Version: 1.22.0
Summary: The AWS SDK for Python
Home-page: https://github.com/boto/boto3
Author: Amazon Web Services
Author-email:
License: Apache License 2.0
Location: /Users/alinabuzachis/anaconda3/envs/py310/lib/python3.10/site-packages
Requires: botocore, jmespath, s3transfer
Required-by: gouttelette
---
Name: botocore
Version: 1.25.13
Summary: Low-level, data-driven core of boto 3.
Home-page: https://github.com/boto/botocore
Author: Amazon Web Services
Author-email:
License: Apache License 2.0
Location: /Users/alinabuzachis/anaconda3/envs/py310/lib/python3.10/site-packages
Requires: jmespath, python-dateutil, urllib3
Required-by: aiobotocore, awscli, boto3, s3transfer
```
### Configuration
```console (paste below)
$ ansible-config dump --only-changed
```
### OS / Environment
_No response_
### Steps to Reproduce
<!--- Paste example playbooks or commands between quotes below -->
```yaml (paste below)
```
### Expected Results
Create an MQ broker using the task I pasted before.
### Actual Results
```console (paste below)
```
### Code of Conduct
- [X] I agree to follow the Ansible Code of Conduct
mq_broker: Tagging a broker on creation does not work
### Summary
When creating a new MQ broker using the following task, the broker does not get tagged.
```
- name: create broker with minimal parameters
mq_broker:
broker_name: "{{ broker_name }}"
security_groups: "{{ broker_sg_ids.split(',') }}"
subnet_ids: "{{ broker_subnet_ids.split(',') }}"
tags:
"Foo": "Bar"
"FooBar": "foobar"
```
Actual result:
```
changed: [testhost] => {
"broker": {
"broker_arn": "arn:aws:mq:us-east-1:123456789100:broker:ansible-test-52903175--mq:b-70e0807b-102d-42ae-8805-94ec6395436c",
"broker_id": "b-70e0807b-102d-42ae-8805-94ec6395436c",
"response_metadata": {
"http_headers": {
"access-control-allow-origin": "*",
"access-control-expose-headers": "x-amzn-errortype,x-amzn-requestid,x-amzn-errormessage,x-amzn-trace-id,x-amz-apigw-id,date",
"cache-control": "no-cache; no-store, must-revalidate, private",
"connection": "keep-alive",
"content-length": "191",
"content-type": "application/json",
"date": "Wed, 31 May 2023 13:25:16 GMT",
"expires": "0",
"pragma": "no-cache",
"x-amz-apigw-id": "FyidUFppIAMF1zw=",
"x-amzn-requestid": "12345bcb-5678-890d-972c-26a92712aaeb",
"x-amzn-trace-id": "Root=1-64774abb-2b3bf58a2b0cbf7800afdef6"
},
"http_status_code": 200,
"request_id": "59392bcb-5406-460d-972c-26a92712aaeb",
"retry_attempts": 0
}
},
```
### Issue Type
Bug Report
### Component Name
mq_broker
### Ansible Version
```console (paste below)
$ ansible --version
ansible [core 2.14.3]
```
### Collection Versions
```console (paste below)
$ ansible-galaxy collection list
Collection Version
----------------------------- -------
amazon.aws 6.0.0
community.aws 6.0.0
```
### AWS SDK versions
```console (paste below)
$ pip show boto boto3 botocore
Name: boto3
Version: 1.22.0
Summary: The AWS SDK for Python
Home-page: https://github.com/boto/boto3
Author: Amazon Web Services
Author-email:
License: Apache License 2.0
Location: /Users/alinabuzachis/anaconda3/envs/py310/lib/python3.10/site-packages
Requires: botocore, jmespath, s3transfer
Required-by: gouttelette
---
Name: botocore
Version: 1.25.13
Summary: Low-level, data-driven core of boto 3.
Home-page: https://github.com/boto/botocore
Author: Amazon Web Services
Author-email:
License: Apache License 2.0
Location: /Users/alinabuzachis/anaconda3/envs/py310/lib/python3.10/site-packages
Requires: jmespath, python-dateutil, urllib3
Required-by: aiobotocore, awscli, boto3, s3transfer
```
### Configuration
```console (paste below)
$ ansible-config dump --only-changed
```
### OS / Environment
_No response_
### Steps to Reproduce
<!--- Paste example playbooks or commands between quotes below -->
```yaml (paste below)
```
### Expected Results
Create an MQ broker using the task I pasted before.
### Actual Results
```console (paste below)
```
### Code of Conduct
- [X] I agree to follow the Ansible Code of Conduct
| [
{
"content": "#!/usr/bin/python\n# -*- coding: utf-8 -*-\n\n# Copyright: Contributors to the Ansible project\n# GNU General Public License v3.0+ (see COPYING or https://www.gnu.org/licenses/gpl-3.0.txt)\n\nDOCUMENTATION = r\"\"\"\n---\nmodule: mq_broker\nversion_added: 6.0.0\nshort_description: MQ broker manage... | [
{
"content": "#!/usr/bin/python\n# -*- coding: utf-8 -*-\n\n# Copyright: Contributors to the Ansible project\n# GNU General Public License v3.0+ (see COPYING or https://www.gnu.org/licenses/gpl-3.0.txt)\n\nDOCUMENTATION = r\"\"\"\n---\nmodule: mq_broker\nversion_added: 6.0.0\nshort_description: MQ broker manage... | diff --git a/changelogs/fragments/1832-mq_broker_tags.yml b/changelogs/fragments/1832-mq_broker_tags.yml
new file mode 100644
index 00000000000..b2320dd3c71
--- /dev/null
+++ b/changelogs/fragments/1832-mq_broker_tags.yml
@@ -0,0 +1,2 @@
+bugfixes:
+ - mq_broker - ensure broker is created with ``tags`` when passed (https://github.com/ansible-collections/community.aws/issues/1832).
\ No newline at end of file
diff --git a/plugins/modules/mq_broker.py b/plugins/modules/mq_broker.py
index b4e4593f866..ecc5b8acb15 100644
--- a/plugins/modules/mq_broker.py
+++ b/plugins/modules/mq_broker.py
@@ -237,6 +237,7 @@
"storage_type": "StorageType",
"subnet_ids": "SubnetIds",
"users": "Users",
+ "tags": "Tags",
}
diff --git a/tests/integration/targets/mq/defaults/main.yml b/tests/integration/targets/mq/defaults/main.yml
index 896ba8afa7d..2199c2f637f 100644
--- a/tests/integration/targets/mq/defaults/main.yml
+++ b/tests/integration/targets/mq/defaults/main.yml
@@ -5,3 +5,5 @@ vpc_name: "{{ resource_prefix }}-vpc"
vpc_cidr: "10.0.0.0/16"
subnet_cidr: "10.0.1.0/24"
sg_name: "{{resource_prefix}}-sg"
+tags:
+ workload_type: other
\ No newline at end of file
diff --git a/tests/integration/targets/mq/tasks/broker_tests.yml b/tests/integration/targets/mq/tasks/broker_tests.yml
index 958b80cb205..d4d399da7c1 100644
--- a/tests/integration/targets/mq/tasks/broker_tests.yml
+++ b/tests/integration/targets/mq/tasks/broker_tests.yml
@@ -3,6 +3,7 @@
broker_name: "{{ broker_name }}"
security_groups: "{{ broker_sg_ids.split(',') }}"
subnet_ids: "{{ broker_subnet_ids.split(',') }}"
+ tags: "{{ tags }}"
register: result
- set_fact:
broker_id: "{{ result.broker['broker_id'] }}"
@@ -20,6 +21,7 @@
- result_c1.broker['broker_name'] == broker_name
- result_c1.broker['broker_state'] == 'CREATION_IN_PROGRESS'
- ( result_c1.broker['storage_type'] | upper ) == 'EFS'
+ - result_c1.broker['tags'] == tags
when: not ansible_check_mode
- debug:
msg: "Wait until broker {{ broker_name }} ({{ broker_id }}) enters running state. This may take several minutes"
diff --git a/tests/integration/targets/mq/tasks/main.yml b/tests/integration/targets/mq/tasks/main.yml
index 2055700480b..e84367a76c2 100644
--- a/tests/integration/targets/mq/tasks/main.yml
+++ b/tests/integration/targets/mq/tasks/main.yml
@@ -32,4 +32,4 @@
- name: cleanup broker
include_tasks: broker_cleanup.yml
- - include_tasks: env_cleanup.yml
\ No newline at end of file
+ - include_tasks: env_cleanup.yml
|
chainer__chainer-239 | Add type check to Identity Function
Related to #123
| [
{
"content": "from chainer import function\n\n\nclass Identity(function.Function):\n\n \"\"\"Identity function.\"\"\"\n\n def forward(self, xs):\n return xs\n\n def backward(self, xs, gys):\n return gys\n\n\ndef identity(*inputs):\n \"\"\"Just returns input variables.\"\"\"\n return... | [
{
"content": "from chainer import function\n\n\nclass Identity(function.Function):\n\n \"\"\"Identity function.\"\"\"\n\n def check_type_forward(self, in_types):\n pass\n\n def forward(self, xs):\n return xs\n\n def backward(self, xs, gys):\n return gys\n\n\ndef identity(*inputs... | diff --git a/chainer/functions/identity.py b/chainer/functions/identity.py
index 300f5ddb223e..80938c408e48 100644
--- a/chainer/functions/identity.py
+++ b/chainer/functions/identity.py
@@ -5,6 +5,9 @@ class Identity(function.Function):
"""Identity function."""
+ def check_type_forward(self, in_types):
+ pass
+
def forward(self, xs):
return xs
|
oppia__oppia-3843 | AssertionError in controllers/base.py
Bug found when doing a sanity testpass on oppiatestserver for the 2.5.4 release.
Steps to reproduce:
- Go to https://oppiatestserver.appspot.com
- Ensure you're logged out
- From the splash screen, click 'Create your own lesson'
- Observe 'Error Communicating with Server' snackbar
Error info:
```
Traceback (most recent call last): (/base/data/home/apps/s~oppiatestserver/2-5-4.403832684503391573/core/controllers/base.py:438)
File "/base/data/home/runtimes/python27/python27_lib/versions/third_party/webapp2-2.5.2/webapp2.py", line 570, in dispatch
return method(*args, **kwargs)
File "/base/data/home/apps/s~oppiatestserver/2-5-4.403832684503391573/core/domain/acl_decorators.py", line 247, in test_can_create
return handler(self, **kwargs)
File "/base/data/home/apps/s~oppiatestserver/2-5-4.403832684503391573/core/controllers/creator_dashboard.py", line 279, in post
new_exploration_id = exp_services.get_new_exploration_id()
File "/base/data/home/apps/s~oppiatestserver/2-5-4.403832684503391573/core/domain/exp_services.py", line 325, in get_new_exploration_id
return exp_models.ExplorationModel.get_new_id('')
File "/base/data/home/apps/s~oppiatestserver/2-5-4.403832684503391573/core/storage/base_model/gae_models.py", line 178, in get_new_id
'%s%s' % (entity_name, utils.get_random_int(RAND_RANGE)),
File "/base/data/home/apps/s~oppiatestserver/2-5-4.403832684503391573/utils.py", line 218, in get_random_int
assert upper_bound >= 0 and isinstance(upper_bound, int)
Exception raised: (/base/data/home/apps/s~oppiatestserver/2-5-4.403832684503391573/core/controllers/base.py:439)
```
This is consistently reproable just by visiting https://oppiatestserver.appspot.com/creator_dashboard?mode=create.
| [
{
"content": "# Copyright 2014 The Oppia Authors. All Rights Reserved.\n#\n# Licensed under the Apache License, Version 2.0 (the \"License\");\n# you may not use this file except in compliance with the License.\n# You may obtain a copy of the License at\n#\n# http://www.apache.org/licenses/LICENSE-2.0\n#\n... | [
{
"content": "# Copyright 2014 The Oppia Authors. All Rights Reserved.\n#\n# Licensed under the Apache License, Version 2.0 (the \"License\");\n# you may not use this file except in compliance with the License.\n# You may obtain a copy of the License at\n#\n# http://www.apache.org/licenses/LICENSE-2.0\n#\n... | diff --git a/core/storage/base_model/gae_models.py b/core/storage/base_model/gae_models.py
index bbc9a7ae46287..ce1fab8f8b139 100644
--- a/core/storage/base_model/gae_models.py
+++ b/core/storage/base_model/gae_models.py
@@ -29,7 +29,7 @@
# Constants used for generating ids.
MAX_RETRIES = 10
-RAND_RANGE = (1 << 60) - 1
+RAND_RANGE = (1 << 30) - 1
ID_LENGTH = 12
|
litestar-org__litestar-2648 | Bug: Schema generation partially broken since litestar version 2.3.0
### Description
2.2.1 is my last working version of litestar.
Before:
<img width="467" alt="image" src="https://github.com/litestar-org/litestar/assets/85191795/dc9594b1-4b09-4607-9061-dcd65bf0a09f">
After:
I first get this `internal server error` when i first try to go to my Swagger URL
<img width="436" alt="image" src="https://github.com/litestar-org/litestar/assets/85191795/90112884-907e-4ee0-a14c-a92c338ef761">
And then when i refresh once more, it goes to my swagger page, but only 2/3 of it.
<img width="217" alt="image" src="https://github.com/litestar-org/litestar/assets/85191795/74f16208-e80a-46de-b580-3dd566e0f14b">
With no changes in my code, the problems just start at version 2.3.0 and beyond. Just wanted to bring attention to this, as I will now be sticking to litestar 2.2.1 until this is resolved.
### URL to code causing the issue
_No response_
### MCVE
```python
How my app code looks like when passing in my controllers:
app = Litestar(
route_handlers=[
read_root,
refresh_templates,
LinuxPXEController,
WindowsPXEController,
ESXiPXEController
],
...
```
### Steps to reproduce
_No response_
### Screenshots
```bash
""
```
### Logs
_No response_
### Litestar Version
2.3.0
### Platform
- [X] Linux
- [X] Mac
- [ ] Windows
- [ ] Other (Please specify in the description above)
<!-- POLAR PLEDGE BADGE START -->
---
> [!NOTE]
> While we are open for sponsoring on [GitHub Sponsors](https://github.com/sponsors/litestar-org/) and
> [OpenCollective](https://opencollective.com/litestar), we also utilize [Polar.sh](https://polar.sh/) to engage in pledge-based sponsorship.
>
> Check out all issues funded or available for funding [on our Polar.sh Litestar dashboard](https://polar.sh/litestar-org)
> * If you would like to see an issue prioritized, make a pledge towards it!
> * We receive the pledge once the issue is completed & verified
> * This, along with engagement in the community, helps us know which features are a priority to our users.
<a href="https://polar.sh/litestar-org/litestar/issues/2635">
<picture>
<source media="(prefers-color-scheme: dark)" srcset="https://polar.sh/api/github/litestar-org/litestar/issues/2635/pledge.svg?darkmode=1">
<img alt="Fund with Polar" src="https://polar.sh/api/github/litestar-org/litestar/issues/2635/pledge.svg">
</picture>
</a>
<!-- POLAR PLEDGE BADGE END -->
| [
{
"content": "from __future__ import annotations\n\nfrom typing import TYPE_CHECKING, Any\n\nfrom typing_extensions import get_type_hints\n\nfrom litestar.types import Empty\nfrom litestar.utils import is_class_and_subclass\nfrom litestar.utils.predicates import is_generic\nfrom litestar.utils.typing import (\n... | [
{
"content": "from __future__ import annotations\n\nfrom typing import TYPE_CHECKING, Any\n\nfrom typing_extensions import get_type_hints\n\nfrom litestar.types import Empty\nfrom litestar.utils import is_class_and_subclass\nfrom litestar.utils.predicates import is_generic\nfrom litestar.utils.typing import (\n... | diff --git a/litestar/contrib/pydantic/utils.py b/litestar/contrib/pydantic/utils.py
index cae63d58e8..8a03d6c413 100644
--- a/litestar/contrib/pydantic/utils.py
+++ b/litestar/contrib/pydantic/utils.py
@@ -162,4 +162,4 @@ def is_pydantic_2_model(
def is_pydantic_undefined(value: Any) -> bool:
- return value in PYDANTIC_UNDEFINED_SENTINELS
+ return any(v is value for v in PYDANTIC_UNDEFINED_SENTINELS)
diff --git a/tests/unit/test_contrib/test_pydantic/test_openapi.py b/tests/unit/test_contrib/test_pydantic/test_openapi.py
index 8ef86544c4..ea34aee472 100644
--- a/tests/unit/test_contrib/test_pydantic/test_openapi.py
+++ b/tests/unit/test_contrib/test_pydantic/test_openapi.py
@@ -547,3 +547,35 @@ class Foo(BaseModel):
)
schema = schemas["Foo"]
assert schema.properties and "foo" in schema.properties
+
+
+def test_create_schema_for_pydantic_model_with_unhashable_literal_default(
+ create_module: "Callable[[str], ModuleType]",
+) -> None:
+ """Test that a model with unhashable literal defaults is correctly handled."""
+ module = create_module(
+ """
+from pydantic import BaseModel, Field
+
+class Model(BaseModel):
+ id: int
+ dict_default: dict = {}
+ dict_default_in_field: dict = Field(default={})
+ dict_default_in_factory: dict = Field(default_factory=dict)
+ list_default: list = []
+ list_default_in_field: list = Field(default=[])
+ list_default_in_factory: list = Field(default_factory=list)
+"""
+ )
+ schemas: Dict[str, Schema] = {}
+ SchemaCreator(schemas=schemas, plugins=[PydanticSchemaPlugin()]).for_field_definition(
+ FieldDefinition.from_annotation(module.Model)
+ )
+ schema = schemas["Model"]
+ assert schema.properties
+ assert "dict_default" in schema.properties
+ assert "dict_default_in_field" in schema.properties
+ assert "dict_default_in_factory" in schema.properties
+ assert "list_default" in schema.properties
+ assert "list_default_in_field" in schema.properties
+ assert "list_default_in_factory" in schema.properties
|
xonsh__xonsh-3049 | Exception on startup (pygments_cache)
<!--- Provide a general summary of the issue in the Title above -->
<!--- If you have a question along the lines of "How do I do this Bash command in xonsh"
please first look over the Bash to Xonsh translation guide: http://xon.sh/bash_to_xsh.html
If you don't find an answer there, please do open an issue! -->
## xonfig
<!--- Please post the output of the `xonfig` command (run from inside xonsh) so we know more about your current setup -->
## Expected Behavior
<!--- Tell us what should happen -->
## Current Behavior
<!--- Tell us what happens instead of the expected behavior -->
<!--- If part of your bug report is a traceback, please first enter debug mode before triggering the error
To enter debug mode, set the environment variable `XONSH_DEBUG=1` _before_ starting `xonsh`.
On Linux and OSX, an easy way to to do this is to run `env XONSH_DEBUG=1 xonsh` -->
## Steps to Reproduce
<!--- Please try to write out a minimal reproducible snippet to trigger the bug, it will help us fix it! -->
| [
{
"content": "# must come before ptk / pygments imports\nfrom xonsh.lazyasd import load_module_in_background\n\nload_module_in_background(\n \"pkg_resources\",\n debug=\"XONSH_DEBUG\",\n replacements={\"pygments.plugin\": \"pkg_resources\"},\n)\n",
"path": "xonsh/ptk2/__init__.py"
}
] | [
{
"content": "",
"path": "xonsh/ptk2/__init__.py"
}
] | diff --git a/news/nllpr-ptk2.rst b/news/nllpr-ptk2.rst
new file mode 100644
index 0000000000..e7bbfdf5b5
--- /dev/null
+++ b/news/nllpr-ptk2.rst
@@ -0,0 +1,27 @@
+**Added:**
+
+* <news item>
+
+**Changed:**
+
+* <news item>
+
+**Deprecated:**
+
+* <news item>
+
+**Removed:**
+
+* <news item>
+
+**Fixed:**
+
+* Fixed issue with pygments-cache not properly generating a cache the first
+ time when using prompt-toolkit when using ``ptk2``.
+ This was due to a lingering lazy import of ``pkg_resources``
+ that has been removed.
+
+**Security:**
+
+* <news item>
+
diff --git a/xonsh/ptk2/__init__.py b/xonsh/ptk2/__init__.py
index 7817046f78..e69de29bb2 100644
--- a/xonsh/ptk2/__init__.py
+++ b/xonsh/ptk2/__init__.py
@@ -1,8 +0,0 @@
-# must come before ptk / pygments imports
-from xonsh.lazyasd import load_module_in_background
-
-load_module_in_background(
- "pkg_resources",
- debug="XONSH_DEBUG",
- replacements={"pygments.plugin": "pkg_resources"},
-)
|
django-wiki__django-wiki-1084 | Release to support django 3.1
Hi,
The current release on pypi is limiting the ability to upgrade to django 3.1. And, as far as I can tell, there's no incompatibilities with the version 0.6 and django 3.1.
Would it be possible to release a 0.6.1 release or something like that loosening that requirement?
| [
{
"content": "# This package and all its sub-packages are part of django-wiki,\n# except where otherwise stated.\n#\n# django-wiki is free software: you can redistribute it and/or modify\n# it under the terms of the GNU General Public License as published by\n# the Free Software Foundation, either version 3 of ... | [
{
"content": "# This package and all its sub-packages are part of django-wiki,\n# except where otherwise stated.\n#\n# django-wiki is free software: you can redistribute it and/or modify\n# it under the terms of the GNU General Public License as published by\n# the Free Software Foundation, either version 3 of ... | diff --git a/docs/release_notes.rst b/docs/release_notes.rst
index 619c56331..e4465b297 100644
--- a/docs/release_notes.rst
+++ b/docs/release_notes.rst
@@ -10,16 +10,16 @@ Release plan
* **0.4.x** supports Django 1.11 and Django 2.1 and Python 3.4+.
* **0.5.x** Remove Django 1.11 support, adds Django 2.2 and 3.x support. Python 3.5+.
* **0.6.x** Targets Bootstrap v4, if you are interested in this work, please get in touch on Github!
-* **0.7.x** Milestone TBA
+* **0.7.x** Removes Django 2.1 support, adds Django 3.1
-0.7.dev
--------
+0.7
+---
Added
~~~~~
-* Django 3.1 support :url-issue:`1061` (Mads Jensen)
+* Django 3.1 support :url-issue:`1061` and :url-issue:`1082` (Mads Jensen, Benjamin Bach)
Fixed
~~~~~
diff --git a/src/wiki/__init__.py b/src/wiki/__init__.py
index 7b108b0ef..0db1b9774 100644
--- a/src/wiki/__init__.py
+++ b/src/wiki/__init__.py
@@ -17,5 +17,5 @@
default_app_config = "wiki.apps.WikiConfig"
-VERSION = (0, 7, 0, "alpha", 0)
+VERSION = (0, 7, 0, "final", 0)
__version__ = get_version(VERSION)
|
django-wiki__django-wiki-919 | jquery 1.12.4 is bundled, some security holes exist
see [CVE-2015-9251](https://cve.mitre.org/cgi-bin/cvekey.cgi?keyword=CVE-2015-9251) and others
| [
{
"content": "# This package and all its sub-packages are part of django-wiki,\n# except where otherwise stated.\n#\n# django-wiki is free software: you can redistribute it and/or modify\n# it under the terms of the GNU General Public License as published by\n# the Free Software Foundation, either version 3 of ... | [
{
"content": "# This package and all its sub-packages are part of django-wiki,\n# except where otherwise stated.\n#\n# django-wiki is free software: you can redistribute it and/or modify\n# it under the terms of the GNU General Public License as published by\n# the Free Software Foundation, either version 3 of ... | diff --git a/docs/release_notes.rst b/docs/release_notes.rst
index bf4f6ba15..8b97e081f 100644
--- a/docs/release_notes.rst
+++ b/docs/release_notes.rst
@@ -8,9 +8,17 @@ Release plan
* **0.3** series supported Django 1.11. As with the upstream Django release, 0.3 was be the last series with Python 2.7 support.
* **0.4+** supports Django 1.11 and Django 2.x and Python 3.4+.
-* **0.5** will target Bootstrap v4, if you are interested in this work, please get in touch on Github!
+* **0.5** should remove Django 1.11 support and target Bootstrap v4, if you are interested in this work, please get in touch on Github!
+0.4.1
+-----
+
+Security
+~~~~~~~~
+
+* jQuery upgrade from 1.12.4 to 3.3.1. jQuery UI also upgraded (for dynamic resizing of modals) :url-issue:`882` (Benjamin Bach)
+
0.4
---
diff --git a/src/wiki/__init__.py b/src/wiki/__init__.py
index fc16a7ff4..6bcd76ae9 100644
--- a/src/wiki/__init__.py
+++ b/src/wiki/__init__.py
@@ -19,5 +19,5 @@
default_app_config = 'wiki.apps.WikiConfig'
-VERSION = (0, 4, 0, 'final', 0)
+VERSION = (0, 4, 1, 'final', 0)
__version__ = get_version(VERSION)
diff --git a/src/wiki/static/wiki/js/jquery-3.3.1.min.js b/src/wiki/static/wiki/js/jquery-3.3.1.min.js
new file mode 100644
index 000000000..4d9b3a258
--- /dev/null
+++ b/src/wiki/static/wiki/js/jquery-3.3.1.min.js
@@ -0,0 +1,2 @@
+/*! jQuery v3.3.1 | (c) JS Foundation and other contributors | jquery.org/license */
+!function(e,t){"use strict";"object"==typeof module&&"object"==typeof module.exports?module.exports=e.document?t(e,!0):function(e){if(!e.document)throw new Error("jQuery requires a window with a document");return t(e)}:t(e)}("undefined"!=typeof window?window:this,function(e,t){"use strict";var n=[],r=e.document,i=Object.getPrototypeOf,o=n.slice,a=n.concat,s=n.push,u=n.indexOf,l={},c=l.toString,f=l.hasOwnProperty,p=f.toString,d=p.call(Object),h={},g=function e(t){return"function"==typeof t&&"number"!=typeof t.nodeType},y=function e(t){return null!=t&&t===t.window},v={type:!0,src:!0,noModule:!0};function m(e,t,n){var i,o=(t=t||r).createElement("script");if(o.text=e,n)for(i in v)n[i]&&(o[i]=n[i]);t.head.appendChild(o).parentNode.removeChild(o)}function x(e){return null==e?e+"":"object"==typeof e||"function"==typeof e?l[c.call(e)]||"object":typeof e}var b="3.3.1",w=function(e,t){return new w.fn.init(e,t)},T=/^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g;w.fn=w.prototype={jquery:"3.3.1",constructor:w,length:0,toArray:function(){return o.call(this)},get:function(e){return null==e?o.call(this):e<0?this[e+this.length]:this[e]},pushStack:function(e){var t=w.merge(this.constructor(),e);return t.prevObject=this,t},each:function(e){return w.each(this,e)},map:function(e){return this.pushStack(w.map(this,function(t,n){return e.call(t,n,t)}))},slice:function(){return this.pushStack(o.apply(this,arguments))},first:function(){return this.eq(0)},last:function(){return this.eq(-1)},eq:function(e){var t=this.length,n=+e+(e<0?t:0);return this.pushStack(n>=0&&n<t?[this[n]]:[])},end:function(){return this.prevObject||this.constructor()},push:s,sort:n.sort,splice:n.splice},w.extend=w.fn.extend=function(){var e,t,n,r,i,o,a=arguments[0]||{},s=1,u=arguments.length,l=!1;for("boolean"==typeof a&&(l=a,a=arguments[s]||{},s++),"object"==typeof a||g(a)||(a={}),s===u&&(a=this,s--);s<u;s++)if(null!=(e=arguments[s]))for(t in e)n=a[t],a!==(r=e[t])&&(l&&r&&(w.isPlainObject(r)||(i=Array.isArray(r)))?(i?(i=!1,o=n&&Array.isArray(n)?n:[]):o=n&&w.isPlainObject(n)?n:{},a[t]=w.extend(l,o,r)):void 0!==r&&(a[t]=r));return a},w.extend({expando:"jQuery"+("3.3.1"+Math.random()).replace(/\D/g,""),isReady:!0,error:function(e){throw new Error(e)},noop:function(){},isPlainObject:function(e){var t,n;return!(!e||"[object Object]"!==c.call(e))&&(!(t=i(e))||"function"==typeof(n=f.call(t,"constructor")&&t.constructor)&&p.call(n)===d)},isEmptyObject:function(e){var t;for(t in e)return!1;return!0},globalEval:function(e){m(e)},each:function(e,t){var n,r=0;if(C(e)){for(n=e.length;r<n;r++)if(!1===t.call(e[r],r,e[r]))break}else for(r in e)if(!1===t.call(e[r],r,e[r]))break;return e},trim:function(e){return null==e?"":(e+"").replace(T,"")},makeArray:function(e,t){var n=t||[];return null!=e&&(C(Object(e))?w.merge(n,"string"==typeof e?[e]:e):s.call(n,e)),n},inArray:function(e,t,n){return null==t?-1:u.call(t,e,n)},merge:function(e,t){for(var n=+t.length,r=0,i=e.length;r<n;r++)e[i++]=t[r];return e.length=i,e},grep:function(e,t,n){for(var r,i=[],o=0,a=e.length,s=!n;o<a;o++)(r=!t(e[o],o))!==s&&i.push(e[o]);return i},map:function(e,t,n){var r,i,o=0,s=[];if(C(e))for(r=e.length;o<r;o++)null!=(i=t(e[o],o,n))&&s.push(i);else for(o in e)null!=(i=t(e[o],o,n))&&s.push(i);return a.apply([],s)},guid:1,support:h}),"function"==typeof Symbol&&(w.fn[Symbol.iterator]=n[Symbol.iterator]),w.each("Boolean Number String Function Array Date RegExp Object Error Symbol".split(" "),function(e,t){l["[object "+t+"]"]=t.toLowerCase()});function C(e){var t=!!e&&"length"in e&&e.length,n=x(e);return!g(e)&&!y(e)&&("array"===n||0===t||"number"==typeof t&&t>0&&t-1 in e)}var E=function(e){var t,n,r,i,o,a,s,u,l,c,f,p,d,h,g,y,v,m,x,b="sizzle"+1*new Date,w=e.document,T=0,C=0,E=ae(),k=ae(),S=ae(),D=function(e,t){return e===t&&(f=!0),0},N={}.hasOwnProperty,A=[],j=A.pop,q=A.push,L=A.push,H=A.slice,O=function(e,t){for(var n=0,r=e.length;n<r;n++)if(e[n]===t)return n;return-1},P="checked|selected|async|autofocus|autoplay|controls|defer|disabled|hidden|ismap|loop|multiple|open|readonly|required|scoped",M="[\\x20\\t\\r\\n\\f]",R="(?:\\\\.|[\\w-]|[^\0-\\xa0])+",I="\\["+M+"*("+R+")(?:"+M+"*([*^$|!~]?=)"+M+"*(?:'((?:\\\\.|[^\\\\'])*)'|\"((?:\\\\.|[^\\\\\"])*)\"|("+R+"))|)"+M+"*\\]",W=":("+R+")(?:\\((('((?:\\\\.|[^\\\\'])*)'|\"((?:\\\\.|[^\\\\\"])*)\")|((?:\\\\.|[^\\\\()[\\]]|"+I+")*)|.*)\\)|)",$=new RegExp(M+"+","g"),B=new RegExp("^"+M+"+|((?:^|[^\\\\])(?:\\\\.)*)"+M+"+$","g"),F=new RegExp("^"+M+"*,"+M+"*"),_=new RegExp("^"+M+"*([>+~]|"+M+")"+M+"*"),z=new RegExp("="+M+"*([^\\]'\"]*?)"+M+"*\\]","g"),X=new RegExp(W),U=new RegExp("^"+R+"$"),V={ID:new RegExp("^#("+R+")"),CLASS:new RegExp("^\\.("+R+")"),TAG:new RegExp("^("+R+"|[*])"),ATTR:new RegExp("^"+I),PSEUDO:new RegExp("^"+W),CHILD:new RegExp("^:(only|first|last|nth|nth-last)-(child|of-type)(?:\\("+M+"*(even|odd|(([+-]|)(\\d*)n|)"+M+"*(?:([+-]|)"+M+"*(\\d+)|))"+M+"*\\)|)","i"),bool:new RegExp("^(?:"+P+")$","i"),needsContext:new RegExp("^"+M+"*[>+~]|:(even|odd|eq|gt|lt|nth|first|last)(?:\\("+M+"*((?:-\\d)?\\d*)"+M+"*\\)|)(?=[^-]|$)","i")},G=/^(?:input|select|textarea|button)$/i,Y=/^h\d$/i,Q=/^[^{]+\{\s*\[native \w/,J=/^(?:#([\w-]+)|(\w+)|\.([\w-]+))$/,K=/[+~]/,Z=new RegExp("\\\\([\\da-f]{1,6}"+M+"?|("+M+")|.)","ig"),ee=function(e,t,n){var r="0x"+t-65536;return r!==r||n?t:r<0?String.fromCharCode(r+65536):String.fromCharCode(r>>10|55296,1023&r|56320)},te=/([\0-\x1f\x7f]|^-?\d)|^-$|[^\0-\x1f\x7f-\uFFFF\w-]/g,ne=function(e,t){return t?"\0"===e?"\ufffd":e.slice(0,-1)+"\\"+e.charCodeAt(e.length-1).toString(16)+" ":"\\"+e},re=function(){p()},ie=me(function(e){return!0===e.disabled&&("form"in e||"label"in e)},{dir:"parentNode",next:"legend"});try{L.apply(A=H.call(w.childNodes),w.childNodes),A[w.childNodes.length].nodeType}catch(e){L={apply:A.length?function(e,t){q.apply(e,H.call(t))}:function(e,t){var n=e.length,r=0;while(e[n++]=t[r++]);e.length=n-1}}}function oe(e,t,r,i){var o,s,l,c,f,h,v,m=t&&t.ownerDocument,T=t?t.nodeType:9;if(r=r||[],"string"!=typeof e||!e||1!==T&&9!==T&&11!==T)return r;if(!i&&((t?t.ownerDocument||t:w)!==d&&p(t),t=t||d,g)){if(11!==T&&(f=J.exec(e)))if(o=f[1]){if(9===T){if(!(l=t.getElementById(o)))return r;if(l.id===o)return r.push(l),r}else if(m&&(l=m.getElementById(o))&&x(t,l)&&l.id===o)return r.push(l),r}else{if(f[2])return L.apply(r,t.getElementsByTagName(e)),r;if((o=f[3])&&n.getElementsByClassName&&t.getElementsByClassName)return L.apply(r,t.getElementsByClassName(o)),r}if(n.qsa&&!S[e+" "]&&(!y||!y.test(e))){if(1!==T)m=t,v=e;else if("object"!==t.nodeName.toLowerCase()){(c=t.getAttribute("id"))?c=c.replace(te,ne):t.setAttribute("id",c=b),s=(h=a(e)).length;while(s--)h[s]="#"+c+" "+ve(h[s]);v=h.join(","),m=K.test(e)&&ge(t.parentNode)||t}if(v)try{return L.apply(r,m.querySelectorAll(v)),r}catch(e){}finally{c===b&&t.removeAttribute("id")}}}return u(e.replace(B,"$1"),t,r,i)}function ae(){var e=[];function t(n,i){return e.push(n+" ")>r.cacheLength&&delete t[e.shift()],t[n+" "]=i}return t}function se(e){return e[b]=!0,e}function ue(e){var t=d.createElement("fieldset");try{return!!e(t)}catch(e){return!1}finally{t.parentNode&&t.parentNode.removeChild(t),t=null}}function le(e,t){var n=e.split("|"),i=n.length;while(i--)r.attrHandle[n[i]]=t}function ce(e,t){var n=t&&e,r=n&&1===e.nodeType&&1===t.nodeType&&e.sourceIndex-t.sourceIndex;if(r)return r;if(n)while(n=n.nextSibling)if(n===t)return-1;return e?1:-1}function fe(e){return function(t){return"input"===t.nodeName.toLowerCase()&&t.type===e}}function pe(e){return function(t){var n=t.nodeName.toLowerCase();return("input"===n||"button"===n)&&t.type===e}}function de(e){return function(t){return"form"in t?t.parentNode&&!1===t.disabled?"label"in t?"label"in t.parentNode?t.parentNode.disabled===e:t.disabled===e:t.isDisabled===e||t.isDisabled!==!e&&ie(t)===e:t.disabled===e:"label"in t&&t.disabled===e}}function he(e){return se(function(t){return t=+t,se(function(n,r){var i,o=e([],n.length,t),a=o.length;while(a--)n[i=o[a]]&&(n[i]=!(r[i]=n[i]))})})}function ge(e){return e&&"undefined"!=typeof e.getElementsByTagName&&e}n=oe.support={},o=oe.isXML=function(e){var t=e&&(e.ownerDocument||e).documentElement;return!!t&&"HTML"!==t.nodeName},p=oe.setDocument=function(e){var t,i,a=e?e.ownerDocument||e:w;return a!==d&&9===a.nodeType&&a.documentElement?(d=a,h=d.documentElement,g=!o(d),w!==d&&(i=d.defaultView)&&i.top!==i&&(i.addEventListener?i.addEventListener("unload",re,!1):i.attachEvent&&i.attachEvent("onunload",re)),n.attributes=ue(function(e){return e.className="i",!e.getAttribute("className")}),n.getElementsByTagName=ue(function(e){return e.appendChild(d.createComment("")),!e.getElementsByTagName("*").length}),n.getElementsByClassName=Q.test(d.getElementsByClassName),n.getById=ue(function(e){return h.appendChild(e).id=b,!d.getElementsByName||!d.getElementsByName(b).length}),n.getById?(r.filter.ID=function(e){var t=e.replace(Z,ee);return function(e){return e.getAttribute("id")===t}},r.find.ID=function(e,t){if("undefined"!=typeof t.getElementById&&g){var n=t.getElementById(e);return n?[n]:[]}}):(r.filter.ID=function(e){var t=e.replace(Z,ee);return function(e){var n="undefined"!=typeof e.getAttributeNode&&e.getAttributeNode("id");return n&&n.value===t}},r.find.ID=function(e,t){if("undefined"!=typeof t.getElementById&&g){var n,r,i,o=t.getElementById(e);if(o){if((n=o.getAttributeNode("id"))&&n.value===e)return[o];i=t.getElementsByName(e),r=0;while(o=i[r++])if((n=o.getAttributeNode("id"))&&n.value===e)return[o]}return[]}}),r.find.TAG=n.getElementsByTagName?function(e,t){return"undefined"!=typeof t.getElementsByTagName?t.getElementsByTagName(e):n.qsa?t.querySelectorAll(e):void 0}:function(e,t){var n,r=[],i=0,o=t.getElementsByTagName(e);if("*"===e){while(n=o[i++])1===n.nodeType&&r.push(n);return r}return o},r.find.CLASS=n.getElementsByClassName&&function(e,t){if("undefined"!=typeof t.getElementsByClassName&&g)return t.getElementsByClassName(e)},v=[],y=[],(n.qsa=Q.test(d.querySelectorAll))&&(ue(function(e){h.appendChild(e).innerHTML="<a id='"+b+"'></a><select id='"+b+"-\r\\' msallowcapture=''><option selected=''></option></select>",e.querySelectorAll("[msallowcapture^='']").length&&y.push("[*^$]="+M+"*(?:''|\"\")"),e.querySelectorAll("[selected]").length||y.push("\\["+M+"*(?:value|"+P+")"),e.querySelectorAll("[id~="+b+"-]").length||y.push("~="),e.querySelectorAll(":checked").length||y.push(":checked"),e.querySelectorAll("a#"+b+"+*").length||y.push(".#.+[+~]")}),ue(function(e){e.innerHTML="<a href='' disabled='disabled'></a><select disabled='disabled'><option/></select>";var t=d.createElement("input");t.setAttribute("type","hidden"),e.appendChild(t).setAttribute("name","D"),e.querySelectorAll("[name=d]").length&&y.push("name"+M+"*[*^$|!~]?="),2!==e.querySelectorAll(":enabled").length&&y.push(":enabled",":disabled"),h.appendChild(e).disabled=!0,2!==e.querySelectorAll(":disabled").length&&y.push(":enabled",":disabled"),e.querySelectorAll("*,:x"),y.push(",.*:")})),(n.matchesSelector=Q.test(m=h.matches||h.webkitMatchesSelector||h.mozMatchesSelector||h.oMatchesSelector||h.msMatchesSelector))&&ue(function(e){n.disconnectedMatch=m.call(e,"*"),m.call(e,"[s!='']:x"),v.push("!=",W)}),y=y.length&&new RegExp(y.join("|")),v=v.length&&new RegExp(v.join("|")),t=Q.test(h.compareDocumentPosition),x=t||Q.test(h.contains)?function(e,t){var n=9===e.nodeType?e.documentElement:e,r=t&&t.parentNode;return e===r||!(!r||1!==r.nodeType||!(n.contains?n.contains(r):e.compareDocumentPosition&&16&e.compareDocumentPosition(r)))}:function(e,t){if(t)while(t=t.parentNode)if(t===e)return!0;return!1},D=t?function(e,t){if(e===t)return f=!0,0;var r=!e.compareDocumentPosition-!t.compareDocumentPosition;return r||(1&(r=(e.ownerDocument||e)===(t.ownerDocument||t)?e.compareDocumentPosition(t):1)||!n.sortDetached&&t.compareDocumentPosition(e)===r?e===d||e.ownerDocument===w&&x(w,e)?-1:t===d||t.ownerDocument===w&&x(w,t)?1:c?O(c,e)-O(c,t):0:4&r?-1:1)}:function(e,t){if(e===t)return f=!0,0;var n,r=0,i=e.parentNode,o=t.parentNode,a=[e],s=[t];if(!i||!o)return e===d?-1:t===d?1:i?-1:o?1:c?O(c,e)-O(c,t):0;if(i===o)return ce(e,t);n=e;while(n=n.parentNode)a.unshift(n);n=t;while(n=n.parentNode)s.unshift(n);while(a[r]===s[r])r++;return r?ce(a[r],s[r]):a[r]===w?-1:s[r]===w?1:0},d):d},oe.matches=function(e,t){return oe(e,null,null,t)},oe.matchesSelector=function(e,t){if((e.ownerDocument||e)!==d&&p(e),t=t.replace(z,"='$1']"),n.matchesSelector&&g&&!S[t+" "]&&(!v||!v.test(t))&&(!y||!y.test(t)))try{var r=m.call(e,t);if(r||n.disconnectedMatch||e.document&&11!==e.document.nodeType)return r}catch(e){}return oe(t,d,null,[e]).length>0},oe.contains=function(e,t){return(e.ownerDocument||e)!==d&&p(e),x(e,t)},oe.attr=function(e,t){(e.ownerDocument||e)!==d&&p(e);var i=r.attrHandle[t.toLowerCase()],o=i&&N.call(r.attrHandle,t.toLowerCase())?i(e,t,!g):void 0;return void 0!==o?o:n.attributes||!g?e.getAttribute(t):(o=e.getAttributeNode(t))&&o.specified?o.value:null},oe.escape=function(e){return(e+"").replace(te,ne)},oe.error=function(e){throw new Error("Syntax error, unrecognized expression: "+e)},oe.uniqueSort=function(e){var t,r=[],i=0,o=0;if(f=!n.detectDuplicates,c=!n.sortStable&&e.slice(0),e.sort(D),f){while(t=e[o++])t===e[o]&&(i=r.push(o));while(i--)e.splice(r[i],1)}return c=null,e},i=oe.getText=function(e){var t,n="",r=0,o=e.nodeType;if(o){if(1===o||9===o||11===o){if("string"==typeof e.textContent)return e.textContent;for(e=e.firstChild;e;e=e.nextSibling)n+=i(e)}else if(3===o||4===o)return e.nodeValue}else while(t=e[r++])n+=i(t);return n},(r=oe.selectors={cacheLength:50,createPseudo:se,match:V,attrHandle:{},find:{},relative:{">":{dir:"parentNode",first:!0}," ":{dir:"parentNode"},"+":{dir:"previousSibling",first:!0},"~":{dir:"previousSibling"}},preFilter:{ATTR:function(e){return e[1]=e[1].replace(Z,ee),e[3]=(e[3]||e[4]||e[5]||"").replace(Z,ee),"~="===e[2]&&(e[3]=" "+e[3]+" "),e.slice(0,4)},CHILD:function(e){return e[1]=e[1].toLowerCase(),"nth"===e[1].slice(0,3)?(e[3]||oe.error(e[0]),e[4]=+(e[4]?e[5]+(e[6]||1):2*("even"===e[3]||"odd"===e[3])),e[5]=+(e[7]+e[8]||"odd"===e[3])):e[3]&&oe.error(e[0]),e},PSEUDO:function(e){var t,n=!e[6]&&e[2];return V.CHILD.test(e[0])?null:(e[3]?e[2]=e[4]||e[5]||"":n&&X.test(n)&&(t=a(n,!0))&&(t=n.indexOf(")",n.length-t)-n.length)&&(e[0]=e[0].slice(0,t),e[2]=n.slice(0,t)),e.slice(0,3))}},filter:{TAG:function(e){var t=e.replace(Z,ee).toLowerCase();return"*"===e?function(){return!0}:function(e){return e.nodeName&&e.nodeName.toLowerCase()===t}},CLASS:function(e){var t=E[e+" "];return t||(t=new RegExp("(^|"+M+")"+e+"("+M+"|$)"))&&E(e,function(e){return t.test("string"==typeof e.className&&e.className||"undefined"!=typeof e.getAttribute&&e.getAttribute("class")||"")})},ATTR:function(e,t,n){return function(r){var i=oe.attr(r,e);return null==i?"!="===t:!t||(i+="","="===t?i===n:"!="===t?i!==n:"^="===t?n&&0===i.indexOf(n):"*="===t?n&&i.indexOf(n)>-1:"$="===t?n&&i.slice(-n.length)===n:"~="===t?(" "+i.replace($," ")+" ").indexOf(n)>-1:"|="===t&&(i===n||i.slice(0,n.length+1)===n+"-"))}},CHILD:function(e,t,n,r,i){var o="nth"!==e.slice(0,3),a="last"!==e.slice(-4),s="of-type"===t;return 1===r&&0===i?function(e){return!!e.parentNode}:function(t,n,u){var l,c,f,p,d,h,g=o!==a?"nextSibling":"previousSibling",y=t.parentNode,v=s&&t.nodeName.toLowerCase(),m=!u&&!s,x=!1;if(y){if(o){while(g){p=t;while(p=p[g])if(s?p.nodeName.toLowerCase()===v:1===p.nodeType)return!1;h=g="only"===e&&!h&&"nextSibling"}return!0}if(h=[a?y.firstChild:y.lastChild],a&&m){x=(d=(l=(c=(f=(p=y)[b]||(p[b]={}))[p.uniqueID]||(f[p.uniqueID]={}))[e]||[])[0]===T&&l[1])&&l[2],p=d&&y.childNodes[d];while(p=++d&&p&&p[g]||(x=d=0)||h.pop())if(1===p.nodeType&&++x&&p===t){c[e]=[T,d,x];break}}else if(m&&(x=d=(l=(c=(f=(p=t)[b]||(p[b]={}))[p.uniqueID]||(f[p.uniqueID]={}))[e]||[])[0]===T&&l[1]),!1===x)while(p=++d&&p&&p[g]||(x=d=0)||h.pop())if((s?p.nodeName.toLowerCase()===v:1===p.nodeType)&&++x&&(m&&((c=(f=p[b]||(p[b]={}))[p.uniqueID]||(f[p.uniqueID]={}))[e]=[T,x]),p===t))break;return(x-=i)===r||x%r==0&&x/r>=0}}},PSEUDO:function(e,t){var n,i=r.pseudos[e]||r.setFilters[e.toLowerCase()]||oe.error("unsupported pseudo: "+e);return i[b]?i(t):i.length>1?(n=[e,e,"",t],r.setFilters.hasOwnProperty(e.toLowerCase())?se(function(e,n){var r,o=i(e,t),a=o.length;while(a--)e[r=O(e,o[a])]=!(n[r]=o[a])}):function(e){return i(e,0,n)}):i}},pseudos:{not:se(function(e){var t=[],n=[],r=s(e.replace(B,"$1"));return r[b]?se(function(e,t,n,i){var o,a=r(e,null,i,[]),s=e.length;while(s--)(o=a[s])&&(e[s]=!(t[s]=o))}):function(e,i,o){return t[0]=e,r(t,null,o,n),t[0]=null,!n.pop()}}),has:se(function(e){return function(t){return oe(e,t).length>0}}),contains:se(function(e){return e=e.replace(Z,ee),function(t){return(t.textContent||t.innerText||i(t)).indexOf(e)>-1}}),lang:se(function(e){return U.test(e||"")||oe.error("unsupported lang: "+e),e=e.replace(Z,ee).toLowerCase(),function(t){var n;do{if(n=g?t.lang:t.getAttribute("xml:lang")||t.getAttribute("lang"))return(n=n.toLowerCase())===e||0===n.indexOf(e+"-")}while((t=t.parentNode)&&1===t.nodeType);return!1}}),target:function(t){var n=e.location&&e.location.hash;return n&&n.slice(1)===t.id},root:function(e){return e===h},focus:function(e){return e===d.activeElement&&(!d.hasFocus||d.hasFocus())&&!!(e.type||e.href||~e.tabIndex)},enabled:de(!1),disabled:de(!0),checked:function(e){var t=e.nodeName.toLowerCase();return"input"===t&&!!e.checked||"option"===t&&!!e.selected},selected:function(e){return e.parentNode&&e.parentNode.selectedIndex,!0===e.selected},empty:function(e){for(e=e.firstChild;e;e=e.nextSibling)if(e.nodeType<6)return!1;return!0},parent:function(e){return!r.pseudos.empty(e)},header:function(e){return Y.test(e.nodeName)},input:function(e){return G.test(e.nodeName)},button:function(e){var t=e.nodeName.toLowerCase();return"input"===t&&"button"===e.type||"button"===t},text:function(e){var t;return"input"===e.nodeName.toLowerCase()&&"text"===e.type&&(null==(t=e.getAttribute("type"))||"text"===t.toLowerCase())},first:he(function(){return[0]}),last:he(function(e,t){return[t-1]}),eq:he(function(e,t,n){return[n<0?n+t:n]}),even:he(function(e,t){for(var n=0;n<t;n+=2)e.push(n);return e}),odd:he(function(e,t){for(var n=1;n<t;n+=2)e.push(n);return e}),lt:he(function(e,t,n){for(var r=n<0?n+t:n;--r>=0;)e.push(r);return e}),gt:he(function(e,t,n){for(var r=n<0?n+t:n;++r<t;)e.push(r);return e})}}).pseudos.nth=r.pseudos.eq;for(t in{radio:!0,checkbox:!0,file:!0,password:!0,image:!0})r.pseudos[t]=fe(t);for(t in{submit:!0,reset:!0})r.pseudos[t]=pe(t);function ye(){}ye.prototype=r.filters=r.pseudos,r.setFilters=new ye,a=oe.tokenize=function(e,t){var n,i,o,a,s,u,l,c=k[e+" "];if(c)return t?0:c.slice(0);s=e,u=[],l=r.preFilter;while(s){n&&!(i=F.exec(s))||(i&&(s=s.slice(i[0].length)||s),u.push(o=[])),n=!1,(i=_.exec(s))&&(n=i.shift(),o.push({value:n,type:i[0].replace(B," ")}),s=s.slice(n.length));for(a in r.filter)!(i=V[a].exec(s))||l[a]&&!(i=l[a](i))||(n=i.shift(),o.push({value:n,type:a,matches:i}),s=s.slice(n.length));if(!n)break}return t?s.length:s?oe.error(e):k(e,u).slice(0)};function ve(e){for(var t=0,n=e.length,r="";t<n;t++)r+=e[t].value;return r}function me(e,t,n){var r=t.dir,i=t.next,o=i||r,a=n&&"parentNode"===o,s=C++;return t.first?function(t,n,i){while(t=t[r])if(1===t.nodeType||a)return e(t,n,i);return!1}:function(t,n,u){var l,c,f,p=[T,s];if(u){while(t=t[r])if((1===t.nodeType||a)&&e(t,n,u))return!0}else while(t=t[r])if(1===t.nodeType||a)if(f=t[b]||(t[b]={}),c=f[t.uniqueID]||(f[t.uniqueID]={}),i&&i===t.nodeName.toLowerCase())t=t[r]||t;else{if((l=c[o])&&l[0]===T&&l[1]===s)return p[2]=l[2];if(c[o]=p,p[2]=e(t,n,u))return!0}return!1}}function xe(e){return e.length>1?function(t,n,r){var i=e.length;while(i--)if(!e[i](t,n,r))return!1;return!0}:e[0]}function be(e,t,n){for(var r=0,i=t.length;r<i;r++)oe(e,t[r],n);return n}function we(e,t,n,r,i){for(var o,a=[],s=0,u=e.length,l=null!=t;s<u;s++)(o=e[s])&&(n&&!n(o,r,i)||(a.push(o),l&&t.push(s)));return a}function Te(e,t,n,r,i,o){return r&&!r[b]&&(r=Te(r)),i&&!i[b]&&(i=Te(i,o)),se(function(o,a,s,u){var l,c,f,p=[],d=[],h=a.length,g=o||be(t||"*",s.nodeType?[s]:s,[]),y=!e||!o&&t?g:we(g,p,e,s,u),v=n?i||(o?e:h||r)?[]:a:y;if(n&&n(y,v,s,u),r){l=we(v,d),r(l,[],s,u),c=l.length;while(c--)(f=l[c])&&(v[d[c]]=!(y[d[c]]=f))}if(o){if(i||e){if(i){l=[],c=v.length;while(c--)(f=v[c])&&l.push(y[c]=f);i(null,v=[],l,u)}c=v.length;while(c--)(f=v[c])&&(l=i?O(o,f):p[c])>-1&&(o[l]=!(a[l]=f))}}else v=we(v===a?v.splice(h,v.length):v),i?i(null,a,v,u):L.apply(a,v)})}function Ce(e){for(var t,n,i,o=e.length,a=r.relative[e[0].type],s=a||r.relative[" "],u=a?1:0,c=me(function(e){return e===t},s,!0),f=me(function(e){return O(t,e)>-1},s,!0),p=[function(e,n,r){var i=!a&&(r||n!==l)||((t=n).nodeType?c(e,n,r):f(e,n,r));return t=null,i}];u<o;u++)if(n=r.relative[e[u].type])p=[me(xe(p),n)];else{if((n=r.filter[e[u].type].apply(null,e[u].matches))[b]){for(i=++u;i<o;i++)if(r.relative[e[i].type])break;return Te(u>1&&xe(p),u>1&&ve(e.slice(0,u-1).concat({value:" "===e[u-2].type?"*":""})).replace(B,"$1"),n,u<i&&Ce(e.slice(u,i)),i<o&&Ce(e=e.slice(i)),i<o&&ve(e))}p.push(n)}return xe(p)}function Ee(e,t){var n=t.length>0,i=e.length>0,o=function(o,a,s,u,c){var f,h,y,v=0,m="0",x=o&&[],b=[],w=l,C=o||i&&r.find.TAG("*",c),E=T+=null==w?1:Math.random()||.1,k=C.length;for(c&&(l=a===d||a||c);m!==k&&null!=(f=C[m]);m++){if(i&&f){h=0,a||f.ownerDocument===d||(p(f),s=!g);while(y=e[h++])if(y(f,a||d,s)){u.push(f);break}c&&(T=E)}n&&((f=!y&&f)&&v--,o&&x.push(f))}if(v+=m,n&&m!==v){h=0;while(y=t[h++])y(x,b,a,s);if(o){if(v>0)while(m--)x[m]||b[m]||(b[m]=j.call(u));b=we(b)}L.apply(u,b),c&&!o&&b.length>0&&v+t.length>1&&oe.uniqueSort(u)}return c&&(T=E,l=w),x};return n?se(o):o}return s=oe.compile=function(e,t){var n,r=[],i=[],o=S[e+" "];if(!o){t||(t=a(e)),n=t.length;while(n--)(o=Ce(t[n]))[b]?r.push(o):i.push(o);(o=S(e,Ee(i,r))).selector=e}return o},u=oe.select=function(e,t,n,i){var o,u,l,c,f,p="function"==typeof e&&e,d=!i&&a(e=p.selector||e);if(n=n||[],1===d.length){if((u=d[0]=d[0].slice(0)).length>2&&"ID"===(l=u[0]).type&&9===t.nodeType&&g&&r.relative[u[1].type]){if(!(t=(r.find.ID(l.matches[0].replace(Z,ee),t)||[])[0]))return n;p&&(t=t.parentNode),e=e.slice(u.shift().value.length)}o=V.needsContext.test(e)?0:u.length;while(o--){if(l=u[o],r.relative[c=l.type])break;if((f=r.find[c])&&(i=f(l.matches[0].replace(Z,ee),K.test(u[0].type)&&ge(t.parentNode)||t))){if(u.splice(o,1),!(e=i.length&&ve(u)))return L.apply(n,i),n;break}}}return(p||s(e,d))(i,t,!g,n,!t||K.test(e)&&ge(t.parentNode)||t),n},n.sortStable=b.split("").sort(D).join("")===b,n.detectDuplicates=!!f,p(),n.sortDetached=ue(function(e){return 1&e.compareDocumentPosition(d.createElement("fieldset"))}),ue(function(e){return e.innerHTML="<a href='#'></a>","#"===e.firstChild.getAttribute("href")})||le("type|href|height|width",function(e,t,n){if(!n)return e.getAttribute(t,"type"===t.toLowerCase()?1:2)}),n.attributes&&ue(function(e){return e.innerHTML="<input/>",e.firstChild.setAttribute("value",""),""===e.firstChild.getAttribute("value")})||le("value",function(e,t,n){if(!n&&"input"===e.nodeName.toLowerCase())return e.defaultValue}),ue(function(e){return null==e.getAttribute("disabled")})||le(P,function(e,t,n){var r;if(!n)return!0===e[t]?t.toLowerCase():(r=e.getAttributeNode(t))&&r.specified?r.value:null}),oe}(e);w.find=E,w.expr=E.selectors,w.expr[":"]=w.expr.pseudos,w.uniqueSort=w.unique=E.uniqueSort,w.text=E.getText,w.isXMLDoc=E.isXML,w.contains=E.contains,w.escapeSelector=E.escape;var k=function(e,t,n){var r=[],i=void 0!==n;while((e=e[t])&&9!==e.nodeType)if(1===e.nodeType){if(i&&w(e).is(n))break;r.push(e)}return r},S=function(e,t){for(var n=[];e;e=e.nextSibling)1===e.nodeType&&e!==t&&n.push(e);return n},D=w.expr.match.needsContext;function N(e,t){return e.nodeName&&e.nodeName.toLowerCase()===t.toLowerCase()}var A=/^<([a-z][^\/\0>:\x20\t\r\n\f]*)[\x20\t\r\n\f]*\/?>(?:<\/\1>|)$/i;function j(e,t,n){return g(t)?w.grep(e,function(e,r){return!!t.call(e,r,e)!==n}):t.nodeType?w.grep(e,function(e){return e===t!==n}):"string"!=typeof t?w.grep(e,function(e){return u.call(t,e)>-1!==n}):w.filter(t,e,n)}w.filter=function(e,t,n){var r=t[0];return n&&(e=":not("+e+")"),1===t.length&&1===r.nodeType?w.find.matchesSelector(r,e)?[r]:[]:w.find.matches(e,w.grep(t,function(e){return 1===e.nodeType}))},w.fn.extend({find:function(e){var t,n,r=this.length,i=this;if("string"!=typeof e)return this.pushStack(w(e).filter(function(){for(t=0;t<r;t++)if(w.contains(i[t],this))return!0}));for(n=this.pushStack([]),t=0;t<r;t++)w.find(e,i[t],n);return r>1?w.uniqueSort(n):n},filter:function(e){return this.pushStack(j(this,e||[],!1))},not:function(e){return this.pushStack(j(this,e||[],!0))},is:function(e){return!!j(this,"string"==typeof e&&D.test(e)?w(e):e||[],!1).length}});var q,L=/^(?:\s*(<[\w\W]+>)[^>]*|#([\w-]+))$/;(w.fn.init=function(e,t,n){var i,o;if(!e)return this;if(n=n||q,"string"==typeof e){if(!(i="<"===e[0]&&">"===e[e.length-1]&&e.length>=3?[null,e,null]:L.exec(e))||!i[1]&&t)return!t||t.jquery?(t||n).find(e):this.constructor(t).find(e);if(i[1]){if(t=t instanceof w?t[0]:t,w.merge(this,w.parseHTML(i[1],t&&t.nodeType?t.ownerDocument||t:r,!0)),A.test(i[1])&&w.isPlainObject(t))for(i in t)g(this[i])?this[i](t[i]):this.attr(i,t[i]);return this}return(o=r.getElementById(i[2]))&&(this[0]=o,this.length=1),this}return e.nodeType?(this[0]=e,this.length=1,this):g(e)?void 0!==n.ready?n.ready(e):e(w):w.makeArray(e,this)}).prototype=w.fn,q=w(r);var H=/^(?:parents|prev(?:Until|All))/,O={children:!0,contents:!0,next:!0,prev:!0};w.fn.extend({has:function(e){var t=w(e,this),n=t.length;return this.filter(function(){for(var e=0;e<n;e++)if(w.contains(this,t[e]))return!0})},closest:function(e,t){var n,r=0,i=this.length,o=[],a="string"!=typeof e&&w(e);if(!D.test(e))for(;r<i;r++)for(n=this[r];n&&n!==t;n=n.parentNode)if(n.nodeType<11&&(a?a.index(n)>-1:1===n.nodeType&&w.find.matchesSelector(n,e))){o.push(n);break}return this.pushStack(o.length>1?w.uniqueSort(o):o)},index:function(e){return e?"string"==typeof e?u.call(w(e),this[0]):u.call(this,e.jquery?e[0]:e):this[0]&&this[0].parentNode?this.first().prevAll().length:-1},add:function(e,t){return this.pushStack(w.uniqueSort(w.merge(this.get(),w(e,t))))},addBack:function(e){return this.add(null==e?this.prevObject:this.prevObject.filter(e))}});function P(e,t){while((e=e[t])&&1!==e.nodeType);return e}w.each({parent:function(e){var t=e.parentNode;return t&&11!==t.nodeType?t:null},parents:function(e){return k(e,"parentNode")},parentsUntil:function(e,t,n){return k(e,"parentNode",n)},next:function(e){return P(e,"nextSibling")},prev:function(e){return P(e,"previousSibling")},nextAll:function(e){return k(e,"nextSibling")},prevAll:function(e){return k(e,"previousSibling")},nextUntil:function(e,t,n){return k(e,"nextSibling",n)},prevUntil:function(e,t,n){return k(e,"previousSibling",n)},siblings:function(e){return S((e.parentNode||{}).firstChild,e)},children:function(e){return S(e.firstChild)},contents:function(e){return N(e,"iframe")?e.contentDocument:(N(e,"template")&&(e=e.content||e),w.merge([],e.childNodes))}},function(e,t){w.fn[e]=function(n,r){var i=w.map(this,t,n);return"Until"!==e.slice(-5)&&(r=n),r&&"string"==typeof r&&(i=w.filter(r,i)),this.length>1&&(O[e]||w.uniqueSort(i),H.test(e)&&i.reverse()),this.pushStack(i)}});var M=/[^\x20\t\r\n\f]+/g;function R(e){var t={};return w.each(e.match(M)||[],function(e,n){t[n]=!0}),t}w.Callbacks=function(e){e="string"==typeof e?R(e):w.extend({},e);var t,n,r,i,o=[],a=[],s=-1,u=function(){for(i=i||e.once,r=t=!0;a.length;s=-1){n=a.shift();while(++s<o.length)!1===o[s].apply(n[0],n[1])&&e.stopOnFalse&&(s=o.length,n=!1)}e.memory||(n=!1),t=!1,i&&(o=n?[]:"")},l={add:function(){return o&&(n&&!t&&(s=o.length-1,a.push(n)),function t(n){w.each(n,function(n,r){g(r)?e.unique&&l.has(r)||o.push(r):r&&r.length&&"string"!==x(r)&&t(r)})}(arguments),n&&!t&&u()),this},remove:function(){return w.each(arguments,function(e,t){var n;while((n=w.inArray(t,o,n))>-1)o.splice(n,1),n<=s&&s--}),this},has:function(e){return e?w.inArray(e,o)>-1:o.length>0},empty:function(){return o&&(o=[]),this},disable:function(){return i=a=[],o=n="",this},disabled:function(){return!o},lock:function(){return i=a=[],n||t||(o=n=""),this},locked:function(){return!!i},fireWith:function(e,n){return i||(n=[e,(n=n||[]).slice?n.slice():n],a.push(n),t||u()),this},fire:function(){return l.fireWith(this,arguments),this},fired:function(){return!!r}};return l};function I(e){return e}function W(e){throw e}function $(e,t,n,r){var i;try{e&&g(i=e.promise)?i.call(e).done(t).fail(n):e&&g(i=e.then)?i.call(e,t,n):t.apply(void 0,[e].slice(r))}catch(e){n.apply(void 0,[e])}}w.extend({Deferred:function(t){var n=[["notify","progress",w.Callbacks("memory"),w.Callbacks("memory"),2],["resolve","done",w.Callbacks("once memory"),w.Callbacks("once memory"),0,"resolved"],["reject","fail",w.Callbacks("once memory"),w.Callbacks("once memory"),1,"rejected"]],r="pending",i={state:function(){return r},always:function(){return o.done(arguments).fail(arguments),this},"catch":function(e){return i.then(null,e)},pipe:function(){var e=arguments;return w.Deferred(function(t){w.each(n,function(n,r){var i=g(e[r[4]])&&e[r[4]];o[r[1]](function(){var e=i&&i.apply(this,arguments);e&&g(e.promise)?e.promise().progress(t.notify).done(t.resolve).fail(t.reject):t[r[0]+"With"](this,i?[e]:arguments)})}),e=null}).promise()},then:function(t,r,i){var o=0;function a(t,n,r,i){return function(){var s=this,u=arguments,l=function(){var e,l;if(!(t<o)){if((e=r.apply(s,u))===n.promise())throw new TypeError("Thenable self-resolution");l=e&&("object"==typeof e||"function"==typeof e)&&e.then,g(l)?i?l.call(e,a(o,n,I,i),a(o,n,W,i)):(o++,l.call(e,a(o,n,I,i),a(o,n,W,i),a(o,n,I,n.notifyWith))):(r!==I&&(s=void 0,u=[e]),(i||n.resolveWith)(s,u))}},c=i?l:function(){try{l()}catch(e){w.Deferred.exceptionHook&&w.Deferred.exceptionHook(e,c.stackTrace),t+1>=o&&(r!==W&&(s=void 0,u=[e]),n.rejectWith(s,u))}};t?c():(w.Deferred.getStackHook&&(c.stackTrace=w.Deferred.getStackHook()),e.setTimeout(c))}}return w.Deferred(function(e){n[0][3].add(a(0,e,g(i)?i:I,e.notifyWith)),n[1][3].add(a(0,e,g(t)?t:I)),n[2][3].add(a(0,e,g(r)?r:W))}).promise()},promise:function(e){return null!=e?w.extend(e,i):i}},o={};return w.each(n,function(e,t){var a=t[2],s=t[5];i[t[1]]=a.add,s&&a.add(function(){r=s},n[3-e][2].disable,n[3-e][3].disable,n[0][2].lock,n[0][3].lock),a.add(t[3].fire),o[t[0]]=function(){return o[t[0]+"With"](this===o?void 0:this,arguments),this},o[t[0]+"With"]=a.fireWith}),i.promise(o),t&&t.call(o,o),o},when:function(e){var t=arguments.length,n=t,r=Array(n),i=o.call(arguments),a=w.Deferred(),s=function(e){return function(n){r[e]=this,i[e]=arguments.length>1?o.call(arguments):n,--t||a.resolveWith(r,i)}};if(t<=1&&($(e,a.done(s(n)).resolve,a.reject,!t),"pending"===a.state()||g(i[n]&&i[n].then)))return a.then();while(n--)$(i[n],s(n),a.reject);return a.promise()}});var B=/^(Eval|Internal|Range|Reference|Syntax|Type|URI)Error$/;w.Deferred.exceptionHook=function(t,n){e.console&&e.console.warn&&t&&B.test(t.name)&&e.console.warn("jQuery.Deferred exception: "+t.message,t.stack,n)},w.readyException=function(t){e.setTimeout(function(){throw t})};var F=w.Deferred();w.fn.ready=function(e){return F.then(e)["catch"](function(e){w.readyException(e)}),this},w.extend({isReady:!1,readyWait:1,ready:function(e){(!0===e?--w.readyWait:w.isReady)||(w.isReady=!0,!0!==e&&--w.readyWait>0||F.resolveWith(r,[w]))}}),w.ready.then=F.then;function _(){r.removeEventListener("DOMContentLoaded",_),e.removeEventListener("load",_),w.ready()}"complete"===r.readyState||"loading"!==r.readyState&&!r.documentElement.doScroll?e.setTimeout(w.ready):(r.addEventListener("DOMContentLoaded",_),e.addEventListener("load",_));var z=function(e,t,n,r,i,o,a){var s=0,u=e.length,l=null==n;if("object"===x(n)){i=!0;for(s in n)z(e,t,s,n[s],!0,o,a)}else if(void 0!==r&&(i=!0,g(r)||(a=!0),l&&(a?(t.call(e,r),t=null):(l=t,t=function(e,t,n){return l.call(w(e),n)})),t))for(;s<u;s++)t(e[s],n,a?r:r.call(e[s],s,t(e[s],n)));return i?e:l?t.call(e):u?t(e[0],n):o},X=/^-ms-/,U=/-([a-z])/g;function V(e,t){return t.toUpperCase()}function G(e){return e.replace(X,"ms-").replace(U,V)}var Y=function(e){return 1===e.nodeType||9===e.nodeType||!+e.nodeType};function Q(){this.expando=w.expando+Q.uid++}Q.uid=1,Q.prototype={cache:function(e){var t=e[this.expando];return t||(t={},Y(e)&&(e.nodeType?e[this.expando]=t:Object.defineProperty(e,this.expando,{value:t,configurable:!0}))),t},set:function(e,t,n){var r,i=this.cache(e);if("string"==typeof t)i[G(t)]=n;else for(r in t)i[G(r)]=t[r];return i},get:function(e,t){return void 0===t?this.cache(e):e[this.expando]&&e[this.expando][G(t)]},access:function(e,t,n){return void 0===t||t&&"string"==typeof t&&void 0===n?this.get(e,t):(this.set(e,t,n),void 0!==n?n:t)},remove:function(e,t){var n,r=e[this.expando];if(void 0!==r){if(void 0!==t){n=(t=Array.isArray(t)?t.map(G):(t=G(t))in r?[t]:t.match(M)||[]).length;while(n--)delete r[t[n]]}(void 0===t||w.isEmptyObject(r))&&(e.nodeType?e[this.expando]=void 0:delete e[this.expando])}},hasData:function(e){var t=e[this.expando];return void 0!==t&&!w.isEmptyObject(t)}};var J=new Q,K=new Q,Z=/^(?:\{[\w\W]*\}|\[[\w\W]*\])$/,ee=/[A-Z]/g;function te(e){return"true"===e||"false"!==e&&("null"===e?null:e===+e+""?+e:Z.test(e)?JSON.parse(e):e)}function ne(e,t,n){var r;if(void 0===n&&1===e.nodeType)if(r="data-"+t.replace(ee,"-$&").toLowerCase(),"string"==typeof(n=e.getAttribute(r))){try{n=te(n)}catch(e){}K.set(e,t,n)}else n=void 0;return n}w.extend({hasData:function(e){return K.hasData(e)||J.hasData(e)},data:function(e,t,n){return K.access(e,t,n)},removeData:function(e,t){K.remove(e,t)},_data:function(e,t,n){return J.access(e,t,n)},_removeData:function(e,t){J.remove(e,t)}}),w.fn.extend({data:function(e,t){var n,r,i,o=this[0],a=o&&o.attributes;if(void 0===e){if(this.length&&(i=K.get(o),1===o.nodeType&&!J.get(o,"hasDataAttrs"))){n=a.length;while(n--)a[n]&&0===(r=a[n].name).indexOf("data-")&&(r=G(r.slice(5)),ne(o,r,i[r]));J.set(o,"hasDataAttrs",!0)}return i}return"object"==typeof e?this.each(function(){K.set(this,e)}):z(this,function(t){var n;if(o&&void 0===t){if(void 0!==(n=K.get(o,e)))return n;if(void 0!==(n=ne(o,e)))return n}else this.each(function(){K.set(this,e,t)})},null,t,arguments.length>1,null,!0)},removeData:function(e){return this.each(function(){K.remove(this,e)})}}),w.extend({queue:function(e,t,n){var r;if(e)return t=(t||"fx")+"queue",r=J.get(e,t),n&&(!r||Array.isArray(n)?r=J.access(e,t,w.makeArray(n)):r.push(n)),r||[]},dequeue:function(e,t){t=t||"fx";var n=w.queue(e,t),r=n.length,i=n.shift(),o=w._queueHooks(e,t),a=function(){w.dequeue(e,t)};"inprogress"===i&&(i=n.shift(),r--),i&&("fx"===t&&n.unshift("inprogress"),delete o.stop,i.call(e,a,o)),!r&&o&&o.empty.fire()},_queueHooks:function(e,t){var n=t+"queueHooks";return J.get(e,n)||J.access(e,n,{empty:w.Callbacks("once memory").add(function(){J.remove(e,[t+"queue",n])})})}}),w.fn.extend({queue:function(e,t){var n=2;return"string"!=typeof e&&(t=e,e="fx",n--),arguments.length<n?w.queue(this[0],e):void 0===t?this:this.each(function(){var n=w.queue(this,e,t);w._queueHooks(this,e),"fx"===e&&"inprogress"!==n[0]&&w.dequeue(this,e)})},dequeue:function(e){return this.each(function(){w.dequeue(this,e)})},clearQueue:function(e){return this.queue(e||"fx",[])},promise:function(e,t){var n,r=1,i=w.Deferred(),o=this,a=this.length,s=function(){--r||i.resolveWith(o,[o])};"string"!=typeof e&&(t=e,e=void 0),e=e||"fx";while(a--)(n=J.get(o[a],e+"queueHooks"))&&n.empty&&(r++,n.empty.add(s));return s(),i.promise(t)}});var re=/[+-]?(?:\d*\.|)\d+(?:[eE][+-]?\d+|)/.source,ie=new RegExp("^(?:([+-])=|)("+re+")([a-z%]*)$","i"),oe=["Top","Right","Bottom","Left"],ae=function(e,t){return"none"===(e=t||e).style.display||""===e.style.display&&w.contains(e.ownerDocument,e)&&"none"===w.css(e,"display")},se=function(e,t,n,r){var i,o,a={};for(o in t)a[o]=e.style[o],e.style[o]=t[o];i=n.apply(e,r||[]);for(o in t)e.style[o]=a[o];return i};function ue(e,t,n,r){var i,o,a=20,s=r?function(){return r.cur()}:function(){return w.css(e,t,"")},u=s(),l=n&&n[3]||(w.cssNumber[t]?"":"px"),c=(w.cssNumber[t]||"px"!==l&&+u)&&ie.exec(w.css(e,t));if(c&&c[3]!==l){u/=2,l=l||c[3],c=+u||1;while(a--)w.style(e,t,c+l),(1-o)*(1-(o=s()/u||.5))<=0&&(a=0),c/=o;c*=2,w.style(e,t,c+l),n=n||[]}return n&&(c=+c||+u||0,i=n[1]?c+(n[1]+1)*n[2]:+n[2],r&&(r.unit=l,r.start=c,r.end=i)),i}var le={};function ce(e){var t,n=e.ownerDocument,r=e.nodeName,i=le[r];return i||(t=n.body.appendChild(n.createElement(r)),i=w.css(t,"display"),t.parentNode.removeChild(t),"none"===i&&(i="block"),le[r]=i,i)}function fe(e,t){for(var n,r,i=[],o=0,a=e.length;o<a;o++)(r=e[o]).style&&(n=r.style.display,t?("none"===n&&(i[o]=J.get(r,"display")||null,i[o]||(r.style.display="")),""===r.style.display&&ae(r)&&(i[o]=ce(r))):"none"!==n&&(i[o]="none",J.set(r,"display",n)));for(o=0;o<a;o++)null!=i[o]&&(e[o].style.display=i[o]);return e}w.fn.extend({show:function(){return fe(this,!0)},hide:function(){return fe(this)},toggle:function(e){return"boolean"==typeof e?e?this.show():this.hide():this.each(function(){ae(this)?w(this).show():w(this).hide()})}});var pe=/^(?:checkbox|radio)$/i,de=/<([a-z][^\/\0>\x20\t\r\n\f]+)/i,he=/^$|^module$|\/(?:java|ecma)script/i,ge={option:[1,"<select multiple='multiple'>","</select>"],thead:[1,"<table>","</table>"],col:[2,"<table><colgroup>","</colgroup></table>"],tr:[2,"<table><tbody>","</tbody></table>"],td:[3,"<table><tbody><tr>","</tr></tbody></table>"],_default:[0,"",""]};ge.optgroup=ge.option,ge.tbody=ge.tfoot=ge.colgroup=ge.caption=ge.thead,ge.th=ge.td;function ye(e,t){var n;return n="undefined"!=typeof e.getElementsByTagName?e.getElementsByTagName(t||"*"):"undefined"!=typeof e.querySelectorAll?e.querySelectorAll(t||"*"):[],void 0===t||t&&N(e,t)?w.merge([e],n):n}function ve(e,t){for(var n=0,r=e.length;n<r;n++)J.set(e[n],"globalEval",!t||J.get(t[n],"globalEval"))}var me=/<|&#?\w+;/;function xe(e,t,n,r,i){for(var o,a,s,u,l,c,f=t.createDocumentFragment(),p=[],d=0,h=e.length;d<h;d++)if((o=e[d])||0===o)if("object"===x(o))w.merge(p,o.nodeType?[o]:o);else if(me.test(o)){a=a||f.appendChild(t.createElement("div")),s=(de.exec(o)||["",""])[1].toLowerCase(),u=ge[s]||ge._default,a.innerHTML=u[1]+w.htmlPrefilter(o)+u[2],c=u[0];while(c--)a=a.lastChild;w.merge(p,a.childNodes),(a=f.firstChild).textContent=""}else p.push(t.createTextNode(o));f.textContent="",d=0;while(o=p[d++])if(r&&w.inArray(o,r)>-1)i&&i.push(o);else if(l=w.contains(o.ownerDocument,o),a=ye(f.appendChild(o),"script"),l&&ve(a),n){c=0;while(o=a[c++])he.test(o.type||"")&&n.push(o)}return f}!function(){var e=r.createDocumentFragment().appendChild(r.createElement("div")),t=r.createElement("input");t.setAttribute("type","radio"),t.setAttribute("checked","checked"),t.setAttribute("name","t"),e.appendChild(t),h.checkClone=e.cloneNode(!0).cloneNode(!0).lastChild.checked,e.innerHTML="<textarea>x</textarea>",h.noCloneChecked=!!e.cloneNode(!0).lastChild.defaultValue}();var be=r.documentElement,we=/^key/,Te=/^(?:mouse|pointer|contextmenu|drag|drop)|click/,Ce=/^([^.]*)(?:\.(.+)|)/;function Ee(){return!0}function ke(){return!1}function Se(){try{return r.activeElement}catch(e){}}function De(e,t,n,r,i,o){var a,s;if("object"==typeof t){"string"!=typeof n&&(r=r||n,n=void 0);for(s in t)De(e,s,n,r,t[s],o);return e}if(null==r&&null==i?(i=n,r=n=void 0):null==i&&("string"==typeof n?(i=r,r=void 0):(i=r,r=n,n=void 0)),!1===i)i=ke;else if(!i)return e;return 1===o&&(a=i,(i=function(e){return w().off(e),a.apply(this,arguments)}).guid=a.guid||(a.guid=w.guid++)),e.each(function(){w.event.add(this,t,i,r,n)})}w.event={global:{},add:function(e,t,n,r,i){var o,a,s,u,l,c,f,p,d,h,g,y=J.get(e);if(y){n.handler&&(n=(o=n).handler,i=o.selector),i&&w.find.matchesSelector(be,i),n.guid||(n.guid=w.guid++),(u=y.events)||(u=y.events={}),(a=y.handle)||(a=y.handle=function(t){return"undefined"!=typeof w&&w.event.triggered!==t.type?w.event.dispatch.apply(e,arguments):void 0}),l=(t=(t||"").match(M)||[""]).length;while(l--)d=g=(s=Ce.exec(t[l])||[])[1],h=(s[2]||"").split(".").sort(),d&&(f=w.event.special[d]||{},d=(i?f.delegateType:f.bindType)||d,f=w.event.special[d]||{},c=w.extend({type:d,origType:g,data:r,handler:n,guid:n.guid,selector:i,needsContext:i&&w.expr.match.needsContext.test(i),namespace:h.join(".")},o),(p=u[d])||((p=u[d]=[]).delegateCount=0,f.setup&&!1!==f.setup.call(e,r,h,a)||e.addEventListener&&e.addEventListener(d,a)),f.add&&(f.add.call(e,c),c.handler.guid||(c.handler.guid=n.guid)),i?p.splice(p.delegateCount++,0,c):p.push(c),w.event.global[d]=!0)}},remove:function(e,t,n,r,i){var o,a,s,u,l,c,f,p,d,h,g,y=J.hasData(e)&&J.get(e);if(y&&(u=y.events)){l=(t=(t||"").match(M)||[""]).length;while(l--)if(s=Ce.exec(t[l])||[],d=g=s[1],h=(s[2]||"").split(".").sort(),d){f=w.event.special[d]||{},p=u[d=(r?f.delegateType:f.bindType)||d]||[],s=s[2]&&new RegExp("(^|\\.)"+h.join("\\.(?:.*\\.|)")+"(\\.|$)"),a=o=p.length;while(o--)c=p[o],!i&&g!==c.origType||n&&n.guid!==c.guid||s&&!s.test(c.namespace)||r&&r!==c.selector&&("**"!==r||!c.selector)||(p.splice(o,1),c.selector&&p.delegateCount--,f.remove&&f.remove.call(e,c));a&&!p.length&&(f.teardown&&!1!==f.teardown.call(e,h,y.handle)||w.removeEvent(e,d,y.handle),delete u[d])}else for(d in u)w.event.remove(e,d+t[l],n,r,!0);w.isEmptyObject(u)&&J.remove(e,"handle events")}},dispatch:function(e){var t=w.event.fix(e),n,r,i,o,a,s,u=new Array(arguments.length),l=(J.get(this,"events")||{})[t.type]||[],c=w.event.special[t.type]||{};for(u[0]=t,n=1;n<arguments.length;n++)u[n]=arguments[n];if(t.delegateTarget=this,!c.preDispatch||!1!==c.preDispatch.call(this,t)){s=w.event.handlers.call(this,t,l),n=0;while((o=s[n++])&&!t.isPropagationStopped()){t.currentTarget=o.elem,r=0;while((a=o.handlers[r++])&&!t.isImmediatePropagationStopped())t.rnamespace&&!t.rnamespace.test(a.namespace)||(t.handleObj=a,t.data=a.data,void 0!==(i=((w.event.special[a.origType]||{}).handle||a.handler).apply(o.elem,u))&&!1===(t.result=i)&&(t.preventDefault(),t.stopPropagation()))}return c.postDispatch&&c.postDispatch.call(this,t),t.result}},handlers:function(e,t){var n,r,i,o,a,s=[],u=t.delegateCount,l=e.target;if(u&&l.nodeType&&!("click"===e.type&&e.button>=1))for(;l!==this;l=l.parentNode||this)if(1===l.nodeType&&("click"!==e.type||!0!==l.disabled)){for(o=[],a={},n=0;n<u;n++)void 0===a[i=(r=t[n]).selector+" "]&&(a[i]=r.needsContext?w(i,this).index(l)>-1:w.find(i,this,null,[l]).length),a[i]&&o.push(r);o.length&&s.push({elem:l,handlers:o})}return l=this,u<t.length&&s.push({elem:l,handlers:t.slice(u)}),s},addProp:function(e,t){Object.defineProperty(w.Event.prototype,e,{enumerable:!0,configurable:!0,get:g(t)?function(){if(this.originalEvent)return t(this.originalEvent)}:function(){if(this.originalEvent)return this.originalEvent[e]},set:function(t){Object.defineProperty(this,e,{enumerable:!0,configurable:!0,writable:!0,value:t})}})},fix:function(e){return e[w.expando]?e:new w.Event(e)},special:{load:{noBubble:!0},focus:{trigger:function(){if(this!==Se()&&this.focus)return this.focus(),!1},delegateType:"focusin"},blur:{trigger:function(){if(this===Se()&&this.blur)return this.blur(),!1},delegateType:"focusout"},click:{trigger:function(){if("checkbox"===this.type&&this.click&&N(this,"input"))return this.click(),!1},_default:function(e){return N(e.target,"a")}},beforeunload:{postDispatch:function(e){void 0!==e.result&&e.originalEvent&&(e.originalEvent.returnValue=e.result)}}}},w.removeEvent=function(e,t,n){e.removeEventListener&&e.removeEventListener(t,n)},w.Event=function(e,t){if(!(this instanceof w.Event))return new w.Event(e,t);e&&e.type?(this.originalEvent=e,this.type=e.type,this.isDefaultPrevented=e.defaultPrevented||void 0===e.defaultPrevented&&!1===e.returnValue?Ee:ke,this.target=e.target&&3===e.target.nodeType?e.target.parentNode:e.target,this.currentTarget=e.currentTarget,this.relatedTarget=e.relatedTarget):this.type=e,t&&w.extend(this,t),this.timeStamp=e&&e.timeStamp||Date.now(),this[w.expando]=!0},w.Event.prototype={constructor:w.Event,isDefaultPrevented:ke,isPropagationStopped:ke,isImmediatePropagationStopped:ke,isSimulated:!1,preventDefault:function(){var e=this.originalEvent;this.isDefaultPrevented=Ee,e&&!this.isSimulated&&e.preventDefault()},stopPropagation:function(){var e=this.originalEvent;this.isPropagationStopped=Ee,e&&!this.isSimulated&&e.stopPropagation()},stopImmediatePropagation:function(){var e=this.originalEvent;this.isImmediatePropagationStopped=Ee,e&&!this.isSimulated&&e.stopImmediatePropagation(),this.stopPropagation()}},w.each({altKey:!0,bubbles:!0,cancelable:!0,changedTouches:!0,ctrlKey:!0,detail:!0,eventPhase:!0,metaKey:!0,pageX:!0,pageY:!0,shiftKey:!0,view:!0,"char":!0,charCode:!0,key:!0,keyCode:!0,button:!0,buttons:!0,clientX:!0,clientY:!0,offsetX:!0,offsetY:!0,pointerId:!0,pointerType:!0,screenX:!0,screenY:!0,targetTouches:!0,toElement:!0,touches:!0,which:function(e){var t=e.button;return null==e.which&&we.test(e.type)?null!=e.charCode?e.charCode:e.keyCode:!e.which&&void 0!==t&&Te.test(e.type)?1&t?1:2&t?3:4&t?2:0:e.which}},w.event.addProp),w.each({mouseenter:"mouseover",mouseleave:"mouseout",pointerenter:"pointerover",pointerleave:"pointerout"},function(e,t){w.event.special[e]={delegateType:t,bindType:t,handle:function(e){var n,r=this,i=e.relatedTarget,o=e.handleObj;return i&&(i===r||w.contains(r,i))||(e.type=o.origType,n=o.handler.apply(this,arguments),e.type=t),n}}}),w.fn.extend({on:function(e,t,n,r){return De(this,e,t,n,r)},one:function(e,t,n,r){return De(this,e,t,n,r,1)},off:function(e,t,n){var r,i;if(e&&e.preventDefault&&e.handleObj)return r=e.handleObj,w(e.delegateTarget).off(r.namespace?r.origType+"."+r.namespace:r.origType,r.selector,r.handler),this;if("object"==typeof e){for(i in e)this.off(i,t,e[i]);return this}return!1!==t&&"function"!=typeof t||(n=t,t=void 0),!1===n&&(n=ke),this.each(function(){w.event.remove(this,e,n,t)})}});var Ne=/<(?!area|br|col|embed|hr|img|input|link|meta|param)(([a-z][^\/\0>\x20\t\r\n\f]*)[^>]*)\/>/gi,Ae=/<script|<style|<link/i,je=/checked\s*(?:[^=]|=\s*.checked.)/i,qe=/^\s*<!(?:\[CDATA\[|--)|(?:\]\]|--)>\s*$/g;function Le(e,t){return N(e,"table")&&N(11!==t.nodeType?t:t.firstChild,"tr")?w(e).children("tbody")[0]||e:e}function He(e){return e.type=(null!==e.getAttribute("type"))+"/"+e.type,e}function Oe(e){return"true/"===(e.type||"").slice(0,5)?e.type=e.type.slice(5):e.removeAttribute("type"),e}function Pe(e,t){var n,r,i,o,a,s,u,l;if(1===t.nodeType){if(J.hasData(e)&&(o=J.access(e),a=J.set(t,o),l=o.events)){delete a.handle,a.events={};for(i in l)for(n=0,r=l[i].length;n<r;n++)w.event.add(t,i,l[i][n])}K.hasData(e)&&(s=K.access(e),u=w.extend({},s),K.set(t,u))}}function Me(e,t){var n=t.nodeName.toLowerCase();"input"===n&&pe.test(e.type)?t.checked=e.checked:"input"!==n&&"textarea"!==n||(t.defaultValue=e.defaultValue)}function Re(e,t,n,r){t=a.apply([],t);var i,o,s,u,l,c,f=0,p=e.length,d=p-1,y=t[0],v=g(y);if(v||p>1&&"string"==typeof y&&!h.checkClone&&je.test(y))return e.each(function(i){var o=e.eq(i);v&&(t[0]=y.call(this,i,o.html())),Re(o,t,n,r)});if(p&&(i=xe(t,e[0].ownerDocument,!1,e,r),o=i.firstChild,1===i.childNodes.length&&(i=o),o||r)){for(u=(s=w.map(ye(i,"script"),He)).length;f<p;f++)l=i,f!==d&&(l=w.clone(l,!0,!0),u&&w.merge(s,ye(l,"script"))),n.call(e[f],l,f);if(u)for(c=s[s.length-1].ownerDocument,w.map(s,Oe),f=0;f<u;f++)l=s[f],he.test(l.type||"")&&!J.access(l,"globalEval")&&w.contains(c,l)&&(l.src&&"module"!==(l.type||"").toLowerCase()?w._evalUrl&&w._evalUrl(l.src):m(l.textContent.replace(qe,""),c,l))}return e}function Ie(e,t,n){for(var r,i=t?w.filter(t,e):e,o=0;null!=(r=i[o]);o++)n||1!==r.nodeType||w.cleanData(ye(r)),r.parentNode&&(n&&w.contains(r.ownerDocument,r)&&ve(ye(r,"script")),r.parentNode.removeChild(r));return e}w.extend({htmlPrefilter:function(e){return e.replace(Ne,"<$1></$2>")},clone:function(e,t,n){var r,i,o,a,s=e.cloneNode(!0),u=w.contains(e.ownerDocument,e);if(!(h.noCloneChecked||1!==e.nodeType&&11!==e.nodeType||w.isXMLDoc(e)))for(a=ye(s),r=0,i=(o=ye(e)).length;r<i;r++)Me(o[r],a[r]);if(t)if(n)for(o=o||ye(e),a=a||ye(s),r=0,i=o.length;r<i;r++)Pe(o[r],a[r]);else Pe(e,s);return(a=ye(s,"script")).length>0&&ve(a,!u&&ye(e,"script")),s},cleanData:function(e){for(var t,n,r,i=w.event.special,o=0;void 0!==(n=e[o]);o++)if(Y(n)){if(t=n[J.expando]){if(t.events)for(r in t.events)i[r]?w.event.remove(n,r):w.removeEvent(n,r,t.handle);n[J.expando]=void 0}n[K.expando]&&(n[K.expando]=void 0)}}}),w.fn.extend({detach:function(e){return Ie(this,e,!0)},remove:function(e){return Ie(this,e)},text:function(e){return z(this,function(e){return void 0===e?w.text(this):this.empty().each(function(){1!==this.nodeType&&11!==this.nodeType&&9!==this.nodeType||(this.textContent=e)})},null,e,arguments.length)},append:function(){return Re(this,arguments,function(e){1!==this.nodeType&&11!==this.nodeType&&9!==this.nodeType||Le(this,e).appendChild(e)})},prepend:function(){return Re(this,arguments,function(e){if(1===this.nodeType||11===this.nodeType||9===this.nodeType){var t=Le(this,e);t.insertBefore(e,t.firstChild)}})},before:function(){return Re(this,arguments,function(e){this.parentNode&&this.parentNode.insertBefore(e,this)})},after:function(){return Re(this,arguments,function(e){this.parentNode&&this.parentNode.insertBefore(e,this.nextSibling)})},empty:function(){for(var e,t=0;null!=(e=this[t]);t++)1===e.nodeType&&(w.cleanData(ye(e,!1)),e.textContent="");return this},clone:function(e,t){return e=null!=e&&e,t=null==t?e:t,this.map(function(){return w.clone(this,e,t)})},html:function(e){return z(this,function(e){var t=this[0]||{},n=0,r=this.length;if(void 0===e&&1===t.nodeType)return t.innerHTML;if("string"==typeof e&&!Ae.test(e)&&!ge[(de.exec(e)||["",""])[1].toLowerCase()]){e=w.htmlPrefilter(e);try{for(;n<r;n++)1===(t=this[n]||{}).nodeType&&(w.cleanData(ye(t,!1)),t.innerHTML=e);t=0}catch(e){}}t&&this.empty().append(e)},null,e,arguments.length)},replaceWith:function(){var e=[];return Re(this,arguments,function(t){var n=this.parentNode;w.inArray(this,e)<0&&(w.cleanData(ye(this)),n&&n.replaceChild(t,this))},e)}}),w.each({appendTo:"append",prependTo:"prepend",insertBefore:"before",insertAfter:"after",replaceAll:"replaceWith"},function(e,t){w.fn[e]=function(e){for(var n,r=[],i=w(e),o=i.length-1,a=0;a<=o;a++)n=a===o?this:this.clone(!0),w(i[a])[t](n),s.apply(r,n.get());return this.pushStack(r)}});var We=new RegExp("^("+re+")(?!px)[a-z%]+$","i"),$e=function(t){var n=t.ownerDocument.defaultView;return n&&n.opener||(n=e),n.getComputedStyle(t)},Be=new RegExp(oe.join("|"),"i");!function(){function t(){if(c){l.style.cssText="position:absolute;left:-11111px;width:60px;margin-top:1px;padding:0;border:0",c.style.cssText="position:relative;display:block;box-sizing:border-box;overflow:scroll;margin:auto;border:1px;padding:1px;width:60%;top:1%",be.appendChild(l).appendChild(c);var t=e.getComputedStyle(c);i="1%"!==t.top,u=12===n(t.marginLeft),c.style.right="60%",s=36===n(t.right),o=36===n(t.width),c.style.position="absolute",a=36===c.offsetWidth||"absolute",be.removeChild(l),c=null}}function n(e){return Math.round(parseFloat(e))}var i,o,a,s,u,l=r.createElement("div"),c=r.createElement("div");c.style&&(c.style.backgroundClip="content-box",c.cloneNode(!0).style.backgroundClip="",h.clearCloneStyle="content-box"===c.style.backgroundClip,w.extend(h,{boxSizingReliable:function(){return t(),o},pixelBoxStyles:function(){return t(),s},pixelPosition:function(){return t(),i},reliableMarginLeft:function(){return t(),u},scrollboxSize:function(){return t(),a}}))}();function Fe(e,t,n){var r,i,o,a,s=e.style;return(n=n||$e(e))&&(""!==(a=n.getPropertyValue(t)||n[t])||w.contains(e.ownerDocument,e)||(a=w.style(e,t)),!h.pixelBoxStyles()&&We.test(a)&&Be.test(t)&&(r=s.width,i=s.minWidth,o=s.maxWidth,s.minWidth=s.maxWidth=s.width=a,a=n.width,s.width=r,s.minWidth=i,s.maxWidth=o)),void 0!==a?a+"":a}function _e(e,t){return{get:function(){if(!e())return(this.get=t).apply(this,arguments);delete this.get}}}var ze=/^(none|table(?!-c[ea]).+)/,Xe=/^--/,Ue={position:"absolute",visibility:"hidden",display:"block"},Ve={letterSpacing:"0",fontWeight:"400"},Ge=["Webkit","Moz","ms"],Ye=r.createElement("div").style;function Qe(e){if(e in Ye)return e;var t=e[0].toUpperCase()+e.slice(1),n=Ge.length;while(n--)if((e=Ge[n]+t)in Ye)return e}function Je(e){var t=w.cssProps[e];return t||(t=w.cssProps[e]=Qe(e)||e),t}function Ke(e,t,n){var r=ie.exec(t);return r?Math.max(0,r[2]-(n||0))+(r[3]||"px"):t}function Ze(e,t,n,r,i,o){var a="width"===t?1:0,s=0,u=0;if(n===(r?"border":"content"))return 0;for(;a<4;a+=2)"margin"===n&&(u+=w.css(e,n+oe[a],!0,i)),r?("content"===n&&(u-=w.css(e,"padding"+oe[a],!0,i)),"margin"!==n&&(u-=w.css(e,"border"+oe[a]+"Width",!0,i))):(u+=w.css(e,"padding"+oe[a],!0,i),"padding"!==n?u+=w.css(e,"border"+oe[a]+"Width",!0,i):s+=w.css(e,"border"+oe[a]+"Width",!0,i));return!r&&o>=0&&(u+=Math.max(0,Math.ceil(e["offset"+t[0].toUpperCase()+t.slice(1)]-o-u-s-.5))),u}function et(e,t,n){var r=$e(e),i=Fe(e,t,r),o="border-box"===w.css(e,"boxSizing",!1,r),a=o;if(We.test(i)){if(!n)return i;i="auto"}return a=a&&(h.boxSizingReliable()||i===e.style[t]),("auto"===i||!parseFloat(i)&&"inline"===w.css(e,"display",!1,r))&&(i=e["offset"+t[0].toUpperCase()+t.slice(1)],a=!0),(i=parseFloat(i)||0)+Ze(e,t,n||(o?"border":"content"),a,r,i)+"px"}w.extend({cssHooks:{opacity:{get:function(e,t){if(t){var n=Fe(e,"opacity");return""===n?"1":n}}}},cssNumber:{animationIterationCount:!0,columnCount:!0,fillOpacity:!0,flexGrow:!0,flexShrink:!0,fontWeight:!0,lineHeight:!0,opacity:!0,order:!0,orphans:!0,widows:!0,zIndex:!0,zoom:!0},cssProps:{},style:function(e,t,n,r){if(e&&3!==e.nodeType&&8!==e.nodeType&&e.style){var i,o,a,s=G(t),u=Xe.test(t),l=e.style;if(u||(t=Je(s)),a=w.cssHooks[t]||w.cssHooks[s],void 0===n)return a&&"get"in a&&void 0!==(i=a.get(e,!1,r))?i:l[t];"string"==(o=typeof n)&&(i=ie.exec(n))&&i[1]&&(n=ue(e,t,i),o="number"),null!=n&&n===n&&("number"===o&&(n+=i&&i[3]||(w.cssNumber[s]?"":"px")),h.clearCloneStyle||""!==n||0!==t.indexOf("background")||(l[t]="inherit"),a&&"set"in a&&void 0===(n=a.set(e,n,r))||(u?l.setProperty(t,n):l[t]=n))}},css:function(e,t,n,r){var i,o,a,s=G(t);return Xe.test(t)||(t=Je(s)),(a=w.cssHooks[t]||w.cssHooks[s])&&"get"in a&&(i=a.get(e,!0,n)),void 0===i&&(i=Fe(e,t,r)),"normal"===i&&t in Ve&&(i=Ve[t]),""===n||n?(o=parseFloat(i),!0===n||isFinite(o)?o||0:i):i}}),w.each(["height","width"],function(e,t){w.cssHooks[t]={get:function(e,n,r){if(n)return!ze.test(w.css(e,"display"))||e.getClientRects().length&&e.getBoundingClientRect().width?et(e,t,r):se(e,Ue,function(){return et(e,t,r)})},set:function(e,n,r){var i,o=$e(e),a="border-box"===w.css(e,"boxSizing",!1,o),s=r&&Ze(e,t,r,a,o);return a&&h.scrollboxSize()===o.position&&(s-=Math.ceil(e["offset"+t[0].toUpperCase()+t.slice(1)]-parseFloat(o[t])-Ze(e,t,"border",!1,o)-.5)),s&&(i=ie.exec(n))&&"px"!==(i[3]||"px")&&(e.style[t]=n,n=w.css(e,t)),Ke(e,n,s)}}}),w.cssHooks.marginLeft=_e(h.reliableMarginLeft,function(e,t){if(t)return(parseFloat(Fe(e,"marginLeft"))||e.getBoundingClientRect().left-se(e,{marginLeft:0},function(){return e.getBoundingClientRect().left}))+"px"}),w.each({margin:"",padding:"",border:"Width"},function(e,t){w.cssHooks[e+t]={expand:function(n){for(var r=0,i={},o="string"==typeof n?n.split(" "):[n];r<4;r++)i[e+oe[r]+t]=o[r]||o[r-2]||o[0];return i}},"margin"!==e&&(w.cssHooks[e+t].set=Ke)}),w.fn.extend({css:function(e,t){return z(this,function(e,t,n){var r,i,o={},a=0;if(Array.isArray(t)){for(r=$e(e),i=t.length;a<i;a++)o[t[a]]=w.css(e,t[a],!1,r);return o}return void 0!==n?w.style(e,t,n):w.css(e,t)},e,t,arguments.length>1)}});function tt(e,t,n,r,i){return new tt.prototype.init(e,t,n,r,i)}w.Tween=tt,tt.prototype={constructor:tt,init:function(e,t,n,r,i,o){this.elem=e,this.prop=n,this.easing=i||w.easing._default,this.options=t,this.start=this.now=this.cur(),this.end=r,this.unit=o||(w.cssNumber[n]?"":"px")},cur:function(){var e=tt.propHooks[this.prop];return e&&e.get?e.get(this):tt.propHooks._default.get(this)},run:function(e){var t,n=tt.propHooks[this.prop];return this.options.duration?this.pos=t=w.easing[this.easing](e,this.options.duration*e,0,1,this.options.duration):this.pos=t=e,this.now=(this.end-this.start)*t+this.start,this.options.step&&this.options.step.call(this.elem,this.now,this),n&&n.set?n.set(this):tt.propHooks._default.set(this),this}},tt.prototype.init.prototype=tt.prototype,tt.propHooks={_default:{get:function(e){var t;return 1!==e.elem.nodeType||null!=e.elem[e.prop]&&null==e.elem.style[e.prop]?e.elem[e.prop]:(t=w.css(e.elem,e.prop,""))&&"auto"!==t?t:0},set:function(e){w.fx.step[e.prop]?w.fx.step[e.prop](e):1!==e.elem.nodeType||null==e.elem.style[w.cssProps[e.prop]]&&!w.cssHooks[e.prop]?e.elem[e.prop]=e.now:w.style(e.elem,e.prop,e.now+e.unit)}}},tt.propHooks.scrollTop=tt.propHooks.scrollLeft={set:function(e){e.elem.nodeType&&e.elem.parentNode&&(e.elem[e.prop]=e.now)}},w.easing={linear:function(e){return e},swing:function(e){return.5-Math.cos(e*Math.PI)/2},_default:"swing"},w.fx=tt.prototype.init,w.fx.step={};var nt,rt,it=/^(?:toggle|show|hide)$/,ot=/queueHooks$/;function at(){rt&&(!1===r.hidden&&e.requestAnimationFrame?e.requestAnimationFrame(at):e.setTimeout(at,w.fx.interval),w.fx.tick())}function st(){return e.setTimeout(function(){nt=void 0}),nt=Date.now()}function ut(e,t){var n,r=0,i={height:e};for(t=t?1:0;r<4;r+=2-t)i["margin"+(n=oe[r])]=i["padding"+n]=e;return t&&(i.opacity=i.width=e),i}function lt(e,t,n){for(var r,i=(pt.tweeners[t]||[]).concat(pt.tweeners["*"]),o=0,a=i.length;o<a;o++)if(r=i[o].call(n,t,e))return r}function ct(e,t,n){var r,i,o,a,s,u,l,c,f="width"in t||"height"in t,p=this,d={},h=e.style,g=e.nodeType&&ae(e),y=J.get(e,"fxshow");n.queue||(null==(a=w._queueHooks(e,"fx")).unqueued&&(a.unqueued=0,s=a.empty.fire,a.empty.fire=function(){a.unqueued||s()}),a.unqueued++,p.always(function(){p.always(function(){a.unqueued--,w.queue(e,"fx").length||a.empty.fire()})}));for(r in t)if(i=t[r],it.test(i)){if(delete t[r],o=o||"toggle"===i,i===(g?"hide":"show")){if("show"!==i||!y||void 0===y[r])continue;g=!0}d[r]=y&&y[r]||w.style(e,r)}if((u=!w.isEmptyObject(t))||!w.isEmptyObject(d)){f&&1===e.nodeType&&(n.overflow=[h.overflow,h.overflowX,h.overflowY],null==(l=y&&y.display)&&(l=J.get(e,"display")),"none"===(c=w.css(e,"display"))&&(l?c=l:(fe([e],!0),l=e.style.display||l,c=w.css(e,"display"),fe([e]))),("inline"===c||"inline-block"===c&&null!=l)&&"none"===w.css(e,"float")&&(u||(p.done(function(){h.display=l}),null==l&&(c=h.display,l="none"===c?"":c)),h.display="inline-block")),n.overflow&&(h.overflow="hidden",p.always(function(){h.overflow=n.overflow[0],h.overflowX=n.overflow[1],h.overflowY=n.overflow[2]})),u=!1;for(r in d)u||(y?"hidden"in y&&(g=y.hidden):y=J.access(e,"fxshow",{display:l}),o&&(y.hidden=!g),g&&fe([e],!0),p.done(function(){g||fe([e]),J.remove(e,"fxshow");for(r in d)w.style(e,r,d[r])})),u=lt(g?y[r]:0,r,p),r in y||(y[r]=u.start,g&&(u.end=u.start,u.start=0))}}function ft(e,t){var n,r,i,o,a;for(n in e)if(r=G(n),i=t[r],o=e[n],Array.isArray(o)&&(i=o[1],o=e[n]=o[0]),n!==r&&(e[r]=o,delete e[n]),(a=w.cssHooks[r])&&"expand"in a){o=a.expand(o),delete e[r];for(n in o)n in e||(e[n]=o[n],t[n]=i)}else t[r]=i}function pt(e,t,n){var r,i,o=0,a=pt.prefilters.length,s=w.Deferred().always(function(){delete u.elem}),u=function(){if(i)return!1;for(var t=nt||st(),n=Math.max(0,l.startTime+l.duration-t),r=1-(n/l.duration||0),o=0,a=l.tweens.length;o<a;o++)l.tweens[o].run(r);return s.notifyWith(e,[l,r,n]),r<1&&a?n:(a||s.notifyWith(e,[l,1,0]),s.resolveWith(e,[l]),!1)},l=s.promise({elem:e,props:w.extend({},t),opts:w.extend(!0,{specialEasing:{},easing:w.easing._default},n),originalProperties:t,originalOptions:n,startTime:nt||st(),duration:n.duration,tweens:[],createTween:function(t,n){var r=w.Tween(e,l.opts,t,n,l.opts.specialEasing[t]||l.opts.easing);return l.tweens.push(r),r},stop:function(t){var n=0,r=t?l.tweens.length:0;if(i)return this;for(i=!0;n<r;n++)l.tweens[n].run(1);return t?(s.notifyWith(e,[l,1,0]),s.resolveWith(e,[l,t])):s.rejectWith(e,[l,t]),this}}),c=l.props;for(ft(c,l.opts.specialEasing);o<a;o++)if(r=pt.prefilters[o].call(l,e,c,l.opts))return g(r.stop)&&(w._queueHooks(l.elem,l.opts.queue).stop=r.stop.bind(r)),r;return w.map(c,lt,l),g(l.opts.start)&&l.opts.start.call(e,l),l.progress(l.opts.progress).done(l.opts.done,l.opts.complete).fail(l.opts.fail).always(l.opts.always),w.fx.timer(w.extend(u,{elem:e,anim:l,queue:l.opts.queue})),l}w.Animation=w.extend(pt,{tweeners:{"*":[function(e,t){var n=this.createTween(e,t);return ue(n.elem,e,ie.exec(t),n),n}]},tweener:function(e,t){g(e)?(t=e,e=["*"]):e=e.match(M);for(var n,r=0,i=e.length;r<i;r++)n=e[r],pt.tweeners[n]=pt.tweeners[n]||[],pt.tweeners[n].unshift(t)},prefilters:[ct],prefilter:function(e,t){t?pt.prefilters.unshift(e):pt.prefilters.push(e)}}),w.speed=function(e,t,n){var r=e&&"object"==typeof e?w.extend({},e):{complete:n||!n&&t||g(e)&&e,duration:e,easing:n&&t||t&&!g(t)&&t};return w.fx.off?r.duration=0:"number"!=typeof r.duration&&(r.duration in w.fx.speeds?r.duration=w.fx.speeds[r.duration]:r.duration=w.fx.speeds._default),null!=r.queue&&!0!==r.queue||(r.queue="fx"),r.old=r.complete,r.complete=function(){g(r.old)&&r.old.call(this),r.queue&&w.dequeue(this,r.queue)},r},w.fn.extend({fadeTo:function(e,t,n,r){return this.filter(ae).css("opacity",0).show().end().animate({opacity:t},e,n,r)},animate:function(e,t,n,r){var i=w.isEmptyObject(e),o=w.speed(t,n,r),a=function(){var t=pt(this,w.extend({},e),o);(i||J.get(this,"finish"))&&t.stop(!0)};return a.finish=a,i||!1===o.queue?this.each(a):this.queue(o.queue,a)},stop:function(e,t,n){var r=function(e){var t=e.stop;delete e.stop,t(n)};return"string"!=typeof e&&(n=t,t=e,e=void 0),t&&!1!==e&&this.queue(e||"fx",[]),this.each(function(){var t=!0,i=null!=e&&e+"queueHooks",o=w.timers,a=J.get(this);if(i)a[i]&&a[i].stop&&r(a[i]);else for(i in a)a[i]&&a[i].stop&&ot.test(i)&&r(a[i]);for(i=o.length;i--;)o[i].elem!==this||null!=e&&o[i].queue!==e||(o[i].anim.stop(n),t=!1,o.splice(i,1));!t&&n||w.dequeue(this,e)})},finish:function(e){return!1!==e&&(e=e||"fx"),this.each(function(){var t,n=J.get(this),r=n[e+"queue"],i=n[e+"queueHooks"],o=w.timers,a=r?r.length:0;for(n.finish=!0,w.queue(this,e,[]),i&&i.stop&&i.stop.call(this,!0),t=o.length;t--;)o[t].elem===this&&o[t].queue===e&&(o[t].anim.stop(!0),o.splice(t,1));for(t=0;t<a;t++)r[t]&&r[t].finish&&r[t].finish.call(this);delete n.finish})}}),w.each(["toggle","show","hide"],function(e,t){var n=w.fn[t];w.fn[t]=function(e,r,i){return null==e||"boolean"==typeof e?n.apply(this,arguments):this.animate(ut(t,!0),e,r,i)}}),w.each({slideDown:ut("show"),slideUp:ut("hide"),slideToggle:ut("toggle"),fadeIn:{opacity:"show"},fadeOut:{opacity:"hide"},fadeToggle:{opacity:"toggle"}},function(e,t){w.fn[e]=function(e,n,r){return this.animate(t,e,n,r)}}),w.timers=[],w.fx.tick=function(){var e,t=0,n=w.timers;for(nt=Date.now();t<n.length;t++)(e=n[t])()||n[t]!==e||n.splice(t--,1);n.length||w.fx.stop(),nt=void 0},w.fx.timer=function(e){w.timers.push(e),w.fx.start()},w.fx.interval=13,w.fx.start=function(){rt||(rt=!0,at())},w.fx.stop=function(){rt=null},w.fx.speeds={slow:600,fast:200,_default:400},w.fn.delay=function(t,n){return t=w.fx?w.fx.speeds[t]||t:t,n=n||"fx",this.queue(n,function(n,r){var i=e.setTimeout(n,t);r.stop=function(){e.clearTimeout(i)}})},function(){var e=r.createElement("input"),t=r.createElement("select").appendChild(r.createElement("option"));e.type="checkbox",h.checkOn=""!==e.value,h.optSelected=t.selected,(e=r.createElement("input")).value="t",e.type="radio",h.radioValue="t"===e.value}();var dt,ht=w.expr.attrHandle;w.fn.extend({attr:function(e,t){return z(this,w.attr,e,t,arguments.length>1)},removeAttr:function(e){return this.each(function(){w.removeAttr(this,e)})}}),w.extend({attr:function(e,t,n){var r,i,o=e.nodeType;if(3!==o&&8!==o&&2!==o)return"undefined"==typeof e.getAttribute?w.prop(e,t,n):(1===o&&w.isXMLDoc(e)||(i=w.attrHooks[t.toLowerCase()]||(w.expr.match.bool.test(t)?dt:void 0)),void 0!==n?null===n?void w.removeAttr(e,t):i&&"set"in i&&void 0!==(r=i.set(e,n,t))?r:(e.setAttribute(t,n+""),n):i&&"get"in i&&null!==(r=i.get(e,t))?r:null==(r=w.find.attr(e,t))?void 0:r)},attrHooks:{type:{set:function(e,t){if(!h.radioValue&&"radio"===t&&N(e,"input")){var n=e.value;return e.setAttribute("type",t),n&&(e.value=n),t}}}},removeAttr:function(e,t){var n,r=0,i=t&&t.match(M);if(i&&1===e.nodeType)while(n=i[r++])e.removeAttribute(n)}}),dt={set:function(e,t,n){return!1===t?w.removeAttr(e,n):e.setAttribute(n,n),n}},w.each(w.expr.match.bool.source.match(/\w+/g),function(e,t){var n=ht[t]||w.find.attr;ht[t]=function(e,t,r){var i,o,a=t.toLowerCase();return r||(o=ht[a],ht[a]=i,i=null!=n(e,t,r)?a:null,ht[a]=o),i}});var gt=/^(?:input|select|textarea|button)$/i,yt=/^(?:a|area)$/i;w.fn.extend({prop:function(e,t){return z(this,w.prop,e,t,arguments.length>1)},removeProp:function(e){return this.each(function(){delete this[w.propFix[e]||e]})}}),w.extend({prop:function(e,t,n){var r,i,o=e.nodeType;if(3!==o&&8!==o&&2!==o)return 1===o&&w.isXMLDoc(e)||(t=w.propFix[t]||t,i=w.propHooks[t]),void 0!==n?i&&"set"in i&&void 0!==(r=i.set(e,n,t))?r:e[t]=n:i&&"get"in i&&null!==(r=i.get(e,t))?r:e[t]},propHooks:{tabIndex:{get:function(e){var t=w.find.attr(e,"tabindex");return t?parseInt(t,10):gt.test(e.nodeName)||yt.test(e.nodeName)&&e.href?0:-1}}},propFix:{"for":"htmlFor","class":"className"}}),h.optSelected||(w.propHooks.selected={get:function(e){var t=e.parentNode;return t&&t.parentNode&&t.parentNode.selectedIndex,null},set:function(e){var t=e.parentNode;t&&(t.selectedIndex,t.parentNode&&t.parentNode.selectedIndex)}}),w.each(["tabIndex","readOnly","maxLength","cellSpacing","cellPadding","rowSpan","colSpan","useMap","frameBorder","contentEditable"],function(){w.propFix[this.toLowerCase()]=this});function vt(e){return(e.match(M)||[]).join(" ")}function mt(e){return e.getAttribute&&e.getAttribute("class")||""}function xt(e){return Array.isArray(e)?e:"string"==typeof e?e.match(M)||[]:[]}w.fn.extend({addClass:function(e){var t,n,r,i,o,a,s,u=0;if(g(e))return this.each(function(t){w(this).addClass(e.call(this,t,mt(this)))});if((t=xt(e)).length)while(n=this[u++])if(i=mt(n),r=1===n.nodeType&&" "+vt(i)+" "){a=0;while(o=t[a++])r.indexOf(" "+o+" ")<0&&(r+=o+" ");i!==(s=vt(r))&&n.setAttribute("class",s)}return this},removeClass:function(e){var t,n,r,i,o,a,s,u=0;if(g(e))return this.each(function(t){w(this).removeClass(e.call(this,t,mt(this)))});if(!arguments.length)return this.attr("class","");if((t=xt(e)).length)while(n=this[u++])if(i=mt(n),r=1===n.nodeType&&" "+vt(i)+" "){a=0;while(o=t[a++])while(r.indexOf(" "+o+" ")>-1)r=r.replace(" "+o+" "," ");i!==(s=vt(r))&&n.setAttribute("class",s)}return this},toggleClass:function(e,t){var n=typeof e,r="string"===n||Array.isArray(e);return"boolean"==typeof t&&r?t?this.addClass(e):this.removeClass(e):g(e)?this.each(function(n){w(this).toggleClass(e.call(this,n,mt(this),t),t)}):this.each(function(){var t,i,o,a;if(r){i=0,o=w(this),a=xt(e);while(t=a[i++])o.hasClass(t)?o.removeClass(t):o.addClass(t)}else void 0!==e&&"boolean"!==n||((t=mt(this))&&J.set(this,"__className__",t),this.setAttribute&&this.setAttribute("class",t||!1===e?"":J.get(this,"__className__")||""))})},hasClass:function(e){var t,n,r=0;t=" "+e+" ";while(n=this[r++])if(1===n.nodeType&&(" "+vt(mt(n))+" ").indexOf(t)>-1)return!0;return!1}});var bt=/\r/g;w.fn.extend({val:function(e){var t,n,r,i=this[0];{if(arguments.length)return r=g(e),this.each(function(n){var i;1===this.nodeType&&(null==(i=r?e.call(this,n,w(this).val()):e)?i="":"number"==typeof i?i+="":Array.isArray(i)&&(i=w.map(i,function(e){return null==e?"":e+""})),(t=w.valHooks[this.type]||w.valHooks[this.nodeName.toLowerCase()])&&"set"in t&&void 0!==t.set(this,i,"value")||(this.value=i))});if(i)return(t=w.valHooks[i.type]||w.valHooks[i.nodeName.toLowerCase()])&&"get"in t&&void 0!==(n=t.get(i,"value"))?n:"string"==typeof(n=i.value)?n.replace(bt,""):null==n?"":n}}}),w.extend({valHooks:{option:{get:function(e){var t=w.find.attr(e,"value");return null!=t?t:vt(w.text(e))}},select:{get:function(e){var t,n,r,i=e.options,o=e.selectedIndex,a="select-one"===e.type,s=a?null:[],u=a?o+1:i.length;for(r=o<0?u:a?o:0;r<u;r++)if(((n=i[r]).selected||r===o)&&!n.disabled&&(!n.parentNode.disabled||!N(n.parentNode,"optgroup"))){if(t=w(n).val(),a)return t;s.push(t)}return s},set:function(e,t){var n,r,i=e.options,o=w.makeArray(t),a=i.length;while(a--)((r=i[a]).selected=w.inArray(w.valHooks.option.get(r),o)>-1)&&(n=!0);return n||(e.selectedIndex=-1),o}}}}),w.each(["radio","checkbox"],function(){w.valHooks[this]={set:function(e,t){if(Array.isArray(t))return e.checked=w.inArray(w(e).val(),t)>-1}},h.checkOn||(w.valHooks[this].get=function(e){return null===e.getAttribute("value")?"on":e.value})}),h.focusin="onfocusin"in e;var wt=/^(?:focusinfocus|focusoutblur)$/,Tt=function(e){e.stopPropagation()};w.extend(w.event,{trigger:function(t,n,i,o){var a,s,u,l,c,p,d,h,v=[i||r],m=f.call(t,"type")?t.type:t,x=f.call(t,"namespace")?t.namespace.split("."):[];if(s=h=u=i=i||r,3!==i.nodeType&&8!==i.nodeType&&!wt.test(m+w.event.triggered)&&(m.indexOf(".")>-1&&(m=(x=m.split(".")).shift(),x.sort()),c=m.indexOf(":")<0&&"on"+m,t=t[w.expando]?t:new w.Event(m,"object"==typeof t&&t),t.isTrigger=o?2:3,t.namespace=x.join("."),t.rnamespace=t.namespace?new RegExp("(^|\\.)"+x.join("\\.(?:.*\\.|)")+"(\\.|$)"):null,t.result=void 0,t.target||(t.target=i),n=null==n?[t]:w.makeArray(n,[t]),d=w.event.special[m]||{},o||!d.trigger||!1!==d.trigger.apply(i,n))){if(!o&&!d.noBubble&&!y(i)){for(l=d.delegateType||m,wt.test(l+m)||(s=s.parentNode);s;s=s.parentNode)v.push(s),u=s;u===(i.ownerDocument||r)&&v.push(u.defaultView||u.parentWindow||e)}a=0;while((s=v[a++])&&!t.isPropagationStopped())h=s,t.type=a>1?l:d.bindType||m,(p=(J.get(s,"events")||{})[t.type]&&J.get(s,"handle"))&&p.apply(s,n),(p=c&&s[c])&&p.apply&&Y(s)&&(t.result=p.apply(s,n),!1===t.result&&t.preventDefault());return t.type=m,o||t.isDefaultPrevented()||d._default&&!1!==d._default.apply(v.pop(),n)||!Y(i)||c&&g(i[m])&&!y(i)&&((u=i[c])&&(i[c]=null),w.event.triggered=m,t.isPropagationStopped()&&h.addEventListener(m,Tt),i[m](),t.isPropagationStopped()&&h.removeEventListener(m,Tt),w.event.triggered=void 0,u&&(i[c]=u)),t.result}},simulate:function(e,t,n){var r=w.extend(new w.Event,n,{type:e,isSimulated:!0});w.event.trigger(r,null,t)}}),w.fn.extend({trigger:function(e,t){return this.each(function(){w.event.trigger(e,t,this)})},triggerHandler:function(e,t){var n=this[0];if(n)return w.event.trigger(e,t,n,!0)}}),h.focusin||w.each({focus:"focusin",blur:"focusout"},function(e,t){var n=function(e){w.event.simulate(t,e.target,w.event.fix(e))};w.event.special[t]={setup:function(){var r=this.ownerDocument||this,i=J.access(r,t);i||r.addEventListener(e,n,!0),J.access(r,t,(i||0)+1)},teardown:function(){var r=this.ownerDocument||this,i=J.access(r,t)-1;i?J.access(r,t,i):(r.removeEventListener(e,n,!0),J.remove(r,t))}}});var Ct=e.location,Et=Date.now(),kt=/\?/;w.parseXML=function(t){var n;if(!t||"string"!=typeof t)return null;try{n=(new e.DOMParser).parseFromString(t,"text/xml")}catch(e){n=void 0}return n&&!n.getElementsByTagName("parsererror").length||w.error("Invalid XML: "+t),n};var St=/\[\]$/,Dt=/\r?\n/g,Nt=/^(?:submit|button|image|reset|file)$/i,At=/^(?:input|select|textarea|keygen)/i;function jt(e,t,n,r){var i;if(Array.isArray(t))w.each(t,function(t,i){n||St.test(e)?r(e,i):jt(e+"["+("object"==typeof i&&null!=i?t:"")+"]",i,n,r)});else if(n||"object"!==x(t))r(e,t);else for(i in t)jt(e+"["+i+"]",t[i],n,r)}w.param=function(e,t){var n,r=[],i=function(e,t){var n=g(t)?t():t;r[r.length]=encodeURIComponent(e)+"="+encodeURIComponent(null==n?"":n)};if(Array.isArray(e)||e.jquery&&!w.isPlainObject(e))w.each(e,function(){i(this.name,this.value)});else for(n in e)jt(n,e[n],t,i);return r.join("&")},w.fn.extend({serialize:function(){return w.param(this.serializeArray())},serializeArray:function(){return this.map(function(){var e=w.prop(this,"elements");return e?w.makeArray(e):this}).filter(function(){var e=this.type;return this.name&&!w(this).is(":disabled")&&At.test(this.nodeName)&&!Nt.test(e)&&(this.checked||!pe.test(e))}).map(function(e,t){var n=w(this).val();return null==n?null:Array.isArray(n)?w.map(n,function(e){return{name:t.name,value:e.replace(Dt,"\r\n")}}):{name:t.name,value:n.replace(Dt,"\r\n")}}).get()}});var qt=/%20/g,Lt=/#.*$/,Ht=/([?&])_=[^&]*/,Ot=/^(.*?):[ \t]*([^\r\n]*)$/gm,Pt=/^(?:about|app|app-storage|.+-extension|file|res|widget):$/,Mt=/^(?:GET|HEAD)$/,Rt=/^\/\//,It={},Wt={},$t="*/".concat("*"),Bt=r.createElement("a");Bt.href=Ct.href;function Ft(e){return function(t,n){"string"!=typeof t&&(n=t,t="*");var r,i=0,o=t.toLowerCase().match(M)||[];if(g(n))while(r=o[i++])"+"===r[0]?(r=r.slice(1)||"*",(e[r]=e[r]||[]).unshift(n)):(e[r]=e[r]||[]).push(n)}}function _t(e,t,n,r){var i={},o=e===Wt;function a(s){var u;return i[s]=!0,w.each(e[s]||[],function(e,s){var l=s(t,n,r);return"string"!=typeof l||o||i[l]?o?!(u=l):void 0:(t.dataTypes.unshift(l),a(l),!1)}),u}return a(t.dataTypes[0])||!i["*"]&&a("*")}function zt(e,t){var n,r,i=w.ajaxSettings.flatOptions||{};for(n in t)void 0!==t[n]&&((i[n]?e:r||(r={}))[n]=t[n]);return r&&w.extend(!0,e,r),e}function Xt(e,t,n){var r,i,o,a,s=e.contents,u=e.dataTypes;while("*"===u[0])u.shift(),void 0===r&&(r=e.mimeType||t.getResponseHeader("Content-Type"));if(r)for(i in s)if(s[i]&&s[i].test(r)){u.unshift(i);break}if(u[0]in n)o=u[0];else{for(i in n){if(!u[0]||e.converters[i+" "+u[0]]){o=i;break}a||(a=i)}o=o||a}if(o)return o!==u[0]&&u.unshift(o),n[o]}function Ut(e,t,n,r){var i,o,a,s,u,l={},c=e.dataTypes.slice();if(c[1])for(a in e.converters)l[a.toLowerCase()]=e.converters[a];o=c.shift();while(o)if(e.responseFields[o]&&(n[e.responseFields[o]]=t),!u&&r&&e.dataFilter&&(t=e.dataFilter(t,e.dataType)),u=o,o=c.shift())if("*"===o)o=u;else if("*"!==u&&u!==o){if(!(a=l[u+" "+o]||l["* "+o]))for(i in l)if((s=i.split(" "))[1]===o&&(a=l[u+" "+s[0]]||l["* "+s[0]])){!0===a?a=l[i]:!0!==l[i]&&(o=s[0],c.unshift(s[1]));break}if(!0!==a)if(a&&e["throws"])t=a(t);else try{t=a(t)}catch(e){return{state:"parsererror",error:a?e:"No conversion from "+u+" to "+o}}}return{state:"success",data:t}}w.extend({active:0,lastModified:{},etag:{},ajaxSettings:{url:Ct.href,type:"GET",isLocal:Pt.test(Ct.protocol),global:!0,processData:!0,async:!0,contentType:"application/x-www-form-urlencoded; charset=UTF-8",accepts:{"*":$t,text:"text/plain",html:"text/html",xml:"application/xml, text/xml",json:"application/json, text/javascript"},contents:{xml:/\bxml\b/,html:/\bhtml/,json:/\bjson\b/},responseFields:{xml:"responseXML",text:"responseText",json:"responseJSON"},converters:{"* text":String,"text html":!0,"text json":JSON.parse,"text xml":w.parseXML},flatOptions:{url:!0,context:!0}},ajaxSetup:function(e,t){return t?zt(zt(e,w.ajaxSettings),t):zt(w.ajaxSettings,e)},ajaxPrefilter:Ft(It),ajaxTransport:Ft(Wt),ajax:function(t,n){"object"==typeof t&&(n=t,t=void 0),n=n||{};var i,o,a,s,u,l,c,f,p,d,h=w.ajaxSetup({},n),g=h.context||h,y=h.context&&(g.nodeType||g.jquery)?w(g):w.event,v=w.Deferred(),m=w.Callbacks("once memory"),x=h.statusCode||{},b={},T={},C="canceled",E={readyState:0,getResponseHeader:function(e){var t;if(c){if(!s){s={};while(t=Ot.exec(a))s[t[1].toLowerCase()]=t[2]}t=s[e.toLowerCase()]}return null==t?null:t},getAllResponseHeaders:function(){return c?a:null},setRequestHeader:function(e,t){return null==c&&(e=T[e.toLowerCase()]=T[e.toLowerCase()]||e,b[e]=t),this},overrideMimeType:function(e){return null==c&&(h.mimeType=e),this},statusCode:function(e){var t;if(e)if(c)E.always(e[E.status]);else for(t in e)x[t]=[x[t],e[t]];return this},abort:function(e){var t=e||C;return i&&i.abort(t),k(0,t),this}};if(v.promise(E),h.url=((t||h.url||Ct.href)+"").replace(Rt,Ct.protocol+"//"),h.type=n.method||n.type||h.method||h.type,h.dataTypes=(h.dataType||"*").toLowerCase().match(M)||[""],null==h.crossDomain){l=r.createElement("a");try{l.href=h.url,l.href=l.href,h.crossDomain=Bt.protocol+"//"+Bt.host!=l.protocol+"//"+l.host}catch(e){h.crossDomain=!0}}if(h.data&&h.processData&&"string"!=typeof h.data&&(h.data=w.param(h.data,h.traditional)),_t(It,h,n,E),c)return E;(f=w.event&&h.global)&&0==w.active++&&w.event.trigger("ajaxStart"),h.type=h.type.toUpperCase(),h.hasContent=!Mt.test(h.type),o=h.url.replace(Lt,""),h.hasContent?h.data&&h.processData&&0===(h.contentType||"").indexOf("application/x-www-form-urlencoded")&&(h.data=h.data.replace(qt,"+")):(d=h.url.slice(o.length),h.data&&(h.processData||"string"==typeof h.data)&&(o+=(kt.test(o)?"&":"?")+h.data,delete h.data),!1===h.cache&&(o=o.replace(Ht,"$1"),d=(kt.test(o)?"&":"?")+"_="+Et+++d),h.url=o+d),h.ifModified&&(w.lastModified[o]&&E.setRequestHeader("If-Modified-Since",w.lastModified[o]),w.etag[o]&&E.setRequestHeader("If-None-Match",w.etag[o])),(h.data&&h.hasContent&&!1!==h.contentType||n.contentType)&&E.setRequestHeader("Content-Type",h.contentType),E.setRequestHeader("Accept",h.dataTypes[0]&&h.accepts[h.dataTypes[0]]?h.accepts[h.dataTypes[0]]+("*"!==h.dataTypes[0]?", "+$t+"; q=0.01":""):h.accepts["*"]);for(p in h.headers)E.setRequestHeader(p,h.headers[p]);if(h.beforeSend&&(!1===h.beforeSend.call(g,E,h)||c))return E.abort();if(C="abort",m.add(h.complete),E.done(h.success),E.fail(h.error),i=_t(Wt,h,n,E)){if(E.readyState=1,f&&y.trigger("ajaxSend",[E,h]),c)return E;h.async&&h.timeout>0&&(u=e.setTimeout(function(){E.abort("timeout")},h.timeout));try{c=!1,i.send(b,k)}catch(e){if(c)throw e;k(-1,e)}}else k(-1,"No Transport");function k(t,n,r,s){var l,p,d,b,T,C=n;c||(c=!0,u&&e.clearTimeout(u),i=void 0,a=s||"",E.readyState=t>0?4:0,l=t>=200&&t<300||304===t,r&&(b=Xt(h,E,r)),b=Ut(h,b,E,l),l?(h.ifModified&&((T=E.getResponseHeader("Last-Modified"))&&(w.lastModified[o]=T),(T=E.getResponseHeader("etag"))&&(w.etag[o]=T)),204===t||"HEAD"===h.type?C="nocontent":304===t?C="notmodified":(C=b.state,p=b.data,l=!(d=b.error))):(d=C,!t&&C||(C="error",t<0&&(t=0))),E.status=t,E.statusText=(n||C)+"",l?v.resolveWith(g,[p,C,E]):v.rejectWith(g,[E,C,d]),E.statusCode(x),x=void 0,f&&y.trigger(l?"ajaxSuccess":"ajaxError",[E,h,l?p:d]),m.fireWith(g,[E,C]),f&&(y.trigger("ajaxComplete",[E,h]),--w.active||w.event.trigger("ajaxStop")))}return E},getJSON:function(e,t,n){return w.get(e,t,n,"json")},getScript:function(e,t){return w.get(e,void 0,t,"script")}}),w.each(["get","post"],function(e,t){w[t]=function(e,n,r,i){return g(n)&&(i=i||r,r=n,n=void 0),w.ajax(w.extend({url:e,type:t,dataType:i,data:n,success:r},w.isPlainObject(e)&&e))}}),w._evalUrl=function(e){return w.ajax({url:e,type:"GET",dataType:"script",cache:!0,async:!1,global:!1,"throws":!0})},w.fn.extend({wrapAll:function(e){var t;return this[0]&&(g(e)&&(e=e.call(this[0])),t=w(e,this[0].ownerDocument).eq(0).clone(!0),this[0].parentNode&&t.insertBefore(this[0]),t.map(function(){var e=this;while(e.firstElementChild)e=e.firstElementChild;return e}).append(this)),this},wrapInner:function(e){return g(e)?this.each(function(t){w(this).wrapInner(e.call(this,t))}):this.each(function(){var t=w(this),n=t.contents();n.length?n.wrapAll(e):t.append(e)})},wrap:function(e){var t=g(e);return this.each(function(n){w(this).wrapAll(t?e.call(this,n):e)})},unwrap:function(e){return this.parent(e).not("body").each(function(){w(this).replaceWith(this.childNodes)}),this}}),w.expr.pseudos.hidden=function(e){return!w.expr.pseudos.visible(e)},w.expr.pseudos.visible=function(e){return!!(e.offsetWidth||e.offsetHeight||e.getClientRects().length)},w.ajaxSettings.xhr=function(){try{return new e.XMLHttpRequest}catch(e){}};var Vt={0:200,1223:204},Gt=w.ajaxSettings.xhr();h.cors=!!Gt&&"withCredentials"in Gt,h.ajax=Gt=!!Gt,w.ajaxTransport(function(t){var n,r;if(h.cors||Gt&&!t.crossDomain)return{send:function(i,o){var a,s=t.xhr();if(s.open(t.type,t.url,t.async,t.username,t.password),t.xhrFields)for(a in t.xhrFields)s[a]=t.xhrFields[a];t.mimeType&&s.overrideMimeType&&s.overrideMimeType(t.mimeType),t.crossDomain||i["X-Requested-With"]||(i["X-Requested-With"]="XMLHttpRequest");for(a in i)s.setRequestHeader(a,i[a]);n=function(e){return function(){n&&(n=r=s.onload=s.onerror=s.onabort=s.ontimeout=s.onreadystatechange=null,"abort"===e?s.abort():"error"===e?"number"!=typeof s.status?o(0,"error"):o(s.status,s.statusText):o(Vt[s.status]||s.status,s.statusText,"text"!==(s.responseType||"text")||"string"!=typeof s.responseText?{binary:s.response}:{text:s.responseText},s.getAllResponseHeaders()))}},s.onload=n(),r=s.onerror=s.ontimeout=n("error"),void 0!==s.onabort?s.onabort=r:s.onreadystatechange=function(){4===s.readyState&&e.setTimeout(function(){n&&r()})},n=n("abort");try{s.send(t.hasContent&&t.data||null)}catch(e){if(n)throw e}},abort:function(){n&&n()}}}),w.ajaxPrefilter(function(e){e.crossDomain&&(e.contents.script=!1)}),w.ajaxSetup({accepts:{script:"text/javascript, application/javascript, application/ecmascript, application/x-ecmascript"},contents:{script:/\b(?:java|ecma)script\b/},converters:{"text script":function(e){return w.globalEval(e),e}}}),w.ajaxPrefilter("script",function(e){void 0===e.cache&&(e.cache=!1),e.crossDomain&&(e.type="GET")}),w.ajaxTransport("script",function(e){if(e.crossDomain){var t,n;return{send:function(i,o){t=w("<script>").prop({charset:e.scriptCharset,src:e.url}).on("load error",n=function(e){t.remove(),n=null,e&&o("error"===e.type?404:200,e.type)}),r.head.appendChild(t[0])},abort:function(){n&&n()}}}});var Yt=[],Qt=/(=)\?(?=&|$)|\?\?/;w.ajaxSetup({jsonp:"callback",jsonpCallback:function(){var e=Yt.pop()||w.expando+"_"+Et++;return this[e]=!0,e}}),w.ajaxPrefilter("json jsonp",function(t,n,r){var i,o,a,s=!1!==t.jsonp&&(Qt.test(t.url)?"url":"string"==typeof t.data&&0===(t.contentType||"").indexOf("application/x-www-form-urlencoded")&&Qt.test(t.data)&&"data");if(s||"jsonp"===t.dataTypes[0])return i=t.jsonpCallback=g(t.jsonpCallback)?t.jsonpCallback():t.jsonpCallback,s?t[s]=t[s].replace(Qt,"$1"+i):!1!==t.jsonp&&(t.url+=(kt.test(t.url)?"&":"?")+t.jsonp+"="+i),t.converters["script json"]=function(){return a||w.error(i+" was not called"),a[0]},t.dataTypes[0]="json",o=e[i],e[i]=function(){a=arguments},r.always(function(){void 0===o?w(e).removeProp(i):e[i]=o,t[i]&&(t.jsonpCallback=n.jsonpCallback,Yt.push(i)),a&&g(o)&&o(a[0]),a=o=void 0}),"script"}),h.createHTMLDocument=function(){var e=r.implementation.createHTMLDocument("").body;return e.innerHTML="<form></form><form></form>",2===e.childNodes.length}(),w.parseHTML=function(e,t,n){if("string"!=typeof e)return[];"boolean"==typeof t&&(n=t,t=!1);var i,o,a;return t||(h.createHTMLDocument?((i=(t=r.implementation.createHTMLDocument("")).createElement("base")).href=r.location.href,t.head.appendChild(i)):t=r),o=A.exec(e),a=!n&&[],o?[t.createElement(o[1])]:(o=xe([e],t,a),a&&a.length&&w(a).remove(),w.merge([],o.childNodes))},w.fn.load=function(e,t,n){var r,i,o,a=this,s=e.indexOf(" ");return s>-1&&(r=vt(e.slice(s)),e=e.slice(0,s)),g(t)?(n=t,t=void 0):t&&"object"==typeof t&&(i="POST"),a.length>0&&w.ajax({url:e,type:i||"GET",dataType:"html",data:t}).done(function(e){o=arguments,a.html(r?w("<div>").append(w.parseHTML(e)).find(r):e)}).always(n&&function(e,t){a.each(function(){n.apply(this,o||[e.responseText,t,e])})}),this},w.each(["ajaxStart","ajaxStop","ajaxComplete","ajaxError","ajaxSuccess","ajaxSend"],function(e,t){w.fn[t]=function(e){return this.on(t,e)}}),w.expr.pseudos.animated=function(e){return w.grep(w.timers,function(t){return e===t.elem}).length},w.offset={setOffset:function(e,t,n){var r,i,o,a,s,u,l,c=w.css(e,"position"),f=w(e),p={};"static"===c&&(e.style.position="relative"),s=f.offset(),o=w.css(e,"top"),u=w.css(e,"left"),(l=("absolute"===c||"fixed"===c)&&(o+u).indexOf("auto")>-1)?(a=(r=f.position()).top,i=r.left):(a=parseFloat(o)||0,i=parseFloat(u)||0),g(t)&&(t=t.call(e,n,w.extend({},s))),null!=t.top&&(p.top=t.top-s.top+a),null!=t.left&&(p.left=t.left-s.left+i),"using"in t?t.using.call(e,p):f.css(p)}},w.fn.extend({offset:function(e){if(arguments.length)return void 0===e?this:this.each(function(t){w.offset.setOffset(this,e,t)});var t,n,r=this[0];if(r)return r.getClientRects().length?(t=r.getBoundingClientRect(),n=r.ownerDocument.defaultView,{top:t.top+n.pageYOffset,left:t.left+n.pageXOffset}):{top:0,left:0}},position:function(){if(this[0]){var e,t,n,r=this[0],i={top:0,left:0};if("fixed"===w.css(r,"position"))t=r.getBoundingClientRect();else{t=this.offset(),n=r.ownerDocument,e=r.offsetParent||n.documentElement;while(e&&(e===n.body||e===n.documentElement)&&"static"===w.css(e,"position"))e=e.parentNode;e&&e!==r&&1===e.nodeType&&((i=w(e).offset()).top+=w.css(e,"borderTopWidth",!0),i.left+=w.css(e,"borderLeftWidth",!0))}return{top:t.top-i.top-w.css(r,"marginTop",!0),left:t.left-i.left-w.css(r,"marginLeft",!0)}}},offsetParent:function(){return this.map(function(){var e=this.offsetParent;while(e&&"static"===w.css(e,"position"))e=e.offsetParent;return e||be})}}),w.each({scrollLeft:"pageXOffset",scrollTop:"pageYOffset"},function(e,t){var n="pageYOffset"===t;w.fn[e]=function(r){return z(this,function(e,r,i){var o;if(y(e)?o=e:9===e.nodeType&&(o=e.defaultView),void 0===i)return o?o[t]:e[r];o?o.scrollTo(n?o.pageXOffset:i,n?i:o.pageYOffset):e[r]=i},e,r,arguments.length)}}),w.each(["top","left"],function(e,t){w.cssHooks[t]=_e(h.pixelPosition,function(e,n){if(n)return n=Fe(e,t),We.test(n)?w(e).position()[t]+"px":n})}),w.each({Height:"height",Width:"width"},function(e,t){w.each({padding:"inner"+e,content:t,"":"outer"+e},function(n,r){w.fn[r]=function(i,o){var a=arguments.length&&(n||"boolean"!=typeof i),s=n||(!0===i||!0===o?"margin":"border");return z(this,function(t,n,i){var o;return y(t)?0===r.indexOf("outer")?t["inner"+e]:t.document.documentElement["client"+e]:9===t.nodeType?(o=t.documentElement,Math.max(t.body["scroll"+e],o["scroll"+e],t.body["offset"+e],o["offset"+e],o["client"+e])):void 0===i?w.css(t,n,s):w.style(t,n,i,s)},t,a?i:void 0,a)}})}),w.each("blur focus focusin focusout resize scroll click dblclick mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave change select submit keydown keypress keyup contextmenu".split(" "),function(e,t){w.fn[t]=function(e,n){return arguments.length>0?this.on(t,null,e,n):this.trigger(t)}}),w.fn.extend({hover:function(e,t){return this.mouseenter(e).mouseleave(t||e)}}),w.fn.extend({bind:function(e,t,n){return this.on(e,null,t,n)},unbind:function(e,t){return this.off(e,null,t)},delegate:function(e,t,n,r){return this.on(t,e,n,r)},undelegate:function(e,t,n){return 1===arguments.length?this.off(e,"**"):this.off(t,e||"**",n)}}),w.proxy=function(e,t){var n,r,i;if("string"==typeof t&&(n=e[t],t=e,e=n),g(e))return r=o.call(arguments,2),i=function(){return e.apply(t||this,r.concat(o.call(arguments)))},i.guid=e.guid=e.guid||w.guid++,i},w.holdReady=function(e){e?w.readyWait++:w.ready(!0)},w.isArray=Array.isArray,w.parseJSON=JSON.parse,w.nodeName=N,w.isFunction=g,w.isWindow=y,w.camelCase=G,w.type=x,w.now=Date.now,w.isNumeric=function(e){var t=w.type(e);return("number"===t||"string"===t)&&!isNaN(e-parseFloat(e))},"function"==typeof define&&define.amd&&define("jquery",[],function(){return w});var Jt=e.jQuery,Kt=e.$;return w.noConflict=function(t){return e.$===w&&(e.$=Kt),t&&e.jQuery===w&&(e.jQuery=Jt),w},t||(e.jQuery=e.$=w),w});
diff --git a/src/wiki/static/wiki/js/jquery-ui-1.12.1.custom/LICENSE.txt b/src/wiki/static/wiki/js/jquery-ui-1.12.1.custom/LICENSE.txt
new file mode 100644
index 000000000..4819e5421
--- /dev/null
+++ b/src/wiki/static/wiki/js/jquery-ui-1.12.1.custom/LICENSE.txt
@@ -0,0 +1,43 @@
+Copyright jQuery Foundation and other contributors, https://jquery.org/
+
+This software consists of voluntary contributions made by many
+individuals. For exact contribution history, see the revision history
+available at https://github.com/jquery/jquery-ui
+
+The following license applies to all parts of this software except as
+documented below:
+
+====
+
+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.
+
+====
+
+Copyright and related rights for sample code are waived via CC0. Sample
+code is defined as all source code contained within the demos directory.
+
+CC0: http://creativecommons.org/publicdomain/zero/1.0/
+
+====
+
+All files located in the node_modules and external directories are
+externally maintained libraries used by this software which have their
+own licenses; we recommend you read them, as their terms may differ from
+the terms above.
diff --git a/src/wiki/static/wiki/js/jquery-ui-1.12.1.custom/jquery-ui.min.css b/src/wiki/static/wiki/js/jquery-ui-1.12.1.custom/jquery-ui.min.css
new file mode 100644
index 000000000..73ee505a6
--- /dev/null
+++ b/src/wiki/static/wiki/js/jquery-ui-1.12.1.custom/jquery-ui.min.css
@@ -0,0 +1,6 @@
+/*! jQuery UI - v1.12.1 - 2018-10-20
+* http://jqueryui.com
+* Includes: core.css, resizable.css
+* Copyright jQuery Foundation and other contributors; Licensed MIT */
+
+.ui-helper-hidden{display:none}.ui-helper-hidden-accessible{border:0;clip:rect(0 0 0 0);height:1px;margin:-1px;overflow:hidden;padding:0;position:absolute;width:1px}.ui-helper-reset{margin:0;padding:0;border:0;outline:0;line-height:1.3;text-decoration:none;font-size:100%;list-style:none}.ui-helper-clearfix:before,.ui-helper-clearfix:after{content:"";display:table;border-collapse:collapse}.ui-helper-clearfix:after{clear:both}.ui-helper-zfix{width:100%;height:100%;top:0;left:0;position:absolute;opacity:0;filter:Alpha(Opacity=0)}.ui-front{z-index:100}.ui-state-disabled{cursor:default!important;pointer-events:none}.ui-icon{display:inline-block;vertical-align:middle;margin-top:-.25em;position:relative;text-indent:-99999px;overflow:hidden;background-repeat:no-repeat}.ui-widget-icon-block{left:50%;margin-left:-8px;display:block}.ui-widget-overlay{position:fixed;top:0;left:0;width:100%;height:100%}.ui-resizable{position:relative}.ui-resizable-handle{position:absolute;font-size:0.1px;display:block;-ms-touch-action:none;touch-action:none}.ui-resizable-disabled .ui-resizable-handle,.ui-resizable-autohide .ui-resizable-handle{display:none}.ui-resizable-n{cursor:n-resize;height:7px;width:100%;top:-5px;left:0}.ui-resizable-s{cursor:s-resize;height:7px;width:100%;bottom:-5px;left:0}.ui-resizable-e{cursor:e-resize;width:7px;right:-5px;top:0;height:100%}.ui-resizable-w{cursor:w-resize;width:7px;left:-5px;top:0;height:100%}.ui-resizable-se{cursor:se-resize;width:12px;height:12px;right:1px;bottom:1px}.ui-resizable-sw{cursor:sw-resize;width:9px;height:9px;left:-5px;bottom:-5px}.ui-resizable-nw{cursor:nw-resize;width:9px;height:9px;left:-5px;top:-5px}.ui-resizable-ne{cursor:ne-resize;width:9px;height:9px;right:-5px;top:-5px}
diff --git a/src/wiki/static/wiki/js/jquery-ui-1.12.1.custom/jquery-ui.min.js b/src/wiki/static/wiki/js/jquery-ui-1.12.1.custom/jquery-ui.min.js
new file mode 100644
index 000000000..20bc7d6fc
--- /dev/null
+++ b/src/wiki/static/wiki/js/jquery-ui-1.12.1.custom/jquery-ui.min.js
@@ -0,0 +1,7 @@
+/*! jQuery UI - v1.12.1 - 2018-10-20
+* http://jqueryui.com
+* Includes: widget.js, disable-selection.js, widgets/resizable.js, widgets/mouse.js, effect.js, effects/effect-blind.js, effects/effect-bounce.js, effects/effect-clip.js, effects/effect-drop.js, effects/effect-explode.js, effects/effect-fade.js, effects/effect-fold.js, effects/effect-highlight.js, effects/effect-puff.js, effects/effect-pulsate.js, effects/effect-scale.js, effects/effect-shake.js, effects/effect-size.js, effects/effect-slide.js, effects/effect-transfer.js
+* Copyright jQuery Foundation and other contributors; Licensed MIT */
+
+(function(t){"function"==typeof define&&define.amd?define(["jquery"],t):t(jQuery)})(function(t){t.ui=t.ui||{},t.ui.version="1.12.1";var e=0,i=Array.prototype.slice;t.cleanData=function(e){return function(i){var s,n,o;for(o=0;null!=(n=i[o]);o++)try{s=t._data(n,"events"),s&&s.remove&&t(n).triggerHandler("remove")}catch(a){}e(i)}}(t.cleanData),t.widget=function(e,i,s){var n,o,a,r={},l=e.split(".")[0];e=e.split(".")[1];var h=l+"-"+e;return s||(s=i,i=t.Widget),t.isArray(s)&&(s=t.extend.apply(null,[{}].concat(s))),t.expr[":"][h.toLowerCase()]=function(e){return!!t.data(e,h)},t[l]=t[l]||{},n=t[l][e],o=t[l][e]=function(t,e){return this._createWidget?(arguments.length&&this._createWidget(t,e),void 0):new o(t,e)},t.extend(o,n,{version:s.version,_proto:t.extend({},s),_childConstructors:[]}),a=new i,a.options=t.widget.extend({},a.options),t.each(s,function(e,s){return t.isFunction(s)?(r[e]=function(){function t(){return i.prototype[e].apply(this,arguments)}function n(t){return i.prototype[e].apply(this,t)}return function(){var e,i=this._super,o=this._superApply;return this._super=t,this._superApply=n,e=s.apply(this,arguments),this._super=i,this._superApply=o,e}}(),void 0):(r[e]=s,void 0)}),o.prototype=t.widget.extend(a,{widgetEventPrefix:n?a.widgetEventPrefix||e:e},r,{constructor:o,namespace:l,widgetName:e,widgetFullName:h}),n?(t.each(n._childConstructors,function(e,i){var s=i.prototype;t.widget(s.namespace+"."+s.widgetName,o,i._proto)}),delete n._childConstructors):i._childConstructors.push(o),t.widget.bridge(e,o),o},t.widget.extend=function(e){for(var s,n,o=i.call(arguments,1),a=0,r=o.length;r>a;a++)for(s in o[a])n=o[a][s],o[a].hasOwnProperty(s)&&void 0!==n&&(e[s]=t.isPlainObject(n)?t.isPlainObject(e[s])?t.widget.extend({},e[s],n):t.widget.extend({},n):n);return e},t.widget.bridge=function(e,s){var n=s.prototype.widgetFullName||e;t.fn[e]=function(o){var a="string"==typeof o,r=i.call(arguments,1),l=this;return a?this.length||"instance"!==o?this.each(function(){var i,s=t.data(this,n);return"instance"===o?(l=s,!1):s?t.isFunction(s[o])&&"_"!==o.charAt(0)?(i=s[o].apply(s,r),i!==s&&void 0!==i?(l=i&&i.jquery?l.pushStack(i.get()):i,!1):void 0):t.error("no such method '"+o+"' for "+e+" widget instance"):t.error("cannot call methods on "+e+" prior to initialization; "+"attempted to call method '"+o+"'")}):l=void 0:(r.length&&(o=t.widget.extend.apply(null,[o].concat(r))),this.each(function(){var e=t.data(this,n);e?(e.option(o||{}),e._init&&e._init()):t.data(this,n,new s(o,this))})),l}},t.Widget=function(){},t.Widget._childConstructors=[],t.Widget.prototype={widgetName:"widget",widgetEventPrefix:"",defaultElement:"<div>",options:{classes:{},disabled:!1,create:null},_createWidget:function(i,s){s=t(s||this.defaultElement||this)[0],this.element=t(s),this.uuid=e++,this.eventNamespace="."+this.widgetName+this.uuid,this.bindings=t(),this.hoverable=t(),this.focusable=t(),this.classesElementLookup={},s!==this&&(t.data(s,this.widgetFullName,this),this._on(!0,this.element,{remove:function(t){t.target===s&&this.destroy()}}),this.document=t(s.style?s.ownerDocument:s.document||s),this.window=t(this.document[0].defaultView||this.document[0].parentWindow)),this.options=t.widget.extend({},this.options,this._getCreateOptions(),i),this._create(),this.options.disabled&&this._setOptionDisabled(this.options.disabled),this._trigger("create",null,this._getCreateEventData()),this._init()},_getCreateOptions:function(){return{}},_getCreateEventData:t.noop,_create:t.noop,_init:t.noop,destroy:function(){var e=this;this._destroy(),t.each(this.classesElementLookup,function(t,i){e._removeClass(i,t)}),this.element.off(this.eventNamespace).removeData(this.widgetFullName),this.widget().off(this.eventNamespace).removeAttr("aria-disabled"),this.bindings.off(this.eventNamespace)},_destroy:t.noop,widget:function(){return this.element},option:function(e,i){var s,n,o,a=e;if(0===arguments.length)return t.widget.extend({},this.options);if("string"==typeof e)if(a={},s=e.split("."),e=s.shift(),s.length){for(n=a[e]=t.widget.extend({},this.options[e]),o=0;s.length-1>o;o++)n[s[o]]=n[s[o]]||{},n=n[s[o]];if(e=s.pop(),1===arguments.length)return void 0===n[e]?null:n[e];n[e]=i}else{if(1===arguments.length)return void 0===this.options[e]?null:this.options[e];a[e]=i}return this._setOptions(a),this},_setOptions:function(t){var e;for(e in t)this._setOption(e,t[e]);return this},_setOption:function(t,e){return"classes"===t&&this._setOptionClasses(e),this.options[t]=e,"disabled"===t&&this._setOptionDisabled(e),this},_setOptionClasses:function(e){var i,s,n;for(i in e)n=this.classesElementLookup[i],e[i]!==this.options.classes[i]&&n&&n.length&&(s=t(n.get()),this._removeClass(n,i),s.addClass(this._classes({element:s,keys:i,classes:e,add:!0})))},_setOptionDisabled:function(t){this._toggleClass(this.widget(),this.widgetFullName+"-disabled",null,!!t),t&&(this._removeClass(this.hoverable,null,"ui-state-hover"),this._removeClass(this.focusable,null,"ui-state-focus"))},enable:function(){return this._setOptions({disabled:!1})},disable:function(){return this._setOptions({disabled:!0})},_classes:function(e){function i(i,o){var a,r;for(r=0;i.length>r;r++)a=n.classesElementLookup[i[r]]||t(),a=e.add?t(t.unique(a.get().concat(e.element.get()))):t(a.not(e.element).get()),n.classesElementLookup[i[r]]=a,s.push(i[r]),o&&e.classes[i[r]]&&s.push(e.classes[i[r]])}var s=[],n=this;return e=t.extend({element:this.element,classes:this.options.classes||{}},e),this._on(e.element,{remove:"_untrackClassesElement"}),e.keys&&i(e.keys.match(/\S+/g)||[],!0),e.extra&&i(e.extra.match(/\S+/g)||[]),s.join(" ")},_untrackClassesElement:function(e){var i=this;t.each(i.classesElementLookup,function(s,n){-1!==t.inArray(e.target,n)&&(i.classesElementLookup[s]=t(n.not(e.target).get()))})},_removeClass:function(t,e,i){return this._toggleClass(t,e,i,!1)},_addClass:function(t,e,i){return this._toggleClass(t,e,i,!0)},_toggleClass:function(t,e,i,s){s="boolean"==typeof s?s:i;var n="string"==typeof t||null===t,o={extra:n?e:i,keys:n?t:e,element:n?this.element:t,add:s};return o.element.toggleClass(this._classes(o),s),this},_on:function(e,i,s){var n,o=this;"boolean"!=typeof e&&(s=i,i=e,e=!1),s?(i=n=t(i),this.bindings=this.bindings.add(i)):(s=i,i=this.element,n=this.widget()),t.each(s,function(s,a){function r(){return e||o.options.disabled!==!0&&!t(this).hasClass("ui-state-disabled")?("string"==typeof a?o[a]:a).apply(o,arguments):void 0}"string"!=typeof a&&(r.guid=a.guid=a.guid||r.guid||t.guid++);var l=s.match(/^([\w:-]*)\s*(.*)$/),h=l[1]+o.eventNamespace,c=l[2];c?n.on(h,c,r):i.on(h,r)})},_off:function(e,i){i=(i||"").split(" ").join(this.eventNamespace+" ")+this.eventNamespace,e.off(i).off(i),this.bindings=t(this.bindings.not(e).get()),this.focusable=t(this.focusable.not(e).get()),this.hoverable=t(this.hoverable.not(e).get())},_delay:function(t,e){function i(){return("string"==typeof t?s[t]:t).apply(s,arguments)}var s=this;return setTimeout(i,e||0)},_hoverable:function(e){this.hoverable=this.hoverable.add(e),this._on(e,{mouseenter:function(e){this._addClass(t(e.currentTarget),null,"ui-state-hover")},mouseleave:function(e){this._removeClass(t(e.currentTarget),null,"ui-state-hover")}})},_focusable:function(e){this.focusable=this.focusable.add(e),this._on(e,{focusin:function(e){this._addClass(t(e.currentTarget),null,"ui-state-focus")},focusout:function(e){this._removeClass(t(e.currentTarget),null,"ui-state-focus")}})},_trigger:function(e,i,s){var n,o,a=this.options[e];if(s=s||{},i=t.Event(i),i.type=(e===this.widgetEventPrefix?e:this.widgetEventPrefix+e).toLowerCase(),i.target=this.element[0],o=i.originalEvent)for(n in o)n in i||(i[n]=o[n]);return this.element.trigger(i,s),!(t.isFunction(a)&&a.apply(this.element[0],[i].concat(s))===!1||i.isDefaultPrevented())}},t.each({show:"fadeIn",hide:"fadeOut"},function(e,i){t.Widget.prototype["_"+e]=function(s,n,o){"string"==typeof n&&(n={effect:n});var a,r=n?n===!0||"number"==typeof n?i:n.effect||i:e;n=n||{},"number"==typeof n&&(n={duration:n}),a=!t.isEmptyObject(n),n.complete=o,n.delay&&s.delay(n.delay),a&&t.effects&&t.effects.effect[r]?s[e](n):r!==e&&s[r]?s[r](n.duration,n.easing,o):s.queue(function(i){t(this)[e](),o&&o.call(s[0]),i()})}}),t.widget,t.fn.extend({disableSelection:function(){var t="onselectstart"in document.createElement("div")?"selectstart":"mousedown";return function(){return this.on(t+".ui-disableSelection",function(t){t.preventDefault()})}}(),enableSelection:function(){return this.off(".ui-disableSelection")}}),t.ui.ie=!!/msie [\w.]+/.exec(navigator.userAgent.toLowerCase());var s=!1;t(document).on("mouseup",function(){s=!1}),t.widget("ui.mouse",{version:"1.12.1",options:{cancel:"input, textarea, button, select, option",distance:1,delay:0},_mouseInit:function(){var e=this;this.element.on("mousedown."+this.widgetName,function(t){return e._mouseDown(t)}).on("click."+this.widgetName,function(i){return!0===t.data(i.target,e.widgetName+".preventClickEvent")?(t.removeData(i.target,e.widgetName+".preventClickEvent"),i.stopImmediatePropagation(),!1):void 0}),this.started=!1},_mouseDestroy:function(){this.element.off("."+this.widgetName),this._mouseMoveDelegate&&this.document.off("mousemove."+this.widgetName,this._mouseMoveDelegate).off("mouseup."+this.widgetName,this._mouseUpDelegate)},_mouseDown:function(e){if(!s){this._mouseMoved=!1,this._mouseStarted&&this._mouseUp(e),this._mouseDownEvent=e;var i=this,n=1===e.which,o="string"==typeof this.options.cancel&&e.target.nodeName?t(e.target).closest(this.options.cancel).length:!1;return n&&!o&&this._mouseCapture(e)?(this.mouseDelayMet=!this.options.delay,this.mouseDelayMet||(this._mouseDelayTimer=setTimeout(function(){i.mouseDelayMet=!0},this.options.delay)),this._mouseDistanceMet(e)&&this._mouseDelayMet(e)&&(this._mouseStarted=this._mouseStart(e)!==!1,!this._mouseStarted)?(e.preventDefault(),!0):(!0===t.data(e.target,this.widgetName+".preventClickEvent")&&t.removeData(e.target,this.widgetName+".preventClickEvent"),this._mouseMoveDelegate=function(t){return i._mouseMove(t)},this._mouseUpDelegate=function(t){return i._mouseUp(t)},this.document.on("mousemove."+this.widgetName,this._mouseMoveDelegate).on("mouseup."+this.widgetName,this._mouseUpDelegate),e.preventDefault(),s=!0,!0)):!0}},_mouseMove:function(e){if(this._mouseMoved){if(t.ui.ie&&(!document.documentMode||9>document.documentMode)&&!e.button)return this._mouseUp(e);if(!e.which)if(e.originalEvent.altKey||e.originalEvent.ctrlKey||e.originalEvent.metaKey||e.originalEvent.shiftKey)this.ignoreMissingWhich=!0;else if(!this.ignoreMissingWhich)return this._mouseUp(e)}return(e.which||e.button)&&(this._mouseMoved=!0),this._mouseStarted?(this._mouseDrag(e),e.preventDefault()):(this._mouseDistanceMet(e)&&this._mouseDelayMet(e)&&(this._mouseStarted=this._mouseStart(this._mouseDownEvent,e)!==!1,this._mouseStarted?this._mouseDrag(e):this._mouseUp(e)),!this._mouseStarted)},_mouseUp:function(e){this.document.off("mousemove."+this.widgetName,this._mouseMoveDelegate).off("mouseup."+this.widgetName,this._mouseUpDelegate),this._mouseStarted&&(this._mouseStarted=!1,e.target===this._mouseDownEvent.target&&t.data(e.target,this.widgetName+".preventClickEvent",!0),this._mouseStop(e)),this._mouseDelayTimer&&(clearTimeout(this._mouseDelayTimer),delete this._mouseDelayTimer),this.ignoreMissingWhich=!1,s=!1,e.preventDefault()},_mouseDistanceMet:function(t){return Math.max(Math.abs(this._mouseDownEvent.pageX-t.pageX),Math.abs(this._mouseDownEvent.pageY-t.pageY))>=this.options.distance},_mouseDelayMet:function(){return this.mouseDelayMet},_mouseStart:function(){},_mouseDrag:function(){},_mouseStop:function(){},_mouseCapture:function(){return!0}}),t.ui.plugin={add:function(e,i,s){var n,o=t.ui[e].prototype;for(n in s)o.plugins[n]=o.plugins[n]||[],o.plugins[n].push([i,s[n]])},call:function(t,e,i,s){var n,o=t.plugins[e];if(o&&(s||t.element[0].parentNode&&11!==t.element[0].parentNode.nodeType))for(n=0;o.length>n;n++)t.options[o[n][0]]&&o[n][1].apply(t.element,i)}},t.widget("ui.resizable",t.ui.mouse,{version:"1.12.1",widgetEventPrefix:"resize",options:{alsoResize:!1,animate:!1,animateDuration:"slow",animateEasing:"swing",aspectRatio:!1,autoHide:!1,classes:{"ui-resizable-se":"ui-icon ui-icon-gripsmall-diagonal-se"},containment:!1,ghost:!1,grid:!1,handles:"e,s,se",helper:!1,maxHeight:null,maxWidth:null,minHeight:10,minWidth:10,zIndex:90,resize:null,start:null,stop:null},_num:function(t){return parseFloat(t)||0},_isNumber:function(t){return!isNaN(parseFloat(t))},_hasScroll:function(e,i){if("hidden"===t(e).css("overflow"))return!1;var s=i&&"left"===i?"scrollLeft":"scrollTop",n=!1;return e[s]>0?!0:(e[s]=1,n=e[s]>0,e[s]=0,n)},_create:function(){var e,i=this.options,s=this;this._addClass("ui-resizable"),t.extend(this,{_aspectRatio:!!i.aspectRatio,aspectRatio:i.aspectRatio,originalElement:this.element,_proportionallyResizeElements:[],_helper:i.helper||i.ghost||i.animate?i.helper||"ui-resizable-helper":null}),this.element[0].nodeName.match(/^(canvas|textarea|input|select|button|img)$/i)&&(this.element.wrap(t("<div class='ui-wrapper' style='overflow: hidden;'></div>").css({position:this.element.css("position"),width:this.element.outerWidth(),height:this.element.outerHeight(),top:this.element.css("top"),left:this.element.css("left")})),this.element=this.element.parent().data("ui-resizable",this.element.resizable("instance")),this.elementIsWrapper=!0,e={marginTop:this.originalElement.css("marginTop"),marginRight:this.originalElement.css("marginRight"),marginBottom:this.originalElement.css("marginBottom"),marginLeft:this.originalElement.css("marginLeft")},this.element.css(e),this.originalElement.css("margin",0),this.originalResizeStyle=this.originalElement.css("resize"),this.originalElement.css("resize","none"),this._proportionallyResizeElements.push(this.originalElement.css({position:"static",zoom:1,display:"block"})),this.originalElement.css(e),this._proportionallyResize()),this._setupHandles(),i.autoHide&&t(this.element).on("mouseenter",function(){i.disabled||(s._removeClass("ui-resizable-autohide"),s._handles.show())}).on("mouseleave",function(){i.disabled||s.resizing||(s._addClass("ui-resizable-autohide"),s._handles.hide())}),this._mouseInit()},_destroy:function(){this._mouseDestroy();var e,i=function(e){t(e).removeData("resizable").removeData("ui-resizable").off(".resizable").find(".ui-resizable-handle").remove()};return this.elementIsWrapper&&(i(this.element),e=this.element,this.originalElement.css({position:e.css("position"),width:e.outerWidth(),height:e.outerHeight(),top:e.css("top"),left:e.css("left")}).insertAfter(e),e.remove()),this.originalElement.css("resize",this.originalResizeStyle),i(this.originalElement),this},_setOption:function(t,e){switch(this._super(t,e),t){case"handles":this._removeHandles(),this._setupHandles();break;default:}},_setupHandles:function(){var e,i,s,n,o,a=this.options,r=this;if(this.handles=a.handles||(t(".ui-resizable-handle",this.element).length?{n:".ui-resizable-n",e:".ui-resizable-e",s:".ui-resizable-s",w:".ui-resizable-w",se:".ui-resizable-se",sw:".ui-resizable-sw",ne:".ui-resizable-ne",nw:".ui-resizable-nw"}:"e,s,se"),this._handles=t(),this.handles.constructor===String)for("all"===this.handles&&(this.handles="n,e,s,w,se,sw,ne,nw"),s=this.handles.split(","),this.handles={},i=0;s.length>i;i++)e=t.trim(s[i]),n="ui-resizable-"+e,o=t("<div>"),this._addClass(o,"ui-resizable-handle "+n),o.css({zIndex:a.zIndex}),this.handles[e]=".ui-resizable-"+e,this.element.append(o);this._renderAxis=function(e){var i,s,n,o;e=e||this.element;for(i in this.handles)this.handles[i].constructor===String?this.handles[i]=this.element.children(this.handles[i]).first().show():(this.handles[i].jquery||this.handles[i].nodeType)&&(this.handles[i]=t(this.handles[i]),this._on(this.handles[i],{mousedown:r._mouseDown})),this.elementIsWrapper&&this.originalElement[0].nodeName.match(/^(textarea|input|select|button)$/i)&&(s=t(this.handles[i],this.element),o=/sw|ne|nw|se|n|s/.test(i)?s.outerHeight():s.outerWidth(),n=["padding",/ne|nw|n/.test(i)?"Top":/se|sw|s/.test(i)?"Bottom":/^e$/.test(i)?"Right":"Left"].join(""),e.css(n,o),this._proportionallyResize()),this._handles=this._handles.add(this.handles[i])},this._renderAxis(this.element),this._handles=this._handles.add(this.element.find(".ui-resizable-handle")),this._handles.disableSelection(),this._handles.on("mouseover",function(){r.resizing||(this.className&&(o=this.className.match(/ui-resizable-(se|sw|ne|nw|n|e|s|w)/i)),r.axis=o&&o[1]?o[1]:"se")}),a.autoHide&&(this._handles.hide(),this._addClass("ui-resizable-autohide"))},_removeHandles:function(){this._handles.remove()},_mouseCapture:function(e){var i,s,n=!1;for(i in this.handles)s=t(this.handles[i])[0],(s===e.target||t.contains(s,e.target))&&(n=!0);return!this.options.disabled&&n},_mouseStart:function(e){var i,s,n,o=this.options,a=this.element;return this.resizing=!0,this._renderProxy(),i=this._num(this.helper.css("left")),s=this._num(this.helper.css("top")),o.containment&&(i+=t(o.containment).scrollLeft()||0,s+=t(o.containment).scrollTop()||0),this.offset=this.helper.offset(),this.position={left:i,top:s},this.size=this._helper?{width:this.helper.width(),height:this.helper.height()}:{width:a.width(),height:a.height()},this.originalSize=this._helper?{width:a.outerWidth(),height:a.outerHeight()}:{width:a.width(),height:a.height()},this.sizeDiff={width:a.outerWidth()-a.width(),height:a.outerHeight()-a.height()},this.originalPosition={left:i,top:s},this.originalMousePosition={left:e.pageX,top:e.pageY},this.aspectRatio="number"==typeof o.aspectRatio?o.aspectRatio:this.originalSize.width/this.originalSize.height||1,n=t(".ui-resizable-"+this.axis).css("cursor"),t("body").css("cursor","auto"===n?this.axis+"-resize":n),this._addClass("ui-resizable-resizing"),this._propagate("start",e),!0},_mouseDrag:function(e){var i,s,n=this.originalMousePosition,o=this.axis,a=e.pageX-n.left||0,r=e.pageY-n.top||0,l=this._change[o];return this._updatePrevProperties(),l?(i=l.apply(this,[e,a,r]),this._updateVirtualBoundaries(e.shiftKey),(this._aspectRatio||e.shiftKey)&&(i=this._updateRatio(i,e)),i=this._respectSize(i,e),this._updateCache(i),this._propagate("resize",e),s=this._applyChanges(),!this._helper&&this._proportionallyResizeElements.length&&this._proportionallyResize(),t.isEmptyObject(s)||(this._updatePrevProperties(),this._trigger("resize",e,this.ui()),this._applyChanges()),!1):!1},_mouseStop:function(e){this.resizing=!1;var i,s,n,o,a,r,l,h=this.options,c=this;return this._helper&&(i=this._proportionallyResizeElements,s=i.length&&/textarea/i.test(i[0].nodeName),n=s&&this._hasScroll(i[0],"left")?0:c.sizeDiff.height,o=s?0:c.sizeDiff.width,a={width:c.helper.width()-o,height:c.helper.height()-n},r=parseFloat(c.element.css("left"))+(c.position.left-c.originalPosition.left)||null,l=parseFloat(c.element.css("top"))+(c.position.top-c.originalPosition.top)||null,h.animate||this.element.css(t.extend(a,{top:l,left:r})),c.helper.height(c.size.height),c.helper.width(c.size.width),this._helper&&!h.animate&&this._proportionallyResize()),t("body").css("cursor","auto"),this._removeClass("ui-resizable-resizing"),this._propagate("stop",e),this._helper&&this.helper.remove(),!1},_updatePrevProperties:function(){this.prevPosition={top:this.position.top,left:this.position.left},this.prevSize={width:this.size.width,height:this.size.height}},_applyChanges:function(){var t={};return this.position.top!==this.prevPosition.top&&(t.top=this.position.top+"px"),this.position.left!==this.prevPosition.left&&(t.left=this.position.left+"px"),this.size.width!==this.prevSize.width&&(t.width=this.size.width+"px"),this.size.height!==this.prevSize.height&&(t.height=this.size.height+"px"),this.helper.css(t),t},_updateVirtualBoundaries:function(t){var e,i,s,n,o,a=this.options;o={minWidth:this._isNumber(a.minWidth)?a.minWidth:0,maxWidth:this._isNumber(a.maxWidth)?a.maxWidth:1/0,minHeight:this._isNumber(a.minHeight)?a.minHeight:0,maxHeight:this._isNumber(a.maxHeight)?a.maxHeight:1/0},(this._aspectRatio||t)&&(e=o.minHeight*this.aspectRatio,s=o.minWidth/this.aspectRatio,i=o.maxHeight*this.aspectRatio,n=o.maxWidth/this.aspectRatio,e>o.minWidth&&(o.minWidth=e),s>o.minHeight&&(o.minHeight=s),o.maxWidth>i&&(o.maxWidth=i),o.maxHeight>n&&(o.maxHeight=n)),this._vBoundaries=o},_updateCache:function(t){this.offset=this.helper.offset(),this._isNumber(t.left)&&(this.position.left=t.left),this._isNumber(t.top)&&(this.position.top=t.top),this._isNumber(t.height)&&(this.size.height=t.height),this._isNumber(t.width)&&(this.size.width=t.width)},_updateRatio:function(t){var e=this.position,i=this.size,s=this.axis;return this._isNumber(t.height)?t.width=t.height*this.aspectRatio:this._isNumber(t.width)&&(t.height=t.width/this.aspectRatio),"sw"===s&&(t.left=e.left+(i.width-t.width),t.top=null),"nw"===s&&(t.top=e.top+(i.height-t.height),t.left=e.left+(i.width-t.width)),t},_respectSize:function(t){var e=this._vBoundaries,i=this.axis,s=this._isNumber(t.width)&&e.maxWidth&&e.maxWidth<t.width,n=this._isNumber(t.height)&&e.maxHeight&&e.maxHeight<t.height,o=this._isNumber(t.width)&&e.minWidth&&e.minWidth>t.width,a=this._isNumber(t.height)&&e.minHeight&&e.minHeight>t.height,r=this.originalPosition.left+this.originalSize.width,l=this.originalPosition.top+this.originalSize.height,h=/sw|nw|w/.test(i),c=/nw|ne|n/.test(i);return o&&(t.width=e.minWidth),a&&(t.height=e.minHeight),s&&(t.width=e.maxWidth),n&&(t.height=e.maxHeight),o&&h&&(t.left=r-e.minWidth),s&&h&&(t.left=r-e.maxWidth),a&&c&&(t.top=l-e.minHeight),n&&c&&(t.top=l-e.maxHeight),t.width||t.height||t.left||!t.top?t.width||t.height||t.top||!t.left||(t.left=null):t.top=null,t},_getPaddingPlusBorderDimensions:function(t){for(var e=0,i=[],s=[t.css("borderTopWidth"),t.css("borderRightWidth"),t.css("borderBottomWidth"),t.css("borderLeftWidth")],n=[t.css("paddingTop"),t.css("paddingRight"),t.css("paddingBottom"),t.css("paddingLeft")];4>e;e++)i[e]=parseFloat(s[e])||0,i[e]+=parseFloat(n[e])||0;return{height:i[0]+i[2],width:i[1]+i[3]}},_proportionallyResize:function(){if(this._proportionallyResizeElements.length)for(var t,e=0,i=this.helper||this.element;this._proportionallyResizeElements.length>e;e++)t=this._proportionallyResizeElements[e],this.outerDimensions||(this.outerDimensions=this._getPaddingPlusBorderDimensions(t)),t.css({height:i.height()-this.outerDimensions.height||0,width:i.width()-this.outerDimensions.width||0})},_renderProxy:function(){var e=this.element,i=this.options;this.elementOffset=e.offset(),this._helper?(this.helper=this.helper||t("<div style='overflow:hidden;'></div>"),this._addClass(this.helper,this._helper),this.helper.css({width:this.element.outerWidth(),height:this.element.outerHeight(),position:"absolute",left:this.elementOffset.left+"px",top:this.elementOffset.top+"px",zIndex:++i.zIndex}),this.helper.appendTo("body").disableSelection()):this.helper=this.element},_change:{e:function(t,e){return{width:this.originalSize.width+e}},w:function(t,e){var i=this.originalSize,s=this.originalPosition;return{left:s.left+e,width:i.width-e}},n:function(t,e,i){var s=this.originalSize,n=this.originalPosition;return{top:n.top+i,height:s.height-i}},s:function(t,e,i){return{height:this.originalSize.height+i}},se:function(e,i,s){return t.extend(this._change.s.apply(this,arguments),this._change.e.apply(this,[e,i,s]))},sw:function(e,i,s){return t.extend(this._change.s.apply(this,arguments),this._change.w.apply(this,[e,i,s]))},ne:function(e,i,s){return t.extend(this._change.n.apply(this,arguments),this._change.e.apply(this,[e,i,s]))},nw:function(e,i,s){return t.extend(this._change.n.apply(this,arguments),this._change.w.apply(this,[e,i,s]))}},_propagate:function(e,i){t.ui.plugin.call(this,e,[i,this.ui()]),"resize"!==e&&this._trigger(e,i,this.ui())},plugins:{},ui:function(){return{originalElement:this.originalElement,element:this.element,helper:this.helper,position:this.position,size:this.size,originalSize:this.originalSize,originalPosition:this.originalPosition}}}),t.ui.plugin.add("resizable","animate",{stop:function(e){var i=t(this).resizable("instance"),s=i.options,n=i._proportionallyResizeElements,o=n.length&&/textarea/i.test(n[0].nodeName),a=o&&i._hasScroll(n[0],"left")?0:i.sizeDiff.height,r=o?0:i.sizeDiff.width,l={width:i.size.width-r,height:i.size.height-a},h=parseFloat(i.element.css("left"))+(i.position.left-i.originalPosition.left)||null,c=parseFloat(i.element.css("top"))+(i.position.top-i.originalPosition.top)||null;i.element.animate(t.extend(l,c&&h?{top:c,left:h}:{}),{duration:s.animateDuration,easing:s.animateEasing,step:function(){var s={width:parseFloat(i.element.css("width")),height:parseFloat(i.element.css("height")),top:parseFloat(i.element.css("top")),left:parseFloat(i.element.css("left"))};n&&n.length&&t(n[0]).css({width:s.width,height:s.height}),i._updateCache(s),i._propagate("resize",e)}})}}),t.ui.plugin.add("resizable","containment",{start:function(){var e,i,s,n,o,a,r,l=t(this).resizable("instance"),h=l.options,c=l.element,u=h.containment,d=u instanceof t?u.get(0):/parent/.test(u)?c.parent().get(0):u;d&&(l.containerElement=t(d),/document/.test(u)||u===document?(l.containerOffset={left:0,top:0},l.containerPosition={left:0,top:0},l.parentData={element:t(document),left:0,top:0,width:t(document).width(),height:t(document).height()||document.body.parentNode.scrollHeight}):(e=t(d),i=[],t(["Top","Right","Left","Bottom"]).each(function(t,s){i[t]=l._num(e.css("padding"+s))}),l.containerOffset=e.offset(),l.containerPosition=e.position(),l.containerSize={height:e.innerHeight()-i[3],width:e.innerWidth()-i[1]},s=l.containerOffset,n=l.containerSize.height,o=l.containerSize.width,a=l._hasScroll(d,"left")?d.scrollWidth:o,r=l._hasScroll(d)?d.scrollHeight:n,l.parentData={element:d,left:s.left,top:s.top,width:a,height:r}))},resize:function(e){var i,s,n,o,a=t(this).resizable("instance"),r=a.options,l=a.containerOffset,h=a.position,c=a._aspectRatio||e.shiftKey,u={top:0,left:0},d=a.containerElement,p=!0;d[0]!==document&&/static/.test(d.css("position"))&&(u=l),h.left<(a._helper?l.left:0)&&(a.size.width=a.size.width+(a._helper?a.position.left-l.left:a.position.left-u.left),c&&(a.size.height=a.size.width/a.aspectRatio,p=!1),a.position.left=r.helper?l.left:0),h.top<(a._helper?l.top:0)&&(a.size.height=a.size.height+(a._helper?a.position.top-l.top:a.position.top),c&&(a.size.width=a.size.height*a.aspectRatio,p=!1),a.position.top=a._helper?l.top:0),n=a.containerElement.get(0)===a.element.parent().get(0),o=/relative|absolute/.test(a.containerElement.css("position")),n&&o?(a.offset.left=a.parentData.left+a.position.left,a.offset.top=a.parentData.top+a.position.top):(a.offset.left=a.element.offset().left,a.offset.top=a.element.offset().top),i=Math.abs(a.sizeDiff.width+(a._helper?a.offset.left-u.left:a.offset.left-l.left)),s=Math.abs(a.sizeDiff.height+(a._helper?a.offset.top-u.top:a.offset.top-l.top)),i+a.size.width>=a.parentData.width&&(a.size.width=a.parentData.width-i,c&&(a.size.height=a.size.width/a.aspectRatio,p=!1)),s+a.size.height>=a.parentData.height&&(a.size.height=a.parentData.height-s,c&&(a.size.width=a.size.height*a.aspectRatio,p=!1)),p||(a.position.left=a.prevPosition.left,a.position.top=a.prevPosition.top,a.size.width=a.prevSize.width,a.size.height=a.prevSize.height)},stop:function(){var e=t(this).resizable("instance"),i=e.options,s=e.containerOffset,n=e.containerPosition,o=e.containerElement,a=t(e.helper),r=a.offset(),l=a.outerWidth()-e.sizeDiff.width,h=a.outerHeight()-e.sizeDiff.height;e._helper&&!i.animate&&/relative/.test(o.css("position"))&&t(this).css({left:r.left-n.left-s.left,width:l,height:h}),e._helper&&!i.animate&&/static/.test(o.css("position"))&&t(this).css({left:r.left-n.left-s.left,width:l,height:h})}}),t.ui.plugin.add("resizable","alsoResize",{start:function(){var e=t(this).resizable("instance"),i=e.options;t(i.alsoResize).each(function(){var e=t(this);e.data("ui-resizable-alsoresize",{width:parseFloat(e.width()),height:parseFloat(e.height()),left:parseFloat(e.css("left")),top:parseFloat(e.css("top"))})})},resize:function(e,i){var s=t(this).resizable("instance"),n=s.options,o=s.originalSize,a=s.originalPosition,r={height:s.size.height-o.height||0,width:s.size.width-o.width||0,top:s.position.top-a.top||0,left:s.position.left-a.left||0};t(n.alsoResize).each(function(){var e=t(this),s=t(this).data("ui-resizable-alsoresize"),n={},o=e.parents(i.originalElement[0]).length?["width","height"]:["width","height","top","left"];t.each(o,function(t,e){var i=(s[e]||0)+(r[e]||0);i&&i>=0&&(n[e]=i||null)}),e.css(n)})},stop:function(){t(this).removeData("ui-resizable-alsoresize")}}),t.ui.plugin.add("resizable","ghost",{start:function(){var e=t(this).resizable("instance"),i=e.size;e.ghost=e.originalElement.clone(),e.ghost.css({opacity:.25,display:"block",position:"relative",height:i.height,width:i.width,margin:0,left:0,top:0}),e._addClass(e.ghost,"ui-resizable-ghost"),t.uiBackCompat!==!1&&"string"==typeof e.options.ghost&&e.ghost.addClass(this.options.ghost),e.ghost.appendTo(e.helper)},resize:function(){var e=t(this).resizable("instance");e.ghost&&e.ghost.css({position:"relative",height:e.size.height,width:e.size.width})},stop:function(){var e=t(this).resizable("instance");e.ghost&&e.helper&&e.helper.get(0).removeChild(e.ghost.get(0))}}),t.ui.plugin.add("resizable","grid",{resize:function(){var e,i=t(this).resizable("instance"),s=i.options,n=i.size,o=i.originalSize,a=i.originalPosition,r=i.axis,l="number"==typeof s.grid?[s.grid,s.grid]:s.grid,h=l[0]||1,c=l[1]||1,u=Math.round((n.width-o.width)/h)*h,d=Math.round((n.height-o.height)/c)*c,p=o.width+u,f=o.height+d,g=s.maxWidth&&p>s.maxWidth,m=s.maxHeight&&f>s.maxHeight,_=s.minWidth&&s.minWidth>p,v=s.minHeight&&s.minHeight>f;s.grid=l,_&&(p+=h),v&&(f+=c),g&&(p-=h),m&&(f-=c),/^(se|s|e)$/.test(r)?(i.size.width=p,i.size.height=f):/^(ne)$/.test(r)?(i.size.width=p,i.size.height=f,i.position.top=a.top-d):/^(sw)$/.test(r)?(i.size.width=p,i.size.height=f,i.position.left=a.left-u):((0>=f-c||0>=p-h)&&(e=i._getPaddingPlusBorderDimensions(this)),f-c>0?(i.size.height=f,i.position.top=a.top-d):(f=c-e.height,i.size.height=f,i.position.top=a.top+o.height-f),p-h>0?(i.size.width=p,i.position.left=a.left-u):(p=h-e.width,i.size.width=p,i.position.left=a.left+o.width-p))}}),t.ui.resizable;var n="ui-effects-",o="ui-effects-style",a="ui-effects-animated",r=t;t.effects={effect:{}},function(t,e){function i(t,e,i){var s=u[e.type]||{};return null==t?i||!e.def?null:e.def:(t=s.floor?~~t:parseFloat(t),isNaN(t)?e.def:s.mod?(t+s.mod)%s.mod:0>t?0:t>s.max?s.max:t)}function s(i){var s=h(),n=s._rgba=[];return i=i.toLowerCase(),f(l,function(t,o){var a,r=o.re.exec(i),l=r&&o.parse(r),h=o.space||"rgba";return l?(a=s[h](l),s[c[h].cache]=a[c[h].cache],n=s._rgba=a._rgba,!1):e}),n.length?("0,0,0,0"===n.join()&&t.extend(n,o.transparent),s):o[i]}function n(t,e,i){return i=(i+1)%1,1>6*i?t+6*(e-t)*i:1>2*i?e:2>3*i?t+6*(e-t)*(2/3-i):t}var o,a="backgroundColor borderBottomColor borderLeftColor borderRightColor borderTopColor color columnRuleColor outlineColor textDecorationColor textEmphasisColor",r=/^([\-+])=\s*(\d+\.?\d*)/,l=[{re:/rgba?\(\s*(\d{1,3})\s*,\s*(\d{1,3})\s*,\s*(\d{1,3})\s*(?:,\s*(\d?(?:\.\d+)?)\s*)?\)/,parse:function(t){return[t[1],t[2],t[3],t[4]]}},{re:/rgba?\(\s*(\d+(?:\.\d+)?)\%\s*,\s*(\d+(?:\.\d+)?)\%\s*,\s*(\d+(?:\.\d+)?)\%\s*(?:,\s*(\d?(?:\.\d+)?)\s*)?\)/,parse:function(t){return[2.55*t[1],2.55*t[2],2.55*t[3],t[4]]}},{re:/#([a-f0-9]{2})([a-f0-9]{2})([a-f0-9]{2})/,parse:function(t){return[parseInt(t[1],16),parseInt(t[2],16),parseInt(t[3],16)]}},{re:/#([a-f0-9])([a-f0-9])([a-f0-9])/,parse:function(t){return[parseInt(t[1]+t[1],16),parseInt(t[2]+t[2],16),parseInt(t[3]+t[3],16)]}},{re:/hsla?\(\s*(\d+(?:\.\d+)?)\s*,\s*(\d+(?:\.\d+)?)\%\s*,\s*(\d+(?:\.\d+)?)\%\s*(?:,\s*(\d?(?:\.\d+)?)\s*)?\)/,space:"hsla",parse:function(t){return[t[1],t[2]/100,t[3]/100,t[4]]}}],h=t.Color=function(e,i,s,n){return new t.Color.fn.parse(e,i,s,n)},c={rgba:{props:{red:{idx:0,type:"byte"},green:{idx:1,type:"byte"},blue:{idx:2,type:"byte"}}},hsla:{props:{hue:{idx:0,type:"degrees"},saturation:{idx:1,type:"percent"},lightness:{idx:2,type:"percent"}}}},u={"byte":{floor:!0,max:255},percent:{max:1},degrees:{mod:360,floor:!0}},d=h.support={},p=t("<p>")[0],f=t.each;
+p.style.cssText="background-color:rgba(1,1,1,.5)",d.rgba=p.style.backgroundColor.indexOf("rgba")>-1,f(c,function(t,e){e.cache="_"+t,e.props.alpha={idx:3,type:"percent",def:1}}),h.fn=t.extend(h.prototype,{parse:function(n,a,r,l){if(n===e)return this._rgba=[null,null,null,null],this;(n.jquery||n.nodeType)&&(n=t(n).css(a),a=e);var u=this,d=t.type(n),p=this._rgba=[];return a!==e&&(n=[n,a,r,l],d="array"),"string"===d?this.parse(s(n)||o._default):"array"===d?(f(c.rgba.props,function(t,e){p[e.idx]=i(n[e.idx],e)}),this):"object"===d?(n instanceof h?f(c,function(t,e){n[e.cache]&&(u[e.cache]=n[e.cache].slice())}):f(c,function(e,s){var o=s.cache;f(s.props,function(t,e){if(!u[o]&&s.to){if("alpha"===t||null==n[t])return;u[o]=s.to(u._rgba)}u[o][e.idx]=i(n[t],e,!0)}),u[o]&&0>t.inArray(null,u[o].slice(0,3))&&(u[o][3]=1,s.from&&(u._rgba=s.from(u[o])))}),this):e},is:function(t){var i=h(t),s=!0,n=this;return f(c,function(t,o){var a,r=i[o.cache];return r&&(a=n[o.cache]||o.to&&o.to(n._rgba)||[],f(o.props,function(t,i){return null!=r[i.idx]?s=r[i.idx]===a[i.idx]:e})),s}),s},_space:function(){var t=[],e=this;return f(c,function(i,s){e[s.cache]&&t.push(i)}),t.pop()},transition:function(t,e){var s=h(t),n=s._space(),o=c[n],a=0===this.alpha()?h("transparent"):this,r=a[o.cache]||o.to(a._rgba),l=r.slice();return s=s[o.cache],f(o.props,function(t,n){var o=n.idx,a=r[o],h=s[o],c=u[n.type]||{};null!==h&&(null===a?l[o]=h:(c.mod&&(h-a>c.mod/2?a+=c.mod:a-h>c.mod/2&&(a-=c.mod)),l[o]=i((h-a)*e+a,n)))}),this[n](l)},blend:function(e){if(1===this._rgba[3])return this;var i=this._rgba.slice(),s=i.pop(),n=h(e)._rgba;return h(t.map(i,function(t,e){return(1-s)*n[e]+s*t}))},toRgbaString:function(){var e="rgba(",i=t.map(this._rgba,function(t,e){return null==t?e>2?1:0:t});return 1===i[3]&&(i.pop(),e="rgb("),e+i.join()+")"},toHslaString:function(){var e="hsla(",i=t.map(this.hsla(),function(t,e){return null==t&&(t=e>2?1:0),e&&3>e&&(t=Math.round(100*t)+"%"),t});return 1===i[3]&&(i.pop(),e="hsl("),e+i.join()+")"},toHexString:function(e){var i=this._rgba.slice(),s=i.pop();return e&&i.push(~~(255*s)),"#"+t.map(i,function(t){return t=(t||0).toString(16),1===t.length?"0"+t:t}).join("")},toString:function(){return 0===this._rgba[3]?"transparent":this.toRgbaString()}}),h.fn.parse.prototype=h.fn,c.hsla.to=function(t){if(null==t[0]||null==t[1]||null==t[2])return[null,null,null,t[3]];var e,i,s=t[0]/255,n=t[1]/255,o=t[2]/255,a=t[3],r=Math.max(s,n,o),l=Math.min(s,n,o),h=r-l,c=r+l,u=.5*c;return e=l===r?0:s===r?60*(n-o)/h+360:n===r?60*(o-s)/h+120:60*(s-n)/h+240,i=0===h?0:.5>=u?h/c:h/(2-c),[Math.round(e)%360,i,u,null==a?1:a]},c.hsla.from=function(t){if(null==t[0]||null==t[1]||null==t[2])return[null,null,null,t[3]];var e=t[0]/360,i=t[1],s=t[2],o=t[3],a=.5>=s?s*(1+i):s+i-s*i,r=2*s-a;return[Math.round(255*n(r,a,e+1/3)),Math.round(255*n(r,a,e)),Math.round(255*n(r,a,e-1/3)),o]},f(c,function(s,n){var o=n.props,a=n.cache,l=n.to,c=n.from;h.fn[s]=function(s){if(l&&!this[a]&&(this[a]=l(this._rgba)),s===e)return this[a].slice();var n,r=t.type(s),u="array"===r||"object"===r?s:arguments,d=this[a].slice();return f(o,function(t,e){var s=u["object"===r?t:e.idx];null==s&&(s=d[e.idx]),d[e.idx]=i(s,e)}),c?(n=h(c(d)),n[a]=d,n):h(d)},f(o,function(e,i){h.fn[e]||(h.fn[e]=function(n){var o,a=t.type(n),l="alpha"===e?this._hsla?"hsla":"rgba":s,h=this[l](),c=h[i.idx];return"undefined"===a?c:("function"===a&&(n=n.call(this,c),a=t.type(n)),null==n&&i.empty?this:("string"===a&&(o=r.exec(n),o&&(n=c+parseFloat(o[2])*("+"===o[1]?1:-1))),h[i.idx]=n,this[l](h)))})})}),h.hook=function(e){var i=e.split(" ");f(i,function(e,i){t.cssHooks[i]={set:function(e,n){var o,a,r="";if("transparent"!==n&&("string"!==t.type(n)||(o=s(n)))){if(n=h(o||n),!d.rgba&&1!==n._rgba[3]){for(a="backgroundColor"===i?e.parentNode:e;(""===r||"transparent"===r)&&a&&a.style;)try{r=t.css(a,"backgroundColor"),a=a.parentNode}catch(l){}n=n.blend(r&&"transparent"!==r?r:"_default")}n=n.toRgbaString()}try{e.style[i]=n}catch(l){}}},t.fx.step[i]=function(e){e.colorInit||(e.start=h(e.elem,i),e.end=h(e.end),e.colorInit=!0),t.cssHooks[i].set(e.elem,e.start.transition(e.end,e.pos))}})},h.hook(a),t.cssHooks.borderColor={expand:function(t){var e={};return f(["Top","Right","Bottom","Left"],function(i,s){e["border"+s+"Color"]=t}),e}},o=t.Color.names={aqua:"#00ffff",black:"#000000",blue:"#0000ff",fuchsia:"#ff00ff",gray:"#808080",green:"#008000",lime:"#00ff00",maroon:"#800000",navy:"#000080",olive:"#808000",purple:"#800080",red:"#ff0000",silver:"#c0c0c0",teal:"#008080",white:"#ffffff",yellow:"#ffff00",transparent:[null,null,null,0],_default:"#ffffff"}}(r),function(){function e(e){var i,s,n=e.ownerDocument.defaultView?e.ownerDocument.defaultView.getComputedStyle(e,null):e.currentStyle,o={};if(n&&n.length&&n[0]&&n[n[0]])for(s=n.length;s--;)i=n[s],"string"==typeof n[i]&&(o[t.camelCase(i)]=n[i]);else for(i in n)"string"==typeof n[i]&&(o[i]=n[i]);return o}function i(e,i){var s,o,a={};for(s in i)o=i[s],e[s]!==o&&(n[s]||(t.fx.step[s]||!isNaN(parseFloat(o)))&&(a[s]=o));return a}var s=["add","remove","toggle"],n={border:1,borderBottom:1,borderColor:1,borderLeft:1,borderRight:1,borderTop:1,borderWidth:1,margin:1,padding:1};t.each(["borderLeftStyle","borderRightStyle","borderBottomStyle","borderTopStyle"],function(e,i){t.fx.step[i]=function(t){("none"!==t.end&&!t.setAttr||1===t.pos&&!t.setAttr)&&(r.style(t.elem,i,t.end),t.setAttr=!0)}}),t.fn.addBack||(t.fn.addBack=function(t){return this.add(null==t?this.prevObject:this.prevObject.filter(t))}),t.effects.animateClass=function(n,o,a,r){var l=t.speed(o,a,r);return this.queue(function(){var o,a=t(this),r=a.attr("class")||"",h=l.children?a.find("*").addBack():a;h=h.map(function(){var i=t(this);return{el:i,start:e(this)}}),o=function(){t.each(s,function(t,e){n[e]&&a[e+"Class"](n[e])})},o(),h=h.map(function(){return this.end=e(this.el[0]),this.diff=i(this.start,this.end),this}),a.attr("class",r),h=h.map(function(){var e=this,i=t.Deferred(),s=t.extend({},l,{queue:!1,complete:function(){i.resolve(e)}});return this.el.animate(this.diff,s),i.promise()}),t.when.apply(t,h.get()).done(function(){o(),t.each(arguments,function(){var e=this.el;t.each(this.diff,function(t){e.css(t,"")})}),l.complete.call(a[0])})})},t.fn.extend({addClass:function(e){return function(i,s,n,o){return s?t.effects.animateClass.call(this,{add:i},s,n,o):e.apply(this,arguments)}}(t.fn.addClass),removeClass:function(e){return function(i,s,n,o){return arguments.length>1?t.effects.animateClass.call(this,{remove:i},s,n,o):e.apply(this,arguments)}}(t.fn.removeClass),toggleClass:function(e){return function(i,s,n,o,a){return"boolean"==typeof s||void 0===s?n?t.effects.animateClass.call(this,s?{add:i}:{remove:i},n,o,a):e.apply(this,arguments):t.effects.animateClass.call(this,{toggle:i},s,n,o)}}(t.fn.toggleClass),switchClass:function(e,i,s,n,o){return t.effects.animateClass.call(this,{add:i,remove:e},s,n,o)}})}(),function(){function e(e,i,s,n){return t.isPlainObject(e)&&(i=e,e=e.effect),e={effect:e},null==i&&(i={}),t.isFunction(i)&&(n=i,s=null,i={}),("number"==typeof i||t.fx.speeds[i])&&(n=s,s=i,i={}),t.isFunction(s)&&(n=s,s=null),i&&t.extend(e,i),s=s||i.duration,e.duration=t.fx.off?0:"number"==typeof s?s:s in t.fx.speeds?t.fx.speeds[s]:t.fx.speeds._default,e.complete=n||i.complete,e}function i(e){return!e||"number"==typeof e||t.fx.speeds[e]?!0:"string"!=typeof e||t.effects.effect[e]?t.isFunction(e)?!0:"object"!=typeof e||e.effect?!1:!0:!0}function s(t,e){var i=e.outerWidth(),s=e.outerHeight(),n=/^rect\((-?\d*\.?\d*px|-?\d+%|auto),?\s*(-?\d*\.?\d*px|-?\d+%|auto),?\s*(-?\d*\.?\d*px|-?\d+%|auto),?\s*(-?\d*\.?\d*px|-?\d+%|auto)\)$/,o=n.exec(t)||["",0,i,s,0];return{top:parseFloat(o[1])||0,right:"auto"===o[2]?i:parseFloat(o[2]),bottom:"auto"===o[3]?s:parseFloat(o[3]),left:parseFloat(o[4])||0}}t.expr&&t.expr.filters&&t.expr.filters.animated&&(t.expr.filters.animated=function(e){return function(i){return!!t(i).data(a)||e(i)}}(t.expr.filters.animated)),t.uiBackCompat!==!1&&t.extend(t.effects,{save:function(t,e){for(var i=0,s=e.length;s>i;i++)null!==e[i]&&t.data(n+e[i],t[0].style[e[i]])},restore:function(t,e){for(var i,s=0,o=e.length;o>s;s++)null!==e[s]&&(i=t.data(n+e[s]),t.css(e[s],i))},setMode:function(t,e){return"toggle"===e&&(e=t.is(":hidden")?"show":"hide"),e},createWrapper:function(e){if(e.parent().is(".ui-effects-wrapper"))return e.parent();var i={width:e.outerWidth(!0),height:e.outerHeight(!0),"float":e.css("float")},s=t("<div></div>").addClass("ui-effects-wrapper").css({fontSize:"100%",background:"transparent",border:"none",margin:0,padding:0}),n={width:e.width(),height:e.height()},o=document.activeElement;try{o.id}catch(a){o=document.body}return e.wrap(s),(e[0]===o||t.contains(e[0],o))&&t(o).trigger("focus"),s=e.parent(),"static"===e.css("position")?(s.css({position:"relative"}),e.css({position:"relative"})):(t.extend(i,{position:e.css("position"),zIndex:e.css("z-index")}),t.each(["top","left","bottom","right"],function(t,s){i[s]=e.css(s),isNaN(parseInt(i[s],10))&&(i[s]="auto")}),e.css({position:"relative",top:0,left:0,right:"auto",bottom:"auto"})),e.css(n),s.css(i).show()},removeWrapper:function(e){var i=document.activeElement;return e.parent().is(".ui-effects-wrapper")&&(e.parent().replaceWith(e),(e[0]===i||t.contains(e[0],i))&&t(i).trigger("focus")),e}}),t.extend(t.effects,{version:"1.12.1",define:function(e,i,s){return s||(s=i,i="effect"),t.effects.effect[e]=s,t.effects.effect[e].mode=i,s},scaledDimensions:function(t,e,i){if(0===e)return{height:0,width:0,outerHeight:0,outerWidth:0};var s="horizontal"!==i?(e||100)/100:1,n="vertical"!==i?(e||100)/100:1;return{height:t.height()*n,width:t.width()*s,outerHeight:t.outerHeight()*n,outerWidth:t.outerWidth()*s}},clipToBox:function(t){return{width:t.clip.right-t.clip.left,height:t.clip.bottom-t.clip.top,left:t.clip.left,top:t.clip.top}},unshift:function(t,e,i){var s=t.queue();e>1&&s.splice.apply(s,[1,0].concat(s.splice(e,i))),t.dequeue()},saveStyle:function(t){t.data(o,t[0].style.cssText)},restoreStyle:function(t){t[0].style.cssText=t.data(o)||"",t.removeData(o)},mode:function(t,e){var i=t.is(":hidden");return"toggle"===e&&(e=i?"show":"hide"),(i?"hide"===e:"show"===e)&&(e="none"),e},getBaseline:function(t,e){var i,s;switch(t[0]){case"top":i=0;break;case"middle":i=.5;break;case"bottom":i=1;break;default:i=t[0]/e.height}switch(t[1]){case"left":s=0;break;case"center":s=.5;break;case"right":s=1;break;default:s=t[1]/e.width}return{x:s,y:i}},createPlaceholder:function(e){var i,s=e.css("position"),o=e.position();return e.css({marginTop:e.css("marginTop"),marginBottom:e.css("marginBottom"),marginLeft:e.css("marginLeft"),marginRight:e.css("marginRight")}).outerWidth(e.outerWidth()).outerHeight(e.outerHeight()),/^(static|relative)/.test(s)&&(s="absolute",i=t("<"+e[0].nodeName+">").insertAfter(e).css({display:/^(inline|ruby)/.test(e.css("display"))?"inline-block":"block",visibility:"hidden",marginTop:e.css("marginTop"),marginBottom:e.css("marginBottom"),marginLeft:e.css("marginLeft"),marginRight:e.css("marginRight"),"float":e.css("float")}).outerWidth(e.outerWidth()).outerHeight(e.outerHeight()).addClass("ui-effects-placeholder"),e.data(n+"placeholder",i)),e.css({position:s,left:o.left,top:o.top}),i},removePlaceholder:function(t){var e=n+"placeholder",i=t.data(e);i&&(i.remove(),t.removeData(e))},cleanUp:function(e){t.effects.restoreStyle(e),t.effects.removePlaceholder(e)},setTransition:function(e,i,s,n){return n=n||{},t.each(i,function(t,i){var o=e.cssUnit(i);o[0]>0&&(n[i]=o[0]*s+o[1])}),n}}),t.fn.extend({effect:function(){function i(e){function i(){l.removeData(a),t.effects.cleanUp(l),"hide"===s.mode&&l.hide(),r()}function r(){t.isFunction(h)&&h.call(l[0]),t.isFunction(e)&&e()}var l=t(this);s.mode=u.shift(),t.uiBackCompat===!1||o?"none"===s.mode?(l[c](),r()):n.call(l[0],s,i):(l.is(":hidden")?"hide"===c:"show"===c)?(l[c](),r()):n.call(l[0],s,r)}var s=e.apply(this,arguments),n=t.effects.effect[s.effect],o=n.mode,r=s.queue,l=r||"fx",h=s.complete,c=s.mode,u=[],d=function(e){var i=t(this),s=t.effects.mode(i,c)||o;i.data(a,!0),u.push(s),o&&("show"===s||s===o&&"hide"===s)&&i.show(),o&&"none"===s||t.effects.saveStyle(i),t.isFunction(e)&&e()};return t.fx.off||!n?c?this[c](s.duration,h):this.each(function(){h&&h.call(this)}):r===!1?this.each(d).each(i):this.queue(l,d).queue(l,i)},show:function(t){return function(s){if(i(s))return t.apply(this,arguments);var n=e.apply(this,arguments);return n.mode="show",this.effect.call(this,n)}}(t.fn.show),hide:function(t){return function(s){if(i(s))return t.apply(this,arguments);var n=e.apply(this,arguments);return n.mode="hide",this.effect.call(this,n)}}(t.fn.hide),toggle:function(t){return function(s){if(i(s)||"boolean"==typeof s)return t.apply(this,arguments);var n=e.apply(this,arguments);return n.mode="toggle",this.effect.call(this,n)}}(t.fn.toggle),cssUnit:function(e){var i=this.css(e),s=[];return t.each(["em","px","%","pt"],function(t,e){i.indexOf(e)>0&&(s=[parseFloat(i),e])}),s},cssClip:function(t){return t?this.css("clip","rect("+t.top+"px "+t.right+"px "+t.bottom+"px "+t.left+"px)"):s(this.css("clip"),this)},transfer:function(e,i){var s=t(this),n=t(e.to),o="fixed"===n.css("position"),a=t("body"),r=o?a.scrollTop():0,l=o?a.scrollLeft():0,h=n.offset(),c={top:h.top-r,left:h.left-l,height:n.innerHeight(),width:n.innerWidth()},u=s.offset(),d=t("<div class='ui-effects-transfer'></div>").appendTo("body").addClass(e.className).css({top:u.top-r,left:u.left-l,height:s.innerHeight(),width:s.innerWidth(),position:o?"fixed":"absolute"}).animate(c,e.duration,e.easing,function(){d.remove(),t.isFunction(i)&&i()})}}),t.fx.step.clip=function(e){e.clipInit||(e.start=t(e.elem).cssClip(),"string"==typeof e.end&&(e.end=s(e.end,e.elem)),e.clipInit=!0),t(e.elem).cssClip({top:e.pos*(e.end.top-e.start.top)+e.start.top,right:e.pos*(e.end.right-e.start.right)+e.start.right,bottom:e.pos*(e.end.bottom-e.start.bottom)+e.start.bottom,left:e.pos*(e.end.left-e.start.left)+e.start.left})}}(),function(){var e={};t.each(["Quad","Cubic","Quart","Quint","Expo"],function(t,i){e[i]=function(e){return Math.pow(e,t+2)}}),t.extend(e,{Sine:function(t){return 1-Math.cos(t*Math.PI/2)},Circ:function(t){return 1-Math.sqrt(1-t*t)},Elastic:function(t){return 0===t||1===t?t:-Math.pow(2,8*(t-1))*Math.sin((80*(t-1)-7.5)*Math.PI/15)},Back:function(t){return t*t*(3*t-2)},Bounce:function(t){for(var e,i=4;((e=Math.pow(2,--i))-1)/11>t;);return 1/Math.pow(4,3-i)-7.5625*Math.pow((3*e-2)/22-t,2)}}),t.each(e,function(e,i){t.easing["easeIn"+e]=i,t.easing["easeOut"+e]=function(t){return 1-i(1-t)},t.easing["easeInOut"+e]=function(t){return.5>t?i(2*t)/2:1-i(-2*t+2)/2}})}();var l=t.effects;t.effects.define("blind","hide",function(e,i){var s={up:["bottom","top"],vertical:["bottom","top"],down:["top","bottom"],left:["right","left"],horizontal:["right","left"],right:["left","right"]},n=t(this),o=e.direction||"up",a=n.cssClip(),r={clip:t.extend({},a)},l=t.effects.createPlaceholder(n);r.clip[s[o][0]]=r.clip[s[o][1]],"show"===e.mode&&(n.cssClip(r.clip),l&&l.css(t.effects.clipToBox(r)),r.clip=a),l&&l.animate(t.effects.clipToBox(r),e.duration,e.easing),n.animate(r,{queue:!1,duration:e.duration,easing:e.easing,complete:i})}),t.effects.define("bounce",function(e,i){var s,n,o,a=t(this),r=e.mode,l="hide"===r,h="show"===r,c=e.direction||"up",u=e.distance,d=e.times||5,p=2*d+(h||l?1:0),f=e.duration/p,g=e.easing,m="up"===c||"down"===c?"top":"left",_="up"===c||"left"===c,v=0,b=a.queue().length;for(t.effects.createPlaceholder(a),o=a.css(m),u||(u=a["top"===m?"outerHeight":"outerWidth"]()/3),h&&(n={opacity:1},n[m]=o,a.css("opacity",0).css(m,_?2*-u:2*u).animate(n,f,g)),l&&(u/=Math.pow(2,d-1)),n={},n[m]=o;d>v;v++)s={},s[m]=(_?"-=":"+=")+u,a.animate(s,f,g).animate(n,f,g),u=l?2*u:u/2;l&&(s={opacity:0},s[m]=(_?"-=":"+=")+u,a.animate(s,f,g)),a.queue(i),t.effects.unshift(a,b,p+1)}),t.effects.define("clip","hide",function(e,i){var s,n={},o=t(this),a=e.direction||"vertical",r="both"===a,l=r||"horizontal"===a,h=r||"vertical"===a;s=o.cssClip(),n.clip={top:h?(s.bottom-s.top)/2:s.top,right:l?(s.right-s.left)/2:s.right,bottom:h?(s.bottom-s.top)/2:s.bottom,left:l?(s.right-s.left)/2:s.left},t.effects.createPlaceholder(o),"show"===e.mode&&(o.cssClip(n.clip),n.clip=s),o.animate(n,{queue:!1,duration:e.duration,easing:e.easing,complete:i})}),t.effects.define("drop","hide",function(e,i){var s,n=t(this),o=e.mode,a="show"===o,r=e.direction||"left",l="up"===r||"down"===r?"top":"left",h="up"===r||"left"===r?"-=":"+=",c="+="===h?"-=":"+=",u={opacity:0};t.effects.createPlaceholder(n),s=e.distance||n["top"===l?"outerHeight":"outerWidth"](!0)/2,u[l]=h+s,a&&(n.css(u),u[l]=c+s,u.opacity=1),n.animate(u,{queue:!1,duration:e.duration,easing:e.easing,complete:i})}),t.effects.define("explode","hide",function(e,i){function s(){b.push(this),b.length===u*d&&n()}function n(){p.css({visibility:"visible"}),t(b).remove(),i()}var o,a,r,l,h,c,u=e.pieces?Math.round(Math.sqrt(e.pieces)):3,d=u,p=t(this),f=e.mode,g="show"===f,m=p.show().css("visibility","hidden").offset(),_=Math.ceil(p.outerWidth()/d),v=Math.ceil(p.outerHeight()/u),b=[];for(o=0;u>o;o++)for(l=m.top+o*v,c=o-(u-1)/2,a=0;d>a;a++)r=m.left+a*_,h=a-(d-1)/2,p.clone().appendTo("body").wrap("<div></div>").css({position:"absolute",visibility:"visible",left:-a*_,top:-o*v}).parent().addClass("ui-effects-explode").css({position:"absolute",overflow:"hidden",width:_,height:v,left:r+(g?h*_:0),top:l+(g?c*v:0),opacity:g?0:1}).animate({left:r+(g?0:h*_),top:l+(g?0:c*v),opacity:g?1:0},e.duration||500,e.easing,s)}),t.effects.define("fade","toggle",function(e,i){var s="show"===e.mode;t(this).css("opacity",s?0:1).animate({opacity:s?1:0},{queue:!1,duration:e.duration,easing:e.easing,complete:i})}),t.effects.define("fold","hide",function(e,i){var s=t(this),n=e.mode,o="show"===n,a="hide"===n,r=e.size||15,l=/([0-9]+)%/.exec(r),h=!!e.horizFirst,c=h?["right","bottom"]:["bottom","right"],u=e.duration/2,d=t.effects.createPlaceholder(s),p=s.cssClip(),f={clip:t.extend({},p)},g={clip:t.extend({},p)},m=[p[c[0]],p[c[1]]],_=s.queue().length;l&&(r=parseInt(l[1],10)/100*m[a?0:1]),f.clip[c[0]]=r,g.clip[c[0]]=r,g.clip[c[1]]=0,o&&(s.cssClip(g.clip),d&&d.css(t.effects.clipToBox(g)),g.clip=p),s.queue(function(i){d&&d.animate(t.effects.clipToBox(f),u,e.easing).animate(t.effects.clipToBox(g),u,e.easing),i()}).animate(f,u,e.easing).animate(g,u,e.easing).queue(i),t.effects.unshift(s,_,4)}),t.effects.define("highlight","show",function(e,i){var s=t(this),n={backgroundColor:s.css("backgroundColor")};"hide"===e.mode&&(n.opacity=0),t.effects.saveStyle(s),s.css({backgroundImage:"none",backgroundColor:e.color||"#ffff99"}).animate(n,{queue:!1,duration:e.duration,easing:e.easing,complete:i})}),t.effects.define("size",function(e,i){var s,n,o,a=t(this),r=["fontSize"],l=["borderTopWidth","borderBottomWidth","paddingTop","paddingBottom"],h=["borderLeftWidth","borderRightWidth","paddingLeft","paddingRight"],c=e.mode,u="effect"!==c,d=e.scale||"both",p=e.origin||["middle","center"],f=a.css("position"),g=a.position(),m=t.effects.scaledDimensions(a),_=e.from||m,v=e.to||t.effects.scaledDimensions(a,0);t.effects.createPlaceholder(a),"show"===c&&(o=_,_=v,v=o),n={from:{y:_.height/m.height,x:_.width/m.width},to:{y:v.height/m.height,x:v.width/m.width}},("box"===d||"both"===d)&&(n.from.y!==n.to.y&&(_=t.effects.setTransition(a,l,n.from.y,_),v=t.effects.setTransition(a,l,n.to.y,v)),n.from.x!==n.to.x&&(_=t.effects.setTransition(a,h,n.from.x,_),v=t.effects.setTransition(a,h,n.to.x,v))),("content"===d||"both"===d)&&n.from.y!==n.to.y&&(_=t.effects.setTransition(a,r,n.from.y,_),v=t.effects.setTransition(a,r,n.to.y,v)),p&&(s=t.effects.getBaseline(p,m),_.top=(m.outerHeight-_.outerHeight)*s.y+g.top,_.left=(m.outerWidth-_.outerWidth)*s.x+g.left,v.top=(m.outerHeight-v.outerHeight)*s.y+g.top,v.left=(m.outerWidth-v.outerWidth)*s.x+g.left),a.css(_),("content"===d||"both"===d)&&(l=l.concat(["marginTop","marginBottom"]).concat(r),h=h.concat(["marginLeft","marginRight"]),a.find("*[width]").each(function(){var i=t(this),s=t.effects.scaledDimensions(i),o={height:s.height*n.from.y,width:s.width*n.from.x,outerHeight:s.outerHeight*n.from.y,outerWidth:s.outerWidth*n.from.x},a={height:s.height*n.to.y,width:s.width*n.to.x,outerHeight:s.height*n.to.y,outerWidth:s.width*n.to.x};n.from.y!==n.to.y&&(o=t.effects.setTransition(i,l,n.from.y,o),a=t.effects.setTransition(i,l,n.to.y,a)),n.from.x!==n.to.x&&(o=t.effects.setTransition(i,h,n.from.x,o),a=t.effects.setTransition(i,h,n.to.x,a)),u&&t.effects.saveStyle(i),i.css(o),i.animate(a,e.duration,e.easing,function(){u&&t.effects.restoreStyle(i)})})),a.animate(v,{queue:!1,duration:e.duration,easing:e.easing,complete:function(){var e=a.offset();0===v.opacity&&a.css("opacity",_.opacity),u||(a.css("position","static"===f?"relative":f).offset(e),t.effects.saveStyle(a)),i()}})}),t.effects.define("scale",function(e,i){var s=t(this),n=e.mode,o=parseInt(e.percent,10)||(0===parseInt(e.percent,10)?0:"effect"!==n?0:100),a=t.extend(!0,{from:t.effects.scaledDimensions(s),to:t.effects.scaledDimensions(s,o,e.direction||"both"),origin:e.origin||["middle","center"]},e);e.fade&&(a.from.opacity=1,a.to.opacity=0),t.effects.effect.size.call(this,a,i)}),t.effects.define("puff","hide",function(e,i){var s=t.extend(!0,{},e,{fade:!0,percent:parseInt(e.percent,10)||150});t.effects.effect.scale.call(this,s,i)}),t.effects.define("pulsate","show",function(e,i){var s=t(this),n=e.mode,o="show"===n,a="hide"===n,r=o||a,l=2*(e.times||5)+(r?1:0),h=e.duration/l,c=0,u=1,d=s.queue().length;for((o||!s.is(":visible"))&&(s.css("opacity",0).show(),c=1);l>u;u++)s.animate({opacity:c},h,e.easing),c=1-c;s.animate({opacity:c},h,e.easing),s.queue(i),t.effects.unshift(s,d,l+1)}),t.effects.define("shake",function(e,i){var s=1,n=t(this),o=e.direction||"left",a=e.distance||20,r=e.times||3,l=2*r+1,h=Math.round(e.duration/l),c="up"===o||"down"===o?"top":"left",u="up"===o||"left"===o,d={},p={},f={},g=n.queue().length;for(t.effects.createPlaceholder(n),d[c]=(u?"-=":"+=")+a,p[c]=(u?"+=":"-=")+2*a,f[c]=(u?"-=":"+=")+2*a,n.animate(d,h,e.easing);r>s;s++)n.animate(p,h,e.easing).animate(f,h,e.easing);n.animate(p,h,e.easing).animate(d,h/2,e.easing).queue(i),t.effects.unshift(n,g,l+1)}),t.effects.define("slide","show",function(e,i){var s,n,o=t(this),a={up:["bottom","top"],down:["top","bottom"],left:["right","left"],right:["left","right"]},r=e.mode,l=e.direction||"left",h="up"===l||"down"===l?"top":"left",c="up"===l||"left"===l,u=e.distance||o["top"===h?"outerHeight":"outerWidth"](!0),d={};t.effects.createPlaceholder(o),s=o.cssClip(),n=o.position()[h],d[h]=(c?-1:1)*u+n,d.clip=o.cssClip(),d.clip[a[l][1]]=d.clip[a[l][0]],"show"===r&&(o.cssClip(d.clip),o.css(h,d[h]),d.clip=s,d[h]=n),o.animate(d,{queue:!1,duration:e.duration,easing:e.easing,complete:i})});var l;t.uiBackCompat!==!1&&(l=t.effects.define("transfer",function(e,i){t(this).transfer(e,i)}))});
diff --git a/src/wiki/static/wiki/js/jquery.min.js b/src/wiki/static/wiki/js/jquery.min.js
deleted file mode 100644
index e83647587..000000000
--- a/src/wiki/static/wiki/js/jquery.min.js
+++ /dev/null
@@ -1,5 +0,0 @@
-/*! jQuery v1.12.4 | (c) jQuery Foundation | jquery.org/license */
-!function(a,b){"object"==typeof module&&"object"==typeof module.exports?module.exports=a.document?b(a,!0):function(a){if(!a.document)throw new Error("jQuery requires a window with a document");return b(a)}:b(a)}("undefined"!=typeof window?window:this,function(a,b){var c=[],d=a.document,e=c.slice,f=c.concat,g=c.push,h=c.indexOf,i={},j=i.toString,k=i.hasOwnProperty,l={},m="1.12.4",n=function(a,b){return new n.fn.init(a,b)},o=/^[\s\uFEFF\xA0]+|[\s\uFEFF\xA0]+$/g,p=/^-ms-/,q=/-([\da-z])/gi,r=function(a,b){return b.toUpperCase()};n.fn=n.prototype={jquery:m,constructor:n,selector:"",length:0,toArray:function(){return e.call(this)},get:function(a){return null!=a?0>a?this[a+this.length]:this[a]:e.call(this)},pushStack:function(a){var b=n.merge(this.constructor(),a);return b.prevObject=this,b.context=this.context,b},each:function(a){return n.each(this,a)},map:function(a){return this.pushStack(n.map(this,function(b,c){return a.call(b,c,b)}))},slice:function(){return this.pushStack(e.apply(this,arguments))},first:function(){return this.eq(0)},last:function(){return this.eq(-1)},eq:function(a){var b=this.length,c=+a+(0>a?b:0);return this.pushStack(c>=0&&b>c?[this[c]]:[])},end:function(){return this.prevObject||this.constructor()},push:g,sort:c.sort,splice:c.splice},n.extend=n.fn.extend=function(){var a,b,c,d,e,f,g=arguments[0]||{},h=1,i=arguments.length,j=!1;for("boolean"==typeof g&&(j=g,g=arguments[h]||{},h++),"object"==typeof g||n.isFunction(g)||(g={}),h===i&&(g=this,h--);i>h;h++)if(null!=(e=arguments[h]))for(d in e)a=g[d],c=e[d],g!==c&&(j&&c&&(n.isPlainObject(c)||(b=n.isArray(c)))?(b?(b=!1,f=a&&n.isArray(a)?a:[]):f=a&&n.isPlainObject(a)?a:{},g[d]=n.extend(j,f,c)):void 0!==c&&(g[d]=c));return g},n.extend({expando:"jQuery"+(m+Math.random()).replace(/\D/g,""),isReady:!0,error:function(a){throw new Error(a)},noop:function(){},isFunction:function(a){return"function"===n.type(a)},isArray:Array.isArray||function(a){return"array"===n.type(a)},isWindow:function(a){return null!=a&&a==a.window},isNumeric:function(a){var b=a&&a.toString();return!n.isArray(a)&&b-parseFloat(b)+1>=0},isEmptyObject:function(a){var b;for(b in a)return!1;return!0},isPlainObject:function(a){var b;if(!a||"object"!==n.type(a)||a.nodeType||n.isWindow(a))return!1;try{if(a.constructor&&!k.call(a,"constructor")&&!k.call(a.constructor.prototype,"isPrototypeOf"))return!1}catch(c){return!1}if(!l.ownFirst)for(b in a)return k.call(a,b);for(b in a);return void 0===b||k.call(a,b)},type:function(a){return null==a?a+"":"object"==typeof a||"function"==typeof a?i[j.call(a)]||"object":typeof a},globalEval:function(b){b&&n.trim(b)&&(a.execScript||function(b){a.eval.call(a,b)})(b)},camelCase:function(a){return a.replace(p,"ms-").replace(q,r)},nodeName:function(a,b){return a.nodeName&&a.nodeName.toLowerCase()===b.toLowerCase()},each:function(a,b){var c,d=0;if(s(a)){for(c=a.length;c>d;d++)if(b.call(a[d],d,a[d])===!1)break}else for(d in a)if(b.call(a[d],d,a[d])===!1)break;return a},trim:function(a){return null==a?"":(a+"").replace(o,"")},makeArray:function(a,b){var c=b||[];return null!=a&&(s(Object(a))?n.merge(c,"string"==typeof a?[a]:a):g.call(c,a)),c},inArray:function(a,b,c){var d;if(b){if(h)return h.call(b,a,c);for(d=b.length,c=c?0>c?Math.max(0,d+c):c:0;d>c;c++)if(c in b&&b[c]===a)return c}return-1},merge:function(a,b){var c=+b.length,d=0,e=a.length;while(c>d)a[e++]=b[d++];if(c!==c)while(void 0!==b[d])a[e++]=b[d++];return a.length=e,a},grep:function(a,b,c){for(var d,e=[],f=0,g=a.length,h=!c;g>f;f++)d=!b(a[f],f),d!==h&&e.push(a[f]);return e},map:function(a,b,c){var d,e,g=0,h=[];if(s(a))for(d=a.length;d>g;g++)e=b(a[g],g,c),null!=e&&h.push(e);else for(g in a)e=b(a[g],g,c),null!=e&&h.push(e);return f.apply([],h)},guid:1,proxy:function(a,b){var c,d,f;return"string"==typeof b&&(f=a[b],b=a,a=f),n.isFunction(a)?(c=e.call(arguments,2),d=function(){return a.apply(b||this,c.concat(e.call(arguments)))},d.guid=a.guid=a.guid||n.guid++,d):void 0},now:function(){return+new Date},support:l}),"function"==typeof Symbol&&(n.fn[Symbol.iterator]=c[Symbol.iterator]),n.each("Boolean Number String Function Array Date RegExp Object Error Symbol".split(" "),function(a,b){i["[object "+b+"]"]=b.toLowerCase()});function s(a){var b=!!a&&"length"in a&&a.length,c=n.type(a);return"function"===c||n.isWindow(a)?!1:"array"===c||0===b||"number"==typeof b&&b>0&&b-1 in a}var t=function(a){var b,c,d,e,f,g,h,i,j,k,l,m,n,o,p,q,r,s,t,u="sizzle"+1*new Date,v=a.document,w=0,x=0,y=ga(),z=ga(),A=ga(),B=function(a,b){return a===b&&(l=!0),0},C=1<<31,D={}.hasOwnProperty,E=[],F=E.pop,G=E.push,H=E.push,I=E.slice,J=function(a,b){for(var c=0,d=a.length;d>c;c++)if(a[c]===b)return c;return-1},K="checked|selected|async|autofocus|autoplay|controls|defer|disabled|hidden|ismap|loop|multiple|open|readonly|required|scoped",L="[\\x20\\t\\r\\n\\f]",M="(?:\\\\.|[\\w-]|[^\\x00-\\xa0])+",N="\\["+L+"*("+M+")(?:"+L+"*([*^$|!~]?=)"+L+"*(?:'((?:\\\\.|[^\\\\'])*)'|\"((?:\\\\.|[^\\\\\"])*)\"|("+M+"))|)"+L+"*\\]",O=":("+M+")(?:\\((('((?:\\\\.|[^\\\\'])*)'|\"((?:\\\\.|[^\\\\\"])*)\")|((?:\\\\.|[^\\\\()[\\]]|"+N+")*)|.*)\\)|)",P=new RegExp(L+"+","g"),Q=new RegExp("^"+L+"+|((?:^|[^\\\\])(?:\\\\.)*)"+L+"+$","g"),R=new RegExp("^"+L+"*,"+L+"*"),S=new RegExp("^"+L+"*([>+~]|"+L+")"+L+"*"),T=new RegExp("="+L+"*([^\\]'\"]*?)"+L+"*\\]","g"),U=new RegExp(O),V=new RegExp("^"+M+"$"),W={ID:new RegExp("^#("+M+")"),CLASS:new RegExp("^\\.("+M+")"),TAG:new RegExp("^("+M+"|[*])"),ATTR:new RegExp("^"+N),PSEUDO:new RegExp("^"+O),CHILD:new RegExp("^:(only|first|last|nth|nth-last)-(child|of-type)(?:\\("+L+"*(even|odd|(([+-]|)(\\d*)n|)"+L+"*(?:([+-]|)"+L+"*(\\d+)|))"+L+"*\\)|)","i"),bool:new RegExp("^(?:"+K+")$","i"),needsContext:new RegExp("^"+L+"*[>+~]|:(even|odd|eq|gt|lt|nth|first|last)(?:\\("+L+"*((?:-\\d)?\\d*)"+L+"*\\)|)(?=[^-]|$)","i")},X=/^(?:input|select|textarea|button)$/i,Y=/^h\d$/i,Z=/^[^{]+\{\s*\[native \w/,$=/^(?:#([\w-]+)|(\w+)|\.([\w-]+))$/,_=/[+~]/,aa=/'|\\/g,ba=new RegExp("\\\\([\\da-f]{1,6}"+L+"?|("+L+")|.)","ig"),ca=function(a,b,c){var d="0x"+b-65536;return d!==d||c?b:0>d?String.fromCharCode(d+65536):String.fromCharCode(d>>10|55296,1023&d|56320)},da=function(){m()};try{H.apply(E=I.call(v.childNodes),v.childNodes),E[v.childNodes.length].nodeType}catch(ea){H={apply:E.length?function(a,b){G.apply(a,I.call(b))}:function(a,b){var c=a.length,d=0;while(a[c++]=b[d++]);a.length=c-1}}}function fa(a,b,d,e){var f,h,j,k,l,o,r,s,w=b&&b.ownerDocument,x=b?b.nodeType:9;if(d=d||[],"string"!=typeof a||!a||1!==x&&9!==x&&11!==x)return d;if(!e&&((b?b.ownerDocument||b:v)!==n&&m(b),b=b||n,p)){if(11!==x&&(o=$.exec(a)))if(f=o[1]){if(9===x){if(!(j=b.getElementById(f)))return d;if(j.id===f)return d.push(j),d}else if(w&&(j=w.getElementById(f))&&t(b,j)&&j.id===f)return d.push(j),d}else{if(o[2])return H.apply(d,b.getElementsByTagName(a)),d;if((f=o[3])&&c.getElementsByClassName&&b.getElementsByClassName)return H.apply(d,b.getElementsByClassName(f)),d}if(c.qsa&&!A[a+" "]&&(!q||!q.test(a))){if(1!==x)w=b,s=a;else if("object"!==b.nodeName.toLowerCase()){(k=b.getAttribute("id"))?k=k.replace(aa,"\\$&"):b.setAttribute("id",k=u),r=g(a),h=r.length,l=V.test(k)?"#"+k:"[id='"+k+"']";while(h--)r[h]=l+" "+qa(r[h]);s=r.join(","),w=_.test(a)&&oa(b.parentNode)||b}if(s)try{return H.apply(d,w.querySelectorAll(s)),d}catch(y){}finally{k===u&&b.removeAttribute("id")}}}return i(a.replace(Q,"$1"),b,d,e)}function ga(){var a=[];function b(c,e){return a.push(c+" ")>d.cacheLength&&delete b[a.shift()],b[c+" "]=e}return b}function ha(a){return a[u]=!0,a}function ia(a){var b=n.createElement("div");try{return!!a(b)}catch(c){return!1}finally{b.parentNode&&b.parentNode.removeChild(b),b=null}}function ja(a,b){var c=a.split("|"),e=c.length;while(e--)d.attrHandle[c[e]]=b}function ka(a,b){var c=b&&a,d=c&&1===a.nodeType&&1===b.nodeType&&(~b.sourceIndex||C)-(~a.sourceIndex||C);if(d)return d;if(c)while(c=c.nextSibling)if(c===b)return-1;return a?1:-1}function la(a){return function(b){var c=b.nodeName.toLowerCase();return"input"===c&&b.type===a}}function ma(a){return function(b){var c=b.nodeName.toLowerCase();return("input"===c||"button"===c)&&b.type===a}}function na(a){return ha(function(b){return b=+b,ha(function(c,d){var e,f=a([],c.length,b),g=f.length;while(g--)c[e=f[g]]&&(c[e]=!(d[e]=c[e]))})})}function oa(a){return a&&"undefined"!=typeof a.getElementsByTagName&&a}c=fa.support={},f=fa.isXML=function(a){var b=a&&(a.ownerDocument||a).documentElement;return b?"HTML"!==b.nodeName:!1},m=fa.setDocument=function(a){var b,e,g=a?a.ownerDocument||a:v;return g!==n&&9===g.nodeType&&g.documentElement?(n=g,o=n.documentElement,p=!f(n),(e=n.defaultView)&&e.top!==e&&(e.addEventListener?e.addEventListener("unload",da,!1):e.attachEvent&&e.attachEvent("onunload",da)),c.attributes=ia(function(a){return a.className="i",!a.getAttribute("className")}),c.getElementsByTagName=ia(function(a){return a.appendChild(n.createComment("")),!a.getElementsByTagName("*").length}),c.getElementsByClassName=Z.test(n.getElementsByClassName),c.getById=ia(function(a){return o.appendChild(a).id=u,!n.getElementsByName||!n.getElementsByName(u).length}),c.getById?(d.find.ID=function(a,b){if("undefined"!=typeof b.getElementById&&p){var c=b.getElementById(a);return c?[c]:[]}},d.filter.ID=function(a){var b=a.replace(ba,ca);return function(a){return a.getAttribute("id")===b}}):(delete d.find.ID,d.filter.ID=function(a){var b=a.replace(ba,ca);return function(a){var c="undefined"!=typeof a.getAttributeNode&&a.getAttributeNode("id");return c&&c.value===b}}),d.find.TAG=c.getElementsByTagName?function(a,b){return"undefined"!=typeof b.getElementsByTagName?b.getElementsByTagName(a):c.qsa?b.querySelectorAll(a):void 0}:function(a,b){var c,d=[],e=0,f=b.getElementsByTagName(a);if("*"===a){while(c=f[e++])1===c.nodeType&&d.push(c);return d}return f},d.find.CLASS=c.getElementsByClassName&&function(a,b){return"undefined"!=typeof b.getElementsByClassName&&p?b.getElementsByClassName(a):void 0},r=[],q=[],(c.qsa=Z.test(n.querySelectorAll))&&(ia(function(a){o.appendChild(a).innerHTML="<a id='"+u+"'></a><select id='"+u+"-\r\\' msallowcapture=''><option selected=''></option></select>",a.querySelectorAll("[msallowcapture^='']").length&&q.push("[*^$]="+L+"*(?:''|\"\")"),a.querySelectorAll("[selected]").length||q.push("\\["+L+"*(?:value|"+K+")"),a.querySelectorAll("[id~="+u+"-]").length||q.push("~="),a.querySelectorAll(":checked").length||q.push(":checked"),a.querySelectorAll("a#"+u+"+*").length||q.push(".#.+[+~]")}),ia(function(a){var b=n.createElement("input");b.setAttribute("type","hidden"),a.appendChild(b).setAttribute("name","D"),a.querySelectorAll("[name=d]").length&&q.push("name"+L+"*[*^$|!~]?="),a.querySelectorAll(":enabled").length||q.push(":enabled",":disabled"),a.querySelectorAll("*,:x"),q.push(",.*:")})),(c.matchesSelector=Z.test(s=o.matches||o.webkitMatchesSelector||o.mozMatchesSelector||o.oMatchesSelector||o.msMatchesSelector))&&ia(function(a){c.disconnectedMatch=s.call(a,"div"),s.call(a,"[s!='']:x"),r.push("!=",O)}),q=q.length&&new RegExp(q.join("|")),r=r.length&&new RegExp(r.join("|")),b=Z.test(o.compareDocumentPosition),t=b||Z.test(o.contains)?function(a,b){var c=9===a.nodeType?a.documentElement:a,d=b&&b.parentNode;return a===d||!(!d||1!==d.nodeType||!(c.contains?c.contains(d):a.compareDocumentPosition&&16&a.compareDocumentPosition(d)))}:function(a,b){if(b)while(b=b.parentNode)if(b===a)return!0;return!1},B=b?function(a,b){if(a===b)return l=!0,0;var d=!a.compareDocumentPosition-!b.compareDocumentPosition;return d?d:(d=(a.ownerDocument||a)===(b.ownerDocument||b)?a.compareDocumentPosition(b):1,1&d||!c.sortDetached&&b.compareDocumentPosition(a)===d?a===n||a.ownerDocument===v&&t(v,a)?-1:b===n||b.ownerDocument===v&&t(v,b)?1:k?J(k,a)-J(k,b):0:4&d?-1:1)}:function(a,b){if(a===b)return l=!0,0;var c,d=0,e=a.parentNode,f=b.parentNode,g=[a],h=[b];if(!e||!f)return a===n?-1:b===n?1:e?-1:f?1:k?J(k,a)-J(k,b):0;if(e===f)return ka(a,b);c=a;while(c=c.parentNode)g.unshift(c);c=b;while(c=c.parentNode)h.unshift(c);while(g[d]===h[d])d++;return d?ka(g[d],h[d]):g[d]===v?-1:h[d]===v?1:0},n):n},fa.matches=function(a,b){return fa(a,null,null,b)},fa.matchesSelector=function(a,b){if((a.ownerDocument||a)!==n&&m(a),b=b.replace(T,"='$1']"),c.matchesSelector&&p&&!A[b+" "]&&(!r||!r.test(b))&&(!q||!q.test(b)))try{var d=s.call(a,b);if(d||c.disconnectedMatch||a.document&&11!==a.document.nodeType)return d}catch(e){}return fa(b,n,null,[a]).length>0},fa.contains=function(a,b){return(a.ownerDocument||a)!==n&&m(a),t(a,b)},fa.attr=function(a,b){(a.ownerDocument||a)!==n&&m(a);var e=d.attrHandle[b.toLowerCase()],f=e&&D.call(d.attrHandle,b.toLowerCase())?e(a,b,!p):void 0;return void 0!==f?f:c.attributes||!p?a.getAttribute(b):(f=a.getAttributeNode(b))&&f.specified?f.value:null},fa.error=function(a){throw new Error("Syntax error, unrecognized expression: "+a)},fa.uniqueSort=function(a){var b,d=[],e=0,f=0;if(l=!c.detectDuplicates,k=!c.sortStable&&a.slice(0),a.sort(B),l){while(b=a[f++])b===a[f]&&(e=d.push(f));while(e--)a.splice(d[e],1)}return k=null,a},e=fa.getText=function(a){var b,c="",d=0,f=a.nodeType;if(f){if(1===f||9===f||11===f){if("string"==typeof a.textContent)return a.textContent;for(a=a.firstChild;a;a=a.nextSibling)c+=e(a)}else if(3===f||4===f)return a.nodeValue}else while(b=a[d++])c+=e(b);return c},d=fa.selectors={cacheLength:50,createPseudo:ha,match:W,attrHandle:{},find:{},relative:{">":{dir:"parentNode",first:!0}," ":{dir:"parentNode"},"+":{dir:"previousSibling",first:!0},"~":{dir:"previousSibling"}},preFilter:{ATTR:function(a){return a[1]=a[1].replace(ba,ca),a[3]=(a[3]||a[4]||a[5]||"").replace(ba,ca),"~="===a[2]&&(a[3]=" "+a[3]+" "),a.slice(0,4)},CHILD:function(a){return a[1]=a[1].toLowerCase(),"nth"===a[1].slice(0,3)?(a[3]||fa.error(a[0]),a[4]=+(a[4]?a[5]+(a[6]||1):2*("even"===a[3]||"odd"===a[3])),a[5]=+(a[7]+a[8]||"odd"===a[3])):a[3]&&fa.error(a[0]),a},PSEUDO:function(a){var b,c=!a[6]&&a[2];return W.CHILD.test(a[0])?null:(a[3]?a[2]=a[4]||a[5]||"":c&&U.test(c)&&(b=g(c,!0))&&(b=c.indexOf(")",c.length-b)-c.length)&&(a[0]=a[0].slice(0,b),a[2]=c.slice(0,b)),a.slice(0,3))}},filter:{TAG:function(a){var b=a.replace(ba,ca).toLowerCase();return"*"===a?function(){return!0}:function(a){return a.nodeName&&a.nodeName.toLowerCase()===b}},CLASS:function(a){var b=y[a+" "];return b||(b=new RegExp("(^|"+L+")"+a+"("+L+"|$)"))&&y(a,function(a){return b.test("string"==typeof a.className&&a.className||"undefined"!=typeof a.getAttribute&&a.getAttribute("class")||"")})},ATTR:function(a,b,c){return function(d){var e=fa.attr(d,a);return null==e?"!="===b:b?(e+="","="===b?e===c:"!="===b?e!==c:"^="===b?c&&0===e.indexOf(c):"*="===b?c&&e.indexOf(c)>-1:"$="===b?c&&e.slice(-c.length)===c:"~="===b?(" "+e.replace(P," ")+" ").indexOf(c)>-1:"|="===b?e===c||e.slice(0,c.length+1)===c+"-":!1):!0}},CHILD:function(a,b,c,d,e){var f="nth"!==a.slice(0,3),g="last"!==a.slice(-4),h="of-type"===b;return 1===d&&0===e?function(a){return!!a.parentNode}:function(b,c,i){var j,k,l,m,n,o,p=f!==g?"nextSibling":"previousSibling",q=b.parentNode,r=h&&b.nodeName.toLowerCase(),s=!i&&!h,t=!1;if(q){if(f){while(p){m=b;while(m=m[p])if(h?m.nodeName.toLowerCase()===r:1===m.nodeType)return!1;o=p="only"===a&&!o&&"nextSibling"}return!0}if(o=[g?q.firstChild:q.lastChild],g&&s){m=q,l=m[u]||(m[u]={}),k=l[m.uniqueID]||(l[m.uniqueID]={}),j=k[a]||[],n=j[0]===w&&j[1],t=n&&j[2],m=n&&q.childNodes[n];while(m=++n&&m&&m[p]||(t=n=0)||o.pop())if(1===m.nodeType&&++t&&m===b){k[a]=[w,n,t];break}}else if(s&&(m=b,l=m[u]||(m[u]={}),k=l[m.uniqueID]||(l[m.uniqueID]={}),j=k[a]||[],n=j[0]===w&&j[1],t=n),t===!1)while(m=++n&&m&&m[p]||(t=n=0)||o.pop())if((h?m.nodeName.toLowerCase()===r:1===m.nodeType)&&++t&&(s&&(l=m[u]||(m[u]={}),k=l[m.uniqueID]||(l[m.uniqueID]={}),k[a]=[w,t]),m===b))break;return t-=e,t===d||t%d===0&&t/d>=0}}},PSEUDO:function(a,b){var c,e=d.pseudos[a]||d.setFilters[a.toLowerCase()]||fa.error("unsupported pseudo: "+a);return e[u]?e(b):e.length>1?(c=[a,a,"",b],d.setFilters.hasOwnProperty(a.toLowerCase())?ha(function(a,c){var d,f=e(a,b),g=f.length;while(g--)d=J(a,f[g]),a[d]=!(c[d]=f[g])}):function(a){return e(a,0,c)}):e}},pseudos:{not:ha(function(a){var b=[],c=[],d=h(a.replace(Q,"$1"));return d[u]?ha(function(a,b,c,e){var f,g=d(a,null,e,[]),h=a.length;while(h--)(f=g[h])&&(a[h]=!(b[h]=f))}):function(a,e,f){return b[0]=a,d(b,null,f,c),b[0]=null,!c.pop()}}),has:ha(function(a){return function(b){return fa(a,b).length>0}}),contains:ha(function(a){return a=a.replace(ba,ca),function(b){return(b.textContent||b.innerText||e(b)).indexOf(a)>-1}}),lang:ha(function(a){return V.test(a||"")||fa.error("unsupported lang: "+a),a=a.replace(ba,ca).toLowerCase(),function(b){var c;do if(c=p?b.lang:b.getAttribute("xml:lang")||b.getAttribute("lang"))return c=c.toLowerCase(),c===a||0===c.indexOf(a+"-");while((b=b.parentNode)&&1===b.nodeType);return!1}}),target:function(b){var c=a.location&&a.location.hash;return c&&c.slice(1)===b.id},root:function(a){return a===o},focus:function(a){return a===n.activeElement&&(!n.hasFocus||n.hasFocus())&&!!(a.type||a.href||~a.tabIndex)},enabled:function(a){return a.disabled===!1},disabled:function(a){return a.disabled===!0},checked:function(a){var b=a.nodeName.toLowerCase();return"input"===b&&!!a.checked||"option"===b&&!!a.selected},selected:function(a){return a.parentNode&&a.parentNode.selectedIndex,a.selected===!0},empty:function(a){for(a=a.firstChild;a;a=a.nextSibling)if(a.nodeType<6)return!1;return!0},parent:function(a){return!d.pseudos.empty(a)},header:function(a){return Y.test(a.nodeName)},input:function(a){return X.test(a.nodeName)},button:function(a){var b=a.nodeName.toLowerCase();return"input"===b&&"button"===a.type||"button"===b},text:function(a){var b;return"input"===a.nodeName.toLowerCase()&&"text"===a.type&&(null==(b=a.getAttribute("type"))||"text"===b.toLowerCase())},first:na(function(){return[0]}),last:na(function(a,b){return[b-1]}),eq:na(function(a,b,c){return[0>c?c+b:c]}),even:na(function(a,b){for(var c=0;b>c;c+=2)a.push(c);return a}),odd:na(function(a,b){for(var c=1;b>c;c+=2)a.push(c);return a}),lt:na(function(a,b,c){for(var d=0>c?c+b:c;--d>=0;)a.push(d);return a}),gt:na(function(a,b,c){for(var d=0>c?c+b:c;++d<b;)a.push(d);return a})}},d.pseudos.nth=d.pseudos.eq;for(b in{radio:!0,checkbox:!0,file:!0,password:!0,image:!0})d.pseudos[b]=la(b);for(b in{submit:!0,reset:!0})d.pseudos[b]=ma(b);function pa(){}pa.prototype=d.filters=d.pseudos,d.setFilters=new pa,g=fa.tokenize=function(a,b){var c,e,f,g,h,i,j,k=z[a+" "];if(k)return b?0:k.slice(0);h=a,i=[],j=d.preFilter;while(h){c&&!(e=R.exec(h))||(e&&(h=h.slice(e[0].length)||h),i.push(f=[])),c=!1,(e=S.exec(h))&&(c=e.shift(),f.push({value:c,type:e[0].replace(Q," ")}),h=h.slice(c.length));for(g in d.filter)!(e=W[g].exec(h))||j[g]&&!(e=j[g](e))||(c=e.shift(),f.push({value:c,type:g,matches:e}),h=h.slice(c.length));if(!c)break}return b?h.length:h?fa.error(a):z(a,i).slice(0)};function qa(a){for(var b=0,c=a.length,d="";c>b;b++)d+=a[b].value;return d}function ra(a,b,c){var d=b.dir,e=c&&"parentNode"===d,f=x++;return b.first?function(b,c,f){while(b=b[d])if(1===b.nodeType||e)return a(b,c,f)}:function(b,c,g){var h,i,j,k=[w,f];if(g){while(b=b[d])if((1===b.nodeType||e)&&a(b,c,g))return!0}else while(b=b[d])if(1===b.nodeType||e){if(j=b[u]||(b[u]={}),i=j[b.uniqueID]||(j[b.uniqueID]={}),(h=i[d])&&h[0]===w&&h[1]===f)return k[2]=h[2];if(i[d]=k,k[2]=a(b,c,g))return!0}}}function sa(a){return a.length>1?function(b,c,d){var e=a.length;while(e--)if(!a[e](b,c,d))return!1;return!0}:a[0]}function ta(a,b,c){for(var d=0,e=b.length;e>d;d++)fa(a,b[d],c);return c}function ua(a,b,c,d,e){for(var f,g=[],h=0,i=a.length,j=null!=b;i>h;h++)(f=a[h])&&(c&&!c(f,d,e)||(g.push(f),j&&b.push(h)));return g}function va(a,b,c,d,e,f){return d&&!d[u]&&(d=va(d)),e&&!e[u]&&(e=va(e,f)),ha(function(f,g,h,i){var j,k,l,m=[],n=[],o=g.length,p=f||ta(b||"*",h.nodeType?[h]:h,[]),q=!a||!f&&b?p:ua(p,m,a,h,i),r=c?e||(f?a:o||d)?[]:g:q;if(c&&c(q,r,h,i),d){j=ua(r,n),d(j,[],h,i),k=j.length;while(k--)(l=j[k])&&(r[n[k]]=!(q[n[k]]=l))}if(f){if(e||a){if(e){j=[],k=r.length;while(k--)(l=r[k])&&j.push(q[k]=l);e(null,r=[],j,i)}k=r.length;while(k--)(l=r[k])&&(j=e?J(f,l):m[k])>-1&&(f[j]=!(g[j]=l))}}else r=ua(r===g?r.splice(o,r.length):r),e?e(null,g,r,i):H.apply(g,r)})}function wa(a){for(var b,c,e,f=a.length,g=d.relative[a[0].type],h=g||d.relative[" "],i=g?1:0,k=ra(function(a){return a===b},h,!0),l=ra(function(a){return J(b,a)>-1},h,!0),m=[function(a,c,d){var e=!g&&(d||c!==j)||((b=c).nodeType?k(a,c,d):l(a,c,d));return b=null,e}];f>i;i++)if(c=d.relative[a[i].type])m=[ra(sa(m),c)];else{if(c=d.filter[a[i].type].apply(null,a[i].matches),c[u]){for(e=++i;f>e;e++)if(d.relative[a[e].type])break;return va(i>1&&sa(m),i>1&&qa(a.slice(0,i-1).concat({value:" "===a[i-2].type?"*":""})).replace(Q,"$1"),c,e>i&&wa(a.slice(i,e)),f>e&&wa(a=a.slice(e)),f>e&&qa(a))}m.push(c)}return sa(m)}function xa(a,b){var c=b.length>0,e=a.length>0,f=function(f,g,h,i,k){var l,o,q,r=0,s="0",t=f&&[],u=[],v=j,x=f||e&&d.find.TAG("*",k),y=w+=null==v?1:Math.random()||.1,z=x.length;for(k&&(j=g===n||g||k);s!==z&&null!=(l=x[s]);s++){if(e&&l){o=0,g||l.ownerDocument===n||(m(l),h=!p);while(q=a[o++])if(q(l,g||n,h)){i.push(l);break}k&&(w=y)}c&&((l=!q&&l)&&r--,f&&t.push(l))}if(r+=s,c&&s!==r){o=0;while(q=b[o++])q(t,u,g,h);if(f){if(r>0)while(s--)t[s]||u[s]||(u[s]=F.call(i));u=ua(u)}H.apply(i,u),k&&!f&&u.length>0&&r+b.length>1&&fa.uniqueSort(i)}return k&&(w=y,j=v),t};return c?ha(f):f}return h=fa.compile=function(a,b){var c,d=[],e=[],f=A[a+" "];if(!f){b||(b=g(a)),c=b.length;while(c--)f=wa(b[c]),f[u]?d.push(f):e.push(f);f=A(a,xa(e,d)),f.selector=a}return f},i=fa.select=function(a,b,e,f){var i,j,k,l,m,n="function"==typeof a&&a,o=!f&&g(a=n.selector||a);if(e=e||[],1===o.length){if(j=o[0]=o[0].slice(0),j.length>2&&"ID"===(k=j[0]).type&&c.getById&&9===b.nodeType&&p&&d.relative[j[1].type]){if(b=(d.find.ID(k.matches[0].replace(ba,ca),b)||[])[0],!b)return e;n&&(b=b.parentNode),a=a.slice(j.shift().value.length)}i=W.needsContext.test(a)?0:j.length;while(i--){if(k=j[i],d.relative[l=k.type])break;if((m=d.find[l])&&(f=m(k.matches[0].replace(ba,ca),_.test(j[0].type)&&oa(b.parentNode)||b))){if(j.splice(i,1),a=f.length&&qa(j),!a)return H.apply(e,f),e;break}}}return(n||h(a,o))(f,b,!p,e,!b||_.test(a)&&oa(b.parentNode)||b),e},c.sortStable=u.split("").sort(B).join("")===u,c.detectDuplicates=!!l,m(),c.sortDetached=ia(function(a){return 1&a.compareDocumentPosition(n.createElement("div"))}),ia(function(a){return a.innerHTML="<a href='#'></a>","#"===a.firstChild.getAttribute("href")})||ja("type|href|height|width",function(a,b,c){return c?void 0:a.getAttribute(b,"type"===b.toLowerCase()?1:2)}),c.attributes&&ia(function(a){return a.innerHTML="<input/>",a.firstChild.setAttribute("value",""),""===a.firstChild.getAttribute("value")})||ja("value",function(a,b,c){return c||"input"!==a.nodeName.toLowerCase()?void 0:a.defaultValue}),ia(function(a){return null==a.getAttribute("disabled")})||ja(K,function(a,b,c){var d;return c?void 0:a[b]===!0?b.toLowerCase():(d=a.getAttributeNode(b))&&d.specified?d.value:null}),fa}(a);n.find=t,n.expr=t.selectors,n.expr[":"]=n.expr.pseudos,n.uniqueSort=n.unique=t.uniqueSort,n.text=t.getText,n.isXMLDoc=t.isXML,n.contains=t.contains;var u=function(a,b,c){var d=[],e=void 0!==c;while((a=a[b])&&9!==a.nodeType)if(1===a.nodeType){if(e&&n(a).is(c))break;d.push(a)}return d},v=function(a,b){for(var c=[];a;a=a.nextSibling)1===a.nodeType&&a!==b&&c.push(a);return c},w=n.expr.match.needsContext,x=/^<([\w-]+)\s*\/?>(?:<\/\1>|)$/,y=/^.[^:#\[\.,]*$/;function z(a,b,c){if(n.isFunction(b))return n.grep(a,function(a,d){return!!b.call(a,d,a)!==c});if(b.nodeType)return n.grep(a,function(a){return a===b!==c});if("string"==typeof b){if(y.test(b))return n.filter(b,a,c);b=n.filter(b,a)}return n.grep(a,function(a){return n.inArray(a,b)>-1!==c})}n.filter=function(a,b,c){var d=b[0];return c&&(a=":not("+a+")"),1===b.length&&1===d.nodeType?n.find.matchesSelector(d,a)?[d]:[]:n.find.matches(a,n.grep(b,function(a){return 1===a.nodeType}))},n.fn.extend({find:function(a){var b,c=[],d=this,e=d.length;if("string"!=typeof a)return this.pushStack(n(a).filter(function(){for(b=0;e>b;b++)if(n.contains(d[b],this))return!0}));for(b=0;e>b;b++)n.find(a,d[b],c);return c=this.pushStack(e>1?n.unique(c):c),c.selector=this.selector?this.selector+" "+a:a,c},filter:function(a){return this.pushStack(z(this,a||[],!1))},not:function(a){return this.pushStack(z(this,a||[],!0))},is:function(a){return!!z(this,"string"==typeof a&&w.test(a)?n(a):a||[],!1).length}});var A,B=/^(?:\s*(<[\w\W]+>)[^>]*|#([\w-]*))$/,C=n.fn.init=function(a,b,c){var e,f;if(!a)return this;if(c=c||A,"string"==typeof a){if(e="<"===a.charAt(0)&&">"===a.charAt(a.length-1)&&a.length>=3?[null,a,null]:B.exec(a),!e||!e[1]&&b)return!b||b.jquery?(b||c).find(a):this.constructor(b).find(a);if(e[1]){if(b=b instanceof n?b[0]:b,n.merge(this,n.parseHTML(e[1],b&&b.nodeType?b.ownerDocument||b:d,!0)),x.test(e[1])&&n.isPlainObject(b))for(e in b)n.isFunction(this[e])?this[e](b[e]):this.attr(e,b[e]);return this}if(f=d.getElementById(e[2]),f&&f.parentNode){if(f.id!==e[2])return A.find(a);this.length=1,this[0]=f}return this.context=d,this.selector=a,this}return a.nodeType?(this.context=this[0]=a,this.length=1,this):n.isFunction(a)?"undefined"!=typeof c.ready?c.ready(a):a(n):(void 0!==a.selector&&(this.selector=a.selector,this.context=a.context),n.makeArray(a,this))};C.prototype=n.fn,A=n(d);var D=/^(?:parents|prev(?:Until|All))/,E={children:!0,contents:!0,next:!0,prev:!0};n.fn.extend({has:function(a){var b,c=n(a,this),d=c.length;return this.filter(function(){for(b=0;d>b;b++)if(n.contains(this,c[b]))return!0})},closest:function(a,b){for(var c,d=0,e=this.length,f=[],g=w.test(a)||"string"!=typeof a?n(a,b||this.context):0;e>d;d++)for(c=this[d];c&&c!==b;c=c.parentNode)if(c.nodeType<11&&(g?g.index(c)>-1:1===c.nodeType&&n.find.matchesSelector(c,a))){f.push(c);break}return this.pushStack(f.length>1?n.uniqueSort(f):f)},index:function(a){return a?"string"==typeof a?n.inArray(this[0],n(a)):n.inArray(a.jquery?a[0]:a,this):this[0]&&this[0].parentNode?this.first().prevAll().length:-1},add:function(a,b){return this.pushStack(n.uniqueSort(n.merge(this.get(),n(a,b))))},addBack:function(a){return this.add(null==a?this.prevObject:this.prevObject.filter(a))}});function F(a,b){do a=a[b];while(a&&1!==a.nodeType);return a}n.each({parent:function(a){var b=a.parentNode;return b&&11!==b.nodeType?b:null},parents:function(a){return u(a,"parentNode")},parentsUntil:function(a,b,c){return u(a,"parentNode",c)},next:function(a){return F(a,"nextSibling")},prev:function(a){return F(a,"previousSibling")},nextAll:function(a){return u(a,"nextSibling")},prevAll:function(a){return u(a,"previousSibling")},nextUntil:function(a,b,c){return u(a,"nextSibling",c)},prevUntil:function(a,b,c){return u(a,"previousSibling",c)},siblings:function(a){return v((a.parentNode||{}).firstChild,a)},children:function(a){return v(a.firstChild)},contents:function(a){return n.nodeName(a,"iframe")?a.contentDocument||a.contentWindow.document:n.merge([],a.childNodes)}},function(a,b){n.fn[a]=function(c,d){var e=n.map(this,b,c);return"Until"!==a.slice(-5)&&(d=c),d&&"string"==typeof d&&(e=n.filter(d,e)),this.length>1&&(E[a]||(e=n.uniqueSort(e)),D.test(a)&&(e=e.reverse())),this.pushStack(e)}});var G=/\S+/g;function H(a){var b={};return n.each(a.match(G)||[],function(a,c){b[c]=!0}),b}n.Callbacks=function(a){a="string"==typeof a?H(a):n.extend({},a);var b,c,d,e,f=[],g=[],h=-1,i=function(){for(e=a.once,d=b=!0;g.length;h=-1){c=g.shift();while(++h<f.length)f[h].apply(c[0],c[1])===!1&&a.stopOnFalse&&(h=f.length,c=!1)}a.memory||(c=!1),b=!1,e&&(f=c?[]:"")},j={add:function(){return f&&(c&&!b&&(h=f.length-1,g.push(c)),function d(b){n.each(b,function(b,c){n.isFunction(c)?a.unique&&j.has(c)||f.push(c):c&&c.length&&"string"!==n.type(c)&&d(c)})}(arguments),c&&!b&&i()),this},remove:function(){return n.each(arguments,function(a,b){var c;while((c=n.inArray(b,f,c))>-1)f.splice(c,1),h>=c&&h--}),this},has:function(a){return a?n.inArray(a,f)>-1:f.length>0},empty:function(){return f&&(f=[]),this},disable:function(){return e=g=[],f=c="",this},disabled:function(){return!f},lock:function(){return e=!0,c||j.disable(),this},locked:function(){return!!e},fireWith:function(a,c){return e||(c=c||[],c=[a,c.slice?c.slice():c],g.push(c),b||i()),this},fire:function(){return j.fireWith(this,arguments),this},fired:function(){return!!d}};return j},n.extend({Deferred:function(a){var b=[["resolve","done",n.Callbacks("once memory"),"resolved"],["reject","fail",n.Callbacks("once memory"),"rejected"],["notify","progress",n.Callbacks("memory")]],c="pending",d={state:function(){return c},always:function(){return e.done(arguments).fail(arguments),this},then:function(){var a=arguments;return n.Deferred(function(c){n.each(b,function(b,f){var g=n.isFunction(a[b])&&a[b];e[f[1]](function(){var a=g&&g.apply(this,arguments);a&&n.isFunction(a.promise)?a.promise().progress(c.notify).done(c.resolve).fail(c.reject):c[f[0]+"With"](this===d?c.promise():this,g?[a]:arguments)})}),a=null}).promise()},promise:function(a){return null!=a?n.extend(a,d):d}},e={};return d.pipe=d.then,n.each(b,function(a,f){var g=f[2],h=f[3];d[f[1]]=g.add,h&&g.add(function(){c=h},b[1^a][2].disable,b[2][2].lock),e[f[0]]=function(){return e[f[0]+"With"](this===e?d:this,arguments),this},e[f[0]+"With"]=g.fireWith}),d.promise(e),a&&a.call(e,e),e},when:function(a){var b=0,c=e.call(arguments),d=c.length,f=1!==d||a&&n.isFunction(a.promise)?d:0,g=1===f?a:n.Deferred(),h=function(a,b,c){return function(d){b[a]=this,c[a]=arguments.length>1?e.call(arguments):d,c===i?g.notifyWith(b,c):--f||g.resolveWith(b,c)}},i,j,k;if(d>1)for(i=new Array(d),j=new Array(d),k=new Array(d);d>b;b++)c[b]&&n.isFunction(c[b].promise)?c[b].promise().progress(h(b,j,i)).done(h(b,k,c)).fail(g.reject):--f;return f||g.resolveWith(k,c),g.promise()}});var I;n.fn.ready=function(a){return n.ready.promise().done(a),this},n.extend({isReady:!1,readyWait:1,holdReady:function(a){a?n.readyWait++:n.ready(!0)},ready:function(a){(a===!0?--n.readyWait:n.isReady)||(n.isReady=!0,a!==!0&&--n.readyWait>0||(I.resolveWith(d,[n]),n.fn.triggerHandler&&(n(d).triggerHandler("ready"),n(d).off("ready"))))}});function J(){d.addEventListener?(d.removeEventListener("DOMContentLoaded",K),a.removeEventListener("load",K)):(d.detachEvent("onreadystatechange",K),a.detachEvent("onload",K))}function K(){(d.addEventListener||"load"===a.event.type||"complete"===d.readyState)&&(J(),n.ready())}n.ready.promise=function(b){if(!I)if(I=n.Deferred(),"complete"===d.readyState||"loading"!==d.readyState&&!d.documentElement.doScroll)a.setTimeout(n.ready);else if(d.addEventListener)d.addEventListener("DOMContentLoaded",K),a.addEventListener("load",K);else{d.attachEvent("onreadystatechange",K),a.attachEvent("onload",K);var c=!1;try{c=null==a.frameElement&&d.documentElement}catch(e){}c&&c.doScroll&&!function f(){if(!n.isReady){try{c.doScroll("left")}catch(b){return a.setTimeout(f,50)}J(),n.ready()}}()}return I.promise(b)},n.ready.promise();var L;for(L in n(l))break;l.ownFirst="0"===L,l.inlineBlockNeedsLayout=!1,n(function(){var a,b,c,e;c=d.getElementsByTagName("body")[0],c&&c.style&&(b=d.createElement("div"),e=d.createElement("div"),e.style.cssText="position:absolute;border:0;width:0;height:0;top:0;left:-9999px",c.appendChild(e).appendChild(b),"undefined"!=typeof b.style.zoom&&(b.style.cssText="display:inline;margin:0;border:0;padding:1px;width:1px;zoom:1",l.inlineBlockNeedsLayout=a=3===b.offsetWidth,a&&(c.style.zoom=1)),c.removeChild(e))}),function(){var a=d.createElement("div");l.deleteExpando=!0;try{delete a.test}catch(b){l.deleteExpando=!1}a=null}();var M=function(a){var b=n.noData[(a.nodeName+" ").toLowerCase()],c=+a.nodeType||1;return 1!==c&&9!==c?!1:!b||b!==!0&&a.getAttribute("classid")===b},N=/^(?:\{[\w\W]*\}|\[[\w\W]*\])$/,O=/([A-Z])/g;function P(a,b,c){if(void 0===c&&1===a.nodeType){var d="data-"+b.replace(O,"-$1").toLowerCase();if(c=a.getAttribute(d),"string"==typeof c){try{c="true"===c?!0:"false"===c?!1:"null"===c?null:+c+""===c?+c:N.test(c)?n.parseJSON(c):c}catch(e){}n.data(a,b,c)}else c=void 0;
-}return c}function Q(a){var b;for(b in a)if(("data"!==b||!n.isEmptyObject(a[b]))&&"toJSON"!==b)return!1;return!0}function R(a,b,d,e){if(M(a)){var f,g,h=n.expando,i=a.nodeType,j=i?n.cache:a,k=i?a[h]:a[h]&&h;if(k&&j[k]&&(e||j[k].data)||void 0!==d||"string"!=typeof b)return k||(k=i?a[h]=c.pop()||n.guid++:h),j[k]||(j[k]=i?{}:{toJSON:n.noop}),"object"!=typeof b&&"function"!=typeof b||(e?j[k]=n.extend(j[k],b):j[k].data=n.extend(j[k].data,b)),g=j[k],e||(g.data||(g.data={}),g=g.data),void 0!==d&&(g[n.camelCase(b)]=d),"string"==typeof b?(f=g[b],null==f&&(f=g[n.camelCase(b)])):f=g,f}}function S(a,b,c){if(M(a)){var d,e,f=a.nodeType,g=f?n.cache:a,h=f?a[n.expando]:n.expando;if(g[h]){if(b&&(d=c?g[h]:g[h].data)){n.isArray(b)?b=b.concat(n.map(b,n.camelCase)):b in d?b=[b]:(b=n.camelCase(b),b=b in d?[b]:b.split(" ")),e=b.length;while(e--)delete d[b[e]];if(c?!Q(d):!n.isEmptyObject(d))return}(c||(delete g[h].data,Q(g[h])))&&(f?n.cleanData([a],!0):l.deleteExpando||g!=g.window?delete g[h]:g[h]=void 0)}}}n.extend({cache:{},noData:{"applet ":!0,"embed ":!0,"object ":"clsid:D27CDB6E-AE6D-11cf-96B8-444553540000"},hasData:function(a){return a=a.nodeType?n.cache[a[n.expando]]:a[n.expando],!!a&&!Q(a)},data:function(a,b,c){return R(a,b,c)},removeData:function(a,b){return S(a,b)},_data:function(a,b,c){return R(a,b,c,!0)},_removeData:function(a,b){return S(a,b,!0)}}),n.fn.extend({data:function(a,b){var c,d,e,f=this[0],g=f&&f.attributes;if(void 0===a){if(this.length&&(e=n.data(f),1===f.nodeType&&!n._data(f,"parsedAttrs"))){c=g.length;while(c--)g[c]&&(d=g[c].name,0===d.indexOf("data-")&&(d=n.camelCase(d.slice(5)),P(f,d,e[d])));n._data(f,"parsedAttrs",!0)}return e}return"object"==typeof a?this.each(function(){n.data(this,a)}):arguments.length>1?this.each(function(){n.data(this,a,b)}):f?P(f,a,n.data(f,a)):void 0},removeData:function(a){return this.each(function(){n.removeData(this,a)})}}),n.extend({queue:function(a,b,c){var d;return a?(b=(b||"fx")+"queue",d=n._data(a,b),c&&(!d||n.isArray(c)?d=n._data(a,b,n.makeArray(c)):d.push(c)),d||[]):void 0},dequeue:function(a,b){b=b||"fx";var c=n.queue(a,b),d=c.length,e=c.shift(),f=n._queueHooks(a,b),g=function(){n.dequeue(a,b)};"inprogress"===e&&(e=c.shift(),d--),e&&("fx"===b&&c.unshift("inprogress"),delete f.stop,e.call(a,g,f)),!d&&f&&f.empty.fire()},_queueHooks:function(a,b){var c=b+"queueHooks";return n._data(a,c)||n._data(a,c,{empty:n.Callbacks("once memory").add(function(){n._removeData(a,b+"queue"),n._removeData(a,c)})})}}),n.fn.extend({queue:function(a,b){var c=2;return"string"!=typeof a&&(b=a,a="fx",c--),arguments.length<c?n.queue(this[0],a):void 0===b?this:this.each(function(){var c=n.queue(this,a,b);n._queueHooks(this,a),"fx"===a&&"inprogress"!==c[0]&&n.dequeue(this,a)})},dequeue:function(a){return this.each(function(){n.dequeue(this,a)})},clearQueue:function(a){return this.queue(a||"fx",[])},promise:function(a,b){var c,d=1,e=n.Deferred(),f=this,g=this.length,h=function(){--d||e.resolveWith(f,[f])};"string"!=typeof a&&(b=a,a=void 0),a=a||"fx";while(g--)c=n._data(f[g],a+"queueHooks"),c&&c.empty&&(d++,c.empty.add(h));return h(),e.promise(b)}}),function(){var a;l.shrinkWrapBlocks=function(){if(null!=a)return a;a=!1;var b,c,e;return c=d.getElementsByTagName("body")[0],c&&c.style?(b=d.createElement("div"),e=d.createElement("div"),e.style.cssText="position:absolute;border:0;width:0;height:0;top:0;left:-9999px",c.appendChild(e).appendChild(b),"undefined"!=typeof b.style.zoom&&(b.style.cssText="-webkit-box-sizing:content-box;-moz-box-sizing:content-box;box-sizing:content-box;display:block;margin:0;border:0;padding:1px;width:1px;zoom:1",b.appendChild(d.createElement("div")).style.width="5px",a=3!==b.offsetWidth),c.removeChild(e),a):void 0}}();var T=/[+-]?(?:\d*\.|)\d+(?:[eE][+-]?\d+|)/.source,U=new RegExp("^(?:([+-])=|)("+T+")([a-z%]*)$","i"),V=["Top","Right","Bottom","Left"],W=function(a,b){return a=b||a,"none"===n.css(a,"display")||!n.contains(a.ownerDocument,a)};function X(a,b,c,d){var e,f=1,g=20,h=d?function(){return d.cur()}:function(){return n.css(a,b,"")},i=h(),j=c&&c[3]||(n.cssNumber[b]?"":"px"),k=(n.cssNumber[b]||"px"!==j&&+i)&&U.exec(n.css(a,b));if(k&&k[3]!==j){j=j||k[3],c=c||[],k=+i||1;do f=f||".5",k/=f,n.style(a,b,k+j);while(f!==(f=h()/i)&&1!==f&&--g)}return c&&(k=+k||+i||0,e=c[1]?k+(c[1]+1)*c[2]:+c[2],d&&(d.unit=j,d.start=k,d.end=e)),e}var Y=function(a,b,c,d,e,f,g){var h=0,i=a.length,j=null==c;if("object"===n.type(c)){e=!0;for(h in c)Y(a,b,h,c[h],!0,f,g)}else if(void 0!==d&&(e=!0,n.isFunction(d)||(g=!0),j&&(g?(b.call(a,d),b=null):(j=b,b=function(a,b,c){return j.call(n(a),c)})),b))for(;i>h;h++)b(a[h],c,g?d:d.call(a[h],h,b(a[h],c)));return e?a:j?b.call(a):i?b(a[0],c):f},Z=/^(?:checkbox|radio)$/i,$=/<([\w:-]+)/,_=/^$|\/(?:java|ecma)script/i,aa=/^\s+/,ba="abbr|article|aside|audio|bdi|canvas|data|datalist|details|dialog|figcaption|figure|footer|header|hgroup|main|mark|meter|nav|output|picture|progress|section|summary|template|time|video";function ca(a){var b=ba.split("|"),c=a.createDocumentFragment();if(c.createElement)while(b.length)c.createElement(b.pop());return c}!function(){var a=d.createElement("div"),b=d.createDocumentFragment(),c=d.createElement("input");a.innerHTML=" <link/><table></table><a href='/a'>a</a><input type='checkbox'/>",l.leadingWhitespace=3===a.firstChild.nodeType,l.tbody=!a.getElementsByTagName("tbody").length,l.htmlSerialize=!!a.getElementsByTagName("link").length,l.html5Clone="<:nav></:nav>"!==d.createElement("nav").cloneNode(!0).outerHTML,c.type="checkbox",c.checked=!0,b.appendChild(c),l.appendChecked=c.checked,a.innerHTML="<textarea>x</textarea>",l.noCloneChecked=!!a.cloneNode(!0).lastChild.defaultValue,b.appendChild(a),c=d.createElement("input"),c.setAttribute("type","radio"),c.setAttribute("checked","checked"),c.setAttribute("name","t"),a.appendChild(c),l.checkClone=a.cloneNode(!0).cloneNode(!0).lastChild.checked,l.noCloneEvent=!!a.addEventListener,a[n.expando]=1,l.attributes=!a.getAttribute(n.expando)}();var da={option:[1,"<select multiple='multiple'>","</select>"],legend:[1,"<fieldset>","</fieldset>"],area:[1,"<map>","</map>"],param:[1,"<object>","</object>"],thead:[1,"<table>","</table>"],tr:[2,"<table><tbody>","</tbody></table>"],col:[2,"<table><tbody></tbody><colgroup>","</colgroup></table>"],td:[3,"<table><tbody><tr>","</tr></tbody></table>"],_default:l.htmlSerialize?[0,"",""]:[1,"X<div>","</div>"]};da.optgroup=da.option,da.tbody=da.tfoot=da.colgroup=da.caption=da.thead,da.th=da.td;function ea(a,b){var c,d,e=0,f="undefined"!=typeof a.getElementsByTagName?a.getElementsByTagName(b||"*"):"undefined"!=typeof a.querySelectorAll?a.querySelectorAll(b||"*"):void 0;if(!f)for(f=[],c=a.childNodes||a;null!=(d=c[e]);e++)!b||n.nodeName(d,b)?f.push(d):n.merge(f,ea(d,b));return void 0===b||b&&n.nodeName(a,b)?n.merge([a],f):f}function fa(a,b){for(var c,d=0;null!=(c=a[d]);d++)n._data(c,"globalEval",!b||n._data(b[d],"globalEval"))}var ga=/<|&#?\w+;/,ha=/<tbody/i;function ia(a){Z.test(a.type)&&(a.defaultChecked=a.checked)}function ja(a,b,c,d,e){for(var f,g,h,i,j,k,m,o=a.length,p=ca(b),q=[],r=0;o>r;r++)if(g=a[r],g||0===g)if("object"===n.type(g))n.merge(q,g.nodeType?[g]:g);else if(ga.test(g)){i=i||p.appendChild(b.createElement("div")),j=($.exec(g)||["",""])[1].toLowerCase(),m=da[j]||da._default,i.innerHTML=m[1]+n.htmlPrefilter(g)+m[2],f=m[0];while(f--)i=i.lastChild;if(!l.leadingWhitespace&&aa.test(g)&&q.push(b.createTextNode(aa.exec(g)[0])),!l.tbody){g="table"!==j||ha.test(g)?"<table>"!==m[1]||ha.test(g)?0:i:i.firstChild,f=g&&g.childNodes.length;while(f--)n.nodeName(k=g.childNodes[f],"tbody")&&!k.childNodes.length&&g.removeChild(k)}n.merge(q,i.childNodes),i.textContent="";while(i.firstChild)i.removeChild(i.firstChild);i=p.lastChild}else q.push(b.createTextNode(g));i&&p.removeChild(i),l.appendChecked||n.grep(ea(q,"input"),ia),r=0;while(g=q[r++])if(d&&n.inArray(g,d)>-1)e&&e.push(g);else if(h=n.contains(g.ownerDocument,g),i=ea(p.appendChild(g),"script"),h&&fa(i),c){f=0;while(g=i[f++])_.test(g.type||"")&&c.push(g)}return i=null,p}!function(){var b,c,e=d.createElement("div");for(b in{submit:!0,change:!0,focusin:!0})c="on"+b,(l[b]=c in a)||(e.setAttribute(c,"t"),l[b]=e.attributes[c].expando===!1);e=null}();var ka=/^(?:input|select|textarea)$/i,la=/^key/,ma=/^(?:mouse|pointer|contextmenu|drag|drop)|click/,na=/^(?:focusinfocus|focusoutblur)$/,oa=/^([^.]*)(?:\.(.+)|)/;function pa(){return!0}function qa(){return!1}function ra(){try{return d.activeElement}catch(a){}}function sa(a,b,c,d,e,f){var g,h;if("object"==typeof b){"string"!=typeof c&&(d=d||c,c=void 0);for(h in b)sa(a,h,c,d,b[h],f);return a}if(null==d&&null==e?(e=c,d=c=void 0):null==e&&("string"==typeof c?(e=d,d=void 0):(e=d,d=c,c=void 0)),e===!1)e=qa;else if(!e)return a;return 1===f&&(g=e,e=function(a){return n().off(a),g.apply(this,arguments)},e.guid=g.guid||(g.guid=n.guid++)),a.each(function(){n.event.add(this,b,e,d,c)})}n.event={global:{},add:function(a,b,c,d,e){var f,g,h,i,j,k,l,m,o,p,q,r=n._data(a);if(r){c.handler&&(i=c,c=i.handler,e=i.selector),c.guid||(c.guid=n.guid++),(g=r.events)||(g=r.events={}),(k=r.handle)||(k=r.handle=function(a){return"undefined"==typeof n||a&&n.event.triggered===a.type?void 0:n.event.dispatch.apply(k.elem,arguments)},k.elem=a),b=(b||"").match(G)||[""],h=b.length;while(h--)f=oa.exec(b[h])||[],o=q=f[1],p=(f[2]||"").split(".").sort(),o&&(j=n.event.special[o]||{},o=(e?j.delegateType:j.bindType)||o,j=n.event.special[o]||{},l=n.extend({type:o,origType:q,data:d,handler:c,guid:c.guid,selector:e,needsContext:e&&n.expr.match.needsContext.test(e),namespace:p.join(".")},i),(m=g[o])||(m=g[o]=[],m.delegateCount=0,j.setup&&j.setup.call(a,d,p,k)!==!1||(a.addEventListener?a.addEventListener(o,k,!1):a.attachEvent&&a.attachEvent("on"+o,k))),j.add&&(j.add.call(a,l),l.handler.guid||(l.handler.guid=c.guid)),e?m.splice(m.delegateCount++,0,l):m.push(l),n.event.global[o]=!0);a=null}},remove:function(a,b,c,d,e){var f,g,h,i,j,k,l,m,o,p,q,r=n.hasData(a)&&n._data(a);if(r&&(k=r.events)){b=(b||"").match(G)||[""],j=b.length;while(j--)if(h=oa.exec(b[j])||[],o=q=h[1],p=(h[2]||"").split(".").sort(),o){l=n.event.special[o]||{},o=(d?l.delegateType:l.bindType)||o,m=k[o]||[],h=h[2]&&new RegExp("(^|\\.)"+p.join("\\.(?:.*\\.|)")+"(\\.|$)"),i=f=m.length;while(f--)g=m[f],!e&&q!==g.origType||c&&c.guid!==g.guid||h&&!h.test(g.namespace)||d&&d!==g.selector&&("**"!==d||!g.selector)||(m.splice(f,1),g.selector&&m.delegateCount--,l.remove&&l.remove.call(a,g));i&&!m.length&&(l.teardown&&l.teardown.call(a,p,r.handle)!==!1||n.removeEvent(a,o,r.handle),delete k[o])}else for(o in k)n.event.remove(a,o+b[j],c,d,!0);n.isEmptyObject(k)&&(delete r.handle,n._removeData(a,"events"))}},trigger:function(b,c,e,f){var g,h,i,j,l,m,o,p=[e||d],q=k.call(b,"type")?b.type:b,r=k.call(b,"namespace")?b.namespace.split("."):[];if(i=m=e=e||d,3!==e.nodeType&&8!==e.nodeType&&!na.test(q+n.event.triggered)&&(q.indexOf(".")>-1&&(r=q.split("."),q=r.shift(),r.sort()),h=q.indexOf(":")<0&&"on"+q,b=b[n.expando]?b:new n.Event(q,"object"==typeof b&&b),b.isTrigger=f?2:3,b.namespace=r.join("."),b.rnamespace=b.namespace?new RegExp("(^|\\.)"+r.join("\\.(?:.*\\.|)")+"(\\.|$)"):null,b.result=void 0,b.target||(b.target=e),c=null==c?[b]:n.makeArray(c,[b]),l=n.event.special[q]||{},f||!l.trigger||l.trigger.apply(e,c)!==!1)){if(!f&&!l.noBubble&&!n.isWindow(e)){for(j=l.delegateType||q,na.test(j+q)||(i=i.parentNode);i;i=i.parentNode)p.push(i),m=i;m===(e.ownerDocument||d)&&p.push(m.defaultView||m.parentWindow||a)}o=0;while((i=p[o++])&&!b.isPropagationStopped())b.type=o>1?j:l.bindType||q,g=(n._data(i,"events")||{})[b.type]&&n._data(i,"handle"),g&&g.apply(i,c),g=h&&i[h],g&&g.apply&&M(i)&&(b.result=g.apply(i,c),b.result===!1&&b.preventDefault());if(b.type=q,!f&&!b.isDefaultPrevented()&&(!l._default||l._default.apply(p.pop(),c)===!1)&&M(e)&&h&&e[q]&&!n.isWindow(e)){m=e[h],m&&(e[h]=null),n.event.triggered=q;try{e[q]()}catch(s){}n.event.triggered=void 0,m&&(e[h]=m)}return b.result}},dispatch:function(a){a=n.event.fix(a);var b,c,d,f,g,h=[],i=e.call(arguments),j=(n._data(this,"events")||{})[a.type]||[],k=n.event.special[a.type]||{};if(i[0]=a,a.delegateTarget=this,!k.preDispatch||k.preDispatch.call(this,a)!==!1){h=n.event.handlers.call(this,a,j),b=0;while((f=h[b++])&&!a.isPropagationStopped()){a.currentTarget=f.elem,c=0;while((g=f.handlers[c++])&&!a.isImmediatePropagationStopped())a.rnamespace&&!a.rnamespace.test(g.namespace)||(a.handleObj=g,a.data=g.data,d=((n.event.special[g.origType]||{}).handle||g.handler).apply(f.elem,i),void 0!==d&&(a.result=d)===!1&&(a.preventDefault(),a.stopPropagation()))}return k.postDispatch&&k.postDispatch.call(this,a),a.result}},handlers:function(a,b){var c,d,e,f,g=[],h=b.delegateCount,i=a.target;if(h&&i.nodeType&&("click"!==a.type||isNaN(a.button)||a.button<1))for(;i!=this;i=i.parentNode||this)if(1===i.nodeType&&(i.disabled!==!0||"click"!==a.type)){for(d=[],c=0;h>c;c++)f=b[c],e=f.selector+" ",void 0===d[e]&&(d[e]=f.needsContext?n(e,this).index(i)>-1:n.find(e,this,null,[i]).length),d[e]&&d.push(f);d.length&&g.push({elem:i,handlers:d})}return h<b.length&&g.push({elem:this,handlers:b.slice(h)}),g},fix:function(a){if(a[n.expando])return a;var b,c,e,f=a.type,g=a,h=this.fixHooks[f];h||(this.fixHooks[f]=h=ma.test(f)?this.mouseHooks:la.test(f)?this.keyHooks:{}),e=h.props?this.props.concat(h.props):this.props,a=new n.Event(g),b=e.length;while(b--)c=e[b],a[c]=g[c];return a.target||(a.target=g.srcElement||d),3===a.target.nodeType&&(a.target=a.target.parentNode),a.metaKey=!!a.metaKey,h.filter?h.filter(a,g):a},props:"altKey bubbles cancelable ctrlKey currentTarget detail eventPhase metaKey relatedTarget shiftKey target timeStamp view which".split(" "),fixHooks:{},keyHooks:{props:"char charCode key keyCode".split(" "),filter:function(a,b){return null==a.which&&(a.which=null!=b.charCode?b.charCode:b.keyCode),a}},mouseHooks:{props:"button buttons clientX clientY fromElement offsetX offsetY pageX pageY screenX screenY toElement".split(" "),filter:function(a,b){var c,e,f,g=b.button,h=b.fromElement;return null==a.pageX&&null!=b.clientX&&(e=a.target.ownerDocument||d,f=e.documentElement,c=e.body,a.pageX=b.clientX+(f&&f.scrollLeft||c&&c.scrollLeft||0)-(f&&f.clientLeft||c&&c.clientLeft||0),a.pageY=b.clientY+(f&&f.scrollTop||c&&c.scrollTop||0)-(f&&f.clientTop||c&&c.clientTop||0)),!a.relatedTarget&&h&&(a.relatedTarget=h===a.target?b.toElement:h),a.which||void 0===g||(a.which=1&g?1:2&g?3:4&g?2:0),a}},special:{load:{noBubble:!0},focus:{trigger:function(){if(this!==ra()&&this.focus)try{return this.focus(),!1}catch(a){}},delegateType:"focusin"},blur:{trigger:function(){return this===ra()&&this.blur?(this.blur(),!1):void 0},delegateType:"focusout"},click:{trigger:function(){return n.nodeName(this,"input")&&"checkbox"===this.type&&this.click?(this.click(),!1):void 0},_default:function(a){return n.nodeName(a.target,"a")}},beforeunload:{postDispatch:function(a){void 0!==a.result&&a.originalEvent&&(a.originalEvent.returnValue=a.result)}}},simulate:function(a,b,c){var d=n.extend(new n.Event,c,{type:a,isSimulated:!0});n.event.trigger(d,null,b),d.isDefaultPrevented()&&c.preventDefault()}},n.removeEvent=d.removeEventListener?function(a,b,c){a.removeEventListener&&a.removeEventListener(b,c)}:function(a,b,c){var d="on"+b;a.detachEvent&&("undefined"==typeof a[d]&&(a[d]=null),a.detachEvent(d,c))},n.Event=function(a,b){return this instanceof n.Event?(a&&a.type?(this.originalEvent=a,this.type=a.type,this.isDefaultPrevented=a.defaultPrevented||void 0===a.defaultPrevented&&a.returnValue===!1?pa:qa):this.type=a,b&&n.extend(this,b),this.timeStamp=a&&a.timeStamp||n.now(),void(this[n.expando]=!0)):new n.Event(a,b)},n.Event.prototype={constructor:n.Event,isDefaultPrevented:qa,isPropagationStopped:qa,isImmediatePropagationStopped:qa,preventDefault:function(){var a=this.originalEvent;this.isDefaultPrevented=pa,a&&(a.preventDefault?a.preventDefault():a.returnValue=!1)},stopPropagation:function(){var a=this.originalEvent;this.isPropagationStopped=pa,a&&!this.isSimulated&&(a.stopPropagation&&a.stopPropagation(),a.cancelBubble=!0)},stopImmediatePropagation:function(){var a=this.originalEvent;this.isImmediatePropagationStopped=pa,a&&a.stopImmediatePropagation&&a.stopImmediatePropagation(),this.stopPropagation()}},n.each({mouseenter:"mouseover",mouseleave:"mouseout",pointerenter:"pointerover",pointerleave:"pointerout"},function(a,b){n.event.special[a]={delegateType:b,bindType:b,handle:function(a){var c,d=this,e=a.relatedTarget,f=a.handleObj;return e&&(e===d||n.contains(d,e))||(a.type=f.origType,c=f.handler.apply(this,arguments),a.type=b),c}}}),l.submit||(n.event.special.submit={setup:function(){return n.nodeName(this,"form")?!1:void n.event.add(this,"click._submit keypress._submit",function(a){var b=a.target,c=n.nodeName(b,"input")||n.nodeName(b,"button")?n.prop(b,"form"):void 0;c&&!n._data(c,"submit")&&(n.event.add(c,"submit._submit",function(a){a._submitBubble=!0}),n._data(c,"submit",!0))})},postDispatch:function(a){a._submitBubble&&(delete a._submitBubble,this.parentNode&&!a.isTrigger&&n.event.simulate("submit",this.parentNode,a))},teardown:function(){return n.nodeName(this,"form")?!1:void n.event.remove(this,"._submit")}}),l.change||(n.event.special.change={setup:function(){return ka.test(this.nodeName)?("checkbox"!==this.type&&"radio"!==this.type||(n.event.add(this,"propertychange._change",function(a){"checked"===a.originalEvent.propertyName&&(this._justChanged=!0)}),n.event.add(this,"click._change",function(a){this._justChanged&&!a.isTrigger&&(this._justChanged=!1),n.event.simulate("change",this,a)})),!1):void n.event.add(this,"beforeactivate._change",function(a){var b=a.target;ka.test(b.nodeName)&&!n._data(b,"change")&&(n.event.add(b,"change._change",function(a){!this.parentNode||a.isSimulated||a.isTrigger||n.event.simulate("change",this.parentNode,a)}),n._data(b,"change",!0))})},handle:function(a){var b=a.target;return this!==b||a.isSimulated||a.isTrigger||"radio"!==b.type&&"checkbox"!==b.type?a.handleObj.handler.apply(this,arguments):void 0},teardown:function(){return n.event.remove(this,"._change"),!ka.test(this.nodeName)}}),l.focusin||n.each({focus:"focusin",blur:"focusout"},function(a,b){var c=function(a){n.event.simulate(b,a.target,n.event.fix(a))};n.event.special[b]={setup:function(){var d=this.ownerDocument||this,e=n._data(d,b);e||d.addEventListener(a,c,!0),n._data(d,b,(e||0)+1)},teardown:function(){var d=this.ownerDocument||this,e=n._data(d,b)-1;e?n._data(d,b,e):(d.removeEventListener(a,c,!0),n._removeData(d,b))}}}),n.fn.extend({on:function(a,b,c,d){return sa(this,a,b,c,d)},one:function(a,b,c,d){return sa(this,a,b,c,d,1)},off:function(a,b,c){var d,e;if(a&&a.preventDefault&&a.handleObj)return d=a.handleObj,n(a.delegateTarget).off(d.namespace?d.origType+"."+d.namespace:d.origType,d.selector,d.handler),this;if("object"==typeof a){for(e in a)this.off(e,b,a[e]);return this}return b!==!1&&"function"!=typeof b||(c=b,b=void 0),c===!1&&(c=qa),this.each(function(){n.event.remove(this,a,c,b)})},trigger:function(a,b){return this.each(function(){n.event.trigger(a,b,this)})},triggerHandler:function(a,b){var c=this[0];return c?n.event.trigger(a,b,c,!0):void 0}});var ta=/ jQuery\d+="(?:null|\d+)"/g,ua=new RegExp("<(?:"+ba+")[\\s/>]","i"),va=/<(?!area|br|col|embed|hr|img|input|link|meta|param)(([\w:-]+)[^>]*)\/>/gi,wa=/<script|<style|<link/i,xa=/checked\s*(?:[^=]|=\s*.checked.)/i,ya=/^true\/(.*)/,za=/^\s*<!(?:\[CDATA\[|--)|(?:\]\]|--)>\s*$/g,Aa=ca(d),Ba=Aa.appendChild(d.createElement("div"));function Ca(a,b){return n.nodeName(a,"table")&&n.nodeName(11!==b.nodeType?b:b.firstChild,"tr")?a.getElementsByTagName("tbody")[0]||a.appendChild(a.ownerDocument.createElement("tbody")):a}function Da(a){return a.type=(null!==n.find.attr(a,"type"))+"/"+a.type,a}function Ea(a){var b=ya.exec(a.type);return b?a.type=b[1]:a.removeAttribute("type"),a}function Fa(a,b){if(1===b.nodeType&&n.hasData(a)){var c,d,e,f=n._data(a),g=n._data(b,f),h=f.events;if(h){delete g.handle,g.events={};for(c in h)for(d=0,e=h[c].length;e>d;d++)n.event.add(b,c,h[c][d])}g.data&&(g.data=n.extend({},g.data))}}function Ga(a,b){var c,d,e;if(1===b.nodeType){if(c=b.nodeName.toLowerCase(),!l.noCloneEvent&&b[n.expando]){e=n._data(b);for(d in e.events)n.removeEvent(b,d,e.handle);b.removeAttribute(n.expando)}"script"===c&&b.text!==a.text?(Da(b).text=a.text,Ea(b)):"object"===c?(b.parentNode&&(b.outerHTML=a.outerHTML),l.html5Clone&&a.innerHTML&&!n.trim(b.innerHTML)&&(b.innerHTML=a.innerHTML)):"input"===c&&Z.test(a.type)?(b.defaultChecked=b.checked=a.checked,b.value!==a.value&&(b.value=a.value)):"option"===c?b.defaultSelected=b.selected=a.defaultSelected:"input"!==c&&"textarea"!==c||(b.defaultValue=a.defaultValue)}}function Ha(a,b,c,d){b=f.apply([],b);var e,g,h,i,j,k,m=0,o=a.length,p=o-1,q=b[0],r=n.isFunction(q);if(r||o>1&&"string"==typeof q&&!l.checkClone&&xa.test(q))return a.each(function(e){var f=a.eq(e);r&&(b[0]=q.call(this,e,f.html())),Ha(f,b,c,d)});if(o&&(k=ja(b,a[0].ownerDocument,!1,a,d),e=k.firstChild,1===k.childNodes.length&&(k=e),e||d)){for(i=n.map(ea(k,"script"),Da),h=i.length;o>m;m++)g=k,m!==p&&(g=n.clone(g,!0,!0),h&&n.merge(i,ea(g,"script"))),c.call(a[m],g,m);if(h)for(j=i[i.length-1].ownerDocument,n.map(i,Ea),m=0;h>m;m++)g=i[m],_.test(g.type||"")&&!n._data(g,"globalEval")&&n.contains(j,g)&&(g.src?n._evalUrl&&n._evalUrl(g.src):n.globalEval((g.text||g.textContent||g.innerHTML||"").replace(za,"")));k=e=null}return a}function Ia(a,b,c){for(var d,e=b?n.filter(b,a):a,f=0;null!=(d=e[f]);f++)c||1!==d.nodeType||n.cleanData(ea(d)),d.parentNode&&(c&&n.contains(d.ownerDocument,d)&&fa(ea(d,"script")),d.parentNode.removeChild(d));return a}n.extend({htmlPrefilter:function(a){return a.replace(va,"<$1></$2>")},clone:function(a,b,c){var d,e,f,g,h,i=n.contains(a.ownerDocument,a);if(l.html5Clone||n.isXMLDoc(a)||!ua.test("<"+a.nodeName+">")?f=a.cloneNode(!0):(Ba.innerHTML=a.outerHTML,Ba.removeChild(f=Ba.firstChild)),!(l.noCloneEvent&&l.noCloneChecked||1!==a.nodeType&&11!==a.nodeType||n.isXMLDoc(a)))for(d=ea(f),h=ea(a),g=0;null!=(e=h[g]);++g)d[g]&&Ga(e,d[g]);if(b)if(c)for(h=h||ea(a),d=d||ea(f),g=0;null!=(e=h[g]);g++)Fa(e,d[g]);else Fa(a,f);return d=ea(f,"script"),d.length>0&&fa(d,!i&&ea(a,"script")),d=h=e=null,f},cleanData:function(a,b){for(var d,e,f,g,h=0,i=n.expando,j=n.cache,k=l.attributes,m=n.event.special;null!=(d=a[h]);h++)if((b||M(d))&&(f=d[i],g=f&&j[f])){if(g.events)for(e in g.events)m[e]?n.event.remove(d,e):n.removeEvent(d,e,g.handle);j[f]&&(delete j[f],k||"undefined"==typeof d.removeAttribute?d[i]=void 0:d.removeAttribute(i),c.push(f))}}}),n.fn.extend({domManip:Ha,detach:function(a){return Ia(this,a,!0)},remove:function(a){return Ia(this,a)},text:function(a){return Y(this,function(a){return void 0===a?n.text(this):this.empty().append((this[0]&&this[0].ownerDocument||d).createTextNode(a))},null,a,arguments.length)},append:function(){return Ha(this,arguments,function(a){if(1===this.nodeType||11===this.nodeType||9===this.nodeType){var b=Ca(this,a);b.appendChild(a)}})},prepend:function(){return Ha(this,arguments,function(a){if(1===this.nodeType||11===this.nodeType||9===this.nodeType){var b=Ca(this,a);b.insertBefore(a,b.firstChild)}})},before:function(){return Ha(this,arguments,function(a){this.parentNode&&this.parentNode.insertBefore(a,this)})},after:function(){return Ha(this,arguments,function(a){this.parentNode&&this.parentNode.insertBefore(a,this.nextSibling)})},empty:function(){for(var a,b=0;null!=(a=this[b]);b++){1===a.nodeType&&n.cleanData(ea(a,!1));while(a.firstChild)a.removeChild(a.firstChild);a.options&&n.nodeName(a,"select")&&(a.options.length=0)}return this},clone:function(a,b){return a=null==a?!1:a,b=null==b?a:b,this.map(function(){return n.clone(this,a,b)})},html:function(a){return Y(this,function(a){var b=this[0]||{},c=0,d=this.length;if(void 0===a)return 1===b.nodeType?b.innerHTML.replace(ta,""):void 0;if("string"==typeof a&&!wa.test(a)&&(l.htmlSerialize||!ua.test(a))&&(l.leadingWhitespace||!aa.test(a))&&!da[($.exec(a)||["",""])[1].toLowerCase()]){a=n.htmlPrefilter(a);try{for(;d>c;c++)b=this[c]||{},1===b.nodeType&&(n.cleanData(ea(b,!1)),b.innerHTML=a);b=0}catch(e){}}b&&this.empty().append(a)},null,a,arguments.length)},replaceWith:function(){var a=[];return Ha(this,arguments,function(b){var c=this.parentNode;n.inArray(this,a)<0&&(n.cleanData(ea(this)),c&&c.replaceChild(b,this))},a)}}),n.each({appendTo:"append",prependTo:"prepend",insertBefore:"before",insertAfter:"after",replaceAll:"replaceWith"},function(a,b){n.fn[a]=function(a){for(var c,d=0,e=[],f=n(a),h=f.length-1;h>=d;d++)c=d===h?this:this.clone(!0),n(f[d])[b](c),g.apply(e,c.get());return this.pushStack(e)}});var Ja,Ka={HTML:"block",BODY:"block"};function La(a,b){var c=n(b.createElement(a)).appendTo(b.body),d=n.css(c[0],"display");return c.detach(),d}function Ma(a){var b=d,c=Ka[a];return c||(c=La(a,b),"none"!==c&&c||(Ja=(Ja||n("<iframe frameborder='0' width='0' height='0'/>")).appendTo(b.documentElement),b=(Ja[0].contentWindow||Ja[0].contentDocument).document,b.write(),b.close(),c=La(a,b),Ja.detach()),Ka[a]=c),c}var Na=/^margin/,Oa=new RegExp("^("+T+")(?!px)[a-z%]+$","i"),Pa=function(a,b,c,d){var e,f,g={};for(f in b)g[f]=a.style[f],a.style[f]=b[f];e=c.apply(a,d||[]);for(f in b)a.style[f]=g[f];return e},Qa=d.documentElement;!function(){var b,c,e,f,g,h,i=d.createElement("div"),j=d.createElement("div");if(j.style){j.style.cssText="float:left;opacity:.5",l.opacity="0.5"===j.style.opacity,l.cssFloat=!!j.style.cssFloat,j.style.backgroundClip="content-box",j.cloneNode(!0).style.backgroundClip="",l.clearCloneStyle="content-box"===j.style.backgroundClip,i=d.createElement("div"),i.style.cssText="border:0;width:8px;height:0;top:0;left:-9999px;padding:0;margin-top:1px;position:absolute",j.innerHTML="",i.appendChild(j),l.boxSizing=""===j.style.boxSizing||""===j.style.MozBoxSizing||""===j.style.WebkitBoxSizing,n.extend(l,{reliableHiddenOffsets:function(){return null==b&&k(),f},boxSizingReliable:function(){return null==b&&k(),e},pixelMarginRight:function(){return null==b&&k(),c},pixelPosition:function(){return null==b&&k(),b},reliableMarginRight:function(){return null==b&&k(),g},reliableMarginLeft:function(){return null==b&&k(),h}});function k(){var k,l,m=d.documentElement;m.appendChild(i),j.style.cssText="-webkit-box-sizing:border-box;box-sizing:border-box;position:relative;display:block;margin:auto;border:1px;padding:1px;top:1%;width:50%",b=e=h=!1,c=g=!0,a.getComputedStyle&&(l=a.getComputedStyle(j),b="1%"!==(l||{}).top,h="2px"===(l||{}).marginLeft,e="4px"===(l||{width:"4px"}).width,j.style.marginRight="50%",c="4px"===(l||{marginRight:"4px"}).marginRight,k=j.appendChild(d.createElement("div")),k.style.cssText=j.style.cssText="-webkit-box-sizing:content-box;-moz-box-sizing:content-box;box-sizing:content-box;display:block;margin:0;border:0;padding:0",k.style.marginRight=k.style.width="0",j.style.width="1px",g=!parseFloat((a.getComputedStyle(k)||{}).marginRight),j.removeChild(k)),j.style.display="none",f=0===j.getClientRects().length,f&&(j.style.display="",j.innerHTML="<table><tr><td></td><td>t</td></tr></table>",j.childNodes[0].style.borderCollapse="separate",k=j.getElementsByTagName("td"),k[0].style.cssText="margin:0;border:0;padding:0;display:none",f=0===k[0].offsetHeight,f&&(k[0].style.display="",k[1].style.display="none",f=0===k[0].offsetHeight)),m.removeChild(i)}}}();var Ra,Sa,Ta=/^(top|right|bottom|left)$/;a.getComputedStyle?(Ra=function(b){var c=b.ownerDocument.defaultView;return c&&c.opener||(c=a),c.getComputedStyle(b)},Sa=function(a,b,c){var d,e,f,g,h=a.style;return c=c||Ra(a),g=c?c.getPropertyValue(b)||c[b]:void 0,""!==g&&void 0!==g||n.contains(a.ownerDocument,a)||(g=n.style(a,b)),c&&!l.pixelMarginRight()&&Oa.test(g)&&Na.test(b)&&(d=h.width,e=h.minWidth,f=h.maxWidth,h.minWidth=h.maxWidth=h.width=g,g=c.width,h.width=d,h.minWidth=e,h.maxWidth=f),void 0===g?g:g+""}):Qa.currentStyle&&(Ra=function(a){return a.currentStyle},Sa=function(a,b,c){var d,e,f,g,h=a.style;return c=c||Ra(a),g=c?c[b]:void 0,null==g&&h&&h[b]&&(g=h[b]),Oa.test(g)&&!Ta.test(b)&&(d=h.left,e=a.runtimeStyle,f=e&&e.left,f&&(e.left=a.currentStyle.left),h.left="fontSize"===b?"1em":g,g=h.pixelLeft+"px",h.left=d,f&&(e.left=f)),void 0===g?g:g+""||"auto"});function Ua(a,b){return{get:function(){return a()?void delete this.get:(this.get=b).apply(this,arguments)}}}var Va=/alpha\([^)]*\)/i,Wa=/opacity\s*=\s*([^)]*)/i,Xa=/^(none|table(?!-c[ea]).+)/,Ya=new RegExp("^("+T+")(.*)$","i"),Za={position:"absolute",visibility:"hidden",display:"block"},$a={letterSpacing:"0",fontWeight:"400"},_a=["Webkit","O","Moz","ms"],ab=d.createElement("div").style;function bb(a){if(a in ab)return a;var b=a.charAt(0).toUpperCase()+a.slice(1),c=_a.length;while(c--)if(a=_a[c]+b,a in ab)return a}function cb(a,b){for(var c,d,e,f=[],g=0,h=a.length;h>g;g++)d=a[g],d.style&&(f[g]=n._data(d,"olddisplay"),c=d.style.display,b?(f[g]||"none"!==c||(d.style.display=""),""===d.style.display&&W(d)&&(f[g]=n._data(d,"olddisplay",Ma(d.nodeName)))):(e=W(d),(c&&"none"!==c||!e)&&n._data(d,"olddisplay",e?c:n.css(d,"display"))));for(g=0;h>g;g++)d=a[g],d.style&&(b&&"none"!==d.style.display&&""!==d.style.display||(d.style.display=b?f[g]||"":"none"));return a}function db(a,b,c){var d=Ya.exec(b);return d?Math.max(0,d[1]-(c||0))+(d[2]||"px"):b}function eb(a,b,c,d,e){for(var f=c===(d?"border":"content")?4:"width"===b?1:0,g=0;4>f;f+=2)"margin"===c&&(g+=n.css(a,c+V[f],!0,e)),d?("content"===c&&(g-=n.css(a,"padding"+V[f],!0,e)),"margin"!==c&&(g-=n.css(a,"border"+V[f]+"Width",!0,e))):(g+=n.css(a,"padding"+V[f],!0,e),"padding"!==c&&(g+=n.css(a,"border"+V[f]+"Width",!0,e)));return g}function fb(a,b,c){var d=!0,e="width"===b?a.offsetWidth:a.offsetHeight,f=Ra(a),g=l.boxSizing&&"border-box"===n.css(a,"boxSizing",!1,f);if(0>=e||null==e){if(e=Sa(a,b,f),(0>e||null==e)&&(e=a.style[b]),Oa.test(e))return e;d=g&&(l.boxSizingReliable()||e===a.style[b]),e=parseFloat(e)||0}return e+eb(a,b,c||(g?"border":"content"),d,f)+"px"}n.extend({cssHooks:{opacity:{get:function(a,b){if(b){var c=Sa(a,"opacity");return""===c?"1":c}}}},cssNumber:{animationIterationCount:!0,columnCount:!0,fillOpacity:!0,flexGrow:!0,flexShrink:!0,fontWeight:!0,lineHeight:!0,opacity:!0,order:!0,orphans:!0,widows:!0,zIndex:!0,zoom:!0},cssProps:{"float":l.cssFloat?"cssFloat":"styleFloat"},style:function(a,b,c,d){if(a&&3!==a.nodeType&&8!==a.nodeType&&a.style){var e,f,g,h=n.camelCase(b),i=a.style;if(b=n.cssProps[h]||(n.cssProps[h]=bb(h)||h),g=n.cssHooks[b]||n.cssHooks[h],void 0===c)return g&&"get"in g&&void 0!==(e=g.get(a,!1,d))?e:i[b];if(f=typeof c,"string"===f&&(e=U.exec(c))&&e[1]&&(c=X(a,b,e),f="number"),null!=c&&c===c&&("number"===f&&(c+=e&&e[3]||(n.cssNumber[h]?"":"px")),l.clearCloneStyle||""!==c||0!==b.indexOf("background")||(i[b]="inherit"),!(g&&"set"in g&&void 0===(c=g.set(a,c,d)))))try{i[b]=c}catch(j){}}},css:function(a,b,c,d){var e,f,g,h=n.camelCase(b);return b=n.cssProps[h]||(n.cssProps[h]=bb(h)||h),g=n.cssHooks[b]||n.cssHooks[h],g&&"get"in g&&(f=g.get(a,!0,c)),void 0===f&&(f=Sa(a,b,d)),"normal"===f&&b in $a&&(f=$a[b]),""===c||c?(e=parseFloat(f),c===!0||isFinite(e)?e||0:f):f}}),n.each(["height","width"],function(a,b){n.cssHooks[b]={get:function(a,c,d){return c?Xa.test(n.css(a,"display"))&&0===a.offsetWidth?Pa(a,Za,function(){return fb(a,b,d)}):fb(a,b,d):void 0},set:function(a,c,d){var e=d&&Ra(a);return db(a,c,d?eb(a,b,d,l.boxSizing&&"border-box"===n.css(a,"boxSizing",!1,e),e):0)}}}),l.opacity||(n.cssHooks.opacity={get:function(a,b){return Wa.test((b&&a.currentStyle?a.currentStyle.filter:a.style.filter)||"")?.01*parseFloat(RegExp.$1)+"":b?"1":""},set:function(a,b){var c=a.style,d=a.currentStyle,e=n.isNumeric(b)?"alpha(opacity="+100*b+")":"",f=d&&d.filter||c.filter||"";c.zoom=1,(b>=1||""===b)&&""===n.trim(f.replace(Va,""))&&c.removeAttribute&&(c.removeAttribute("filter"),""===b||d&&!d.filter)||(c.filter=Va.test(f)?f.replace(Va,e):f+" "+e)}}),n.cssHooks.marginRight=Ua(l.reliableMarginRight,function(a,b){return b?Pa(a,{display:"inline-block"},Sa,[a,"marginRight"]):void 0}),n.cssHooks.marginLeft=Ua(l.reliableMarginLeft,function(a,b){return b?(parseFloat(Sa(a,"marginLeft"))||(n.contains(a.ownerDocument,a)?a.getBoundingClientRect().left-Pa(a,{
-marginLeft:0},function(){return a.getBoundingClientRect().left}):0))+"px":void 0}),n.each({margin:"",padding:"",border:"Width"},function(a,b){n.cssHooks[a+b]={expand:function(c){for(var d=0,e={},f="string"==typeof c?c.split(" "):[c];4>d;d++)e[a+V[d]+b]=f[d]||f[d-2]||f[0];return e}},Na.test(a)||(n.cssHooks[a+b].set=db)}),n.fn.extend({css:function(a,b){return Y(this,function(a,b,c){var d,e,f={},g=0;if(n.isArray(b)){for(d=Ra(a),e=b.length;e>g;g++)f[b[g]]=n.css(a,b[g],!1,d);return f}return void 0!==c?n.style(a,b,c):n.css(a,b)},a,b,arguments.length>1)},show:function(){return cb(this,!0)},hide:function(){return cb(this)},toggle:function(a){return"boolean"==typeof a?a?this.show():this.hide():this.each(function(){W(this)?n(this).show():n(this).hide()})}});function gb(a,b,c,d,e){return new gb.prototype.init(a,b,c,d,e)}n.Tween=gb,gb.prototype={constructor:gb,init:function(a,b,c,d,e,f){this.elem=a,this.prop=c,this.easing=e||n.easing._default,this.options=b,this.start=this.now=this.cur(),this.end=d,this.unit=f||(n.cssNumber[c]?"":"px")},cur:function(){var a=gb.propHooks[this.prop];return a&&a.get?a.get(this):gb.propHooks._default.get(this)},run:function(a){var b,c=gb.propHooks[this.prop];return this.options.duration?this.pos=b=n.easing[this.easing](a,this.options.duration*a,0,1,this.options.duration):this.pos=b=a,this.now=(this.end-this.start)*b+this.start,this.options.step&&this.options.step.call(this.elem,this.now,this),c&&c.set?c.set(this):gb.propHooks._default.set(this),this}},gb.prototype.init.prototype=gb.prototype,gb.propHooks={_default:{get:function(a){var b;return 1!==a.elem.nodeType||null!=a.elem[a.prop]&&null==a.elem.style[a.prop]?a.elem[a.prop]:(b=n.css(a.elem,a.prop,""),b&&"auto"!==b?b:0)},set:function(a){n.fx.step[a.prop]?n.fx.step[a.prop](a):1!==a.elem.nodeType||null==a.elem.style[n.cssProps[a.prop]]&&!n.cssHooks[a.prop]?a.elem[a.prop]=a.now:n.style(a.elem,a.prop,a.now+a.unit)}}},gb.propHooks.scrollTop=gb.propHooks.scrollLeft={set:function(a){a.elem.nodeType&&a.elem.parentNode&&(a.elem[a.prop]=a.now)}},n.easing={linear:function(a){return a},swing:function(a){return.5-Math.cos(a*Math.PI)/2},_default:"swing"},n.fx=gb.prototype.init,n.fx.step={};var hb,ib,jb=/^(?:toggle|show|hide)$/,kb=/queueHooks$/;function lb(){return a.setTimeout(function(){hb=void 0}),hb=n.now()}function mb(a,b){var c,d={height:a},e=0;for(b=b?1:0;4>e;e+=2-b)c=V[e],d["margin"+c]=d["padding"+c]=a;return b&&(d.opacity=d.width=a),d}function nb(a,b,c){for(var d,e=(qb.tweeners[b]||[]).concat(qb.tweeners["*"]),f=0,g=e.length;g>f;f++)if(d=e[f].call(c,b,a))return d}function ob(a,b,c){var d,e,f,g,h,i,j,k,m=this,o={},p=a.style,q=a.nodeType&&W(a),r=n._data(a,"fxshow");c.queue||(h=n._queueHooks(a,"fx"),null==h.unqueued&&(h.unqueued=0,i=h.empty.fire,h.empty.fire=function(){h.unqueued||i()}),h.unqueued++,m.always(function(){m.always(function(){h.unqueued--,n.queue(a,"fx").length||h.empty.fire()})})),1===a.nodeType&&("height"in b||"width"in b)&&(c.overflow=[p.overflow,p.overflowX,p.overflowY],j=n.css(a,"display"),k="none"===j?n._data(a,"olddisplay")||Ma(a.nodeName):j,"inline"===k&&"none"===n.css(a,"float")&&(l.inlineBlockNeedsLayout&&"inline"!==Ma(a.nodeName)?p.zoom=1:p.display="inline-block")),c.overflow&&(p.overflow="hidden",l.shrinkWrapBlocks()||m.always(function(){p.overflow=c.overflow[0],p.overflowX=c.overflow[1],p.overflowY=c.overflow[2]}));for(d in b)if(e=b[d],jb.exec(e)){if(delete b[d],f=f||"toggle"===e,e===(q?"hide":"show")){if("show"!==e||!r||void 0===r[d])continue;q=!0}o[d]=r&&r[d]||n.style(a,d)}else j=void 0;if(n.isEmptyObject(o))"inline"===("none"===j?Ma(a.nodeName):j)&&(p.display=j);else{r?"hidden"in r&&(q=r.hidden):r=n._data(a,"fxshow",{}),f&&(r.hidden=!q),q?n(a).show():m.done(function(){n(a).hide()}),m.done(function(){var b;n._removeData(a,"fxshow");for(b in o)n.style(a,b,o[b])});for(d in o)g=nb(q?r[d]:0,d,m),d in r||(r[d]=g.start,q&&(g.end=g.start,g.start="width"===d||"height"===d?1:0))}}function pb(a,b){var c,d,e,f,g;for(c in a)if(d=n.camelCase(c),e=b[d],f=a[c],n.isArray(f)&&(e=f[1],f=a[c]=f[0]),c!==d&&(a[d]=f,delete a[c]),g=n.cssHooks[d],g&&"expand"in g){f=g.expand(f),delete a[d];for(c in f)c in a||(a[c]=f[c],b[c]=e)}else b[d]=e}function qb(a,b,c){var d,e,f=0,g=qb.prefilters.length,h=n.Deferred().always(function(){delete i.elem}),i=function(){if(e)return!1;for(var b=hb||lb(),c=Math.max(0,j.startTime+j.duration-b),d=c/j.duration||0,f=1-d,g=0,i=j.tweens.length;i>g;g++)j.tweens[g].run(f);return h.notifyWith(a,[j,f,c]),1>f&&i?c:(h.resolveWith(a,[j]),!1)},j=h.promise({elem:a,props:n.extend({},b),opts:n.extend(!0,{specialEasing:{},easing:n.easing._default},c),originalProperties:b,originalOptions:c,startTime:hb||lb(),duration:c.duration,tweens:[],createTween:function(b,c){var d=n.Tween(a,j.opts,b,c,j.opts.specialEasing[b]||j.opts.easing);return j.tweens.push(d),d},stop:function(b){var c=0,d=b?j.tweens.length:0;if(e)return this;for(e=!0;d>c;c++)j.tweens[c].run(1);return b?(h.notifyWith(a,[j,1,0]),h.resolveWith(a,[j,b])):h.rejectWith(a,[j,b]),this}}),k=j.props;for(pb(k,j.opts.specialEasing);g>f;f++)if(d=qb.prefilters[f].call(j,a,k,j.opts))return n.isFunction(d.stop)&&(n._queueHooks(j.elem,j.opts.queue).stop=n.proxy(d.stop,d)),d;return n.map(k,nb,j),n.isFunction(j.opts.start)&&j.opts.start.call(a,j),n.fx.timer(n.extend(i,{elem:a,anim:j,queue:j.opts.queue})),j.progress(j.opts.progress).done(j.opts.done,j.opts.complete).fail(j.opts.fail).always(j.opts.always)}n.Animation=n.extend(qb,{tweeners:{"*":[function(a,b){var c=this.createTween(a,b);return X(c.elem,a,U.exec(b),c),c}]},tweener:function(a,b){n.isFunction(a)?(b=a,a=["*"]):a=a.match(G);for(var c,d=0,e=a.length;e>d;d++)c=a[d],qb.tweeners[c]=qb.tweeners[c]||[],qb.tweeners[c].unshift(b)},prefilters:[ob],prefilter:function(a,b){b?qb.prefilters.unshift(a):qb.prefilters.push(a)}}),n.speed=function(a,b,c){var d=a&&"object"==typeof a?n.extend({},a):{complete:c||!c&&b||n.isFunction(a)&&a,duration:a,easing:c&&b||b&&!n.isFunction(b)&&b};return d.duration=n.fx.off?0:"number"==typeof d.duration?d.duration:d.duration in n.fx.speeds?n.fx.speeds[d.duration]:n.fx.speeds._default,null!=d.queue&&d.queue!==!0||(d.queue="fx"),d.old=d.complete,d.complete=function(){n.isFunction(d.old)&&d.old.call(this),d.queue&&n.dequeue(this,d.queue)},d},n.fn.extend({fadeTo:function(a,b,c,d){return this.filter(W).css("opacity",0).show().end().animate({opacity:b},a,c,d)},animate:function(a,b,c,d){var e=n.isEmptyObject(a),f=n.speed(b,c,d),g=function(){var b=qb(this,n.extend({},a),f);(e||n._data(this,"finish"))&&b.stop(!0)};return g.finish=g,e||f.queue===!1?this.each(g):this.queue(f.queue,g)},stop:function(a,b,c){var d=function(a){var b=a.stop;delete a.stop,b(c)};return"string"!=typeof a&&(c=b,b=a,a=void 0),b&&a!==!1&&this.queue(a||"fx",[]),this.each(function(){var b=!0,e=null!=a&&a+"queueHooks",f=n.timers,g=n._data(this);if(e)g[e]&&g[e].stop&&d(g[e]);else for(e in g)g[e]&&g[e].stop&&kb.test(e)&&d(g[e]);for(e=f.length;e--;)f[e].elem!==this||null!=a&&f[e].queue!==a||(f[e].anim.stop(c),b=!1,f.splice(e,1));!b&&c||n.dequeue(this,a)})},finish:function(a){return a!==!1&&(a=a||"fx"),this.each(function(){var b,c=n._data(this),d=c[a+"queue"],e=c[a+"queueHooks"],f=n.timers,g=d?d.length:0;for(c.finish=!0,n.queue(this,a,[]),e&&e.stop&&e.stop.call(this,!0),b=f.length;b--;)f[b].elem===this&&f[b].queue===a&&(f[b].anim.stop(!0),f.splice(b,1));for(b=0;g>b;b++)d[b]&&d[b].finish&&d[b].finish.call(this);delete c.finish})}}),n.each(["toggle","show","hide"],function(a,b){var c=n.fn[b];n.fn[b]=function(a,d,e){return null==a||"boolean"==typeof a?c.apply(this,arguments):this.animate(mb(b,!0),a,d,e)}}),n.each({slideDown:mb("show"),slideUp:mb("hide"),slideToggle:mb("toggle"),fadeIn:{opacity:"show"},fadeOut:{opacity:"hide"},fadeToggle:{opacity:"toggle"}},function(a,b){n.fn[a]=function(a,c,d){return this.animate(b,a,c,d)}}),n.timers=[],n.fx.tick=function(){var a,b=n.timers,c=0;for(hb=n.now();c<b.length;c++)a=b[c],a()||b[c]!==a||b.splice(c--,1);b.length||n.fx.stop(),hb=void 0},n.fx.timer=function(a){n.timers.push(a),a()?n.fx.start():n.timers.pop()},n.fx.interval=13,n.fx.start=function(){ib||(ib=a.setInterval(n.fx.tick,n.fx.interval))},n.fx.stop=function(){a.clearInterval(ib),ib=null},n.fx.speeds={slow:600,fast:200,_default:400},n.fn.delay=function(b,c){return b=n.fx?n.fx.speeds[b]||b:b,c=c||"fx",this.queue(c,function(c,d){var e=a.setTimeout(c,b);d.stop=function(){a.clearTimeout(e)}})},function(){var a,b=d.createElement("input"),c=d.createElement("div"),e=d.createElement("select"),f=e.appendChild(d.createElement("option"));c=d.createElement("div"),c.setAttribute("className","t"),c.innerHTML=" <link/><table></table><a href='/a'>a</a><input type='checkbox'/>",a=c.getElementsByTagName("a")[0],b.setAttribute("type","checkbox"),c.appendChild(b),a=c.getElementsByTagName("a")[0],a.style.cssText="top:1px",l.getSetAttribute="t"!==c.className,l.style=/top/.test(a.getAttribute("style")),l.hrefNormalized="/a"===a.getAttribute("href"),l.checkOn=!!b.value,l.optSelected=f.selected,l.enctype=!!d.createElement("form").enctype,e.disabled=!0,l.optDisabled=!f.disabled,b=d.createElement("input"),b.setAttribute("value",""),l.input=""===b.getAttribute("value"),b.value="t",b.setAttribute("type","radio"),l.radioValue="t"===b.value}();var rb=/\r/g,sb=/[\x20\t\r\n\f]+/g;n.fn.extend({val:function(a){var b,c,d,e=this[0];{if(arguments.length)return d=n.isFunction(a),this.each(function(c){var e;1===this.nodeType&&(e=d?a.call(this,c,n(this).val()):a,null==e?e="":"number"==typeof e?e+="":n.isArray(e)&&(e=n.map(e,function(a){return null==a?"":a+""})),b=n.valHooks[this.type]||n.valHooks[this.nodeName.toLowerCase()],b&&"set"in b&&void 0!==b.set(this,e,"value")||(this.value=e))});if(e)return b=n.valHooks[e.type]||n.valHooks[e.nodeName.toLowerCase()],b&&"get"in b&&void 0!==(c=b.get(e,"value"))?c:(c=e.value,"string"==typeof c?c.replace(rb,""):null==c?"":c)}}}),n.extend({valHooks:{option:{get:function(a){var b=n.find.attr(a,"value");return null!=b?b:n.trim(n.text(a)).replace(sb," ")}},select:{get:function(a){for(var b,c,d=a.options,e=a.selectedIndex,f="select-one"===a.type||0>e,g=f?null:[],h=f?e+1:d.length,i=0>e?h:f?e:0;h>i;i++)if(c=d[i],(c.selected||i===e)&&(l.optDisabled?!c.disabled:null===c.getAttribute("disabled"))&&(!c.parentNode.disabled||!n.nodeName(c.parentNode,"optgroup"))){if(b=n(c).val(),f)return b;g.push(b)}return g},set:function(a,b){var c,d,e=a.options,f=n.makeArray(b),g=e.length;while(g--)if(d=e[g],n.inArray(n.valHooks.option.get(d),f)>-1)try{d.selected=c=!0}catch(h){d.scrollHeight}else d.selected=!1;return c||(a.selectedIndex=-1),e}}}}),n.each(["radio","checkbox"],function(){n.valHooks[this]={set:function(a,b){return n.isArray(b)?a.checked=n.inArray(n(a).val(),b)>-1:void 0}},l.checkOn||(n.valHooks[this].get=function(a){return null===a.getAttribute("value")?"on":a.value})});var tb,ub,vb=n.expr.attrHandle,wb=/^(?:checked|selected)$/i,xb=l.getSetAttribute,yb=l.input;n.fn.extend({attr:function(a,b){return Y(this,n.attr,a,b,arguments.length>1)},removeAttr:function(a){return this.each(function(){n.removeAttr(this,a)})}}),n.extend({attr:function(a,b,c){var d,e,f=a.nodeType;if(3!==f&&8!==f&&2!==f)return"undefined"==typeof a.getAttribute?n.prop(a,b,c):(1===f&&n.isXMLDoc(a)||(b=b.toLowerCase(),e=n.attrHooks[b]||(n.expr.match.bool.test(b)?ub:tb)),void 0!==c?null===c?void n.removeAttr(a,b):e&&"set"in e&&void 0!==(d=e.set(a,c,b))?d:(a.setAttribute(b,c+""),c):e&&"get"in e&&null!==(d=e.get(a,b))?d:(d=n.find.attr(a,b),null==d?void 0:d))},attrHooks:{type:{set:function(a,b){if(!l.radioValue&&"radio"===b&&n.nodeName(a,"input")){var c=a.value;return a.setAttribute("type",b),c&&(a.value=c),b}}}},removeAttr:function(a,b){var c,d,e=0,f=b&&b.match(G);if(f&&1===a.nodeType)while(c=f[e++])d=n.propFix[c]||c,n.expr.match.bool.test(c)?yb&&xb||!wb.test(c)?a[d]=!1:a[n.camelCase("default-"+c)]=a[d]=!1:n.attr(a,c,""),a.removeAttribute(xb?c:d)}}),ub={set:function(a,b,c){return b===!1?n.removeAttr(a,c):yb&&xb||!wb.test(c)?a.setAttribute(!xb&&n.propFix[c]||c,c):a[n.camelCase("default-"+c)]=a[c]=!0,c}},n.each(n.expr.match.bool.source.match(/\w+/g),function(a,b){var c=vb[b]||n.find.attr;yb&&xb||!wb.test(b)?vb[b]=function(a,b,d){var e,f;return d||(f=vb[b],vb[b]=e,e=null!=c(a,b,d)?b.toLowerCase():null,vb[b]=f),e}:vb[b]=function(a,b,c){return c?void 0:a[n.camelCase("default-"+b)]?b.toLowerCase():null}}),yb&&xb||(n.attrHooks.value={set:function(a,b,c){return n.nodeName(a,"input")?void(a.defaultValue=b):tb&&tb.set(a,b,c)}}),xb||(tb={set:function(a,b,c){var d=a.getAttributeNode(c);return d||a.setAttributeNode(d=a.ownerDocument.createAttribute(c)),d.value=b+="","value"===c||b===a.getAttribute(c)?b:void 0}},vb.id=vb.name=vb.coords=function(a,b,c){var d;return c?void 0:(d=a.getAttributeNode(b))&&""!==d.value?d.value:null},n.valHooks.button={get:function(a,b){var c=a.getAttributeNode(b);return c&&c.specified?c.value:void 0},set:tb.set},n.attrHooks.contenteditable={set:function(a,b,c){tb.set(a,""===b?!1:b,c)}},n.each(["width","height"],function(a,b){n.attrHooks[b]={set:function(a,c){return""===c?(a.setAttribute(b,"auto"),c):void 0}}})),l.style||(n.attrHooks.style={get:function(a){return a.style.cssText||void 0},set:function(a,b){return a.style.cssText=b+""}});var zb=/^(?:input|select|textarea|button|object)$/i,Ab=/^(?:a|area)$/i;n.fn.extend({prop:function(a,b){return Y(this,n.prop,a,b,arguments.length>1)},removeProp:function(a){return a=n.propFix[a]||a,this.each(function(){try{this[a]=void 0,delete this[a]}catch(b){}})}}),n.extend({prop:function(a,b,c){var d,e,f=a.nodeType;if(3!==f&&8!==f&&2!==f)return 1===f&&n.isXMLDoc(a)||(b=n.propFix[b]||b,e=n.propHooks[b]),void 0!==c?e&&"set"in e&&void 0!==(d=e.set(a,c,b))?d:a[b]=c:e&&"get"in e&&null!==(d=e.get(a,b))?d:a[b]},propHooks:{tabIndex:{get:function(a){var b=n.find.attr(a,"tabindex");return b?parseInt(b,10):zb.test(a.nodeName)||Ab.test(a.nodeName)&&a.href?0:-1}}},propFix:{"for":"htmlFor","class":"className"}}),l.hrefNormalized||n.each(["href","src"],function(a,b){n.propHooks[b]={get:function(a){return a.getAttribute(b,4)}}}),l.optSelected||(n.propHooks.selected={get:function(a){var b=a.parentNode;return b&&(b.selectedIndex,b.parentNode&&b.parentNode.selectedIndex),null},set:function(a){var b=a.parentNode;b&&(b.selectedIndex,b.parentNode&&b.parentNode.selectedIndex)}}),n.each(["tabIndex","readOnly","maxLength","cellSpacing","cellPadding","rowSpan","colSpan","useMap","frameBorder","contentEditable"],function(){n.propFix[this.toLowerCase()]=this}),l.enctype||(n.propFix.enctype="encoding");var Bb=/[\t\r\n\f]/g;function Cb(a){return n.attr(a,"class")||""}n.fn.extend({addClass:function(a){var b,c,d,e,f,g,h,i=0;if(n.isFunction(a))return this.each(function(b){n(this).addClass(a.call(this,b,Cb(this)))});if("string"==typeof a&&a){b=a.match(G)||[];while(c=this[i++])if(e=Cb(c),d=1===c.nodeType&&(" "+e+" ").replace(Bb," ")){g=0;while(f=b[g++])d.indexOf(" "+f+" ")<0&&(d+=f+" ");h=n.trim(d),e!==h&&n.attr(c,"class",h)}}return this},removeClass:function(a){var b,c,d,e,f,g,h,i=0;if(n.isFunction(a))return this.each(function(b){n(this).removeClass(a.call(this,b,Cb(this)))});if(!arguments.length)return this.attr("class","");if("string"==typeof a&&a){b=a.match(G)||[];while(c=this[i++])if(e=Cb(c),d=1===c.nodeType&&(" "+e+" ").replace(Bb," ")){g=0;while(f=b[g++])while(d.indexOf(" "+f+" ")>-1)d=d.replace(" "+f+" "," ");h=n.trim(d),e!==h&&n.attr(c,"class",h)}}return this},toggleClass:function(a,b){var c=typeof a;return"boolean"==typeof b&&"string"===c?b?this.addClass(a):this.removeClass(a):n.isFunction(a)?this.each(function(c){n(this).toggleClass(a.call(this,c,Cb(this),b),b)}):this.each(function(){var b,d,e,f;if("string"===c){d=0,e=n(this),f=a.match(G)||[];while(b=f[d++])e.hasClass(b)?e.removeClass(b):e.addClass(b)}else void 0!==a&&"boolean"!==c||(b=Cb(this),b&&n._data(this,"__className__",b),n.attr(this,"class",b||a===!1?"":n._data(this,"__className__")||""))})},hasClass:function(a){var b,c,d=0;b=" "+a+" ";while(c=this[d++])if(1===c.nodeType&&(" "+Cb(c)+" ").replace(Bb," ").indexOf(b)>-1)return!0;return!1}}),n.each("blur focus focusin focusout load resize scroll unload click dblclick mousedown mouseup mousemove mouseover mouseout mouseenter mouseleave change select submit keydown keypress keyup error contextmenu".split(" "),function(a,b){n.fn[b]=function(a,c){return arguments.length>0?this.on(b,null,a,c):this.trigger(b)}}),n.fn.extend({hover:function(a,b){return this.mouseenter(a).mouseleave(b||a)}});var Db=a.location,Eb=n.now(),Fb=/\?/,Gb=/(,)|(\[|{)|(}|])|"(?:[^"\\\r\n]|\\["\\\/bfnrt]|\\u[\da-fA-F]{4})*"\s*:?|true|false|null|-?(?!0\d)\d+(?:\.\d+|)(?:[eE][+-]?\d+|)/g;n.parseJSON=function(b){if(a.JSON&&a.JSON.parse)return a.JSON.parse(b+"");var c,d=null,e=n.trim(b+"");return e&&!n.trim(e.replace(Gb,function(a,b,e,f){return c&&b&&(d=0),0===d?a:(c=e||b,d+=!f-!e,"")}))?Function("return "+e)():n.error("Invalid JSON: "+b)},n.parseXML=function(b){var c,d;if(!b||"string"!=typeof b)return null;try{a.DOMParser?(d=new a.DOMParser,c=d.parseFromString(b,"text/xml")):(c=new a.ActiveXObject("Microsoft.XMLDOM"),c.async="false",c.loadXML(b))}catch(e){c=void 0}return c&&c.documentElement&&!c.getElementsByTagName("parsererror").length||n.error("Invalid XML: "+b),c};var Hb=/#.*$/,Ib=/([?&])_=[^&]*/,Jb=/^(.*?):[ \t]*([^\r\n]*)\r?$/gm,Kb=/^(?:about|app|app-storage|.+-extension|file|res|widget):$/,Lb=/^(?:GET|HEAD)$/,Mb=/^\/\//,Nb=/^([\w.+-]+:)(?:\/\/(?:[^\/?#]*@|)([^\/?#:]*)(?::(\d+)|)|)/,Ob={},Pb={},Qb="*/".concat("*"),Rb=Db.href,Sb=Nb.exec(Rb.toLowerCase())||[];function Tb(a){return function(b,c){"string"!=typeof b&&(c=b,b="*");var d,e=0,f=b.toLowerCase().match(G)||[];if(n.isFunction(c))while(d=f[e++])"+"===d.charAt(0)?(d=d.slice(1)||"*",(a[d]=a[d]||[]).unshift(c)):(a[d]=a[d]||[]).push(c)}}function Ub(a,b,c,d){var e={},f=a===Pb;function g(h){var i;return e[h]=!0,n.each(a[h]||[],function(a,h){var j=h(b,c,d);return"string"!=typeof j||f||e[j]?f?!(i=j):void 0:(b.dataTypes.unshift(j),g(j),!1)}),i}return g(b.dataTypes[0])||!e["*"]&&g("*")}function Vb(a,b){var c,d,e=n.ajaxSettings.flatOptions||{};for(d in b)void 0!==b[d]&&((e[d]?a:c||(c={}))[d]=b[d]);return c&&n.extend(!0,a,c),a}function Wb(a,b,c){var d,e,f,g,h=a.contents,i=a.dataTypes;while("*"===i[0])i.shift(),void 0===e&&(e=a.mimeType||b.getResponseHeader("Content-Type"));if(e)for(g in h)if(h[g]&&h[g].test(e)){i.unshift(g);break}if(i[0]in c)f=i[0];else{for(g in c){if(!i[0]||a.converters[g+" "+i[0]]){f=g;break}d||(d=g)}f=f||d}return f?(f!==i[0]&&i.unshift(f),c[f]):void 0}function Xb(a,b,c,d){var e,f,g,h,i,j={},k=a.dataTypes.slice();if(k[1])for(g in a.converters)j[g.toLowerCase()]=a.converters[g];f=k.shift();while(f)if(a.responseFields[f]&&(c[a.responseFields[f]]=b),!i&&d&&a.dataFilter&&(b=a.dataFilter(b,a.dataType)),i=f,f=k.shift())if("*"===f)f=i;else if("*"!==i&&i!==f){if(g=j[i+" "+f]||j["* "+f],!g)for(e in j)if(h=e.split(" "),h[1]===f&&(g=j[i+" "+h[0]]||j["* "+h[0]])){g===!0?g=j[e]:j[e]!==!0&&(f=h[0],k.unshift(h[1]));break}if(g!==!0)if(g&&a["throws"])b=g(b);else try{b=g(b)}catch(l){return{state:"parsererror",error:g?l:"No conversion from "+i+" to "+f}}}return{state:"success",data:b}}n.extend({active:0,lastModified:{},etag:{},ajaxSettings:{url:Rb,type:"GET",isLocal:Kb.test(Sb[1]),global:!0,processData:!0,async:!0,contentType:"application/x-www-form-urlencoded; charset=UTF-8",accepts:{"*":Qb,text:"text/plain",html:"text/html",xml:"application/xml, text/xml",json:"application/json, text/javascript"},contents:{xml:/\bxml\b/,html:/\bhtml/,json:/\bjson\b/},responseFields:{xml:"responseXML",text:"responseText",json:"responseJSON"},converters:{"* text":String,"text html":!0,"text json":n.parseJSON,"text xml":n.parseXML},flatOptions:{url:!0,context:!0}},ajaxSetup:function(a,b){return b?Vb(Vb(a,n.ajaxSettings),b):Vb(n.ajaxSettings,a)},ajaxPrefilter:Tb(Ob),ajaxTransport:Tb(Pb),ajax:function(b,c){"object"==typeof b&&(c=b,b=void 0),c=c||{};var d,e,f,g,h,i,j,k,l=n.ajaxSetup({},c),m=l.context||l,o=l.context&&(m.nodeType||m.jquery)?n(m):n.event,p=n.Deferred(),q=n.Callbacks("once memory"),r=l.statusCode||{},s={},t={},u=0,v="canceled",w={readyState:0,getResponseHeader:function(a){var b;if(2===u){if(!k){k={};while(b=Jb.exec(g))k[b[1].toLowerCase()]=b[2]}b=k[a.toLowerCase()]}return null==b?null:b},getAllResponseHeaders:function(){return 2===u?g:null},setRequestHeader:function(a,b){var c=a.toLowerCase();return u||(a=t[c]=t[c]||a,s[a]=b),this},overrideMimeType:function(a){return u||(l.mimeType=a),this},statusCode:function(a){var b;if(a)if(2>u)for(b in a)r[b]=[r[b],a[b]];else w.always(a[w.status]);return this},abort:function(a){var b=a||v;return j&&j.abort(b),y(0,b),this}};if(p.promise(w).complete=q.add,w.success=w.done,w.error=w.fail,l.url=((b||l.url||Rb)+"").replace(Hb,"").replace(Mb,Sb[1]+"//"),l.type=c.method||c.type||l.method||l.type,l.dataTypes=n.trim(l.dataType||"*").toLowerCase().match(G)||[""],null==l.crossDomain&&(d=Nb.exec(l.url.toLowerCase()),l.crossDomain=!(!d||d[1]===Sb[1]&&d[2]===Sb[2]&&(d[3]||("http:"===d[1]?"80":"443"))===(Sb[3]||("http:"===Sb[1]?"80":"443")))),l.data&&l.processData&&"string"!=typeof l.data&&(l.data=n.param(l.data,l.traditional)),Ub(Ob,l,c,w),2===u)return w;i=n.event&&l.global,i&&0===n.active++&&n.event.trigger("ajaxStart"),l.type=l.type.toUpperCase(),l.hasContent=!Lb.test(l.type),f=l.url,l.hasContent||(l.data&&(f=l.url+=(Fb.test(f)?"&":"?")+l.data,delete l.data),l.cache===!1&&(l.url=Ib.test(f)?f.replace(Ib,"$1_="+Eb++):f+(Fb.test(f)?"&":"?")+"_="+Eb++)),l.ifModified&&(n.lastModified[f]&&w.setRequestHeader("If-Modified-Since",n.lastModified[f]),n.etag[f]&&w.setRequestHeader("If-None-Match",n.etag[f])),(l.data&&l.hasContent&&l.contentType!==!1||c.contentType)&&w.setRequestHeader("Content-Type",l.contentType),w.setRequestHeader("Accept",l.dataTypes[0]&&l.accepts[l.dataTypes[0]]?l.accepts[l.dataTypes[0]]+("*"!==l.dataTypes[0]?", "+Qb+"; q=0.01":""):l.accepts["*"]);for(e in l.headers)w.setRequestHeader(e,l.headers[e]);if(l.beforeSend&&(l.beforeSend.call(m,w,l)===!1||2===u))return w.abort();v="abort";for(e in{success:1,error:1,complete:1})w[e](l[e]);if(j=Ub(Pb,l,c,w)){if(w.readyState=1,i&&o.trigger("ajaxSend",[w,l]),2===u)return w;l.async&&l.timeout>0&&(h=a.setTimeout(function(){w.abort("timeout")},l.timeout));try{u=1,j.send(s,y)}catch(x){if(!(2>u))throw x;y(-1,x)}}else y(-1,"No Transport");function y(b,c,d,e){var k,s,t,v,x,y=c;2!==u&&(u=2,h&&a.clearTimeout(h),j=void 0,g=e||"",w.readyState=b>0?4:0,k=b>=200&&300>b||304===b,d&&(v=Wb(l,w,d)),v=Xb(l,v,w,k),k?(l.ifModified&&(x=w.getResponseHeader("Last-Modified"),x&&(n.lastModified[f]=x),x=w.getResponseHeader("etag"),x&&(n.etag[f]=x)),204===b||"HEAD"===l.type?y="nocontent":304===b?y="notmodified":(y=v.state,s=v.data,t=v.error,k=!t)):(t=y,!b&&y||(y="error",0>b&&(b=0))),w.status=b,w.statusText=(c||y)+"",k?p.resolveWith(m,[s,y,w]):p.rejectWith(m,[w,y,t]),w.statusCode(r),r=void 0,i&&o.trigger(k?"ajaxSuccess":"ajaxError",[w,l,k?s:t]),q.fireWith(m,[w,y]),i&&(o.trigger("ajaxComplete",[w,l]),--n.active||n.event.trigger("ajaxStop")))}return w},getJSON:function(a,b,c){return n.get(a,b,c,"json")},getScript:function(a,b){return n.get(a,void 0,b,"script")}}),n.each(["get","post"],function(a,b){n[b]=function(a,c,d,e){return n.isFunction(c)&&(e=e||d,d=c,c=void 0),n.ajax(n.extend({url:a,type:b,dataType:e,data:c,success:d},n.isPlainObject(a)&&a))}}),n._evalUrl=function(a){return n.ajax({url:a,type:"GET",dataType:"script",cache:!0,async:!1,global:!1,"throws":!0})},n.fn.extend({wrapAll:function(a){if(n.isFunction(a))return this.each(function(b){n(this).wrapAll(a.call(this,b))});if(this[0]){var b=n(a,this[0].ownerDocument).eq(0).clone(!0);this[0].parentNode&&b.insertBefore(this[0]),b.map(function(){var a=this;while(a.firstChild&&1===a.firstChild.nodeType)a=a.firstChild;return a}).append(this)}return this},wrapInner:function(a){return n.isFunction(a)?this.each(function(b){n(this).wrapInner(a.call(this,b))}):this.each(function(){var b=n(this),c=b.contents();c.length?c.wrapAll(a):b.append(a)})},wrap:function(a){var b=n.isFunction(a);return this.each(function(c){n(this).wrapAll(b?a.call(this,c):a)})},unwrap:function(){return this.parent().each(function(){n.nodeName(this,"body")||n(this).replaceWith(this.childNodes)}).end()}});function Yb(a){return a.style&&a.style.display||n.css(a,"display")}function Zb(a){if(!n.contains(a.ownerDocument||d,a))return!0;while(a&&1===a.nodeType){if("none"===Yb(a)||"hidden"===a.type)return!0;a=a.parentNode}return!1}n.expr.filters.hidden=function(a){return l.reliableHiddenOffsets()?a.offsetWidth<=0&&a.offsetHeight<=0&&!a.getClientRects().length:Zb(a)},n.expr.filters.visible=function(a){return!n.expr.filters.hidden(a)};var $b=/%20/g,_b=/\[\]$/,ac=/\r?\n/g,bc=/^(?:submit|button|image|reset|file)$/i,cc=/^(?:input|select|textarea|keygen)/i;function dc(a,b,c,d){var e;if(n.isArray(b))n.each(b,function(b,e){c||_b.test(a)?d(a,e):dc(a+"["+("object"==typeof e&&null!=e?b:"")+"]",e,c,d)});else if(c||"object"!==n.type(b))d(a,b);else for(e in b)dc(a+"["+e+"]",b[e],c,d)}n.param=function(a,b){var c,d=[],e=function(a,b){b=n.isFunction(b)?b():null==b?"":b,d[d.length]=encodeURIComponent(a)+"="+encodeURIComponent(b)};if(void 0===b&&(b=n.ajaxSettings&&n.ajaxSettings.traditional),n.isArray(a)||a.jquery&&!n.isPlainObject(a))n.each(a,function(){e(this.name,this.value)});else for(c in a)dc(c,a[c],b,e);return d.join("&").replace($b,"+")},n.fn.extend({serialize:function(){return n.param(this.serializeArray())},serializeArray:function(){return this.map(function(){var a=n.prop(this,"elements");return a?n.makeArray(a):this}).filter(function(){var a=this.type;return this.name&&!n(this).is(":disabled")&&cc.test(this.nodeName)&&!bc.test(a)&&(this.checked||!Z.test(a))}).map(function(a,b){var c=n(this).val();return null==c?null:n.isArray(c)?n.map(c,function(a){return{name:b.name,value:a.replace(ac,"\r\n")}}):{name:b.name,value:c.replace(ac,"\r\n")}}).get()}}),n.ajaxSettings.xhr=void 0!==a.ActiveXObject?function(){return this.isLocal?ic():d.documentMode>8?hc():/^(get|post|head|put|delete|options)$/i.test(this.type)&&hc()||ic()}:hc;var ec=0,fc={},gc=n.ajaxSettings.xhr();a.attachEvent&&a.attachEvent("onunload",function(){for(var a in fc)fc[a](void 0,!0)}),l.cors=!!gc&&"withCredentials"in gc,gc=l.ajax=!!gc,gc&&n.ajaxTransport(function(b){if(!b.crossDomain||l.cors){var c;return{send:function(d,e){var f,g=b.xhr(),h=++ec;if(g.open(b.type,b.url,b.async,b.username,b.password),b.xhrFields)for(f in b.xhrFields)g[f]=b.xhrFields[f];b.mimeType&&g.overrideMimeType&&g.overrideMimeType(b.mimeType),b.crossDomain||d["X-Requested-With"]||(d["X-Requested-With"]="XMLHttpRequest");for(f in d)void 0!==d[f]&&g.setRequestHeader(f,d[f]+"");g.send(b.hasContent&&b.data||null),c=function(a,d){var f,i,j;if(c&&(d||4===g.readyState))if(delete fc[h],c=void 0,g.onreadystatechange=n.noop,d)4!==g.readyState&&g.abort();else{j={},f=g.status,"string"==typeof g.responseText&&(j.text=g.responseText);try{i=g.statusText}catch(k){i=""}f||!b.isLocal||b.crossDomain?1223===f&&(f=204):f=j.text?200:404}j&&e(f,i,j,g.getAllResponseHeaders())},b.async?4===g.readyState?a.setTimeout(c):g.onreadystatechange=fc[h]=c:c()},abort:function(){c&&c(void 0,!0)}}}});function hc(){try{return new a.XMLHttpRequest}catch(b){}}function ic(){try{return new a.ActiveXObject("Microsoft.XMLHTTP")}catch(b){}}n.ajaxSetup({accepts:{script:"text/javascript, application/javascript, application/ecmascript, application/x-ecmascript"},contents:{script:/\b(?:java|ecma)script\b/},converters:{"text script":function(a){return n.globalEval(a),a}}}),n.ajaxPrefilter("script",function(a){void 0===a.cache&&(a.cache=!1),a.crossDomain&&(a.type="GET",a.global=!1)}),n.ajaxTransport("script",function(a){if(a.crossDomain){var b,c=d.head||n("head")[0]||d.documentElement;return{send:function(e,f){b=d.createElement("script"),b.async=!0,a.scriptCharset&&(b.charset=a.scriptCharset),b.src=a.url,b.onload=b.onreadystatechange=function(a,c){(c||!b.readyState||/loaded|complete/.test(b.readyState))&&(b.onload=b.onreadystatechange=null,b.parentNode&&b.parentNode.removeChild(b),b=null,c||f(200,"success"))},c.insertBefore(b,c.firstChild)},abort:function(){b&&b.onload(void 0,!0)}}}});var jc=[],kc=/(=)\?(?=&|$)|\?\?/;n.ajaxSetup({jsonp:"callback",jsonpCallback:function(){var a=jc.pop()||n.expando+"_"+Eb++;return this[a]=!0,a}}),n.ajaxPrefilter("json jsonp",function(b,c,d){var e,f,g,h=b.jsonp!==!1&&(kc.test(b.url)?"url":"string"==typeof b.data&&0===(b.contentType||"").indexOf("application/x-www-form-urlencoded")&&kc.test(b.data)&&"data");return h||"jsonp"===b.dataTypes[0]?(e=b.jsonpCallback=n.isFunction(b.jsonpCallback)?b.jsonpCallback():b.jsonpCallback,h?b[h]=b[h].replace(kc,"$1"+e):b.jsonp!==!1&&(b.url+=(Fb.test(b.url)?"&":"?")+b.jsonp+"="+e),b.converters["script json"]=function(){return g||n.error(e+" was not called"),g[0]},b.dataTypes[0]="json",f=a[e],a[e]=function(){g=arguments},d.always(function(){void 0===f?n(a).removeProp(e):a[e]=f,b[e]&&(b.jsonpCallback=c.jsonpCallback,jc.push(e)),g&&n.isFunction(f)&&f(g[0]),g=f=void 0}),"script"):void 0}),n.parseHTML=function(a,b,c){if(!a||"string"!=typeof a)return null;"boolean"==typeof b&&(c=b,b=!1),b=b||d;var e=x.exec(a),f=!c&&[];return e?[b.createElement(e[1])]:(e=ja([a],b,f),f&&f.length&&n(f).remove(),n.merge([],e.childNodes))};var lc=n.fn.load;n.fn.load=function(a,b,c){if("string"!=typeof a&&lc)return lc.apply(this,arguments);var d,e,f,g=this,h=a.indexOf(" ");return h>-1&&(d=n.trim(a.slice(h,a.length)),a=a.slice(0,h)),n.isFunction(b)?(c=b,b=void 0):b&&"object"==typeof b&&(e="POST"),g.length>0&&n.ajax({url:a,type:e||"GET",dataType:"html",data:b}).done(function(a){f=arguments,g.html(d?n("<div>").append(n.parseHTML(a)).find(d):a)}).always(c&&function(a,b){g.each(function(){c.apply(this,f||[a.responseText,b,a])})}),this},n.each(["ajaxStart","ajaxStop","ajaxComplete","ajaxError","ajaxSuccess","ajaxSend"],function(a,b){n.fn[b]=function(a){return this.on(b,a)}}),n.expr.filters.animated=function(a){return n.grep(n.timers,function(b){return a===b.elem}).length};function mc(a){return n.isWindow(a)?a:9===a.nodeType?a.defaultView||a.parentWindow:!1}n.offset={setOffset:function(a,b,c){var d,e,f,g,h,i,j,k=n.css(a,"position"),l=n(a),m={};"static"===k&&(a.style.position="relative"),h=l.offset(),f=n.css(a,"top"),i=n.css(a,"left"),j=("absolute"===k||"fixed"===k)&&n.inArray("auto",[f,i])>-1,j?(d=l.position(),g=d.top,e=d.left):(g=parseFloat(f)||0,e=parseFloat(i)||0),n.isFunction(b)&&(b=b.call(a,c,n.extend({},h))),null!=b.top&&(m.top=b.top-h.top+g),null!=b.left&&(m.left=b.left-h.left+e),"using"in b?b.using.call(a,m):l.css(m)}},n.fn.extend({offset:function(a){if(arguments.length)return void 0===a?this:this.each(function(b){n.offset.setOffset(this,a,b)});var b,c,d={top:0,left:0},e=this[0],f=e&&e.ownerDocument;if(f)return b=f.documentElement,n.contains(b,e)?("undefined"!=typeof e.getBoundingClientRect&&(d=e.getBoundingClientRect()),c=mc(f),{top:d.top+(c.pageYOffset||b.scrollTop)-(b.clientTop||0),left:d.left+(c.pageXOffset||b.scrollLeft)-(b.clientLeft||0)}):d},position:function(){if(this[0]){var a,b,c={top:0,left:0},d=this[0];return"fixed"===n.css(d,"position")?b=d.getBoundingClientRect():(a=this.offsetParent(),b=this.offset(),n.nodeName(a[0],"html")||(c=a.offset()),c.top+=n.css(a[0],"borderTopWidth",!0),c.left+=n.css(a[0],"borderLeftWidth",!0)),{top:b.top-c.top-n.css(d,"marginTop",!0),left:b.left-c.left-n.css(d,"marginLeft",!0)}}},offsetParent:function(){return this.map(function(){var a=this.offsetParent;while(a&&!n.nodeName(a,"html")&&"static"===n.css(a,"position"))a=a.offsetParent;return a||Qa})}}),n.each({scrollLeft:"pageXOffset",scrollTop:"pageYOffset"},function(a,b){var c=/Y/.test(b);n.fn[a]=function(d){return Y(this,function(a,d,e){var f=mc(a);return void 0===e?f?b in f?f[b]:f.document.documentElement[d]:a[d]:void(f?f.scrollTo(c?n(f).scrollLeft():e,c?e:n(f).scrollTop()):a[d]=e)},a,d,arguments.length,null)}}),n.each(["top","left"],function(a,b){n.cssHooks[b]=Ua(l.pixelPosition,function(a,c){return c?(c=Sa(a,b),Oa.test(c)?n(a).position()[b]+"px":c):void 0})}),n.each({Height:"height",Width:"width"},function(a,b){n.each({
-padding:"inner"+a,content:b,"":"outer"+a},function(c,d){n.fn[d]=function(d,e){var f=arguments.length&&(c||"boolean"!=typeof d),g=c||(d===!0||e===!0?"margin":"border");return Y(this,function(b,c,d){var e;return n.isWindow(b)?b.document.documentElement["client"+a]:9===b.nodeType?(e=b.documentElement,Math.max(b.body["scroll"+a],e["scroll"+a],b.body["offset"+a],e["offset"+a],e["client"+a])):void 0===d?n.css(b,c,g):n.style(b,c,d,g)},b,f?d:void 0,f,null)}})}),n.fn.extend({bind:function(a,b,c){return this.on(a,null,b,c)},unbind:function(a,b){return this.off(a,null,b)},delegate:function(a,b,c,d){return this.on(b,a,c,d)},undelegate:function(a,b,c){return 1===arguments.length?this.off(a,"**"):this.off(b,a||"**",c)}}),n.fn.size=function(){return this.length},n.fn.andSelf=n.fn.addBack,"function"==typeof define&&define.amd&&define("jquery",[],function(){return n});var nc=a.jQuery,oc=a.$;return n.noConflict=function(b){return a.$===n&&(a.$=oc),b&&a.jQuery===n&&(a.jQuery=nc),n},b||(a.jQuery=a.$=n),n});
diff --git a/src/wiki/static/wiki/js/jqueryui/images/animated-overlay.gif b/src/wiki/static/wiki/js/jqueryui/images/animated-overlay.gif
deleted file mode 100644
index d441f75eb..000000000
Binary files a/src/wiki/static/wiki/js/jqueryui/images/animated-overlay.gif and /dev/null differ
diff --git a/src/wiki/static/wiki/js/jqueryui/images/ui-bg_diagonals-thick_18_b81900_40x40.png b/src/wiki/static/wiki/js/jqueryui/images/ui-bg_diagonals-thick_18_b81900_40x40.png
deleted file mode 100644
index ade421935..000000000
Binary files a/src/wiki/static/wiki/js/jqueryui/images/ui-bg_diagonals-thick_18_b81900_40x40.png and /dev/null differ
diff --git a/src/wiki/static/wiki/js/jqueryui/images/ui-bg_diagonals-thick_20_666666_40x40.png b/src/wiki/static/wiki/js/jqueryui/images/ui-bg_diagonals-thick_20_666666_40x40.png
deleted file mode 100644
index 5eae365ff..000000000
Binary files a/src/wiki/static/wiki/js/jqueryui/images/ui-bg_diagonals-thick_20_666666_40x40.png and /dev/null differ
diff --git a/src/wiki/static/wiki/js/jqueryui/images/ui-bg_flat_10_000000_40x100.png b/src/wiki/static/wiki/js/jqueryui/images/ui-bg_flat_10_000000_40x100.png
deleted file mode 100644
index 3c8cacbef..000000000
Binary files a/src/wiki/static/wiki/js/jqueryui/images/ui-bg_flat_10_000000_40x100.png and /dev/null differ
diff --git a/src/wiki/static/wiki/js/jqueryui/images/ui-bg_glass_100_f6f6f6_1x400.png b/src/wiki/static/wiki/js/jqueryui/images/ui-bg_glass_100_f6f6f6_1x400.png
deleted file mode 100644
index 297cc9bae..000000000
Binary files a/src/wiki/static/wiki/js/jqueryui/images/ui-bg_glass_100_f6f6f6_1x400.png and /dev/null differ
diff --git a/src/wiki/static/wiki/js/jqueryui/images/ui-bg_glass_100_fdf5ce_1x400.png b/src/wiki/static/wiki/js/jqueryui/images/ui-bg_glass_100_fdf5ce_1x400.png
deleted file mode 100644
index 3a8abfc16..000000000
Binary files a/src/wiki/static/wiki/js/jqueryui/images/ui-bg_glass_100_fdf5ce_1x400.png and /dev/null differ
diff --git a/src/wiki/static/wiki/js/jqueryui/images/ui-bg_glass_65_ffffff_1x400.png b/src/wiki/static/wiki/js/jqueryui/images/ui-bg_glass_65_ffffff_1x400.png
deleted file mode 100644
index 782da8673..000000000
Binary files a/src/wiki/static/wiki/js/jqueryui/images/ui-bg_glass_65_ffffff_1x400.png and /dev/null differ
diff --git a/src/wiki/static/wiki/js/jqueryui/images/ui-bg_gloss-wave_35_f6a828_500x100.png b/src/wiki/static/wiki/js/jqueryui/images/ui-bg_gloss-wave_35_f6a828_500x100.png
deleted file mode 100644
index edff81cca..000000000
Binary files a/src/wiki/static/wiki/js/jqueryui/images/ui-bg_gloss-wave_35_f6a828_500x100.png and /dev/null differ
diff --git a/src/wiki/static/wiki/js/jqueryui/images/ui-bg_highlight-soft_100_eeeeee_1x100.png b/src/wiki/static/wiki/js/jqueryui/images/ui-bg_highlight-soft_100_eeeeee_1x100.png
deleted file mode 100644
index cf22448a7..000000000
Binary files a/src/wiki/static/wiki/js/jqueryui/images/ui-bg_highlight-soft_100_eeeeee_1x100.png and /dev/null differ
diff --git a/src/wiki/static/wiki/js/jqueryui/images/ui-bg_highlight-soft_75_ffe45c_1x100.png b/src/wiki/static/wiki/js/jqueryui/images/ui-bg_highlight-soft_75_ffe45c_1x100.png
deleted file mode 100644
index 260a68552..000000000
Binary files a/src/wiki/static/wiki/js/jqueryui/images/ui-bg_highlight-soft_75_ffe45c_1x100.png and /dev/null differ
diff --git a/src/wiki/static/wiki/js/jqueryui/images/ui-icons_222222_256x240.png b/src/wiki/static/wiki/js/jqueryui/images/ui-icons_222222_256x240.png
deleted file mode 100644
index 0de629325..000000000
Binary files a/src/wiki/static/wiki/js/jqueryui/images/ui-icons_222222_256x240.png and /dev/null differ
diff --git a/src/wiki/static/wiki/js/jqueryui/images/ui-icons_228ef1_256x240.png b/src/wiki/static/wiki/js/jqueryui/images/ui-icons_228ef1_256x240.png
deleted file mode 100644
index bb48633a1..000000000
Binary files a/src/wiki/static/wiki/js/jqueryui/images/ui-icons_228ef1_256x240.png and /dev/null differ
diff --git a/src/wiki/static/wiki/js/jqueryui/images/ui-icons_ef8c08_256x240.png b/src/wiki/static/wiki/js/jqueryui/images/ui-icons_ef8c08_256x240.png
deleted file mode 100644
index 716ce1ea7..000000000
Binary files a/src/wiki/static/wiki/js/jqueryui/images/ui-icons_ef8c08_256x240.png and /dev/null differ
diff --git a/src/wiki/static/wiki/js/jqueryui/images/ui-icons_ffd27a_256x240.png b/src/wiki/static/wiki/js/jqueryui/images/ui-icons_ffd27a_256x240.png
deleted file mode 100644
index 7993cccfa..000000000
Binary files a/src/wiki/static/wiki/js/jqueryui/images/ui-icons_ffd27a_256x240.png and /dev/null differ
diff --git a/src/wiki/static/wiki/js/jqueryui/images/ui-icons_ffffff_256x240.png b/src/wiki/static/wiki/js/jqueryui/images/ui-icons_ffffff_256x240.png
deleted file mode 100644
index 625962b51..000000000
Binary files a/src/wiki/static/wiki/js/jqueryui/images/ui-icons_ffffff_256x240.png and /dev/null differ
diff --git a/src/wiki/static/wiki/js/jqueryui/jquery-ui-1.10.0.custom.min.css b/src/wiki/static/wiki/js/jqueryui/jquery-ui-1.10.0.custom.min.css
deleted file mode 100644
index 2ed1fcfe1..000000000
--- a/src/wiki/static/wiki/js/jqueryui/jquery-ui-1.10.0.custom.min.css
+++ /dev/null
@@ -1,5 +0,0 @@
-/*! jQuery UI - v1.10.0 - 2013-02-12
-* http://jqueryui.com
-* Includes: jquery.ui.core.css, jquery.ui.resizable.css
-* To view and modify this theme, visit http://jqueryui.com/themeroller/?ffDefault=Trebuchet%20MS%2CTahoma%2CVerdana%2CArial%2Csans-serif&fwDefault=bold&fsDefault=1.1em&cornerRadius=4px&bgColorHeader=f6a828&bgTextureHeader=gloss_wave&bgImgOpacityHeader=35&borderColorHeader=e78f08&fcHeader=ffffff&iconColorHeader=ffffff&bgColorContent=eeeeee&bgTextureContent=highlight_soft&bgImgOpacityContent=100&borderColorContent=dddddd&fcContent=333333&iconColorContent=222222&bgColorDefault=f6f6f6&bgTextureDefault=glass&bgImgOpacityDefault=100&borderColorDefault=cccccc&fcDefault=1c94c4&iconColorDefault=ef8c08&bgColorHover=fdf5ce&bgTextureHover=glass&bgImgOpacityHover=100&borderColorHover=fbcb09&fcHover=c77405&iconColorHover=ef8c08&bgColorActive=ffffff&bgTextureActive=glass&bgImgOpacityActive=65&borderColorActive=fbd850&fcActive=eb8f00&iconColorActive=ef8c08&bgColorHighlight=ffe45c&bgTextureHighlight=highlight_soft&bgImgOpacityHighlight=75&borderColorHighlight=fed22f&fcHighlight=363636&iconColorHighlight=228ef1&bgColorError=b81900&bgTextureError=diagonals_thick&bgImgOpacityError=18&borderColorError=cd0a0a&fcError=ffffff&iconColorError=ffd27a&bgColorOverlay=666666&bgTextureOverlay=diagonals_thick&bgImgOpacityOverlay=20&opacityOverlay=50&bgColorShadow=000000&bgTextureShadow=flat&bgImgOpacityShadow=10&opacityShadow=20&thicknessShadow=5px&offsetTopShadow=-5px&offsetLeftShadow=-5px&cornerRadiusShadow=5px
-* Copyright (c) 2013 jQuery Foundation and other contributors Licensed MIT */.ui-helper-hidden{display:none}.ui-helper-hidden-accessible{border:0;clip:rect(0 0 0 0);height:1px;margin:-1px;overflow:hidden;padding:0;position:absolute;width:1px}.ui-helper-reset{margin:0;padding:0;border:0;outline:0;line-height:1.3;text-decoration:none;font-size:100%;list-style:none}.ui-helper-clearfix:before,.ui-helper-clearfix:after{content:"";display:table}.ui-helper-clearfix:after{clear:both}.ui-helper-clearfix{min-height:0}.ui-helper-zfix{width:100%;height:100%;top:0;left:0;position:absolute;opacity:0;filter:Alpha(Opacity=0)}.ui-front{z-index:100}.ui-state-disabled{cursor:default!important}.ui-icon{display:block;text-indent:-99999px;overflow:hidden;background-repeat:no-repeat}.ui-widget-overlay{position:fixed;top:0;left:0;width:100%;height:100%}.ui-resizable{position:relative}.ui-resizable-handle{position:absolute;font-size:0.1px;display:block}.ui-resizable-disabled .ui-resizable-handle,.ui-resizable-autohide .ui-resizable-handle{display:none}.ui-resizable-n{cursor:n-resize;height:7px;width:100%;top:-5px;left:0}.ui-resizable-s{cursor:s-resize;height:7px;width:100%;bottom:-5px;left:0}.ui-resizable-e{cursor:e-resize;width:7px;right:-5px;top:0;height:100%}.ui-resizable-w{cursor:w-resize;width:7px;left:-5px;top:0;height:100%}.ui-resizable-se{cursor:se-resize;width:12px;height:12px;right:1px;bottom:1px}.ui-resizable-sw{cursor:sw-resize;width:9px;height:9px;left:-5px;bottom:-5px}.ui-resizable-nw{cursor:nw-resize;width:9px;height:9px;left:-5px;top:-5px}.ui-resizable-ne{cursor:ne-resize;width:9px;height:9px;right:-5px;top:-5px}.ui-widget{font-family:Trebuchet MS,Tahoma,Verdana,Arial,sans-serif;font-size:1.1em}.ui-widget .ui-widget{font-size:1em}.ui-widget input,.ui-widget select,.ui-widget textarea,.ui-widget button{font-family:Trebuchet MS,Tahoma,Verdana,Arial,sans-serif;font-size:1em}.ui-widget-content{border:1px solid #ddd;background:#eee url(images/ui-bg_highlight-soft_100_eeeeee_1x100.png) 50% top repeat-x;color:#333}.ui-widget-content a{color:#333}.ui-widget-header{border:1px solid #e78f08;background:#f6a828 url(images/ui-bg_gloss-wave_35_f6a828_500x100.png) 50% 50% repeat-x;color:#fff;font-weight:bold}.ui-widget-header a{color:#fff}.ui-state-default,.ui-widget-content .ui-state-default,.ui-widget-header .ui-state-default{border:1px solid #ccc;background:#f6f6f6 url(images/ui-bg_glass_100_f6f6f6_1x400.png) 50% 50% repeat-x;font-weight:bold;color:#1c94c4}.ui-state-default a,.ui-state-default a:link,.ui-state-default a:visited{color:#1c94c4;text-decoration:none}.ui-state-hover,.ui-widget-content .ui-state-hover,.ui-widget-header .ui-state-hover,.ui-state-focus,.ui-widget-content .ui-state-focus,.ui-widget-header .ui-state-focus{border:1px solid #fbcb09;background:#fdf5ce url(images/ui-bg_glass_100_fdf5ce_1x400.png) 50% 50% repeat-x;font-weight:bold;color:#c77405}.ui-state-hover a,.ui-state-hover a:hover,.ui-state-hover a:link,.ui-state-hover a:visited{color:#c77405;text-decoration:none}.ui-state-active,.ui-widget-content .ui-state-active,.ui-widget-header .ui-state-active{border:1px solid #fbd850;background:#fff url(images/ui-bg_glass_65_ffffff_1x400.png) 50% 50% repeat-x;font-weight:bold;color:#eb8f00}.ui-state-active a,.ui-state-active a:link,.ui-state-active a:visited{color:#eb8f00;text-decoration:none}.ui-state-highlight,.ui-widget-content .ui-state-highlight,.ui-widget-header .ui-state-highlight{border:1px solid #fed22f;background:#ffe45c url(images/ui-bg_highlight-soft_75_ffe45c_1x100.png) 50% top repeat-x;color:#363636}.ui-state-highlight a,.ui-widget-content .ui-state-highlight a,.ui-widget-header .ui-state-highlight a{color:#363636}.ui-state-error,.ui-widget-content .ui-state-error,.ui-widget-header .ui-state-error{border:1px solid #cd0a0a;background:#b81900 url(images/ui-bg_diagonals-thick_18_b81900_40x40.png) 50% 50% repeat;color:#fff}.ui-state-error a,.ui-widget-content .ui-state-error a,.ui-widget-header .ui-state-error a{color:#fff}.ui-state-error-text,.ui-widget-content .ui-state-error-text,.ui-widget-header .ui-state-error-text{color:#fff}.ui-priority-primary,.ui-widget-content .ui-priority-primary,.ui-widget-header .ui-priority-primary{font-weight:bold}.ui-priority-secondary,.ui-widget-content .ui-priority-secondary,.ui-widget-header .ui-priority-secondary{opacity:.7;filter:Alpha(Opacity=70);font-weight:normal}.ui-state-disabled,.ui-widget-content .ui-state-disabled,.ui-widget-header .ui-state-disabled{opacity:.35;filter:Alpha(Opacity=35);background-image:none}.ui-state-disabled .ui-icon{filter:Alpha(Opacity=35)}.ui-icon{width:16px;height:16px;background-position:16px 16px}.ui-icon,.ui-widget-content .ui-icon{background-image:url(images/ui-icons_222222_256x240.png)}.ui-widget-header .ui-icon{background-image:url(images/ui-icons_ffffff_256x240.png)}.ui-state-default .ui-icon{background-image:url(images/ui-icons_ef8c08_256x240.png)}.ui-state-hover .ui-icon,.ui-state-focus .ui-icon{background-image:url(images/ui-icons_ef8c08_256x240.png)}.ui-state-active .ui-icon{background-image:url(images/ui-icons_ef8c08_256x240.png)}.ui-state-highlight .ui-icon{background-image:url(images/ui-icons_228ef1_256x240.png)}.ui-state-error .ui-icon,.ui-state-error-text .ui-icon{background-image:url(images/ui-icons_ffd27a_256x240.png)}.ui-icon-carat-1-n{background-position:0 0}.ui-icon-carat-1-ne{background-position:-16px 0}.ui-icon-carat-1-e{background-position:-32px 0}.ui-icon-carat-1-se{background-position:-48px 0}.ui-icon-carat-1-s{background-position:-64px 0}.ui-icon-carat-1-sw{background-position:-80px 0}.ui-icon-carat-1-w{background-position:-96px 0}.ui-icon-carat-1-nw{background-position:-112px 0}.ui-icon-carat-2-n-s{background-position:-128px 0}.ui-icon-carat-2-e-w{background-position:-144px 0}.ui-icon-triangle-1-n{background-position:0 -16px}.ui-icon-triangle-1-ne{background-position:-16px -16px}.ui-icon-triangle-1-e{background-position:-32px -16px}.ui-icon-triangle-1-se{background-position:-48px -16px}.ui-icon-triangle-1-s{background-position:-64px -16px}.ui-icon-triangle-1-sw{background-position:-80px -16px}.ui-icon-triangle-1-w{background-position:-96px -16px}.ui-icon-triangle-1-nw{background-position:-112px -16px}.ui-icon-triangle-2-n-s{background-position:-128px -16px}.ui-icon-triangle-2-e-w{background-position:-144px -16px}.ui-icon-arrow-1-n{background-position:0 -32px}.ui-icon-arrow-1-ne{background-position:-16px -32px}.ui-icon-arrow-1-e{background-position:-32px -32px}.ui-icon-arrow-1-se{background-position:-48px -32px}.ui-icon-arrow-1-s{background-position:-64px -32px}.ui-icon-arrow-1-sw{background-position:-80px -32px}.ui-icon-arrow-1-w{background-position:-96px -32px}.ui-icon-arrow-1-nw{background-position:-112px -32px}.ui-icon-arrow-2-n-s{background-position:-128px -32px}.ui-icon-arrow-2-ne-sw{background-position:-144px -32px}.ui-icon-arrow-2-e-w{background-position:-160px -32px}.ui-icon-arrow-2-se-nw{background-position:-176px -32px}.ui-icon-arrowstop-1-n{background-position:-192px -32px}.ui-icon-arrowstop-1-e{background-position:-208px -32px}.ui-icon-arrowstop-1-s{background-position:-224px -32px}.ui-icon-arrowstop-1-w{background-position:-240px -32px}.ui-icon-arrowthick-1-n{background-position:0 -48px}.ui-icon-arrowthick-1-ne{background-position:-16px -48px}.ui-icon-arrowthick-1-e{background-position:-32px -48px}.ui-icon-arrowthick-1-se{background-position:-48px -48px}.ui-icon-arrowthick-1-s{background-position:-64px -48px}.ui-icon-arrowthick-1-sw{background-position:-80px -48px}.ui-icon-arrowthick-1-w{background-position:-96px -48px}.ui-icon-arrowthick-1-nw{background-position:-112px -48px}.ui-icon-arrowthick-2-n-s{background-position:-128px -48px}.ui-icon-arrowthick-2-ne-sw{background-position:-144px -48px}.ui-icon-arrowthick-2-e-w{background-position:-160px -48px}.ui-icon-arrowthick-2-se-nw{background-position:-176px -48px}.ui-icon-arrowthickstop-1-n{background-position:-192px -48px}.ui-icon-arrowthickstop-1-e{background-position:-208px -48px}.ui-icon-arrowthickstop-1-s{background-position:-224px -48px}.ui-icon-arrowthickstop-1-w{background-position:-240px -48px}.ui-icon-arrowreturnthick-1-w{background-position:0 -64px}.ui-icon-arrowreturnthick-1-n{background-position:-16px -64px}.ui-icon-arrowreturnthick-1-e{background-position:-32px -64px}.ui-icon-arrowreturnthick-1-s{background-position:-48px -64px}.ui-icon-arrowreturn-1-w{background-position:-64px -64px}.ui-icon-arrowreturn-1-n{background-position:-80px -64px}.ui-icon-arrowreturn-1-e{background-position:-96px -64px}.ui-icon-arrowreturn-1-s{background-position:-112px -64px}.ui-icon-arrowrefresh-1-w{background-position:-128px -64px}.ui-icon-arrowrefresh-1-n{background-position:-144px -64px}.ui-icon-arrowrefresh-1-e{background-position:-160px -64px}.ui-icon-arrowrefresh-1-s{background-position:-176px -64px}.ui-icon-arrow-4{background-position:0 -80px}.ui-icon-arrow-4-diag{background-position:-16px -80px}.ui-icon-extlink{background-position:-32px -80px}.ui-icon-newwin{background-position:-48px -80px}.ui-icon-refresh{background-position:-64px -80px}.ui-icon-shuffle{background-position:-80px -80px}.ui-icon-transfer-e-w{background-position:-96px -80px}.ui-icon-transferthick-e-w{background-position:-112px -80px}.ui-icon-folder-collapsed{background-position:0 -96px}.ui-icon-folder-open{background-position:-16px -96px}.ui-icon-document{background-position:-32px -96px}.ui-icon-document-b{background-position:-48px -96px}.ui-icon-note{background-position:-64px -96px}.ui-icon-mail-closed{background-position:-80px -96px}.ui-icon-mail-open{background-position:-96px -96px}.ui-icon-suitcase{background-position:-112px -96px}.ui-icon-comment{background-position:-128px -96px}.ui-icon-person{background-position:-144px -96px}.ui-icon-print{background-position:-160px -96px}.ui-icon-trash{background-position:-176px -96px}.ui-icon-locked{background-position:-192px -96px}.ui-icon-unlocked{background-position:-208px -96px}.ui-icon-bookmark{background-position:-224px -96px}.ui-icon-tag{background-position:-240px -96px}.ui-icon-home{background-position:0 -112px}.ui-icon-flag{background-position:-16px -112px}.ui-icon-calendar{background-position:-32px -112px}.ui-icon-cart{background-position:-48px -112px}.ui-icon-pencil{background-position:-64px -112px}.ui-icon-clock{background-position:-80px -112px}.ui-icon-disk{background-position:-96px -112px}.ui-icon-calculator{background-position:-112px -112px}.ui-icon-zoomin{background-position:-128px -112px}.ui-icon-zoomout{background-position:-144px -112px}.ui-icon-search{background-position:-160px -112px}.ui-icon-wrench{background-position:-176px -112px}.ui-icon-gear{background-position:-192px -112px}.ui-icon-heart{background-position:-208px -112px}.ui-icon-star{background-position:-224px -112px}.ui-icon-link{background-position:-240px -112px}.ui-icon-cancel{background-position:0 -128px}.ui-icon-plus{background-position:-16px -128px}.ui-icon-plusthick{background-position:-32px -128px}.ui-icon-minus{background-position:-48px -128px}.ui-icon-minusthick{background-position:-64px -128px}.ui-icon-close{background-position:-80px -128px}.ui-icon-closethick{background-position:-96px -128px}.ui-icon-key{background-position:-112px -128px}.ui-icon-lightbulb{background-position:-128px -128px}.ui-icon-scissors{background-position:-144px -128px}.ui-icon-clipboard{background-position:-160px -128px}.ui-icon-copy{background-position:-176px -128px}.ui-icon-contact{background-position:-192px -128px}.ui-icon-image{background-position:-208px -128px}.ui-icon-video{background-position:-224px -128px}.ui-icon-script{background-position:-240px -128px}.ui-icon-alert{background-position:0 -144px}.ui-icon-info{background-position:-16px -144px}.ui-icon-notice{background-position:-32px -144px}.ui-icon-help{background-position:-48px -144px}.ui-icon-check{background-position:-64px -144px}.ui-icon-bullet{background-position:-80px -144px}.ui-icon-radio-on{background-position:-96px -144px}.ui-icon-radio-off{background-position:-112px -144px}.ui-icon-pin-w{background-position:-128px -144px}.ui-icon-pin-s{background-position:-144px -144px}.ui-icon-play{background-position:0 -160px}.ui-icon-pause{background-position:-16px -160px}.ui-icon-seek-next{background-position:-32px -160px}.ui-icon-seek-prev{background-position:-48px -160px}.ui-icon-seek-end{background-position:-64px -160px}.ui-icon-seek-start{background-position:-80px -160px}.ui-icon-seek-first{background-position:-80px -160px}.ui-icon-stop{background-position:-96px -160px}.ui-icon-eject{background-position:-112px -160px}.ui-icon-volume-off{background-position:-128px -160px}.ui-icon-volume-on{background-position:-144px -160px}.ui-icon-power{background-position:0 -176px}.ui-icon-signal-diag{background-position:-16px -176px}.ui-icon-signal{background-position:-32px -176px}.ui-icon-battery-0{background-position:-48px -176px}.ui-icon-battery-1{background-position:-64px -176px}.ui-icon-battery-2{background-position:-80px -176px}.ui-icon-battery-3{background-position:-96px -176px}.ui-icon-circle-plus{background-position:0 -192px}.ui-icon-circle-minus{background-position:-16px -192px}.ui-icon-circle-close{background-position:-32px -192px}.ui-icon-circle-triangle-e{background-position:-48px -192px}.ui-icon-circle-triangle-s{background-position:-64px -192px}.ui-icon-circle-triangle-w{background-position:-80px -192px}.ui-icon-circle-triangle-n{background-position:-96px -192px}.ui-icon-circle-arrow-e{background-position:-112px -192px}.ui-icon-circle-arrow-s{background-position:-128px -192px}.ui-icon-circle-arrow-w{background-position:-144px -192px}.ui-icon-circle-arrow-n{background-position:-160px -192px}.ui-icon-circle-zoomin{background-position:-176px -192px}.ui-icon-circle-zoomout{background-position:-192px -192px}.ui-icon-circle-check{background-position:-208px -192px}.ui-icon-circlesmall-plus{background-position:0 -208px}.ui-icon-circlesmall-minus{background-position:-16px -208px}.ui-icon-circlesmall-close{background-position:-32px -208px}.ui-icon-squaresmall-plus{background-position:-48px -208px}.ui-icon-squaresmall-minus{background-position:-64px -208px}.ui-icon-squaresmall-close{background-position:-80px -208px}.ui-icon-grip-dotted-vertical{background-position:0 -224px}.ui-icon-grip-dotted-horizontal{background-position:-16px -224px}.ui-icon-grip-solid-vertical{background-position:-32px -224px}.ui-icon-grip-solid-horizontal{background-position:-48px -224px}.ui-icon-gripsmall-diagonal-se{background-position:-64px -224px}.ui-icon-grip-diagonal-se{background-position:-80px -224px}.ui-corner-all,.ui-corner-top,.ui-corner-left,.ui-corner-tl{border-top-left-radius:4px}.ui-corner-all,.ui-corner-top,.ui-corner-right,.ui-corner-tr{border-top-right-radius:4px}.ui-corner-all,.ui-corner-bottom,.ui-corner-left,.ui-corner-bl{border-bottom-left-radius:4px}.ui-corner-all,.ui-corner-bottom,.ui-corner-right,.ui-corner-br{border-bottom-right-radius:4px}.ui-widget-overlay{background:#666 url(images/ui-bg_diagonals-thick_20_666666_40x40.png) 50% 50% repeat;opacity:.5;filter:Alpha(Opacity=50)}.ui-widget-shadow{margin:-5px 0 0 -5px;padding:5px;background:#000 url(images/ui-bg_flat_10_000000_40x100.png) 50% 50% repeat-x;opacity:.2;filter:Alpha(Opacity=20);border-radius:5px}
diff --git a/src/wiki/static/wiki/js/jqueryui/jquery-ui-1.10.0.custom.min.js b/src/wiki/static/wiki/js/jqueryui/jquery-ui-1.10.0.custom.min.js
deleted file mode 100644
index e5794e9d1..000000000
--- a/src/wiki/static/wiki/js/jqueryui/jquery-ui-1.10.0.custom.min.js
+++ /dev/null
@@ -1,6 +0,0 @@
-/*! jQuery UI - v1.10.0 - 2013-02-12
-* http://jqueryui.com
-* Includes: jquery.ui.core.js, jquery.ui.widget.js, jquery.ui.mouse.js, jquery.ui.resizable.js
-* Copyright (c) 2013 jQuery Foundation and other contributors Licensed MIT */
-
-(function(e,t){function i(t,n){var r,i,o,u=t.nodeName.toLowerCase();return"area"===u?(r=t.parentNode,i=r.name,!t.href||!i||r.nodeName.toLowerCase()!=="map"?!1:(o=e("img[usemap=#"+i+"]")[0],!!o&&s(o))):(/input|select|textarea|button|object/.test(u)?!t.disabled:"a"===u?t.href||n:n)&&s(t)}function s(t){return e.expr.filters.visible(t)&&!e(t).parents().addBack().filter(function(){return e.css(this,"visibility")==="hidden"}).length}var n=0,r=/^ui-id-\d+$/;e.ui=e.ui||{};if(e.ui.version)return;e.extend(e.ui,{version:"1.10.0",keyCode:{BACKSPACE:8,COMMA:188,DELETE:46,DOWN:40,END:35,ENTER:13,ESCAPE:27,HOME:36,LEFT:37,NUMPAD_ADD:107,NUMPAD_DECIMAL:110,NUMPAD_DIVIDE:111,NUMPAD_ENTER:108,NUMPAD_MULTIPLY:106,NUMPAD_SUBTRACT:109,PAGE_DOWN:34,PAGE_UP:33,PERIOD:190,RIGHT:39,SPACE:32,TAB:9,UP:38}}),e.fn.extend({_focus:e.fn.focus,focus:function(t,n){return typeof t=="number"?this.each(function(){var r=this;setTimeout(function(){e(r).focus(),n&&n.call(r)},t)}):this._focus.apply(this,arguments)},scrollParent:function(){var t;return e.ui.ie&&/(static|relative)/.test(this.css("position"))||/absolute/.test(this.css("position"))?t=this.parents().filter(function(){return/(relative|absolute|fixed)/.test(e.css(this,"position"))&&/(auto|scroll)/.test(e.css(this,"overflow")+e.css(this,"overflow-y")+e.css(this,"overflow-x"))}).eq(0):t=this.parents().filter(function(){return/(auto|scroll)/.test(e.css(this,"overflow")+e.css(this,"overflow-y")+e.css(this,"overflow-x"))}).eq(0),/fixed/.test(this.css("position"))||!t.length?e(document):t},zIndex:function(n){if(n!==t)return this.css("zIndex",n);if(this.length){var r=e(this[0]),i,s;while(r.length&&r[0]!==document){i=r.css("position");if(i==="absolute"||i==="relative"||i==="fixed"){s=parseInt(r.css("zIndex"),10);if(!isNaN(s)&&s!==0)return s}r=r.parent()}}return 0},uniqueId:function(){return this.each(function(){this.id||(this.id="ui-id-"+ ++n)})},removeUniqueId:function(){return this.each(function(){r.test(this.id)&&e(this).removeAttr("id")})}}),e.extend(e.expr[":"],{data:e.expr.createPseudo?e.expr.createPseudo(function(t){return function(n){return!!e.data(n,t)}}):function(t,n,r){return!!e.data(t,r[3])},focusable:function(t){return i(t,!isNaN(e.attr(t,"tabindex")))},tabbable:function(t){var n=e.attr(t,"tabindex"),r=isNaN(n);return(r||n>=0)&&i(t,!r)}}),e("<a>").outerWidth(1).jquery||e.each(["Width","Height"],function(n,r){function u(t,n,r,s){return e.each(i,function(){n-=parseFloat(e.css(t,"padding"+this))||0,r&&(n-=parseFloat(e.css(t,"border"+this+"Width"))||0),s&&(n-=parseFloat(e.css(t,"margin"+this))||0)}),n}var i=r==="Width"?["Left","Right"]:["Top","Bottom"],s=r.toLowerCase(),o={innerWidth:e.fn.innerWidth,innerHeight:e.fn.innerHeight,outerWidth:e.fn.outerWidth,outerHeight:e.fn.outerHeight};e.fn["inner"+r]=function(n){return n===t?o["inner"+r].call(this):this.each(function(){e(this).css(s,u(this,n)+"px")})},e.fn["outer"+r]=function(t,n){return typeof t!="number"?o["outer"+r].call(this,t):this.each(function(){e(this).css(s,u(this,t,!0,n)+"px")})}}),e.fn.addBack||(e.fn.addBack=function(e){return this.add(e==null?this.prevObject:this.prevObject.filter(e))}),e("<a>").data("a-b","a").removeData("a-b").data("a-b")&&(e.fn.removeData=function(t){return function(n){return arguments.length?t.call(this,e.camelCase(n)):t.call(this)}}(e.fn.removeData)),e.ui.ie=!!/msie [\w.]+/.exec(navigator.userAgent.toLowerCase()),e.support.selectstart="onselectstart"in document.createElement("div"),e.fn.extend({disableSelection:function(){return this.bind((e.support.selectstart?"selectstart":"mousedown")+".ui-disableSelection",function(e){e.preventDefault()})},enableSelection:function(){return this.unbind(".ui-disableSelection")}}),e.extend(e.ui,{plugin:{add:function(t,n,r){var i,s=e.ui[t].prototype;for(i in r)s.plugins[i]=s.plugins[i]||[],s.plugins[i].push([n,r[i]])},call:function(e,t,n){var r,i=e.plugins[t];if(!i||!e.element[0].parentNode||e.element[0].parentNode.nodeType===11)return;for(r=0;r<i.length;r++)e.options[i[r][0]]&&i[r][1].apply(e.element,n)}},hasScroll:function(t,n){if(e(t).css("overflow")==="hidden")return!1;var r=n&&n==="left"?"scrollLeft":"scrollTop",i=!1;return t[r]>0?!0:(t[r]=1,i=t[r]>0,t[r]=0,i)}})})(jQuery);(function(e,t){var n=0,r=Array.prototype.slice,i=e.cleanData;e.cleanData=function(t){for(var n=0,r;(r=t[n])!=null;n++)try{e(r).triggerHandler("remove")}catch(s){}i(t)},e.widget=function(t,n,r){var i,s,o,u,a={},f=t.split(".")[0];t=t.split(".")[1],i=f+"-"+t,r||(r=n,n=e.Widget),e.expr[":"][i.toLowerCase()]=function(t){return!!e.data(t,i)},e[f]=e[f]||{},s=e[f][t],o=e[f][t]=function(e,t){if(!this._createWidget)return new o(e,t);arguments.length&&this._createWidget(e,t)},e.extend(o,s,{version:r.version,_proto:e.extend({},r),_childConstructors:[]}),u=new n,u.options=e.widget.extend({},u.options),e.each(r,function(t,r){if(!e.isFunction(r)){a[t]=r;return}a[t]=function(){var e=function(){return n.prototype[t].apply(this,arguments)},i=function(e){return n.prototype[t].apply(this,e)};return function(){var t=this._super,n=this._superApply,s;return this._super=e,this._superApply=i,s=r.apply(this,arguments),this._super=t,this._superApply=n,s}}()}),o.prototype=e.widget.extend(u,{widgetEventPrefix:s?u.widgetEventPrefix:t},a,{constructor:o,namespace:f,widgetName:t,widgetFullName:i}),s?(e.each(s._childConstructors,function(t,n){var r=n.prototype;e.widget(r.namespace+"."+r.widgetName,o,n._proto)}),delete s._childConstructors):n._childConstructors.push(o),e.widget.bridge(t,o)},e.widget.extend=function(n){var i=r.call(arguments,1),s=0,o=i.length,u,a;for(;s<o;s++)for(u in i[s])a=i[s][u],i[s].hasOwnProperty(u)&&a!==t&&(e.isPlainObject(a)?n[u]=e.isPlainObject(n[u])?e.widget.extend({},n[u],a):e.widget.extend({},a):n[u]=a);return n},e.widget.bridge=function(n,i){var s=i.prototype.widgetFullName||n;e.fn[n]=function(o){var u=typeof o=="string",a=r.call(arguments,1),f=this;return o=!u&&a.length?e.widget.extend.apply(null,[o].concat(a)):o,u?this.each(function(){var r,i=e.data(this,s);if(!i)return e.error("cannot call methods on "+n+" prior to initialization; "+"attempted to call method '"+o+"'");if(!e.isFunction(i[o])||o.charAt(0)==="_")return e.error("no such method '"+o+"' for "+n+" widget instance");r=i[o].apply(i,a);if(r!==i&&r!==t)return f=r&&r.jquery?f.pushStack(r.get()):r,!1}):this.each(function(){var t=e.data(this,s);t?t.option(o||{})._init():e.data(this,s,new i(o,this))}),f}},e.Widget=function(){},e.Widget._childConstructors=[],e.Widget.prototype={widgetName:"widget",widgetEventPrefix:"",defaultElement:"<div>",options:{disabled:!1,create:null},_createWidget:function(t,r){r=e(r||this.defaultElement||this)[0],this.element=e(r),this.uuid=n++,this.eventNamespace="."+this.widgetName+this.uuid,this.options=e.widget.extend({},this.options,this._getCreateOptions(),t),this.bindings=e(),this.hoverable=e(),this.focusable=e(),r!==this&&(e.data(r,this.widgetFullName,this),this._on(!0,this.element,{remove:function(e){e.target===r&&this.destroy()}}),this.document=e(r.style?r.ownerDocument:r.document||r),this.window=e(this.document[0].defaultView||this.document[0].parentWindow)),this._create(),this._trigger("create",null,this._getCreateEventData()),this._init()},_getCreateOptions:e.noop,_getCreateEventData:e.noop,_create:e.noop,_init:e.noop,destroy:function(){this._destroy(),this.element.unbind(this.eventNamespace).removeData(this.widgetName).removeData(this.widgetFullName).removeData(e.camelCase(this.widgetFullName)),this.widget().unbind(this.eventNamespace).removeAttr("aria-disabled").removeClass(this.widgetFullName+"-disabled "+"ui-state-disabled"),this.bindings.unbind(this.eventNamespace),this.hoverable.removeClass("ui-state-hover"),this.focusable.removeClass("ui-state-focus")},_destroy:e.noop,widget:function(){return this.element},option:function(n,r){var i=n,s,o,u;if(arguments.length===0)return e.widget.extend({},this.options);if(typeof n=="string"){i={},s=n.split("."),n=s.shift();if(s.length){o=i[n]=e.widget.extend({},this.options[n]);for(u=0;u<s.length-1;u++)o[s[u]]=o[s[u]]||{},o=o[s[u]];n=s.pop();if(r===t)return o[n]===t?null:o[n];o[n]=r}else{if(r===t)return this.options[n]===t?null:this.options[n];i[n]=r}}return this._setOptions(i),this},_setOptions:function(e){var t;for(t in e)this._setOption(t,e[t]);return this},_setOption:function(e,t){return this.options[e]=t,e==="disabled"&&(this.widget().toggleClass(this.widgetFullName+"-disabled ui-state-disabled",!!t).attr("aria-disabled",t),this.hoverable.removeClass("ui-state-hover"),this.focusable.removeClass("ui-state-focus")),this},enable:function(){return this._setOption("disabled",!1)},disable:function(){return this._setOption("disabled",!0)},_on:function(t,n,r){var i,s=this;typeof t!="boolean"&&(r=n,n=t,t=!1),r?(n=i=e(n),this.bindings=this.bindings.add(n)):(r=n,n=this.element,i=this.widget()),e.each(r,function(r,o){function u(){if(!t&&(s.options.disabled===!0||e(this).hasClass("ui-state-disabled")))return;return(typeof o=="string"?s[o]:o).apply(s,arguments)}typeof o!="string"&&(u.guid=o.guid=o.guid||u.guid||e.guid++);var a=r.match(/^(\w+)\s*(.*)$/),f=a[1]+s.eventNamespace,l=a[2];l?i.delegate(l,f,u):n.bind(f,u)})},_off:function(e,t){t=(t||"").split(" ").join(this.eventNamespace+" ")+this.eventNamespace,e.unbind(t).undelegate(t)},_delay:function(e,t){function n(){return(typeof e=="string"?r[e]:e).apply(r,arguments)}var r=this;return setTimeout(n,t||0)},_hoverable:function(t){this.hoverable=this.hoverable.add(t),this._on(t,{mouseenter:function(t){e(t.currentTarget).addClass("ui-state-hover")},mouseleave:function(t){e(t.currentTarget).removeClass("ui-state-hover")}})},_focusable:function(t){this.focusable=this.focusable.add(t),this._on(t,{focusin:function(t){e(t.currentTarget).addClass("ui-state-focus")},focusout:function(t){e(t.currentTarget).removeClass("ui-state-focus")}})},_trigger:function(t,n,r){var i,s,o=this.options[t];r=r||{},n=e.Event(n),n.type=(t===this.widgetEventPrefix?t:this.widgetEventPrefix+t).toLowerCase(),n.target=this.element[0],s=n.originalEvent;if(s)for(i in s)i in n||(n[i]=s[i]);return this.element.trigger(n,r),!(e.isFunction(o)&&o.apply(this.element[0],[n].concat(r))===!1||n.isDefaultPrevented())}},e.each({show:"fadeIn",hide:"fadeOut"},function(t,n){e.Widget.prototype["_"+t]=function(r,i,s){typeof i=="string"&&(i={effect:i});var o,u=i?i===!0||typeof i=="number"?n:i.effect||n:t;i=i||{},typeof i=="number"&&(i={duration:i}),o=!e.isEmptyObject(i),i.complete=s,i.delay&&r.delay(i.delay),o&&e.effects&&e.effects.effect[u]?r[t](i):u!==t&&r[u]?r[u](i.duration,i.easing,s):r.queue(function(n){e(this)[t](),s&&s.call(r[0]),n()})}})})(jQuery);(function(e,t){var n=!1;e(document).mouseup(function(){n=!1}),e.widget("ui.mouse",{version:"1.10.0",options:{cancel:"input,textarea,button,select,option",distance:1,delay:0},_mouseInit:function(){var t=this;this.element.bind("mousedown."+this.widgetName,function(e){return t._mouseDown(e)}).bind("click."+this.widgetName,function(n){if(!0===e.data(n.target,t.widgetName+".preventClickEvent"))return e.removeData(n.target,t.widgetName+".preventClickEvent"),n.stopImmediatePropagation(),!1}),this.started=!1},_mouseDestroy:function(){this.element.unbind("."+this.widgetName),this._mouseMoveDelegate&&e(document).unbind("mousemove."+this.widgetName,this._mouseMoveDelegate).unbind("mouseup."+this.widgetName,this._mouseUpDelegate)},_mouseDown:function(t){if(n)return;this._mouseStarted&&this._mouseUp(t),this._mouseDownEvent=t;var r=this,i=t.which===1,s=typeof this.options.cancel=="string"&&t.target.nodeName?e(t.target).closest(this.options.cancel).length:!1;if(!i||s||!this._mouseCapture(t))return!0;this.mouseDelayMet=!this.options.delay,this.mouseDelayMet||(this._mouseDelayTimer=setTimeout(function(){r.mouseDelayMet=!0},this.options.delay));if(this._mouseDistanceMet(t)&&this._mouseDelayMet(t)){this._mouseStarted=this._mouseStart(t)!==!1;if(!this._mouseStarted)return t.preventDefault(),!0}return!0===e.data(t.target,this.widgetName+".preventClickEvent")&&e.removeData(t.target,this.widgetName+".preventClickEvent"),this._mouseMoveDelegate=function(e){return r._mouseMove(e)},this._mouseUpDelegate=function(e){return r._mouseUp(e)},e(document).bind("mousemove."+this.widgetName,this._mouseMoveDelegate).bind("mouseup."+this.widgetName,this._mouseUpDelegate),t.preventDefault(),n=!0,!0},_mouseMove:function(t){return e.ui.ie&&(!document.documentMode||document.documentMode<9)&&!t.button?this._mouseUp(t):this._mouseStarted?(this._mouseDrag(t),t.preventDefault()):(this._mouseDistanceMet(t)&&this._mouseDelayMet(t)&&(this._mouseStarted=this._mouseStart(this._mouseDownEvent,t)!==!1,this._mouseStarted?this._mouseDrag(t):this._mouseUp(t)),!this._mouseStarted)},_mouseUp:function(t){return e(document).unbind("mousemove."+this.widgetName,this._mouseMoveDelegate).unbind("mouseup."+this.widgetName,this._mouseUpDelegate),this._mouseStarted&&(this._mouseStarted=!1,t.target===this._mouseDownEvent.target&&e.data(t.target,this.widgetName+".preventClickEvent",!0),this._mouseStop(t)),!1},_mouseDistanceMet:function(e){return Math.max(Math.abs(this._mouseDownEvent.pageX-e.pageX),Math.abs(this._mouseDownEvent.pageY-e.pageY))>=this.options.distance},_mouseDelayMet:function(){return this.mouseDelayMet},_mouseStart:function(){},_mouseDrag:function(){},_mouseStop:function(){},_mouseCapture:function(){return!0}})})(jQuery);(function(e,t){function n(e){return parseInt(e,10)||0}function r(e){return!isNaN(parseInt(e,10))}e.widget("ui.resizable",e.ui.mouse,{version:"1.10.0",widgetEventPrefix:"resize",options:{alsoResize:!1,animate:!1,animateDuration:"slow",animateEasing:"swing",aspectRatio:!1,autoHide:!1,containment:!1,ghost:!1,grid:!1,handles:"e,s,se",helper:!1,maxHeight:null,maxWidth:null,minHeight:10,minWidth:10,zIndex:90,resize:null,start:null,stop:null},_create:function(){var t,n,r,i,s,o=this,u=this.options;this.element.addClass("ui-resizable"),e.extend(this,{_aspectRatio:!!u.aspectRatio,aspectRatio:u.aspectRatio,originalElement:this.element,_proportionallyResizeElements:[],_helper:u.helper||u.ghost||u.animate?u.helper||"ui-resizable-helper":null}),this.element[0].nodeName.match(/canvas|textarea|input|select|button|img/i)&&(this.element.wrap(e("<div class='ui-wrapper' style='overflow: hidden;'></div>").css({position:this.element.css("position"),width:this.element.outerWidth(),height:this.element.outerHeight(),top:this.element.css("top"),left:this.element.css("left")})),this.element=this.element.parent().data("ui-resizable",this.element.data("ui-resizable")),this.elementIsWrapper=!0,this.element.css({marginLeft:this.originalElement.css("marginLeft"),marginTop:this.originalElement.css("marginTop"),marginRight:this.originalElement.css("marginRight"),marginBottom:this.originalElement.css("marginBottom")}),this.originalElement.css({marginLeft:0,marginTop:0,marginRight:0,marginBottom:0}),this.originalResizeStyle=this.originalElement.css("resize"),this.originalElement.css("resize","none"),this._proportionallyResizeElements.push(this.originalElement.css({position:"static",zoom:1,display:"block"})),this.originalElement.css({margin:this.originalElement.css("margin")}),this._proportionallyResize()),this.handles=u.handles||(e(".ui-resizable-handle",this.element).length?{n:".ui-resizable-n",e:".ui-resizable-e",s:".ui-resizable-s",w:".ui-resizable-w",se:".ui-resizable-se",sw:".ui-resizable-sw",ne:".ui-resizable-ne",nw:".ui-resizable-nw"}:"e,s,se");if(this.handles.constructor===String){this.handles==="all"&&(this.handles="n,e,s,w,se,sw,ne,nw"),t=this.handles.split(","),this.handles={};for(n=0;n<t.length;n++)r=e.trim(t[n]),s="ui-resizable-"+r,i=e("<div class='ui-resizable-handle "+s+"'></div>"),i.css({zIndex:u.zIndex}),"se"===r&&i.addClass("ui-icon ui-icon-gripsmall-diagonal-se"),this.handles[r]=".ui-resizable-"+r,this.element.append(i)}this._renderAxis=function(t){var n,r,i,s;t=t||this.element;for(n in this.handles){this.handles[n].constructor===String&&(this.handles[n]=e(this.handles[n],this.element).show()),this.elementIsWrapper&&this.originalElement[0].nodeName.match(/textarea|input|select|button/i)&&(r=e(this.handles[n],this.element),s=/sw|ne|nw|se|n|s/.test(n)?r.outerHeight():r.outerWidth(),i=["padding",/ne|nw|n/.test(n)?"Top":/se|sw|s/.test(n)?"Bottom":/^e$/.test(n)?"Right":"Left"].join(""),t.css(i,s),this._proportionallyResize());if(!e(this.handles[n]).length)continue}},this._renderAxis(this.element),this._handles=e(".ui-resizable-handle",this.element).disableSelection(),this._handles.mouseover(function(){o.resizing||(this.className&&(i=this.className.match(/ui-resizable-(se|sw|ne|nw|n|e|s|w)/i)),o.axis=i&&i[1]?i[1]:"se")}),u.autoHide&&(this._handles.hide(),e(this.element).addClass("ui-resizable-autohide").mouseenter(function(){if(u.disabled)return;e(this).removeClass("ui-resizable-autohide"),o._handles.show()}).mouseleave(function(){if(u.disabled)return;o.resizing||(e(this).addClass("ui-resizable-autohide"),o._handles.hide())})),this._mouseInit()},_destroy:function(){this._mouseDestroy();var t,n=function(t){e(t).removeClass("ui-resizable ui-resizable-disabled ui-resizable-resizing").removeData("resizable").removeData("ui-resizable").unbind(".resizable").find(".ui-resizable-handle").remove()};return this.elementIsWrapper&&(n(this.element),t=this.element,this.originalElement.css({position:t.css("position"),width:t.outerWidth(),height:t.outerHeight(),top:t.css("top"),left:t.css("left")}).insertAfter(t),t.remove()),this.originalElement.css("resize",this.originalResizeStyle),n(this.originalElement),this},_mouseCapture:function(t){var n,r,i=!1;for(n in this.handles){r=e(this.handles[n])[0];if(r===t.target||e.contains(r,t.target))i=!0}return!this.options.disabled&&i},_mouseStart:function(t){var r,i,s,o=this.options,u=this.element.position(),a=this.element;return this.resizing=!0,/absolute/.test(a.css("position"))?a.css({position:"absolute",top:a.css("top"),left:a.css("left")}):a.is(".ui-draggable")&&a.css({position:"absolute",top:u.top,left:u.left}),this._renderProxy(),r=n(this.helper.css("left")),i=n(this.helper.css("top")),o.containment&&(r+=e(o.containment).scrollLeft()||0,i+=e(o.containment).scrollTop()||0),this.offset=this.helper.offset(),this.position={left:r,top:i},this.size=this._helper?{width:a.outerWidth(),height:a.outerHeight()}:{width:a.width(),height:a.height()},this.originalSize=this._helper?{width:a.outerWidth(),height:a.outerHeight()}:{width:a.width(),height:a.height()},this.originalPosition={left:r,top:i},this.sizeDiff={width:a.outerWidth()-a.width(),height:a.outerHeight()-a.height()},this.originalMousePosition={left:t.pageX,top:t.pageY},this.aspectRatio=typeof o.aspectRatio=="number"?o.aspectRatio:this.originalSize.width/this.originalSize.height||1,s=e(".ui-resizable-"+this.axis).css("cursor"),e("body").css("cursor",s==="auto"?this.axis+"-resize":s),a.addClass("ui-resizable-resizing"),this._propagate("start",t),!0},_mouseDrag:function(t){var n,r=this.helper,i={},s=this.originalMousePosition,o=this.axis,u=this.position.top,a=this.position.left,f=this.size.width,l=this.size.height,c=t.pageX-s.left||0,h=t.pageY-s.top||0,p=this._change[o];if(!p)return!1;n=p.apply(this,[t,c,h]),this._updateVirtualBoundaries(t.shiftKey);if(this._aspectRatio||t.shiftKey)n=this._updateRatio(n,t);return n=this._respectSize(n,t),this._updateCache(n),this._propagate("resize",t),this.position.top!==u&&(i.top=this.position.top+"px"),this.position.left!==a&&(i.left=this.position.left+"px"),this.size.width!==f&&(i.width=this.size.width+"px"),this.size.height!==l&&(i.height=this.size.height+"px"),r.css(i),!this._helper&&this._proportionallyResizeElements.length&&this._proportionallyResize(),e.isEmptyObject(i)||this._trigger("resize",t,this.ui()),!1},_mouseStop:function(t){this.resizing=!1;var n,r,i,s,o,u,a,f=this.options,l=this;return this._helper&&(n=this._proportionallyResizeElements,r=n.length&&/textarea/i.test(n[0].nodeName),i=r&&e.ui.hasScroll(n[0],"left")?0:l.sizeDiff.height,s=r?0:l.sizeDiff.width,o={width:l.helper.width()-s,height:l.helper.height()-i},u=parseInt(l.element.css("left"),10)+(l.position.left-l.originalPosition.left)||null,a=parseInt(l.element.css("top"),10)+(l.position.top-l.originalPosition.top)||null,f.animate||this.element.css(e.extend(o,{top:a,left:u})),l.helper.height(l.size.height),l.helper.width(l.size.width),this._helper&&!f.animate&&this._proportionallyResize()),e("body").css("cursor","auto"),this.element.removeClass("ui-resizable-resizing"),this._propagate("stop",t),this._helper&&this.helper.remove(),!1},_updateVirtualBoundaries:function(e){var t,n,i,s,o,u=this.options;o={minWidth:r(u.minWidth)?u.minWidth:0,maxWidth:r(u.maxWidth)?u.maxWidth:Infinity,minHeight:r(u.minHeight)?u.minHeight:0,maxHeight:r(u.maxHeight)?u.maxHeight:Infinity};if(this._aspectRatio||e)t=o.minHeight*this.aspectRatio,i=o.minWidth/this.aspectRatio,n=o.maxHeight*this.aspectRatio,s=o.maxWidth/this.aspectRatio,t>o.minWidth&&(o.minWidth=t),i>o.minHeight&&(o.minHeight=i),n<o.maxWidth&&(o.maxWidth=n),s<o.maxHeight&&(o.maxHeight=s);this._vBoundaries=o},_updateCache:function(e){this.offset=this.helper.offset(),r(e.left)&&(this.position.left=e.left),r(e.top)&&(this.position.top=e.top),r(e.height)&&(this.size.height=e.height),r(e.width)&&(this.size.width=e.width)},_updateRatio:function(e){var t=this.position,n=this.size,i=this.axis;return r(e.height)?e.width=e.height*this.aspectRatio:r(e.width)&&(e.height=e.width/this.aspectRatio),i==="sw"&&(e.left=t.left+(n.width-e.width),e.top=null),i==="nw"&&(e.top=t.top+(n.height-e.height),e.left=t.left+(n.width-e.width)),e},_respectSize:function(e){var t=this._vBoundaries,n=this.axis,i=r(e.width)&&t.maxWidth&&t.maxWidth<e.width,s=r(e.height)&&t.maxHeight&&t.maxHeight<e.height,o=r(e.width)&&t.minWidth&&t.minWidth>e.width,u=r(e.height)&&t.minHeight&&t.minHeight>e.height,a=this.originalPosition.left+this.originalSize.width,f=this.position.top+this.size.height,l=/sw|nw|w/.test(n),c=/nw|ne|n/.test(n);return o&&(e.width=t.minWidth),u&&(e.height=t.minHeight),i&&(e.width=t.maxWidth),s&&(e.height=t.maxHeight),o&&l&&(e.left=a-t.minWidth),i&&l&&(e.left=a-t.maxWidth),u&&c&&(e.top=f-t.minHeight),s&&c&&(e.top=f-t.maxHeight),!e.width&&!e.height&&!e.left&&e.top?e.top=null:!e.width&&!e.height&&!e.top&&e.left&&(e.left=null),e},_proportionallyResize:function(){if(!this._proportionallyResizeElements.length)return;var e,t,n,r,i,s=this.helper||this.element;for(e=0;e<this._proportionallyResizeElements.length;e++){i=this._proportionallyResizeElements[e];if(!this.borderDif){this.borderDif=[],n=[i.css("borderTopWidth"),i.css("borderRightWidth"),i.css("borderBottomWidth"),i.css("borderLeftWidth")],r=[i.css("paddingTop"),i.css("paddingRight"),i.css("paddingBottom"),i.css("paddingLeft")];for(t=0;t<n.length;t++)this.borderDif[t]=(parseInt(n[t],10)||0)+(parseInt(r[t],10)||0)}i.css({height:s.height()-this.borderDif[0]-this.borderDif[2]||0,width:s.width()-this.borderDif[1]-this.borderDif[3]||0})}},_renderProxy:function(){var t=this.element,n=this.options;this.elementOffset=t.offset(),this._helper?(this.helper=this.helper||e("<div style='overflow:hidden;'></div>"),this.helper.addClass(this._helper).css({width:this.element.outerWidth()-1,height:this.element.outerHeight()-1,position:"absolute",left:this.elementOffset.left+"px",top:this.elementOffset.top+"px",zIndex:++n.zIndex}),this.helper.appendTo("body").disableSelection()):this.helper=this.element},_change:{e:function(e,t){return{width:this.originalSize.width+t}},w:function(e,t){var n=this.originalSize,r=this.originalPosition;return{left:r.left+t,width:n.width-t}},n:function(e,t,n){var r=this.originalSize,i=this.originalPosition;return{top:i.top+n,height:r.height-n}},s:function(e,t,n){return{height:this.originalSize.height+n}},se:function(t,n,r){return e.extend(this._change.s.apply(this,arguments),this._change.e.apply(this,[t,n,r]))},sw:function(t,n,r){return e.extend(this._change.s.apply(this,arguments),this._change.w.apply(this,[t,n,r]))},ne:function(t,n,r){return e.extend(this._change.n.apply(this,arguments),this._change.e.apply(this,[t,n,r]))},nw:function(t,n,r){return e.extend(this._change.n.apply(this,arguments),this._change.w.apply(this,[t,n,r]))}},_propagate:function(t,n){e.ui.plugin.call(this,t,[n,this.ui()]),t!=="resize"&&this._trigger(t,n,this.ui())},plugins:{},ui:function(){return{originalElement:this.originalElement,element:this.element,helper:this.helper,position:this.position,size:this.size,originalSize:this.originalSize,originalPosition:this.originalPosition}}}),e.ui.plugin.add("resizable","animate",{stop:function(t){var n=e(this).data("ui-resizable"),r=n.options,i=n._proportionallyResizeElements,s=i.length&&/textarea/i.test(i[0].nodeName),o=s&&e.ui.hasScroll(i[0],"left")?0:n.sizeDiff.height,u=s?0:n.sizeDiff.width,a={width:n.size.width-u,height:n.size.height-o},f=parseInt(n.element.css("left"),10)+(n.position.left-n.originalPosition.left)||null,l=parseInt(n.element.css("top"),10)+(n.position.top-n.originalPosition.top)||null;n.element.animate(e.extend(a,l&&f?{top:l,left:f}:{}),{duration:r.animateDuration,easing:r.animateEasing,step:function(){var r={width:parseInt(n.element.css("width"),10),height:parseInt(n.element.css("height"),10),top:parseInt(n.element.css("top"),10),left:parseInt(n.element.css("left"),10)};i&&i.length&&e(i[0]).css({width:r.width,height:r.height}),n._updateCache(r),n._propagate("resize",t)}})}}),e.ui.plugin.add("resizable","containment",{start:function(){var t,r,i,s,o,u,a,f=e(this).data("ui-resizable"),l=f.options,c=f.element,h=l.containment,p=h instanceof e?h.get(0):/parent/.test(h)?c.parent().get(0):h;if(!p)return;f.containerElement=e(p),/document/.test(h)||h===document?(f.containerOffset={left:0,top:0},f.containerPosition={left:0,top:0},f.parentData={element:e(document),left:0,top:0,width:e(document).width(),height:e(document).height()||document.body.parentNode.scrollHeight}):(t=e(p),r=[],e(["Top","Right","Left","Bottom"]).each(function(e,i){r[e]=n(t.css("padding"+i))}),f.containerOffset=t.offset(),f.containerPosition=t.position(),f.containerSize={height:t.innerHeight()-r[3],width:t.innerWidth()-r[1]},i=f.containerOffset,s=f.containerSize.height,o=f.containerSize.width,u=e.ui.hasScroll(p,"left")?p.scrollWidth:o,a=e.ui.hasScroll(p)?p.scrollHeight:s,f.parentData={element:p,left:i.left,top:i.top,width:u,height:a})},resize:function(t){var n,r,i,s,o=e(this).data("ui-resizable"),u=o.options,a=o.containerOffset,f=o.position,l=o._aspectRatio||t.shiftKey,c={top:0,left:0},h=o.containerElement;h[0]!==document&&/static/.test(h.css("position"))&&(c=a),f.left<(o._helper?a.left:0)&&(o.size.width=o.size.width+(o._helper?o.position.left-a.left:o.position.left-c.left),l&&(o.size.height=o.size.width/o.aspectRatio),o.position.left=u.helper?a.left:0),f.top<(o._helper?a.top:0)&&(o.size.height=o.size.height+(o._helper?o.position.top-a.top:o.position.top),l&&(o.size.width=o.size.height*o.aspectRatio),o.position.top=o._helper?a.top:0),o.offset.left=o.parentData.left+o.position.left,o.offset.top=o.parentData.top+o.position.top,n=Math.abs((o._helper?o.offset.left-c.left:o.offset.left-c.left)+o.sizeDiff.width),r=Math.abs((o._helper?o.offset.top-c.top:o.offset.top-a.top)+o.sizeDiff.height),i=o.containerElement.get(0)===o.element.parent().get(0),s=/relative|absolute/.test(o.containerElement.css("position")),i&&s&&(n-=o.parentData.left),n+o.size.width>=o.parentData.width&&(o.size.width=o.parentData.width-n,l&&(o.size.height=o.size.width/o.aspectRatio)),r+o.size.height>=o.parentData.height&&(o.size.height=o.parentData.height-r,l&&(o.size.width=o.size.height*o.aspectRatio))},stop:function(){var t=e(this).data("ui-resizable"),n=t.options,r=t.containerOffset,i=t.containerPosition,s=t.containerElement,o=e(t.helper),u=o.offset(),a=o.outerWidth()-t.sizeDiff.width,f=o.outerHeight()-t.sizeDiff.height;t._helper&&!n.animate&&/relative/.test(s.css("position"))&&e(this).css({left:u.left-i.left-r.left,width:a,height:f}),t._helper&&!n.animate&&/static/.test(s.css("position"))&&e(this).css({left:u.left-i.left-r.left,width:a,height:f})}}),e.ui.plugin.add("resizable","alsoResize",{start:function(){var t=e(this).data("ui-resizable"),n=t.options,r=function(t){e(t).each(function(){var t=e(this);t.data("ui-resizable-alsoresize",{width:parseInt(t.width(),10),height:parseInt(t.height(),10),left:parseInt(t.css("left"),10),top:parseInt(t.css("top"),10)})})};typeof n.alsoResize=="object"&&!n.alsoResize.parentNode?n.alsoResize.length?(n.alsoResize=n.alsoResize[0],r(n.alsoResize)):e.each(n.alsoResize,function(e){r(e)}):r(n.alsoResize)},resize:function(t,n){var r=e(this).data("ui-resizable"),i=r.options,s=r.originalSize,o=r.originalPosition,u={height:r.size.height-s.height||0,width:r.size.width-s.width||0,top:r.position.top-o.top||0,left:r.position.left-o.left||0},a=function(t,r){e(t).each(function(){var t=e(this),i=e(this).data("ui-resizable-alsoresize"),s={},o=r&&r.length?r:t.parents(n.originalElement[0]).length?["width","height"]:["width","height","top","left"];e.each(o,function(e,t){var n=(i[t]||0)+(u[t]||0);n&&n>=0&&(s[t]=n||null)}),t.css(s)})};typeof i.alsoResize=="object"&&!i.alsoResize.nodeType?e.each(i.alsoResize,function(e,t){a(e,t)}):a(i.alsoResize)},stop:function(){e(this).removeData("resizable-alsoresize")}}),e.ui.plugin.add("resizable","ghost",{start:function(){var t=e(this).data("ui-resizable"),n=t.options,r=t.size;t.ghost=t.originalElement.clone(),t.ghost.css({opacity:.25,display:"block",position:"relative",height:r.height,width:r.width,margin:0,left:0,top:0}).addClass("ui-resizable-ghost").addClass(typeof n.ghost=="string"?n.ghost:""),t.ghost.appendTo(t.helper)},resize:function(){var t=e(this).data("ui-resizable");t.ghost&&t.ghost.css({position:"relative",height:t.size.height,width:t.size.width})},stop:function(){var t=e(this).data("ui-resizable");t.ghost&&t.helper&&t.helper.get(0).removeChild(t.ghost.get(0))}}),e.ui.plugin.add("resizable","grid",{resize:function(){var t=e(this).data("ui-resizable"),n=t.options,r=t.size,i=t.originalSize,s=t.originalPosition,o=t.axis,u=typeof n.grid=="number"?[n.grid,n.grid]:n.grid,a=u[0]||1,f=u[1]||1,l=Math.round((r.width-i.width)/a)*a,c=Math.round((r.height-i.height)/f)*f,h=i.width+l,p=i.height+c,d=n.maxWidth&&n.maxWidth<h,v=n.maxHeight&&n.maxHeight<p,m=n.minWidth&&n.minWidth>h,g=n.minHeight&&n.minHeight>p;n.grid=u,m&&(h+=a),g&&(p+=f),d&&(h-=a),v&&(p-=f),/^(se|s|e)$/.test(o)?(t.size.width=h,t.size.height=p):/^(ne)$/.test(o)?(t.size.width=h,t.size.height=p,t.position.top=s.top-c):/^(sw)$/.test(o)?(t.size.width=h,t.size.height=p,t.position.left=s.left-l):(t.size.width=h,t.size.height=p,t.position.top=s.top-c,t.position.left=s.left-l)}})})(jQuery);
diff --git a/src/wiki/templates/wiki/base_site.html b/src/wiki/templates/wiki/base_site.html
index fe925fef0..d025e53cd 100644
--- a/src/wiki/templates/wiki/base_site.html
+++ b/src/wiki/templates/wiki/base_site.html
@@ -153,7 +153,7 @@
{% endblock %}
- <script src="{% static "wiki/js/jquery.min.js" %}"></script>
+ <script src="{% static "wiki/js/jquery-3.3.1.min.js" %}"></script>
<script src="{% static "wiki/js/core.js" %}"></script>
<script src="{% static "wiki/bootstrap/js/bootstrap.min.js" %}"></script>
<!-- Optionally enable responsive features in IE8 -->
diff --git a/src/wiki/templates/wiki/includes/modals.html b/src/wiki/templates/wiki/includes/modals.html
index a43d7592c..b86d4f653 100644
--- a/src/wiki/templates/wiki/includes/modals.html
+++ b/src/wiki/templates/wiki/includes/modals.html
@@ -1,6 +1,6 @@
{% load sekizai_tags static %}
{% addtoblock "js" %}
-<script type="text/javascript" src="{% static "wiki/js/jqueryui/jquery-ui-1.10.0.custom.min.js" %}"></script>
+<script type="text/javascript" src="{% static "wiki/js/jquery-ui-1.12.1.custom/jquery-ui.min.js" %}"></script>
<script type="text/javascript">
$(document).ready(function() {
$(".modal-content").on("resizestart", function(event, ui) {
@@ -27,5 +27,5 @@
</script>
{% endaddtoblock %}
{% addtoblock "css" %}
-<link rel="stylesheet" href="{% static "wiki/js/jqueryui/jquery-ui-1.10.0.custom.min.css" %}" type="text/css" />
+<link rel="stylesheet" href="{% static "wiki/js/jquery-ui-1.12.1.custom/jquery-ui.min.css" %}" type="text/css" />
{% endaddtoblock %}
|
mdn__kuma-6489 | Can't browse users in django admin now that tags are gone
https://sentry.prod.mozaws.net/operations/mdn-prod/issues/7273070/
```
Resolver404: {'tried': [[<RegexURLPattern None ^media/(?:redesign/)?css/(?P<doc>.*)-min.css$>], [<RegexURLPattern None ^media/(?:redesign/)?js/(?P<doc>.*)-min.js$>], [<RegexURLPattern None ^media/(?:redesign/)?img(?P<suffix>.*)$>], [<RegexURLPattern None ^media/(?:redesign/)?css(?P<suffix>.*)$>], [<RegexURLPattern None ^media/(?:redesign/)?js(?P<suffix>.*)$>], [<RegexURLPattern None ^media/(?:redesign/)?fonts(?P<suffix>.*)$>], [<RegexURLPattern None ^media/uploads/demos/(?:.*)$>], [<RegexURLPattern None (?i)^(?P<one>.*)//(?P<two>.*)//(?P<three>.*)$>], [<RegexURLPattern None (?i)^(?P<one>.*)//(?P<two>.*)$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/2_1_canvas_rect.html$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/2_2_canvas_moveto.html$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/2_3_canvas_lineto.html$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/2_4_canvas_arc.html$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/2_5_canvas_quadraticcurveto.html$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/2_6_canvas_beziercurveto.html$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/3_1_canvas_drawimage.html$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/3_2_canvas_drawimage.html$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/3_3_canvas_drawimage.html$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/3_4_canvas_gallery.html$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/4_1_canvas_fillstyle.html$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/4_2_canvas_strokestyle.html$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/4_3_canvas_globalalpha.html$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/4_4_canvas_rgba.html$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/4_5_canvas_linewidth.html$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/4_6_canvas_linecap.html$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/4_7_canvas_linejoin.html$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/4_8_canvas_miterlimit.html$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/4_9_canvas_lineargradient.html$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/4_10_canvas_radialgradient.html$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/4_11_canvas_createpattern.html$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/5_1_canvas_savestate.html$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/5_2_canvas_translate.html$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/5_3_canvas_rotate.html$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/5_4_canvas_scale.html$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/6_1_canvas_composite.html$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/6_2_canvas_clipping.html$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/globalCompositeOperation.html$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/images/backdrop.png$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/images/bg_gallery.png$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/images/gallery_1.jpg$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/images/gallery_2.jpg$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/images/gallery_3.jpg$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/images/gallery_4.jpg$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/images/gallery_5.jpg$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/images/gallery_6.jpg$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/images/gallery_7.jpg$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/images/gallery_8.jpg$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/images/picture_frame.png$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/images/rhino.jpg$>], [<RegexURLPattern None (?i)^samples/canvas-tutorial/images/wallpaper.png$>], [<RegexURLPattern None (?i)^samples/domref/mozGetAsFile.html$>], [<RegexURLPattern None (?i)^samples/raycaster/input.js$>], [<RegexURLPattern None (?i)^samples/raycaster/Level.js$>], [<RegexURL...
File "redirect_urls/middleware.py", line 14, in __call__
resolver_match = self.resolver.resolve(request.path_info)
File "newrelic/hooks/framework_django.py", line 600, in wrapper
return _wrapped(*args, **kwargs)
File "newrelic/hooks/framework_django.py", line 588, in _wrapped
result = wrapped(path)
File "newrelic/hooks/framework_django.py", line 575, in wrapper
return wrapped(*args, **kwargs)
File "django/urls/resolvers.py", line 394, in resolve
raise Resolver404({'tried': tried, 'path': new_path})
FieldError: Cannot resolve keyword 'tags' into field. Choices are: auth_token, bans, bans_issued, bio, created_attachment_revisions, created_revisions, created_toolbars, date_joined, discourse_url, documentattachment, documentdeletionlog, documentspam_reviewed, documentspamattempt, email, emailaddress, facebook_url, first_name, flag, fullname, github_url, groups, homepage, id, irc_nickname, is_active, is_github_url_public, is_newsletter_subscribed, is_staff, is_superuser, key, last_login, last_name, linkedin_url, locale, location, logentry, mozillians_url, organization, password, revisionakismetsubmission, socialaccount, stackoverflow_url, stripe_customer_id, timezone, title, twitter_url, user_permissions, username, watch, website_url
(18 additional frame(s) were not displayed)
...
File "django/db/models/sql/query.py", line 1268, in _add_q
child_clause, needed_inner = self._add_q(
File "django/db/models/sql/query.py", line 1273, in _add_q
child_clause, needed_inner = self.build_filter(
File "django/db/models/sql/query.py", line 1154, in build_filter
lookups, parts, reffed_expression = self.solve_lookup_type(arg)
File "django/db/models/sql/query.py", line 1034, in solve_lookup_type
_, field, _, lookup_parts = self.names_to_path(lookup_splitted, self.get_meta())
File "django/db/models/sql/query.py", line 1351, in names_to_path
raise FieldError("Cannot resolve keyword '%s' into field. "
FieldError: Cannot resolve keyword 'tags' into field. Choices are: auth_token, bans, bans_issued, bio, created_attachment_revisions, created_revisions, created_toolbars, date_joined, discourse_url, documentattachment, documentdeletionlog, documentspam_reviewed, documentspamattempt, email, emailaddress, facebook_url, first_name, flag, fullname, github_url, groups, homepage, id, irc_nickname, is_active, is_github_url_public, is_newsletter_subscribed, is_staff, is_superuser, key, last_login, last_name, linkedin_url, locale, location, logentry, mozillians_url, organization, password, revisionakismetsubmission, socialaccount, stackoverflow_url, stripe_customer_id, timezone, title, twitter_url, user_permissions, username, watch, website_url
```
| [
{
"content": "from django.contrib import admin\nfrom django.contrib.auth.admin import UserAdmin as BaseUserAdmin\nfrom django.utils.html import format_html\n\nfrom kuma.core.urlresolvers import reverse\nfrom kuma.core.utils import urlparams\n\nfrom .models import User, UserBan\n\n\n@admin.register(UserBan)\ncla... | [
{
"content": "from django.contrib import admin\nfrom django.contrib.auth.admin import UserAdmin as BaseUserAdmin\nfrom django.utils.html import format_html\n\nfrom kuma.core.urlresolvers import reverse\nfrom kuma.core.utils import urlparams\n\nfrom .models import User, UserBan\n\n\n@admin.register(UserBan)\ncla... | diff --git a/kuma/users/admin.py b/kuma/users/admin.py
index d47b8088fcd..bc2aa7265b6 100644
--- a/kuma/users/admin.py
+++ b/kuma/users/admin.py
@@ -43,7 +43,6 @@ class UserAdmin(BaseUserAdmin):
"organization",
"location",
"email",
- "tags__name",
)
def revisions(self, obj):
|
pulp__pulpcore-3462 | Database errors raised when importing content
**Version**
Main pulpcore branch. The issue arose after merging the labels refractor work (https://github.com/pulp/pulpcore/commit/4e25949176d72c5dbe1c7623a9c47d253a18b085) .
Reproducible in pulp_file and pulp_rpm.
**Describe the bug**
```
pulp [d32341b1-78b2-44da-b43d-e51121df9e95]: pulpcore.tasking.pulpcore_worker:INFO: Task 4c2b456b-d9a8-4238-bb45-7b63f403229c failed (Unexpected end of string
LINE 1: ...le.file', '365f08db-ac00-4e21-8abf-af0f047064cd', '{}', '', ...
^
)
pulp [d32341b1-78b2-44da-b43d-e51121df9e95]: pulpcore.tasking.pulpcore_worker:INFO: File "/home/vagrant/devel/pulpcore/pulpcore/tasking/pulpcore_worker.py", line 444, in _perform_task
result = func(*args, **kwargs)
File "/home/vagrant/devel/pulpcore/pulpcore/app/tasks/importer.py", line 236, in import_repository_version
for a_result in _import_file(os.path.join(rv_path, filename), res_class, retry=True):
File "/home/vagrant/devel/pulpcore/pulpcore/app/tasks/importer.py", line 138, in _import_file
a_result = resource.import_data(data, raise_errors=True)
File "/usr/local/lib/pulp/lib64/python3.10/site-packages/import_export/resources.py", line 819, in import_data
return self.import_data_inner(
File "/usr/local/lib/pulp/lib64/python3.10/site-packages/import_export/resources.py", line 871, in import_data_inner
raise row_result.errors[-1].error
File "/usr/local/lib/pulp/lib64/python3.10/site-packages/import_export/resources.py", line 743, in import_row
self.save_instance(instance, new, using_transactions, dry_run)
File "/usr/local/lib/pulp/lib64/python3.10/site-packages/import_export/resources.py", line 500, in save_instance
instance.save()
File "/home/vagrant/devel/pulpcore/pulpcore/app/models/repository.py", line 95, in save
super().save(*args, **kwargs)
File "/home/vagrant/devel/pulpcore/pulpcore/app/models/base.py", line 203, in save
return super().save(*args, **kwargs)
File "/usr/lib64/python3.10/contextlib.py", line 79, in inner
return func(*args, **kwds)
File "/usr/local/lib/pulp/lib64/python3.10/site-packages/django_lifecycle/mixins.py", line 169, in save
save(*args, **kwargs)
File "/usr/local/lib/pulp/lib64/python3.10/site-packages/django/db/models/base.py", line 739, in save
self.save_base(using=using, force_insert=force_insert,
File "/usr/local/lib/pulp/lib64/python3.10/site-packages/django/db/models/base.py", line 775, in save_base
parent_inserted = self._save_parents(cls, using, update_fields)
File "/usr/local/lib/pulp/lib64/python3.10/site-packages/django/db/models/base.py", line 804, in _save_parents
updated = self._save_table(
File "/usr/local/lib/pulp/lib64/python3.10/site-packages/django/db/models/base.py", line 881, in _save_table
results = self._do_insert(cls._base_manager, using, fields, returning_fields, raw)
File "/usr/local/lib/pulp/lib64/python3.10/site-packages/django/db/models/base.py", line 919, in _do_insert
return manager._insert(
File "/usr/local/lib/pulp/lib64/python3.10/site-packages/django/db/models/manager.py", line 85, in manager_method
return getattr(self.get_queryset(), name)(*args, **kwargs)
File "/usr/local/lib/pulp/lib64/python3.10/site-packages/django/db/models/query.py", line 1270, in _insert
return query.get_compiler(using=using).execute_sql(returning_fields)
File "/usr/local/lib/pulp/lib64/python3.10/site-packages/django/db/models/sql/compiler.py", line 1416, in execute_sql
cursor.execute(sql, params)
File "/usr/local/lib/pulp/lib64/python3.10/site-packages/django/db/backends/utils.py", line 66, in execute
return self._execute_with_wrappers(sql, params, many=False, executor=self._execute)
File "/usr/local/lib/pulp/lib64/python3.10/site-packages/django/db/backends/utils.py", line 75, in _execute_with_wrappers
return executor(sql, params, many, context)
File "/usr/local/lib/pulp/lib64/python3.10/site-packages/django/db/backends/utils.py", line 79, in _execute
with self.db.wrap_database_errors:
File "/usr/local/lib/pulp/lib64/python3.10/site-packages/django/db/utils.py", line 90, in __exit__
raise dj_exc_value.with_traceback(traceback) from exc_value
File "/usr/local/lib/pulp/lib64/python3.10/site-packages/django/db/backends/utils.py", line 84, in _execute
return self.cursor.execute(sql, params)
```
| [
{
"content": "from import_export import fields\nfrom import_export.widgets import ForeignKeyWidget\nfrom logging import getLogger\n\nfrom pulpcore.app.models.content import (\n Artifact,\n Content,\n ContentArtifact,\n)\nfrom pulpcore.app.models.repository import Repository\nfrom pulpcore.constants imp... | [
{
"content": "from import_export import fields\nfrom import_export.widgets import ForeignKeyWidget\nfrom logging import getLogger\n\nfrom pulpcore.app.models.content import (\n Artifact,\n Content,\n ContentArtifact,\n)\nfrom pulpcore.app.models.repository import Repository\nfrom pulpcore.constants imp... | diff --git a/CHANGES/3461.misc b/CHANGES/3461.misc
new file mode 100644
index 0000000000..c0f67471b9
--- /dev/null
+++ b/CHANGES/3461.misc
@@ -0,0 +1 @@
+Taught Repository to not export pulp_labels.
diff --git a/pulpcore/app/modelresource.py b/pulpcore/app/modelresource.py
index def5962597..6e957a60f4 100644
--- a/pulpcore/app/modelresource.py
+++ b/pulpcore/app/modelresource.py
@@ -59,6 +59,7 @@ class Meta:
"next_version",
"repository_ptr",
"remote",
+ "pulp_labels",
)
|
SCons__scons-4374 | Configure.CheckLib() error with -Wstrict-prototypes
This is a continuation of #3095. As noted in [this comment](https://github.com/SCons/scons/pull/3096/files#r1257532304), there was one more instance that was missed in PR #3096:
https://github.com/SCons/scons/blob/810ca6c8895b01cbd636d83079f6a848dc36adf6/SCons/Conftest.py#L677-L684
| [
{
"content": "# MIT License\n#\n# Copyright The SCons Foundation\n# Copyright (c) 2003 Stichting NLnet Labs\n# Copyright (c) 2001, 2002, 2003 Steven Knight\n#\n# Permission is hereby granted, free of charge, to any person obtaining\n# a copy of this software and associated documentation files (the\n# \"Software... | [
{
"content": "# MIT License\n#\n# Copyright The SCons Foundation\n# Copyright (c) 2003 Stichting NLnet Labs\n# Copyright (c) 2001, 2002, 2003 Steven Knight\n#\n# Permission is hereby granted, free of charge, to any person obtaining\n# a copy of this software and associated documentation files (the\n# \"Software... | diff --git a/CHANGES.txt b/CHANGES.txt
index ee08ab7019..7cd71dda41 100644
--- a/CHANGES.txt
+++ b/CHANGES.txt
@@ -97,6 +97,10 @@ RELEASE VERSION/DATE TO BE FILLED IN LATER
- Cleaned up dblite module (checker warnings, etc.).
- Some cleanup in the FortranCommon tool.
+ From Jonathon Reinhart:
+ - Fix another instance of `int main()` in CheckLib() causing failures
+ when using -Wstrict-prototypes.
+
RELEASE 4.5.2 - Sun, 21 Mar 2023 14:08:29 -0700
diff --git a/SCons/Conftest.py b/SCons/Conftest.py
index 3541bce0ad..6af5e78893 100644
--- a/SCons/Conftest.py
+++ b/SCons/Conftest.py
@@ -676,8 +676,7 @@ def CheckLib(context, libs, func_name = None, header = None,
# if no function to test, leave main() blank
text = text + """
-int
-main() {
+int main(void) {
%s
return 0;
}
|
DDMAL__CantusDB-328 | Representation of Notation objects
When I recently tried to edit a source, I was presented with an error message, and found that I was missing several required fields, including this one: 
Notation objects are currently pretty inscrutable. They should be represented such that at least their `name` property is visible.
Larger question: why do we have notation objects at all? Currently, the notation model has only one property: `name`. Could this information in Source objects not be more simply represented by a CharField? Is using Notation objects simply the way things were done in OldCantus? Are we using them to ensure standardization among multiple Sources?
| [
{
"content": "from django.db import models\nfrom main_app.models import BaseModel\n\n\nclass Notation(BaseModel):\n name = models.CharField(max_length=63)\n",
"path": "django/cantusdb_project/main_app/models/notation.py"
}
] | [
{
"content": "from django.db import models\nfrom main_app.models import BaseModel\n\n\nclass Notation(BaseModel):\n name = models.CharField(max_length=63)\n def __str__(self):\n return f\"{self.name} ({self.id})\"",
"path": "django/cantusdb_project/main_app/models/notation.py"
}
] | diff --git a/django/cantusdb_project/main_app/models/notation.py b/django/cantusdb_project/main_app/models/notation.py
index a6a4469f0..52faa2b90 100644
--- a/django/cantusdb_project/main_app/models/notation.py
+++ b/django/cantusdb_project/main_app/models/notation.py
@@ -4,3 +4,5 @@
class Notation(BaseModel):
name = models.CharField(max_length=63)
+ def __str__(self):
+ return f"{self.name} ({self.id})"
\ No newline at end of file
|
encode__uvicorn-1279 | Include a environment variable to change arg commands
Hello,
I'm testing the FASTAPI (https://fastapi.tiangolo.com/) and there's a nice environment variable when running with gunicorn (https://docs.gunicorn.org/en/stable/settings.html#settings) `GUNICORN_CMD_ARGS`, it include command line args using enviroment variables
this is very usefull when using docker compose, or k8s. without rebuild the container i can change how it starts (more debug messages instead of only critical)
could be possible include a enviroment at uvicorn? `UVICORN_CMD_ARGS`
the gunicorn_cmd_args implementation can be saw here:
https://github.com/benoitc/gunicorn/blob/ee685e197b3f7cf899dc7d6e0688ff169e9d10df/gunicorn/app/base.py#L171
https://github.com/benoitc/gunicorn/blob/6aab4decde5735fc77daf4fecaf9ef3632189f62/gunicorn/config.py#L79
thanks!
| [
{
"content": "import logging\nimport os\nimport platform\nimport ssl\nimport sys\nimport typing\n\nimport click\nfrom asgiref.typing import ASGIApplication\n\nimport uvicorn\nfrom uvicorn.config import (\n HTTP_PROTOCOLS,\n INTERFACES,\n LIFESPAN,\n LOG_LEVELS,\n LOGGING_CONFIG,\n LOOP_SETUPS,... | [
{
"content": "import logging\nimport os\nimport platform\nimport ssl\nimport sys\nimport typing\n\nimport click\nfrom asgiref.typing import ASGIApplication\n\nimport uvicorn\nfrom uvicorn.config import (\n HTTP_PROTOCOLS,\n INTERFACES,\n LIFESPAN,\n LOG_LEVELS,\n LOGGING_CONFIG,\n LOOP_SETUPS,... | diff --git a/docs/settings.md b/docs/settings.md
index b9055a94f..3edf4b3c3 100644
--- a/docs/settings.md
+++ b/docs/settings.md
@@ -7,6 +7,13 @@ equivalent keyword arguments, eg. `uvicorn.run("example:app", port=5000, reload=
Please note that in this case, if you use `reload=True` or `workers=NUM`,
you should put `uvicorn.run` into `if __name__ == '__main__'` clause in the main module.
+You can also configure Uvicorn using environment variables with the prefix `UVICORN_`.
+For example, in case you want to run the app on port `5000`, just set the environment variable `UVICORN_PORT` to `5000`.
+
+!!! note
+ CLI options and the arguments for `uvicorn.run()` take precedence over environment variables.
+
+
## Application
* `APP` - The ASGI application to run, in the format `"<module>:<attribute>"`.
diff --git a/mkdocs.yml b/mkdocs.yml
index 040e8cd0e..ed833a10c 100644
--- a/mkdocs.yml
+++ b/mkdocs.yml
@@ -29,6 +29,7 @@ nav:
- Contributing: "contributing.md"
markdown_extensions:
+ - admonition
- codehilite:
css_class: highlight
- toc:
diff --git a/tests/test_cli.py b/tests/test_cli.py
index e372c7e78..0754598dc 100644
--- a/tests/test_cli.py
+++ b/tests/test_cli.py
@@ -1,4 +1,5 @@
import importlib
+import os
import platform
import sys
from pathlib import Path
@@ -17,6 +18,10 @@
main = importlib.import_module("uvicorn.main")
+class App:
+ pass
+
+
def test_cli_print_version() -> None:
runner = CliRunner()
@@ -131,5 +136,26 @@ def test_cli_reloader_incomplete_app_parameter(
) in captured.err
-class App:
- pass
+@pytest.fixture()
+def load_env_h11_protocol():
+ old_environ = dict(os.environ)
+ os.environ["UVICORN_HTTP"] = "h11"
+ yield
+ os.environ.clear()
+ os.environ.update(old_environ)
+
+
+def test_env_variables(load_env_h11_protocol: None):
+ runner = CliRunner(env=os.environ)
+ with mock.patch.object(main, "run") as mock_run:
+ runner.invoke(cli, ["tests.test_cli:App"])
+ _, kwargs = mock_run.call_args
+ assert kwargs["http"] == "h11"
+
+
+def test_mistmatch_env_variables(load_env_h11_protocol: None):
+ runner = CliRunner(env=os.environ)
+ with mock.patch.object(main, "run") as mock_run:
+ runner.invoke(cli, ["tests.test_cli:App", "--http=httptools"])
+ _, kwargs = mock_run.call_args
+ assert kwargs["http"] == "httptools"
diff --git a/uvicorn/main.py b/uvicorn/main.py
index c4f4a6c4c..896f96a67 100644
--- a/uvicorn/main.py
+++ b/uvicorn/main.py
@@ -48,7 +48,7 @@ def print_version(ctx: click.Context, param: click.Parameter, value: bool) -> No
ctx.exit()
-@click.command()
+@click.command(context_settings={"auto_envvar_prefix": "UVICORN"})
@click.argument("app")
@click.option(
"--host",
|
mlcommons__GaNDLF-744 | Make `black` version static
**Is your feature request related to a problem? Please describe.**
Different versions of black behave differently WRT linting, which creates issues, such as PRs having linting changes where they are not needed.
**Describe the solution you'd like**
Fix the version of `black`.
**Describe alternatives you've considered**
N.A.
**Additional context**
N.A.
| [
{
"content": "#!/usr/bin/env python\n\n\"\"\"The setup script.\"\"\"\n\n\nimport sys, re, os\nfrom setuptools import setup, find_packages\nfrom setuptools.command.install import install\nfrom setuptools.command.develop import develop\nfrom setuptools.command.egg_info import egg_info\n\ntry:\n with open(\"REA... | [
{
"content": "#!/usr/bin/env python\n\n\"\"\"The setup script.\"\"\"\n\n\nimport sys, re, os\nfrom setuptools import setup, find_packages\nfrom setuptools.command.install import install\nfrom setuptools.command.develop import develop\nfrom setuptools.command.egg_info import egg_info\n\ntry:\n with open(\"REA... | diff --git a/.github/workflows/black.yml b/.github/workflows/black.yml
index b9144f9d7..80c8729f9 100644
--- a/.github/workflows/black.yml
+++ b/.github/workflows/black.yml
@@ -20,7 +20,7 @@ jobs:
- name: Install dependencies
run: |
python -m pip install --upgrade pip
- python -m pip install black
+ python -m pip install black==23.11.0
- name: Run tests
run: |
diff --git a/setup.py b/setup.py
index 039fb0560..40c974b0b 100644
--- a/setup.py
+++ b/setup.py
@@ -76,7 +76,7 @@ def run(self):
requirements = [
"torch==1.13.1",
- "black",
+ "black==23.11.0",
"numpy==1.25.0",
"scipy",
"SimpleITK!=2.0.*",
|
liqd__a4-meinberlin-3701 | testing 4293: can't edit polls somebody else created even if I have the rights
**URL:** https://meinberlin-dev.liqd.net/dashboard/modules/umfrage-24-4/poll/
**user:** group member
**expected behaviour:** I can edit polls somebody else created if I have the right to do so
**behaviour:** cannot save, getting an red altert
**important screensize:**
**device & browser:**
**Comment/Question:** also true for new polls whose rights have been given to me. for polls I started myself it is fine.

Screenshot?
| [
{
"content": "import rules\n\nfrom adhocracy4.modules import predicates as module_predicates\n\nrules.set_perm(\n 'a4polls.change_poll',\n module_predicates.is_context_initiator |\n module_predicates.is_context_moderator\n)\n",
"path": "meinberlin/apps/polls/rules.py"
}
] | [
{
"content": "import rules\n\nfrom adhocracy4.modules import predicates as module_predicates\n\nrules.set_perm(\n 'a4polls.change_poll',\n module_predicates.is_project_admin\n)\n",
"path": "meinberlin/apps/polls/rules.py"
}
] | diff --git a/meinberlin/apps/polls/rules.py b/meinberlin/apps/polls/rules.py
index 3dd6d6d57c..069e13b191 100644
--- a/meinberlin/apps/polls/rules.py
+++ b/meinberlin/apps/polls/rules.py
@@ -4,6 +4,5 @@
rules.set_perm(
'a4polls.change_poll',
- module_predicates.is_context_initiator |
- module_predicates.is_context_moderator
+ module_predicates.is_project_admin
)
diff --git a/tests/polls/rules/test_rules_change_poll.py b/tests/polls/rules/test_rules_change_poll.py
index 66bad65e06..1b6a20526d 100644
--- a/tests/polls/rules/test_rules_change_poll.py
+++ b/tests/polls/rules/test_rules_change_poll.py
@@ -8,6 +8,7 @@
from adhocracy4.test.helpers import freeze_pre_phase
from adhocracy4.test.helpers import setup_phase
from adhocracy4.test.helpers import setup_users
+from meinberlin.test.helpers import setup_group_member
perm_name = 'a4polls.change_poll'
@@ -17,12 +18,16 @@ def test_perm_exists():
@pytest.mark.django_db
-def test_pre_phase(phase_factory, poll_factory, user):
+def test_pre_phase(phase_factory, poll_factory, user_factory,
+ group_factory):
phase, _, project, item = setup_phase(phase_factory, poll_factory,
phases.VotingPhase)
anonymous, moderator, initiator = setup_users(project)
-
creator = item.creator
+ user = user_factory()
+ group_member, _, project = setup_group_member(None, project,
+ group_factory,
+ user_factory)
assert project.is_public
with freeze_pre_phase(phase):
@@ -31,14 +36,20 @@ def test_pre_phase(phase_factory, poll_factory, user):
assert not rules.has_perm(perm_name, creator, item)
assert rules.has_perm(perm_name, moderator, item)
assert rules.has_perm(perm_name, initiator, item)
+ assert rules.has_perm(perm_name, group_member, item)
@pytest.mark.django_db
-def test_phase_active(phase_factory, poll_factory, user):
+def test_phase_active(phase_factory, poll_factory, user_factory,
+ group_factory):
phase, _, project, item = setup_phase(phase_factory, poll_factory,
phases.VotingPhase)
anonymous, moderator, initiator = setup_users(project)
creator = item.creator
+ user = user_factory()
+ group_member, _, project = setup_group_member(None, project,
+ group_factory,
+ user_factory)
assert project.is_public
with freeze_phase(phase):
@@ -47,18 +58,23 @@ def test_phase_active(phase_factory, poll_factory, user):
assert not rules.has_perm(perm_name, creator, item)
assert rules.has_perm(perm_name, moderator, item)
assert rules.has_perm(perm_name, initiator, item)
+ assert rules.has_perm(perm_name, group_member, item)
@pytest.mark.django_db
def test_phase_active_project_private(phase_factory, poll_factory,
- user, user2):
+ user_factory, group_factory):
phase, _, project, item = setup_phase(
phase_factory, poll_factory, phases.VotingPhase,
module__project__access=Access.PRIVATE)
anonymous, moderator, initiator = setup_users(project)
creator = item.creator
- participant = user2
+ participant = user_factory()
project.participants.add(participant)
+ user = user_factory()
+ group_member, _, project = setup_group_member(None, project,
+ group_factory,
+ user_factory)
assert project.access == Access.PRIVATE
with freeze_phase(phase):
@@ -68,18 +84,23 @@ def test_phase_active_project_private(phase_factory, poll_factory,
assert not rules.has_perm(perm_name, participant, item)
assert rules.has_perm(perm_name, moderator, item)
assert rules.has_perm(perm_name, initiator, item)
+ assert rules.has_perm(perm_name, group_member, item)
@pytest.mark.django_db
def test_phase_active_project_semipublic(phase_factory, poll_factory,
- user, user2):
+ user_factory, group_factory):
phase, _, project, item = setup_phase(
phase_factory, poll_factory, phases.VotingPhase,
module__project__access=Access.SEMIPUBLIC)
anonymous, moderator, initiator = setup_users(project)
creator = item.creator
- participant = user2
+ participant = user_factory()
project.participants.add(participant)
+ user = user_factory()
+ group_member, _, project = setup_group_member(None, project,
+ group_factory,
+ user_factory)
assert project.access == Access.SEMIPUBLIC
with freeze_phase(phase):
@@ -89,15 +110,21 @@ def test_phase_active_project_semipublic(phase_factory, poll_factory,
assert not rules.has_perm(perm_name, participant, item)
assert rules.has_perm(perm_name, moderator, item)
assert rules.has_perm(perm_name, initiator, item)
+ assert rules.has_perm(perm_name, group_member, item)
@pytest.mark.django_db
-def test_phase_active_project_draft(phase_factory, poll_factory, user):
+def test_phase_active_project_draft(phase_factory, poll_factory,
+ user_factory, group_factory):
phase, _, project, item = setup_phase(phase_factory, poll_factory,
phases.VotingPhase,
module__project__is_draft=True)
anonymous, moderator, initiator = setup_users(project)
creator = item.creator
+ user = user_factory()
+ group_member, _, project = setup_group_member(None, project,
+ group_factory,
+ user_factory)
assert project.is_draft
with freeze_phase(phase):
@@ -106,15 +133,21 @@ def test_phase_active_project_draft(phase_factory, poll_factory, user):
assert not rules.has_perm(perm_name, creator, item)
assert rules.has_perm(perm_name, moderator, item)
assert rules.has_perm(perm_name, initiator, item)
+ assert rules.has_perm(perm_name, group_member, item)
@pytest.mark.django_db
-def test_post_phase_project_archived(phase_factory, poll_factory, user):
+def test_post_phase_project_archived(phase_factory, poll_factory,
+ user_factory, group_factory):
phase, _, project, item = setup_phase(phase_factory, poll_factory,
phases.VotingPhase,
module__project__is_archived=True)
anonymous, moderator, initiator = setup_users(project)
creator = item.creator
+ user = user_factory()
+ group_member, _, project = setup_group_member(None, project,
+ group_factory,
+ user_factory)
assert project.is_archived
with freeze_post_phase(phase):
@@ -123,3 +156,4 @@ def test_post_phase_project_archived(phase_factory, poll_factory, user):
assert not rules.has_perm(perm_name, creator, item)
assert rules.has_perm(perm_name, moderator, item)
assert rules.has_perm(perm_name, initiator, item)
+ assert rules.has_perm(perm_name, group_member, item)
|
TheAlgorithms__Python-7054 | Add typing to maths/segmented_sieve.py
### Describe your change:
* [ ] Add an algorithm?
* [ ] Fix a bug or typo in an existing algorithm?
* [ ] Documentation change?
### Checklist:
* [ ] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md).
* [ ] This pull request is all my own work -- I have not plagiarized.
* [ ] I know that pull requests will not be merged if they fail the automated tests.
* [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms.
* [ ] All new Python files are placed inside an existing directory.
* [ ] All filenames are in all lowercase characters with no spaces or dashes.
* [ ] All functions and variable names follow Python naming conventions.
* [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html).
* [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing.
* [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation.
* [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
| [
{
"content": "\"\"\"Segmented Sieve.\"\"\"\r\n\r\nimport math\r\n\r\n\r\ndef sieve(n):\r\n \"\"\"Segmented Sieve.\"\"\"\r\n in_prime = []\r\n start = 2\r\n end = int(math.sqrt(n)) # Size of every segment\r\n temp = [True] * (end + 1)\r\n prime = []\r\n\r\n while start <= end:\r\n if... | [
{
"content": "\"\"\"Segmented Sieve.\"\"\"\r\n\r\nimport math\r\n\r\n\r\ndef sieve(n: int) -> list[int]:\r\n \"\"\"Segmented Sieve.\"\"\"\r\n in_prime = []\r\n start = 2\r\n end = int(math.sqrt(n)) # Size of every segment\r\n temp = [True] * (end + 1)\r\n prime = []\r\n\r\n while start <= ... | diff --git a/maths/segmented_sieve.py b/maths/segmented_sieve.py
index 0054b0595be5..35ed9702b3be 100644
--- a/maths/segmented_sieve.py
+++ b/maths/segmented_sieve.py
@@ -3,7 +3,7 @@
import math
-def sieve(n):
+def sieve(n: int) -> list[int]:
"""Segmented Sieve."""
in_prime = []
start = 2
|
pypa__setuptools-2427 | Sphinx setup should be stricter
I noticed that some of the docs pages are unreachable when navigating from the main RTD page. In particular, _I know_ that there's `history.rst` that is only accessible if one knows the URL upfront.
I tracked this to https://github.com/pypa/setuptools/pull/2097 which removes entries from the TOC but doesn't reintroduce them in other places.
Sphinx has a few toggles that make it nitpicky about warnings. I think this should be enabled in the CI to prevent such problems in the future. This should catch implicit orphan pages as well as dead references or typos.
| [
{
"content": "import subprocess\nimport sys\nimport os\n\n\n# hack to run the bootstrap script so that jaraco.packaging.sphinx\n# can invoke setup.py\n'READTHEDOCS' in os.environ and subprocess.check_call(\n [sys.executable, '-m', 'bootstrap'],\n cwd=os.path.join(os.path.dirname(__file__), os.path.pardir)... | [
{
"content": "import subprocess\nimport sys\nimport os\n\n\n# hack to run the bootstrap script so that jaraco.packaging.sphinx\n# can invoke setup.py\n'READTHEDOCS' in os.environ and subprocess.check_call(\n [sys.executable, '-m', 'bootstrap'],\n cwd=os.path.join(os.path.dirname(__file__), os.path.pardir)... | diff --git a/CHANGES.rst b/CHANGES.rst
index c35c4a8792..c96fb0bc9d 100644
--- a/CHANGES.rst
+++ b/CHANGES.rst
@@ -22,9 +22,9 @@ v50.2.0
* #2355: When pip is imported as part of a build, leave distutils patched.
* #2380: There are some setuptools specific changes in the
- `setuptools.command.bdist_rpm` module that are no longer needed, because
- they are part of the `bdist_rpm` module in distutils in Python
- 3.5.0. Therefore, code was removed from `setuptools.command.bdist_rpm`.
+ ``setuptools.command.bdist_rpm`` module that are no longer needed, because
+ they are part of the ``bdist_rpm`` module in distutils in Python
+ 3.5.0. Therefore, code was removed from ``setuptools.command.bdist_rpm``.
v50.1.0
@@ -48,7 +48,7 @@ v50.0.2
v50.0.1
-------
-* #2357: Restored Python 3.5 support in distutils.util for missing `subprocess._optim_args_from_interpreter_flags`.
+* #2357: Restored Python 3.5 support in distutils.util for missing ``subprocess._optim_args_from_interpreter_flags``.
* #2358: Restored AIX support on Python 3.8 and earlier.
* #2361: Add Python 3.10 support to _distutils_hack. Get the 'Loader' abstract class
from importlib.abc rather than importlib.util.abc (alias removed in Python
@@ -495,7 +495,7 @@ v40.7.1
v40.7.0
-------
-* #1551: File inputs for the `license` field in `setup.cfg` files now explicitly raise an error.
+* #1551: File inputs for the ``license`` field in ``setup.cfg`` files now explicitly raise an error.
* #1180: Add support for non-ASCII in setup.cfg (#1062). Add support for native strings on some parameters (#1136).
* #1499: ``setuptools.package_index`` no longer relies on the deprecated ``urllib.parse.splituser`` per Python #27485.
* #1544: Added tests for PackageIndex.download (for git URLs).
@@ -545,7 +545,7 @@ v40.5.0
* #1335: In ``pkg_resources.normalize_path``, fix issue on Cygwin when cwd contains symlinks.
* #1502: Deprecated support for downloads from Subversion in package_index/easy_install.
-* #1517: Dropped use of six.u in favor of `u""` literals.
+* #1517: Dropped use of six.u in favor of ``u""`` literals.
* #1520: Added support for ``data_files`` in ``setup.cfg``.
* #1525: Fixed rendering of the deprecation warning in easy_install doc.
@@ -594,7 +594,7 @@ v40.2.0
v40.1.1
--------
-* #1465: Fix regression with `egg_info` command when tagging is used.
+* #1465: Fix regression with ``egg_info`` command when tagging is used.
v40.1.0
@@ -631,8 +631,8 @@ v39.2.0
a text file.
* #1360: Fixed issue with a mismatch between the name of the package and the
name of the .dist-info file in wheel files
-* #1364: Add `__dir__()` implementation to `pkg_resources.Distribution()` that
- includes the attributes in the `_provider` instance variable.
+* #1364: Add ``__dir__()`` implementation to ``pkg_resources.Distribution()`` that
+ includes the attributes in the ``_provider`` instance variable.
* #1365: Take the package_dir option into account when loading the version from
a module attribute.
* #1353: Added coverage badge to README.
@@ -742,7 +742,7 @@ v38.2.5
v38.2.4
-------
-* #1220: Fix `data_files` handling when installing from wheel.
+* #1220: Fix ``data_files`` handling when installing from wheel.
v38.2.3
-------
@@ -1506,7 +1506,7 @@ v25.4.0
v25.3.0
-------
-* #739 Fix unquoted libpaths by fixing compatibility between `numpy.distutils` and `distutils._msvccompiler` for numpy < 1.11.2 (Fix issue #728, error also fixed in Numpy).
+* #739 Fix unquoted libpaths by fixing compatibility between ``numpy.distutils`` and ``distutils._msvccompiler`` for numpy < 1.11.2 (Fix issue #728, error also fixed in Numpy).
* #731: Bump certifi.
@@ -1523,13 +1523,13 @@ v25.2.0
v25.1.6
-------
-* #725: revert `library_dir_option` patch (Error is related to `numpy.distutils` and make errors on non Numpy users).
+* #725: revert ``library_dir_option`` patch (Error is related to ``numpy.distutils`` and make errors on non Numpy users).
v25.1.5
-------
* #720
-* #723: Improve patch for `library_dir_option`.
+* #723: Improve patch for ``library_dir_option``.
v25.1.4
-------
@@ -1537,7 +1537,7 @@ v25.1.4
* #717
* #713
* #707: Fix Python 2 compatibility for MSVC by catching errors properly.
-* #715: Fix unquoted libpaths by patching `library_dir_option`.
+* #715: Fix unquoted libpaths by patching ``library_dir_option``.
v25.1.3
-------
@@ -3065,10 +3065,10 @@ not all users will find 1.0 a drop-in replacement for 0.9.
* Issue #50: Normalized API of environment marker support. Specifically,
removed line number and filename from SyntaxErrors when returned from
- `pkg_resources.invalid_marker`. Any clients depending on the specific
+ ``pkg_resources.invalid_marker``. Any clients depending on the specific
string representation of exceptions returned by that function may need to
be updated to account for this change.
-* Issue #50: SyntaxErrors generated by `pkg_resources.invalid_marker` are
+* Issue #50: SyntaxErrors generated by ``pkg_resources.invalid_marker`` are
normalized for cross-implementation consistency.
* Removed ``--ignore-conflicts-at-my-risk`` and ``--delete-conflicting``
options to easy_install. These options have been deprecated since 0.6a11.
@@ -3076,13 +3076,13 @@ not all users will find 1.0 a drop-in replacement for 0.9.
0.9.8
-----
-* Issue #53: Fix NameErrors in `_vcs_split_rev_from_url`.
+* Issue #53: Fix NameErrors in ``_vcs_split_rev_from_url``.
0.9.7
-----
* Issue #49: Correct AttributeError on PyPy where a hashlib.HASH object does
- not have a `.name` attribute.
+ not have a ``.name`` attribute.
* Issue #34: Documentation now refers to bootstrap script in code repository
referenced by bookmark.
* Add underscore-separated keys to environment markers (markerlib).
@@ -3090,7 +3090,7 @@ not all users will find 1.0 a drop-in replacement for 0.9.
0.9.6
-----
-* Issue #44: Test failure on Python 2.4 when MD5 hash doesn't have a `.name`
+* Issue #44: Test failure on Python 2.4 when MD5 hash doesn't have a ``.name``
attribute.
0.9.5
@@ -3124,7 +3124,7 @@ not all users will find 1.0 a drop-in replacement for 0.9.
0.9
---
-* `package_index` now validates hashes other than MD5 in download links.
+* ``package_index`` now validates hashes other than MD5 in download links.
0.8
---
@@ -3171,7 +3171,7 @@ not all users will find 1.0 a drop-in replacement for 0.9.
0.7.2
-----
-* Issue #14: Use markerlib when the `parser` module is not available.
+* Issue #14: Use markerlib when the ``parser`` module is not available.
* Issue #10: ``ez_setup.py`` now uses HTTPS to download setuptools from PyPI.
0.7.1
@@ -3255,7 +3255,7 @@ Added several features that were slated for setuptools 0.6c12:
------
* Distribute #27: Use public api for loading resources from zip files rather than
- the private method `_zip_directory_cache`.
+ the private method ``_zip_directory_cache``.
* Added a new function ``easy_install.get_win_launcher`` which may be used by
third-party libraries such as buildout to get a suitable script launcher.
@@ -3321,7 +3321,7 @@ how it parses version numbers.
* Fix 2 errors with Jython 2.5.
* Fix 1 failure with Jython 2.5 and 2.7.
* Disable workaround for Jython scripts on Linux systems.
-* Distribute #336: `setup.py` no longer masks failure exit code when tests fail.
+* Distribute #336: ``setup.py`` no longer masks failure exit code when tests fail.
* Fix issue in pkg_resources where try/except around a platform-dependent
import would trigger hook load failures on Mercurial. See pull request 32
for details.
@@ -3332,7 +3332,7 @@ how it parses version numbers.
* Fix test suite with Python 2.6.
* Fix some DeprecationWarnings and ResourceWarnings.
-* Distribute #335: Backed out `setup_requires` superceding installed requirements
+* Distribute #335: Backed out ``setup_requires`` superceding installed requirements
until regression can be addressed.
0.6.31
@@ -3342,7 +3342,7 @@ how it parses version numbers.
* Distribute #329: Properly close files created by tests for compatibility with
Jython.
* Work around Jython #1980 and Jython #1981.
-* Distribute #334: Provide workaround for packages that reference `sys.__stdout__`
+* Distribute #334: Provide workaround for packages that reference ``sys.__stdout__``
such as numpy does. This change should address
`virtualenv #359 <https://github.com/pypa/virtualenv/issues/359>`_ as long
as the system encoding is UTF-8 or the IO encoding is specified in the
@@ -3351,7 +3351,7 @@ how it parses version numbers.
PYTHONIOENCODING=utf8 pip install numpy
* Fix for encoding issue when installing from Windows executable on Python 3.
-* Distribute #323: Allow `setup_requires` requirements to supercede installed
+* Distribute #323: Allow ``setup_requires`` requirements to supercede installed
requirements. Added some new keyword arguments to existing pkg_resources
methods. Also had to updated how __path__ is handled for namespace packages
to ensure that when a new egg distribution containing a namespace package is
@@ -3371,16 +3371,16 @@ how it parses version numbers.
* BB Pull Request #14: Honor file permissions in zip files.
* Distribute #327: Merged pull request #24 to fix a dependency problem with pip.
* Merged pull request #23 to fix https://github.com/pypa/virtualenv/issues/301.
-* If Sphinx is installed, the `upload_docs` command now runs `build_sphinx`
+* If Sphinx is installed, the ``upload_docs`` command now runs ``build_sphinx``
to produce uploadable documentation.
-* Distribute #326: `upload_docs` provided mangled auth credentials under Python 3.
+* Distribute #326: ``upload_docs`` provided mangled auth credentials under Python 3.
* Distribute #320: Fix check for "createable" in distribute_setup.py.
* Distribute #305: Remove a warning that was triggered during normal operations.
* Distribute #311: Print metadata in UTF-8 independent of platform.
* Distribute #303: Read manifest file with UTF-8 encoding under Python 3.
* Distribute #301: Allow to run tests of namespace packages when using 2to3.
* Distribute #304: Prevent import loop in site.py under Python 3.3.
-* Distribute #283: Reenable scanning of `*.pyc` / `*.pyo` files on Python 3.3.
+* Distribute #283: Reenable scanning of ``*.pyc`` / ``*.pyo`` files on Python 3.3.
* Distribute #299: The develop command didn't work on Python 3, when using 2to3,
as the egg link would go to the Python 2 source. Linking to the 2to3'd code
in build/lib makes it work, although you will have to rebuild the module
@@ -3390,10 +3390,10 @@ how it parses version numbers.
* Distribute #313: Support for sdist subcommands (Python 2.7)
* Distribute #314: test_local_index() would fail an OS X.
* Distribute #310: Non-ascii characters in a namespace __init__.py causes errors.
-* Distribute #218: Improved documentation on behavior of `package_data` and
- `include_package_data`. Files indicated by `package_data` are now included
+* Distribute #218: Improved documentation on behavior of ``package_data`` and
+ ``include_package_data``. Files indicated by ``package_data`` are now included
in the manifest.
-* `distribute_setup.py` now allows a `--download-base` argument for retrieving
+* ``distribute_setup.py`` now allows a ``--download-base`` argument for retrieving
distribute from a specified location.
0.6.28
@@ -3402,7 +3402,7 @@ how it parses version numbers.
* Distribute #294: setup.py can now be invoked from any directory.
* Scripts are now installed honoring the umask.
* Added support for .dist-info directories.
-* Distribute #283: Fix and disable scanning of `*.pyc` / `*.pyo` files on
+* Distribute #283: Fix and disable scanning of ``*.pyc`` / ``*.pyo`` files on
Python 3.3.
0.6.27
@@ -3636,7 +3636,7 @@ how it parses version numbers.
0.6.4
-----
-* Added the generation of `distribute_setup_3k.py` during the release.
+* Added the generation of ``distribute_setup_3k.py`` during the release.
This closes Distribute #52.
* Added an upload_docs command to easily upload project documentation to
diff --git a/changelog.d/2427.doc.rst b/changelog.d/2427.doc.rst
new file mode 100644
index 0000000000..bec964ffc4
--- /dev/null
+++ b/changelog.d/2427.doc.rst
@@ -0,0 +1,2 @@
+Started enforcing strict syntax and reference validation
+in the Sphinx docs -- by :user:`webknjaz`
diff --git a/docs/build_meta.rst b/docs/build_meta.rst
index fcc2b7fee6..c36e2bab38 100644
--- a/docs/build_meta.rst
+++ b/docs/build_meta.rst
@@ -56,7 +56,8 @@ setuptools, the content would be::
requires = ["setuptools", "wheel"]
build-backend = "setuptools.build_meta"
-Use ``setuptools``' `declarative config`_ to specify the package information::
+Use ``setuptools``' :ref:`declarative config <declarative config>` to
+specify the package information::
[metadata]
name = meowpkg
diff --git a/docs/conf.py b/docs/conf.py
index d5111391d7..982f5e6212 100644
--- a/docs/conf.py
+++ b/docs/conf.py
@@ -146,3 +146,12 @@
],
),
}
+
+
+# Be strict about any broken references:
+nitpicky = True
+
+
+# Ref: https://github.com/python-attrs/attrs/pull/571/files\
+# #diff-85987f48f1258d9ee486e3191495582dR82
+default_role = 'any'
diff --git a/docs/deprecated/index.rst b/docs/deprecated/index.rst
index a655b21930..ca80767a77 100644
--- a/docs/deprecated/index.rst
+++ b/docs/deprecated/index.rst
@@ -17,3 +17,4 @@ objectives.
python_eggs
easy_install
distutils-legacy
+ functionalities
diff --git a/docs/development.rst b/docs/development.rst
index 28e653fea9..7ee52361ec 100644
--- a/docs/development.rst
+++ b/docs/development.rst
@@ -31,5 +31,4 @@ setuptools changes. You have been warned.
:maxdepth: 1
developer-guide
- formats
releases
diff --git a/docs/index.rst b/docs/index.rst
index 5a46052632..961ec394c3 100644
--- a/docs/index.rst
+++ b/docs/index.rst
@@ -10,5 +10,11 @@ Documentation content:
:maxdepth: 1
User guide <userguide/index>
+ build_meta
+ pkg_resources
+ references/keywords
+ roadmap
+ setuptools
Development guide <development>
Backward compatibility & deprecated practice <deprecated/index>
+ Changelog <history>
diff --git a/docs/pkg_resources.rst b/docs/pkg_resources.rst
index 7d0d8da92a..364e218328 100644
--- a/docs/pkg_resources.rst
+++ b/docs/pkg_resources.rst
@@ -149,7 +149,7 @@ more information on this.) Also, you must add a ``declare_namespace()`` call
in the package's ``__init__.py`` file(s):
``declare_namespace(name)``
- Declare that the dotted package name `name` is a "namespace package" whose
+ Declare that the dotted package name ``name`` is a "namespace package" whose
contained packages and modules may be spread across multiple distributions.
The named package's ``__path__`` will be extended to include the
corresponding package in all distributions on ``sys.path`` that contain a
@@ -163,7 +163,7 @@ Applications that manipulate namespace packages or directly alter ``sys.path``
at runtime may also need to use this API function:
``fixup_namespace_packages(path_item)``
- Declare that `path_item` is a newly added item on ``sys.path`` that may
+ Declare that ``path_item`` is a newly added item on ``sys.path`` that may
need to be used to update existing namespace packages. Ordinarily, this is
called for you when an egg is automatically added to ``sys.path``, but if
your application modifies ``sys.path`` to include locations that may
@@ -197,7 +197,7 @@ not provide any way to detect arbitrary changes to a list object like
``working_set`` based on changes to ``sys.path``.
``WorkingSet(entries=None)``
- Create a ``WorkingSet`` from an iterable of path entries. If `entries`
+ Create a ``WorkingSet`` from an iterable of path entries. If ``entries``
is not supplied, it defaults to the value of ``sys.path`` at the time
the constructor is called.
@@ -229,9 +229,9 @@ abbreviation for ``pkg_resources.working_set.require()``:
``require(*requirements)``
- Ensure that distributions matching `requirements` are activated
+ Ensure that distributions matching ``requirements`` are activated
- `requirements` must be a string or a (possibly-nested) sequence
+ ``requirements`` must be a string or a (possibly-nested) sequence
thereof, specifying the distributions and versions required. The
return value is a sequence of the distributions that needed to be
activated to fulfill the requirements; all relevant distributions are
@@ -259,8 +259,8 @@ abbreviation for ``pkg_resources.working_set.require()``:
``obtain()`` method of ``Environment`` objects.
``run_script(requires, script_name)``
- Locate distribution specified by `requires` and run its `script_name`
- script. `requires` must be a string containing a requirement specifier.
+ Locate distribution specified by ``requires`` and run its ``script_name``
+ script. ``requires`` must be a string containing a requirement specifier.
(See `Requirements Parsing`_ below for the syntax.)
The script, if found, will be executed in *the caller's globals*. That's
@@ -274,11 +274,11 @@ abbreviation for ``pkg_resources.working_set.require()``:
object's `Metadata API`_ instead.
``iter_entry_points(group, name=None)``
- Yield entry point objects from `group` matching `name`
+ Yield entry point objects from ``group`` matching ``name``
- If `name` is None, yields all entry points in `group` from all
+ If ``name`` is None, yields all entry points in ``group`` from all
distributions in the working set, otherwise only ones matching both
- `group` and `name` are yielded. Entry points are yielded from the active
+ ``group`` and ``name`` are yielded. Entry points are yielded from the active
distributions in the order that the distributions appear in the working
set. (For the global ``working_set``, this should be the same as the order
that they are listed in ``sys.path``.) Note that within the entry points
@@ -301,14 +301,14 @@ instance:
called by the ``WorkingSet()`` constructor during initialization.
This method uses ``find_distributions(entry,True)`` to find distributions
- corresponding to the path entry, and then ``add()`` them. `entry` is
+ corresponding to the path entry, and then ``add()`` them. ``entry`` is
always appended to the ``entries`` attribute, even if it is already
present, however. (This is because ``sys.path`` can contain the same value
more than once, and the ``entries`` attribute should be able to reflect
this.)
``__contains__(dist)``
- True if `dist` is active in this ``WorkingSet``. Note that only one
+ True if ``dist`` is active in this ``WorkingSet``. Note that only one
distribution for a given project can be active in a given ``WorkingSet``.
``__iter__()``
@@ -317,34 +317,34 @@ instance:
added to the working set.
``find(req)``
- Find a distribution matching `req` (a ``Requirement`` instance).
+ Find a distribution matching ``req`` (a ``Requirement`` instance).
If there is an active distribution for the requested project, this
returns it, as long as it meets the version requirement specified by
- `req`. But, if there is an active distribution for the project and it
- does *not* meet the `req` requirement, ``VersionConflict`` is raised.
+ ``req``. But, if there is an active distribution for the project and it
+ does *not* meet the ``req`` requirement, ``VersionConflict`` is raised.
If there is no active distribution for the requested project, ``None``
is returned.
``resolve(requirements, env=None, installer=None)``
- List all distributions needed to (recursively) meet `requirements`
+ List all distributions needed to (recursively) meet ``requirements``
- `requirements` must be a sequence of ``Requirement`` objects. `env`,
+ ``requirements`` must be a sequence of ``Requirement`` objects. ``env``,
if supplied, should be an ``Environment`` instance. If
not supplied, an ``Environment`` is created from the working set's
- ``entries``. `installer`, if supplied, will be invoked with each
+ ``entries``. ``installer``, if supplied, will be invoked with each
requirement that cannot be met by an already-installed distribution; it
should return a ``Distribution`` or ``None``. (See the ``obtain()`` method
- of `Environment Objects`_, below, for more information on the `installer`
+ of `Environment Objects`_, below, for more information on the ``installer``
argument.)
``add(dist, entry=None)``
- Add `dist` to working set, associated with `entry`
+ Add ``dist`` to working set, associated with ``entry``
- If `entry` is unspecified, it defaults to ``dist.location``. On exit from
- this routine, `entry` is added to the end of the working set's ``.entries``
+ If ``entry`` is unspecified, it defaults to ``dist.location``. On exit from
+ this routine, ``entry`` is added to the end of the working set's ``.entries``
(if it wasn't already present).
- `dist` is only added to the working set if it's for a project that
+ ``dist`` is only added to the working set if it's for a project that
doesn't already have a distribution active in the set. If it's
successfully added, any callbacks registered with the ``subscribe()``
method will be called. (See `Receiving Change Notifications`_, below.)
@@ -401,7 +401,7 @@ environment for the newest version of each project that can be safely loaded
without conflicts or missing requirements.
``find_plugins(plugin_env, full_env=None, fallback=True)``
- Scan `plugin_env` and identify which distributions could be added to this
+ Scan ``plugin_env`` and identify which distributions could be added to this
working set without version conflicts or missing requirements.
Example usage::
@@ -412,19 +412,19 @@ without conflicts or missing requirements.
map(working_set.add, distributions) # add plugins+libs to sys.path
print "Couldn't load", errors # display errors
- The `plugin_env` should be an ``Environment`` instance that contains only
+ The ``plugin_env`` should be an ``Environment`` instance that contains only
distributions that are in the project's "plugin directory" or directories.
- The `full_env`, if supplied, should be an ``Environment`` instance that
+ The ``full_env``, if supplied, should be an ``Environment`` instance that
contains all currently-available distributions.
- If `full_env` is not supplied, one is created automatically from the
+ If ``full_env`` is not supplied, one is created automatically from the
``WorkingSet`` this method is called on, which will typically mean that
every directory on ``sys.path`` will be scanned for distributions.
- This method returns a 2-tuple: (`distributions`, `error_info`), where
- `distributions` is a list of the distributions found in `plugin_env` that
+ This method returns a 2-tuple: (``distributions``, ``error_info``), where
+ ``distributions`` is a list of the distributions found in ``plugin_env`` that
were loadable, along with any other distributions that are needed to resolve
- their dependencies. `error_info` is a dictionary mapping unloadable plugin
+ their dependencies. ``error_info`` is a dictionary mapping unloadable plugin
distributions to an exception instance describing the error that occurred.
Usually this will be a ``DistributionNotFound`` or ``VersionConflict``
instance.
@@ -436,7 +436,7 @@ without conflicts or missing requirements.
metadata tracking and hooks to be activated.
The resolution algorithm used by ``find_plugins()`` is as follows. First,
- the project names of the distributions present in `plugin_env` are sorted.
+ the project names of the distributions present in ``plugin_env`` are sorted.
Then, each project's eggs are tried in descending version order (i.e.,
newest version first).
@@ -446,7 +446,7 @@ without conflicts or missing requirements.
the next project name, and no older eggs for that project are tried.
If the resolution attempt fails, however, the error is added to the error
- dictionary. If the `fallback` flag is true, the next older version of the
+ dictionary. If the ``fallback`` flag is true, the next older version of the
plugin is tried, until a working version is found. If false, the resolution
process continues with the next plugin project name.
@@ -455,7 +455,7 @@ without conflicts or missing requirements.
may not be able to safely downgrade a version of a package. Others may want
to ensure that a new plugin configuration is either 100% good or else
revert to a known-good configuration. (That is, they may wish to revert to
- a known configuration if the `error_info` return value is non-empty.)
+ a known configuration if the ``error_info`` return value is non-empty.)
Note that this algorithm gives precedence to satisfying the dependencies of
alphabetically prior project names in case of version conflicts. If two
@@ -473,22 +473,22 @@ that are present and potentially importable on the current platform.
distributions during dependency resolution.
``Environment(search_path=None, platform=get_supported_platform(), python=PY_MAJOR)``
- Create an environment snapshot by scanning `search_path` for distributions
- compatible with `platform` and `python`. `search_path` should be a
+ Create an environment snapshot by scanning ``search_path`` for distributions
+ compatible with ``platform`` and ``python``. ``search_path`` should be a
sequence of strings such as might be used on ``sys.path``. If a
- `search_path` isn't supplied, ``sys.path`` is used.
+ ``search_path`` isn't supplied, ``sys.path`` is used.
- `platform` is an optional string specifying the name of the platform
+ ``platform`` is an optional string specifying the name of the platform
that platform-specific distributions must be compatible with. If
- unspecified, it defaults to the current platform. `python` is an
+ unspecified, it defaults to the current platform. ``python`` is an
optional string naming the desired version of Python (e.g. ``'2.4'``);
it defaults to the currently-running version.
- You may explicitly set `platform` (and/or `python`) to ``None`` if you
+ You may explicitly set ``platform`` (and/or ``python``) to ``None`` if you
wish to include *all* distributions, not just those compatible with the
running platform or Python version.
- Note that `search_path` is scanned immediately for distributions, and the
+ Note that ``search_path`` is scanned immediately for distributions, and the
resulting ``Environment`` is a snapshot of the found distributions. It
is not automatically updated if the system's state changes due to e.g.
installation or removal of distributions.
@@ -504,15 +504,15 @@ distributions during dependency resolution.
The yielded names are always in lower case.
``add(dist)``
- Add `dist` to the environment if it matches the platform and python version
+ Add ``dist`` to the environment if it matches the platform and python version
specified at creation time, and only if the distribution hasn't already
been added. (i.e., adding the same distribution more than once is a no-op.)
``remove(dist)``
- Remove `dist` from the environment.
+ Remove ``dist`` from the environment.
``can_add(dist)``
- Is distribution `dist` acceptable for this environment? If it's not
+ Is distribution ``dist`` acceptable for this environment? If it's not
compatible with the ``platform`` and ``python`` version values specified
when the environment was created, a false value is returned.
@@ -534,34 +534,34 @@ distributions during dependency resolution.
are silently ignored.
``best_match(req, working_set, installer=None)``
- Find distribution best matching `req` and usable on `working_set`
+ Find distribution best matching ``req`` and usable on ``working_set``
- This calls the ``find(req)`` method of the `working_set` to see if a
+ This calls the ``find(req)`` method of the ``working_set`` to see if a
suitable distribution is already active. (This may raise
``VersionConflict`` if an unsuitable version of the project is already
- active in the specified `working_set`.) If a suitable distribution isn't
+ active in the specified ``working_set``.) If a suitable distribution isn't
active, this method returns the newest distribution in the environment
- that meets the ``Requirement`` in `req`. If no suitable distribution is
- found, and `installer` is supplied, then the result of calling
+ that meets the ``Requirement`` in ``req``. If no suitable distribution is
+ found, and ``installer`` is supplied, then the result of calling
the environment's ``obtain(req, installer)`` method will be returned.
``obtain(requirement, installer=None)``
Obtain a distro that matches requirement (e.g. via download). In the
base ``Environment`` class, this routine just returns
- ``installer(requirement)``, unless `installer` is None, in which case
+ ``installer(requirement)``, unless ``installer`` is None, in which case
None is returned instead. This method is a hook that allows subclasses
to attempt other ways of obtaining a distribution before falling back
- to the `installer` argument.
+ to the ``installer`` argument.
``scan(search_path=None)``
- Scan `search_path` for distributions usable on `platform`
+ Scan ``search_path`` for distributions usable on ``platform``
- Any distributions found are added to the environment. `search_path` should
+ Any distributions found are added to the environment. ``search_path`` should
be a sequence of strings such as might be used on ``sys.path``. If not
supplied, ``sys.path`` is used. Only distributions conforming to
the platform/python version defined at initialization are added. This
method is a shortcut for using the ``find_distributions()`` function to
- find the distributions from each item in `search_path`, and then calling
+ find the distributions from each item in ``search_path``, and then calling
``add()`` to add each one to the environment.
@@ -627,10 +627,10 @@ Requirements Parsing
--------------------------------------
``__contains__(dist_or_version)``
- Return true if `dist_or_version` fits the criteria for this requirement.
- If `dist_or_version` is a ``Distribution`` object, its project name must
+ Return true if ``dist_or_version`` fits the criteria for this requirement.
+ If ``dist_or_version`` is a ``Distribution`` object, its project name must
match the requirement's project name, and its version must meet the
- requirement's version criteria. If `dist_or_version` is a string, it is
+ requirement's version criteria. If ``dist_or_version`` is a string, it is
parsed using the ``parse_version()`` utility function. Otherwise, it is
assumed to be an already-parsed version.
@@ -668,8 +668,8 @@ Requirements Parsing
``specs``
A list of ``(op,version)`` tuples, sorted in ascending parsed-version
- order. The `op` in each tuple is a comparison operator, represented as
- a string. The `version` is the (unparsed) version number.
+ order. The ``op`` in each tuple is a comparison operator, represented as
+ a string. The ``version`` is the (unparsed) version number.
``marker``
An instance of ``packaging.markers.Marker`` that allows evaluation
@@ -721,14 +721,14 @@ in sys.path order, etc.
Convenience API
---------------
-In the following functions, the `dist` argument can be a ``Distribution``
+In the following functions, the ``dist`` argument can be a ``Distribution``
instance, a ``Requirement`` instance, or a string specifying a requirement
(i.e. project name, version, etc.). If the argument is a string or
``Requirement``, the specified distribution is located (and added to sys.path
if not already present). An error will be raised if a matching distribution is
not available.
-The `group` argument should be a string containing a dotted identifier,
+The ``group`` argument should be a string containing a dotted identifier,
identifying an entry point group. If you are defining an entry point group,
you should include some portion of your package's name in the group name so as
to avoid collision with other packages' entry point groups.
@@ -738,25 +738,25 @@ to avoid collision with other packages' entry point groups.
``ImportError``.
``get_entry_info(dist, group, name)``
- Return an ``EntryPoint`` object for the given `group` and `name` from
+ Return an ``EntryPoint`` object for the given ``group`` and ``name`` from
the specified distribution. Returns ``None`` if the distribution has not
advertised a matching entry point.
``get_entry_map(dist, group=None)``
- Return the distribution's entry point map for `group`, or the full entry
+ Return the distribution's entry point map for ``group``, or the full entry
map for the distribution. This function always returns a dictionary,
- even if the distribution advertises no entry points. If `group` is given,
+ even if the distribution advertises no entry points. If ``group`` is given,
the dictionary maps entry point names to the corresponding ``EntryPoint``
- object. If `group` is None, the dictionary maps group names to
+ object. If ``group`` is None, the dictionary maps group names to
dictionaries that then map entry point names to the corresponding
``EntryPoint`` instance in that group.
``iter_entry_points(group, name=None)``
- Yield entry point objects from `group` matching `name`.
+ Yield entry point objects from ``group`` matching ``name``.
- If `name` is None, yields all entry points in `group` from all
+ If ``name`` is None, yields all entry points in ``group`` from all
distributions in the working set on sys.path, otherwise only ones matching
- both `group` and `name` are yielded. Entry points are yielded from
+ both ``group`` and ``name`` are yielded. Entry points are yielded from
the active distributions in the order that the distributions appear on
sys.path. (Within entry points for a particular distribution, however,
there is no particular ordering.)
@@ -769,26 +769,26 @@ Creating and Parsing
--------------------
``EntryPoint(name, module_name, attrs=(), extras=(), dist=None)``
- Create an ``EntryPoint`` instance. `name` is the entry point name. The
- `module_name` is the (dotted) name of the module containing the advertised
- object. `attrs` is an optional tuple of names to look up from the
- module to obtain the advertised object. For example, an `attrs` of
- ``("foo","bar")`` and a `module_name` of ``"baz"`` would mean that the
+ Create an ``EntryPoint`` instance. ``name`` is the entry point name. The
+ ``module_name`` is the (dotted) name of the module containing the advertised
+ object. ``attrs`` is an optional tuple of names to look up from the
+ module to obtain the advertised object. For example, an ``attrs`` of
+ ``("foo","bar")`` and a ``module_name`` of ``"baz"`` would mean that the
advertised object could be obtained by the following code::
import baz
advertised_object = baz.foo.bar
- The `extras` are an optional tuple of "extra feature" names that the
+ The ``extras`` are an optional tuple of "extra feature" names that the
distribution needs in order to provide this entry point. When the
- entry point is loaded, these extra features are looked up in the `dist`
+ entry point is loaded, these extra features are looked up in the ``dist``
argument to find out what other distributions may need to be activated
- on sys.path; see the ``load()`` method for more details. The `extras`
- argument is only meaningful if `dist` is specified. `dist` must be
+ on sys.path; see the ``load()`` method for more details. The ``extras``
+ argument is only meaningful if ``dist`` is specified. ``dist`` must be
a ``Distribution`` instance.
``EntryPoint.parse(src, dist=None)`` (classmethod)
- Parse a single entry point from string `src`
+ Parse a single entry point from string ``src``
Entry point syntax follows the form::
@@ -796,27 +796,27 @@ Creating and Parsing
The entry name and module name are required, but the ``:attrs`` and
``[extras]`` parts are optional, as is the whitespace shown between
- some of the items. The `dist` argument is passed through to the
+ some of the items. The ``dist`` argument is passed through to the
``EntryPoint()`` constructor, along with the other values parsed from
- `src`.
+ ``src``.
``EntryPoint.parse_group(group, lines, dist=None)`` (classmethod)
- Parse `lines` (a string or sequence of lines) to create a dictionary
+ Parse ``lines`` (a string or sequence of lines) to create a dictionary
mapping entry point names to ``EntryPoint`` objects. ``ValueError`` is
- raised if entry point names are duplicated, if `group` is not a valid
+ raised if entry point names are duplicated, if ``group`` is not a valid
entry point group name, or if there are any syntax errors. (Note: the
- `group` parameter is used only for validation and to create more
- informative error messages.) If `dist` is provided, it will be used to
+ ``group`` parameter is used only for validation and to create more
+ informative error messages.) If ``dist`` is provided, it will be used to
set the ``dist`` attribute of the created ``EntryPoint`` objects.
``EntryPoint.parse_map(data, dist=None)`` (classmethod)
- Parse `data` into a dictionary mapping group names to dictionaries mapping
- entry point names to ``EntryPoint`` objects. If `data` is a dictionary,
+ Parse ``data`` into a dictionary mapping group names to dictionaries mapping
+ entry point names to ``EntryPoint`` objects. If ``data`` is a dictionary,
then the keys are used as group names and the values are passed to
- ``parse_group()`` as the `lines` argument. If `data` is a string or
+ ``parse_group()`` as the ``lines`` argument. If ``data`` is a string or
sequence of lines, it is first split into .ini-style sections (using
the ``split_sections()`` utility function) and the section names are used
- as group names. In either case, the `dist` argument is passed through to
+ as group names. In either case, the ``dist`` argument is passed through to
``parse_group()`` so that the entry points will be linked to the specified
distribution.
@@ -837,9 +837,9 @@ addition, the following methods are provided:
Ensure that any "extras" needed by the entry point are available on
sys.path. ``UnknownExtra`` is raised if the ``EntryPoint`` has ``extras``,
but no ``dist``, or if the named extras are not defined by the
- distribution. If `env` is supplied, it must be an ``Environment``, and it
+ distribution. If ``env`` is supplied, it must be an ``Environment``, and it
will be used to search for needed distributions if they are not already
- present on sys.path. If `installer` is supplied, it must be a callable
+ present on sys.path. If ``installer`` is supplied, it must be a callable
taking a ``Requirement`` instance and returning a matching importable
``Distribution`` instance or None.
@@ -872,16 +872,16 @@ available distributions, respectively.) You can also obtain ``Distribution``
objects from one of these high-level APIs:
``find_distributions(path_item, only=False)``
- Yield distributions accessible via `path_item`. If `only` is true, yield
- only distributions whose ``location`` is equal to `path_item`. In other
- words, if `only` is true, this yields any distributions that would be
- importable if `path_item` were on ``sys.path``. If `only` is false, this
- also yields distributions that are "in" or "under" `path_item`, but would
+ Yield distributions accessible via ``path_item``. If ``only`` is true, yield
+ only distributions whose ``location`` is equal to ``path_item``. In other
+ words, if ``only`` is true, this yields any distributions that would be
+ importable if ``path_item`` were on ``sys.path``. If ``only`` is false, this
+ also yields distributions that are "in" or "under" ``path_item``, but would
not be importable unless their locations were also added to ``sys.path``.
``get_distribution(dist_spec)``
Return a ``Distribution`` object for a given ``Requirement`` or string.
- If `dist_spec` is already a ``Distribution`` instance, it is returned.
+ If ``dist_spec`` is already a ``Distribution`` instance, it is returned.
If it is a ``Requirement`` object or a string that can be parsed into one,
it is used to locate and activate a matching distribution, which is then
returned.
@@ -890,18 +890,18 @@ However, if you're creating specialized tools for working with distributions,
or creating a new distribution format, you may also need to create
``Distribution`` objects directly, using one of the three constructors below.
-These constructors all take an optional `metadata` argument, which is used to
-access any resources or metadata associated with the distribution. `metadata`
+These constructors all take an optional ``metadata`` argument, which is used to
+access any resources or metadata associated with the distribution. ``metadata``
must be an object that implements the ``IResourceProvider`` interface, or None.
If it is None, an ``EmptyProvider`` is used instead. ``Distribution`` objects
implement both the `IResourceProvider`_ and `IMetadataProvider Methods`_ by
-delegating them to the `metadata` object.
+delegating them to the ``metadata`` object.
``Distribution.from_location(location, basename, metadata=None, **kw)`` (classmethod)
- Create a distribution for `location`, which must be a string such as a
+ Create a distribution for ``location``, which must be a string such as a
URL, filename, or other string that might be used on ``sys.path``.
- `basename` is a string naming the distribution, like ``Foo-1.2-py2.4.egg``.
- If `basename` ends with ``.egg``, then the project's name, version, python
+ ``basename`` is a string naming the distribution, like ``Foo-1.2-py2.4.egg``.
+ If ``basename`` ends with ``.egg``, then the project's name, version, python
version and platform are extracted from the filename and used to set those
properties of the created distribution. Any additional keyword arguments
are forwarded to the ``Distribution()`` constructor.
@@ -917,8 +917,8 @@ delegating them to the `metadata` object.
``Distribution(location,metadata,project_name,version,py_version,platform,precedence)``
Create a distribution by setting its properties. All arguments are
- optional and default to None, except for `py_version` (which defaults to
- the current Python version) and `precedence` (which defaults to
+ optional and default to None, except for ``py_version`` (which defaults to
+ the current Python version) and ``precedence`` (which defaults to
``EGG_DIST``; for more details see ``precedence`` under `Distribution
Attributes`_ below). Note that it's usually easier to use the
``from_filename()`` or ``from_location()`` constructors than to specify
@@ -938,7 +938,7 @@ project_name
A string, naming the project that this distribution is for. Project names
are defined by a project's setup script, and they are used to identify
projects on PyPI. When a ``Distribution`` is constructed, the
- `project_name` argument is passed through the ``safe_name()`` utility
+ ``project_name`` argument is passed through the ``safe_name()`` utility
function to filter out any unacceptable characters.
key
@@ -952,9 +952,9 @@ extras
version
A string denoting what release of the project this distribution contains.
- When a ``Distribution`` is constructed, the `version` argument is passed
+ When a ``Distribution`` is constructed, the ``version`` argument is passed
through the ``safe_version()`` utility function to filter out any
- unacceptable characters. If no `version` is specified at construction
+ unacceptable characters. If no ``version`` is specified at construction
time, then attempting to access this attribute later will cause the
``Distribution`` to try to discover its version by reading its ``PKG-INFO``
metadata file. If ``PKG-INFO`` is unavailable or can't be parsed,
@@ -967,7 +967,7 @@ parsed_version
distributions by version. (See the `Parsing Utilities`_ section below for
more information on the ``parse_version()`` function.) Note that accessing
``parsed_version`` may result in a ``ValueError`` if the ``Distribution``
- was constructed without a `version` and without `metadata` capable of
+ was constructed without a ``version`` and without ``metadata`` capable of
supplying the missing version info.
py_version
@@ -998,9 +998,9 @@ precedence
------------------------
``activate(path=None)``
- Ensure distribution is importable on `path`. If `path` is None,
+ Ensure distribution is importable on ``path``. If ``path`` is None,
``sys.path`` is used instead. This ensures that the distribution's
- ``location`` is in the `path` list, and it also performs any necessary
+ ``location`` is in the ``path`` list, and it also performs any necessary
namespace package fixups or declarations. (That is, if the distribution
contains namespace packages, this method ensures that they are declared,
and that the distribution's contents for those namespace packages are
@@ -1020,7 +1020,7 @@ precedence
``requires(extras=())``
List the ``Requirement`` objects that specify this distribution's
- dependencies. If `extras` is specified, it should be a sequence of names
+ dependencies. If ``extras`` is specified, it should be a sequence of names
of "extras" defined by the distribution, and the list returned will then
include any dependencies needed to support the named "extras".
@@ -1047,11 +1047,11 @@ by the distribution. See the section above on `Entry Points`_ for more
detailed information about these operations:
``get_entry_info(group, name)``
- Return the ``EntryPoint`` object for `group` and `name`, or None if no
+ Return the ``EntryPoint`` object for ``group`` and ``name``, or None if no
such point is advertised by this distribution.
``get_entry_map(group=None)``
- Return the entry point map for `group`. If `group` is None, return
+ Return the entry point map for ``group``. If ``group`` is None, return
a dictionary mapping group names to entry point maps for all groups.
(An entry point map is a dictionary of entry point names to ``EntryPoint``
objects.)
@@ -1079,8 +1079,8 @@ documented in later sections):
* ``resource_isdir(resource_name)``
* ``resource_listdir(resource_name)``
-If the distribution was created with a `metadata` argument, these resource and
-metadata access methods are all delegated to that `metadata` provider.
+If the distribution was created with a ``metadata`` argument, these resource and
+metadata access methods are all delegated to that ``metadata`` provider.
Otherwise, they are delegated to an ``EmptyProvider``, so that the distribution
will appear to have no resources or metadata. This delegation approach is used
so that supporting custom importers or new distribution formats can be done
@@ -1112,11 +1112,11 @@ Thus, you can use the APIs below without needing an explicit
Basic Resource Access
---------------------
-In the following methods, the `package_or_requirement` argument may be either
+In the following methods, the ``package_or_requirement`` argument may be either
a Python package/module name (e.g. ``foo.bar``) or a ``Requirement`` instance.
If it is a package or module name, the named module or package must be
importable (i.e., be in a distribution or directory on ``sys.path``), and the
-`resource_name` argument is interpreted relative to the named package. (Note
+``resource_name`` argument is interpreted relative to the named package. (Note
that if a module name is used, then the resource name is relative to the
package immediately containing the named module. Also, you should not use use
a namespace package name, because a namespace package can be spread across
@@ -1127,7 +1127,7 @@ If it is a ``Requirement``, then the requirement is automatically resolved
(searching the current ``Environment`` if necessary) and a matching
distribution is added to the ``WorkingSet`` and ``sys.path`` if one was not
already present. (Unless the ``Requirement`` can't be satisfied, in which
-case an exception is raised.) The `resource_name` argument is then interpreted
+case an exception is raised.) The ``resource_name`` argument is then interpreted
relative to the root of the identified distribution; i.e. its first path
segment will be treated as a peer of the top-level modules or packages in the
distribution.
@@ -1229,12 +1229,12 @@ no need to use these methods. Unlike the other methods listed above, they are
you must therefore have an explicit ``ResourceManager`` instance to use them.
``get_cache_path(archive_name, names=())``
- Return absolute location in cache for `archive_name` and `names`
+ Return absolute location in cache for ``archive_name`` and ``names``
The parent directory of the resulting path will be created if it does
- not already exist. `archive_name` should be the base filename of the
+ not already exist. ``archive_name`` should be the base filename of the
enclosing egg (which may not be the name of the enclosing zipfile!),
- including its ".egg" extension. `names`, if provided, should be a
+ including its ".egg" extension. ``names``, if provided, should be a
sequence of path name parts "under" the egg's extraction location.
This method should only be called by resource providers that need to
@@ -1250,12 +1250,12 @@ you must therefore have an explicit ``ResourceManager`` instance to use them.
wrap or handle extraction errors themselves.
``postprocess(tempname, filename)``
- Perform any platform-specific postprocessing of `tempname`.
+ Perform any platform-specific postprocessing of ``tempname``.
Resource providers should call this method ONLY after successfully
extracting a compressed resource. They must NOT call it on resources
that are already in the filesystem.
- `tempname` is the current (temporary) name of the file, and `filename`
+ ``tempname`` is the current (temporary) name of the file, and ``filename``
is the name it will be renamed to by the caller after this routine
returns.
@@ -1323,7 +1323,7 @@ implement the ``IMetadataProvider`` or ``IResourceProvider`` interfaces are:
``run_script(script_name, namespace)``
Execute the named script in the supplied namespace dictionary. Raises
``ResolutionError`` if there is no script by that name in the ``scripts``
- metadata directory. `namespace` should be a Python dictionary, usually
+ metadata directory. ``namespace`` should be a Python dictionary, usually
a module dictionary if the script is being run as a module.
@@ -1380,11 +1380,11 @@ with other (PEP 302-compatible) importers or module loaders, you may need to
register various handlers and support functions using these APIs:
``register_finder(importer_type, distribution_finder)``
- Register `distribution_finder` to find distributions in ``sys.path`` items.
- `importer_type` is the type or class of a PEP 302 "Importer" (``sys.path``
- item handler), and `distribution_finder` is a callable that, when passed a
- path item, the importer instance, and an `only` flag, yields
- ``Distribution`` instances found under that path item. (The `only` flag,
+ Register ``distribution_finder`` to find distributions in ``sys.path`` items.
+ ``importer_type`` is the type or class of a PEP 302 "Importer" (``sys.path``
+ item handler), and ``distribution_finder`` is a callable that, when passed a
+ path item, the importer instance, and an ``only`` flag, yields
+ ``Distribution`` instances found under that path item. (The ``only`` flag,
if true, means the finder should yield only ``Distribution`` objects whose
``location`` is equal to the path item provided.)
@@ -1392,16 +1392,16 @@ register various handlers and support functions using these APIs:
example finder function.
``register_loader_type(loader_type, provider_factory)``
- Register `provider_factory` to make ``IResourceProvider`` objects for
- `loader_type`. `loader_type` is the type or class of a PEP 302
- ``module.__loader__``, and `provider_factory` is a function that, when
+ Register ``provider_factory`` to make ``IResourceProvider`` objects for
+ ``loader_type``. ``loader_type`` is the type or class of a PEP 302
+ ``module.__loader__``, and ``provider_factory`` is a function that, when
passed a module object, returns an `IResourceProvider`_ for that module,
allowing it to be used with the `ResourceManager API`_.
``register_namespace_handler(importer_type, namespace_handler)``
- Register `namespace_handler` to declare namespace packages for the given
- `importer_type`. `importer_type` is the type or class of a PEP 302
- "importer" (sys.path item handler), and `namespace_handler` is a callable
+ Register ``namespace_handler`` to declare namespace packages for the given
+ ``importer_type``. ``importer_type`` is the type or class of a PEP 302
+ "importer" (sys.path item handler), and ``namespace_handler`` is a callable
with a signature like this::
def namespace_handler(importer, path_entry, moduleName, module):
@@ -1421,23 +1421,23 @@ IResourceProvider
-----------------
``IResourceProvider`` is an abstract class that documents what methods are
-required of objects returned by a `provider_factory` registered with
+required of objects returned by a ``provider_factory`` registered with
``register_loader_type()``. ``IResourceProvider`` is a subclass of
``IMetadataProvider``, so objects that implement this interface must also
implement all of the `IMetadataProvider Methods`_ as well as the methods
-shown here. The `manager` argument to the methods below must be an object
+shown here. The ``manager`` argument to the methods below must be an object
that supports the full `ResourceManager API`_ documented above.
``get_resource_filename(manager, resource_name)``
- Return a true filesystem path for `resource_name`, coordinating the
- extraction with `manager`, if the resource must be unpacked to the
+ Return a true filesystem path for ``resource_name``, coordinating the
+ extraction with ``manager``, if the resource must be unpacked to the
filesystem.
``get_resource_stream(manager, resource_name)``
- Return a readable file-like object for `resource_name`.
+ Return a readable file-like object for ``resource_name``.
``get_resource_string(manager, resource_name)``
- Return a string containing the contents of `resource_name`.
+ Return a string containing the contents of ``resource_name``.
``has_resource(resource_name)``
Does the package contain the named resource?
@@ -1501,15 +1501,15 @@ where appropriate. Their inheritance tree looks like this::
``PathMetadata(path, egg_info)``
Create an ``IResourceProvider`` for a filesystem-based distribution, where
- `path` is the filesystem location of the importable modules, and `egg_info`
+ ``path`` is the filesystem location of the importable modules, and ``egg_info``
is the filesystem location of the distribution's metadata directory.
- `egg_info` should usually be the ``EGG-INFO`` subdirectory of `path` for an
- "unpacked egg", and a ``ProjectName.egg-info`` subdirectory of `path` for
+ ``egg_info`` should usually be the ``EGG-INFO`` subdirectory of ``path`` for an
+ "unpacked egg", and a ``ProjectName.egg-info`` subdirectory of ``path`` for
a "development egg". However, other uses are possible for custom purposes.
``EggMetadata(zipimporter)``
Create an ``IResourceProvider`` for a zipfile-based distribution. The
- `zipimporter` should be a ``zipimport.zipimporter`` instance, and may
+ ``zipimporter`` should be a ``zipimport.zipimporter`` instance, and may
represent a "basket" (a zipfile containing multiple ".egg" subdirectories)
a specific egg *within* a basket, or a zipfile egg (where the zipfile
itself is a ".egg"). It can also be a combination, such as a zipfile egg
@@ -1547,12 +1547,12 @@ Parsing Utilities
``yield_lines(strs)``
Yield non-empty/non-comment lines from a string/unicode or a possibly-
- nested sequence thereof. If `strs` is an instance of ``basestring``, it
+ nested sequence thereof. If ``strs`` is an instance of ``basestring``, it
is split into lines, and each non-blank, non-comment line is yielded after
stripping leading and trailing whitespace. (Lines whose first non-blank
character is ``#`` are considered comment lines.)
- If `strs` is not an instance of ``basestring``, it is iterated over, and
+ If ``strs`` is not an instance of ``basestring``, it is iterated over, and
each item is passed recursively to ``yield_lines()``, so that an arbitrarily
nested sequence of strings, or sequences of sequences of strings can be
flattened out to the lines contained therein. So for example, passing
@@ -1636,15 +1636,15 @@ Platform Utilities
``compatible_platforms()`` function.
``compatible_platforms(provided, required)``
- Return true if a distribution built on the `provided` platform may be used
- on the `required` platform. If either platform value is ``None``, it is
+ Return true if a distribution built on the ``provided`` platform may be used
+ on the ``required`` platform. If either platform value is ``None``, it is
considered a wildcard, and the platforms are therefore compatible.
Likewise, if the platform strings are equal, they're also considered
compatible, and ``True`` is returned. Currently, the only non-equal
platform strings that are considered compatible are macOS platform
strings with the same hardware type (e.g. ``ppc``) and major version
- (e.g. ``10``) with the `provided` platform's minor version being less than
- or equal to the `required` platform's minor version.
+ (e.g. ``10``) with the ``provided`` platform's minor version being less than
+ or equal to the ``required`` platform's minor version.
``get_default_cache()``
Determine the default cache location for extracting resources from zipped
@@ -1666,14 +1666,14 @@ File/Path Utilities
-------------------
``ensure_directory(path)``
- Ensure that the parent directory (``os.path.dirname``) of `path` actually
+ Ensure that the parent directory (``os.path.dirname``) of ``path`` actually
exists, using ``os.makedirs()`` if necessary.
``normalize_path(path)``
- Return a "normalized" version of `path`, such that two paths represent
+ Return a "normalized" version of ``path``, such that two paths represent
the same filesystem location if they have equal ``normalized_path()``
values. Specifically, this is a shortcut for calling ``os.path.realpath``
- and ``os.path.normcase`` on `path`. Unfortunately, on certain platforms
+ and ``os.path.normcase`` on ``path``. Unfortunately, on certain platforms
(notably Cygwin and macOS) the ``normcase`` function does not accurately
reflect the platform's case-sensitivity, so there is always the possibility
of two apparently-different paths being equal on such platforms.
diff --git a/docs/references/keywords.rst b/docs/references/keywords.rst
index 563561908c..03ce9fa23a 100644
--- a/docs/references/keywords.rst
+++ b/docs/references/keywords.rst
@@ -1,3 +1,7 @@
+========
+Keywords
+========
+
``name``
A string specifying the name of the package.
@@ -189,7 +193,7 @@
discovery of services or plugins provided by a project. See :ref:`Dynamic
Discovery of Services and Plugins` for details and examples of the format
of this argument. In addition, this keyword is used to support
- :ref:`Automatic Script Creation`.
+ :ref:`Automatic Script Creation <entry_points>`.
``extras_require``
A dictionary mapping names of "extras" (optional features of your project)
@@ -282,7 +286,7 @@
this argument. The named class must be instantiable with no arguments, and
its instances must support the ``loadTestsFromNames()`` method as defined
in the Python ``unittest`` module's ``TestLoader`` class. Setuptools will
- pass only one test "name" in the `names` argument: the value supplied for
+ pass only one test "name" in the ``names`` argument: the value supplied for
the ``test_suite`` argument. The loader you specify may interpret this
string in any way it likes, as there are no restrictions on what may be
contained in a ``test_suite`` string.
@@ -317,15 +321,15 @@
``use_2to3``
Convert the source code from Python 2 to Python 3 with 2to3 during the
- build process. See :doc:`python3` for more details.
+ build process. See :doc:`../deprecated/python3` for more details.
``convert_2to3_doctests``
List of doctest source files that need to be converted with 2to3.
- See :doc:`python3` for more details.
+ See :doc:`../deprecated/python3` for more details.
``use_2to3_fixers``
A list of modules to search for additional fixers to be used during
- the 2to3 conversion. See :doc:`python3` for more details.
+ the 2to3 conversion. See :doc:`../deprecated/python3` for more details.
``use_2to3_exclude_fixers``
List of fixer names to be skipped.
diff --git a/docs/userguide/commands.rst b/docs/userguide/commands.rst
index c64f62bfdd..e632e550b3 100644
--- a/docs/userguide/commands.rst
+++ b/docs/userguide/commands.rst
@@ -275,7 +275,7 @@ is used when you are building source distributions.)
In addition to writing the core egg metadata defined by ``setuptools`` and
required by ``pkg_resources``, this command can be extended to write other
metadata files as well, by defining entry points in the ``egg_info.writers``
-group. See the section on `Adding new EGG-INFO Files`_ below for more details.
+group. See the section on :ref:`Adding new EGG-INFO Files` below for more details.
Note that using additional metadata writers may require you to include a
``setup_requires`` argument to ``setup()`` in order to ensure that the desired
writers are available on ``sys.path``.
@@ -315,7 +315,7 @@ added in the following order:
(Note: Because these options modify the version number used for source and
binary distributions of your project, you should first make sure that you know
how the resulting version numbers will be interpreted by automated tools
-like pip. See the section above on `Specifying Your Project's Version`_ for an
+like pip. See the section above on :ref:`Specifying Your Project's Version` for an
explanation of pre- and post-release tags, as well as tips on how to choose and
verify a versioning scheme for your project.)
diff --git a/docs/userguide/datafiles.rst b/docs/userguide/datafiles.rst
index 315ec7245d..69cf36e699 100644
--- a/docs/userguide/datafiles.rst
+++ b/docs/userguide/datafiles.rst
@@ -20,8 +20,8 @@ e.g.::
This tells setuptools to install any data files it finds in your packages.
The data files must be specified via the distutils' ``MANIFEST.in`` file.
(They can also be tracked by a revision control system, using an appropriate
-plugin. See the section below on `Adding Support for Revision Control
-Systems`_ for information on how to write such plugins.)
+plugin. See the section below on :ref:`Adding Support for Revision
+Control Systems` for information on how to write such plugins.)
If you want finer-grained control over what files are included (for example,
if you have documentation files in your package directories and want to exclude
@@ -144,6 +144,9 @@ if they track intermediate revisions of your project using Subversion; be sure
to let them know when you make changes that remove files from inclusion so they
can run ``setup.py clean --all``.
+
+.. _Accessing Data Files at Runtime:
+
Accessing Data Files at Runtime
-------------------------------
@@ -171,4 +174,4 @@ fall back to the platform-specific location for installing data files, there is
no supported facility to reliably retrieve these resources.
Instead, the PyPA recommends that any data files you wish to be accessible at
-run time be included in the package.
\ No newline at end of file
+run time be included in the package.
diff --git a/docs/userguide/declarative_config.rst b/docs/userguide/declarative_config.rst
index 51c897c409..bc66869b6e 100644
--- a/docs/userguide/declarative_config.rst
+++ b/docs/userguide/declarative_config.rst
@@ -1,3 +1,5 @@
+.. _declarative config:
+
-----------------------------------------
Configuring setup() using setup.cfg files
-----------------------------------------
@@ -199,7 +201,7 @@ obsoletes list-comma
string in such a file, so validation is stricter in this case.
Notes:
-1. The `version` file attribute has only been supported since 39.2.0.
+1. The ``version`` file attribute has only been supported since 39.2.0.
Options
-------
@@ -235,12 +237,12 @@ data_files dict 40.6.0
**packages** - The ``find:`` and ``find_namespace:`` directive can be further configured
in a dedicated subsection ``options.packages.find``. This subsection
- accepts the same keys as the `setuptools.find_packages` and the
- `setuptools.find_namespace_packages` function:
+ accepts the same keys as the ``setuptools.find_packages`` and the
+ ``setuptools.find_namespace_packages`` function:
``where``, ``include``, and ``exclude``.
**find_namespace directive** - The ``find_namespace:`` directive is supported since Python >=3.3.
Notes:
-1. In the `package_data` section, a key named with a single asterisk (`*`)
-refers to all packages, in lieu of the empty string used in `setup.py`.
+1. In the ``package_data`` section, a key named with a single asterisk (``*``)
+refers to all packages, in lieu of the empty string used in ``setup.py``.
diff --git a/docs/userguide/dependency_management.rst b/docs/userguide/dependency_management.rst
index a26ab6c3b0..354a9f8c36 100644
--- a/docs/userguide/dependency_management.rst
+++ b/docs/userguide/dependency_management.rst
@@ -25,7 +25,7 @@ you also need the ``wheel`` package as well since it is recommended that you
upload a ``.whl`` file to PyPI alongside your ``.tar.gz`` file. Unlike the
other two types of dependency keyword, this one is specified in your
``pyproject.toml`` file (if you have forgot what this is, go to
-:ref:`quickstart` or (WIP)):
+:doc:`quickstart` or (WIP)):
.. code-block:: ini
@@ -36,10 +36,11 @@ other two types of dependency keyword, this one is specified in your
.. note::
This used to be accomplished with the ``setup_requires`` keyword but is
now considered deprecated in favor of the PEP 517 style described above.
- To peek into how this legacy keyword is used, consult our :ref:`guide on
- deprecated practice (WIP)`
+ To peek into how this legacy keyword is used, consult our :doc:`guide on
+ deprecated practice (WIP) <../deprecated/index>`
+.. _Declaring Dependencies:
Declaring required dependency
=============================
@@ -266,7 +267,7 @@ the two dependencies ``PDF`` maps to.
The second use case is that other package can use this "extra" for their
own dependencies. For example, if "Project-B" needs "project A" with PDF support
-installed, it might declare the dependency like this::
+installed, it might declare the dependency like this:
.. code-block:: ini
@@ -309,4 +310,4 @@ In some cases, you might need to specify the minimum required python version.
This is handled with the ``python_requires`` keyword supplied to ``setup.cfg``
or ``setup.py``.
-Example WIP
\ No newline at end of file
+Example WIP
diff --git a/docs/userguide/development_mode.rst b/docs/userguide/development_mode.rst
index 9d4e758155..bce724a79f 100644
--- a/docs/userguide/development_mode.rst
+++ b/docs/userguide/development_mode.rst
@@ -49,7 +49,7 @@ source from a staging area using ``setup.py develop --uninstall``, specifying
the desired staging area if it's not the default.
There are several options to control the precise behavior of the ``develop``
-command; see the section on the `develop`_ command below for more details.
+command; see the section on the :ref:`develop <develop>` command below for more details.
Note that you can also apply setuptools commands to non-setuptools projects,
using commands like this::
@@ -57,4 +57,4 @@ using commands like this::
python -c "import setuptools; with open('setup.py') as f: exec(compile(f.read(), 'setup.py', 'exec'))" develop
That is, you can simply list the normal setup commands and options following
-the quoted part.
\ No newline at end of file
+the quoted part.
diff --git a/docs/userguide/distribution.rst b/docs/userguide/distribution.rst
index 77ea2660e2..377f7bb4f1 100644
--- a/docs/userguide/distribution.rst
+++ b/docs/userguide/distribution.rst
@@ -23,17 +23,17 @@ egg distributions by adding one or more of the following to the project's
You can add these tags by adding ``egg_info`` and the desired options to
the command line ahead of the ``sdist`` or ``bdist`` commands that you want
to generate a daily build or snapshot for. See the section below on the
-`egg_info`_ command for more details.
+:ref:`egg_info <egg_info>` command for more details.
(Also, before you release your project, be sure to see the section above on
-`Specifying Your Project's Version`_ for more information about how pre- and
+:ref:`Specifying Your Project's Version` for more information about how pre- and
post-release tags affect how version numbers are interpreted. This is
important in order to make sure that dependency processing tools will know
which versions of your project are newer than others.)
Finally, if you are creating builds frequently, and either building them in a
downloadable location or are copying them to a distribution server, you should
-probably also check out the `rotate`_ command, which lets you automatically
+probably also check out the :ref:`rotate <rotate>` command, which lets you automatically
delete all but the N most-recently-modified distributions matching a glob
pattern. So, you can use a command line like::
@@ -46,7 +46,7 @@ that were built most recently.
If you have to manage automated builds for multiple packages, each with
different tagging and rotation policies, you may also want to check out the
-`alias`_ command, which would let each package define an alias like ``daily``
+:ref:`alias <alias>` command, which would let each package define an alias like ``daily``
that would perform the necessary tag, build, and rotate commands. Then, a
simpler script or cron job could just run ``setup.py daily`` in each project
directory. (And, you could also define sitewide or per-user default versions
@@ -61,7 +61,7 @@ selection with pluggable endpoints for looking up files to include. If you are
using a revision control system, and your source distributions only need to
include files that you're tracking in revision control, use a corresponding
plugin instead of writing a ``MANIFEST.in`` file. See the section below on
-`Adding Support for Revision Control Systems`_ for information on plugins.
+:ref:`Adding Support for Revision Control Systems` for information on plugins.
If you need to include automatically generated files, or files that are kept in
an unsupported revision control system, you'll need to create a ``MANIFEST.in``
@@ -114,7 +114,8 @@ You can then use it like this::
setup.py release sdist bdist_egg
Or of course you can create more elaborate aliases that do all of the above.
-See the sections below on the `egg_info`_ and `alias`_ commands for more ideas.
+See the sections below on the :ref:`egg_info <egg_info>` and
+:ref:`alias <alias>` commands for more ideas.
Distributing Extensions compiled with Cython
--------------------------------------------
@@ -154,6 +155,9 @@ control system will be able to build it even if they don't have Cython
installed, and that your source releases will be similarly usable with or
without Cython.
+
+.. _Specifying Your Project's Version:
+
Specifying Your Project's Version
---------------------------------
@@ -237,4 +241,4 @@ have setuptools automatically tag your in-development releases with various
pre- or post-release tags. See the following sections for more details:
* `Tagging and "Daily Build" or "Snapshot" Releases`_
-* The `egg_info`_ command
\ No newline at end of file
+* The :ref:`egg_info <egg_info>` command
diff --git a/docs/userguide/entry_point.rst b/docs/userguide/entry_point.rst
index 7f5165a876..d1127ae4fa 100644
--- a/docs/userguide/entry_point.rst
+++ b/docs/userguide/entry_point.rst
@@ -33,6 +33,8 @@ with ``__init__.py`` as:
and ``__main__.py`` providing a hook:
+.. code-block:: python
+
from . import hello_world
if __name__ == '__main__':
hello_world()
@@ -49,7 +51,7 @@ user-friendly name for installers of the package to execute. Installers
like pip will create wrapper scripts to execute a function. In the
above example, to create a command ``hello-world`` that invokes
``timmins.hello_world``, add a console script entry point to
-``setup.cfg``::
+``setup.cfg``:
.. code-block:: ini
@@ -74,6 +76,8 @@ In addition to ``console_scripts``, Setuptools supports ``gui_scripts``, which
will launch a GUI application without running in a terminal window.
+.. _dynamic discovery of services and plugins:
+
Advertising Behavior
====================
@@ -138,9 +142,9 @@ Some entry points may require additional dependencies to properly function.
For such an entry point, declare in square brakets any number of dependency
``extras`` following the entry point definition. Such entry points will only
be viable if their extras were declared and installed. See the
-:ref:`guide on dependencies management <dependency_management>` for
+:doc:`guide on dependencies management <dependency_management>` for
more information on defining extra requirements. Consider from the
-above example::
+above example:
.. code-block:: ini
diff --git a/docs/userguide/extension.rst b/docs/userguide/extension.rst
index 1e4846fc92..4de24ec9d3 100644
--- a/docs/userguide/extension.rst
+++ b/docs/userguide/extension.rst
@@ -1,3 +1,5 @@
+.. _Creating ``distutils`` Extensions:
+
Creating ``distutils`` Extensions
=================================
@@ -9,8 +11,8 @@ the extension just refer to it in their ``setup_requires`` argument.
With ``setuptools``, your distutils extension projects can hook in new
commands and ``setup()`` arguments just by defining "entry points". These
are mappings from command or argument names to a specification of where to
-import a handler from. (See the section on `Dynamic Discovery of Services and
-Plugins`_ above for some more background on entry points.)
+import a handler from. (See the section on :ref:`Dynamic Discovery of
+Services and Plugins` above for some more background on entry points.)
Adding Commands
@@ -120,6 +122,8 @@ plugin is encouraged to load the configuration/settings for their behavior
independently.
+.. _Adding new EGG-INFO Files:
+
Adding new EGG-INFO Files
-------------------------
@@ -173,6 +177,9 @@ the ``cmd`` object's ``write_file()``, ``delete_file()``, and
``write_or_delete_file()`` methods exclusively for your file operations. See
those methods' docstrings for more details.
+
+.. _Adding Support for Revision Control Systems:
+
Adding Support for Revision Control Systems
-------------------------------------------------
@@ -232,4 +239,4 @@ A few important points for writing revision control file finders:
* Your finder function SHOULD NOT raise any errors, and SHOULD deal gracefully
with the absence of needed programs (i.e., ones belonging to the revision
control system itself. It *may*, however, use ``distutils.log.warn()`` to
- inform the user of the missing program(s).
\ No newline at end of file
+ inform the user of the missing program(s).
diff --git a/docs/userguide/index.rst b/docs/userguide/index.rst
index abee331a2f..57b059e50b 100644
--- a/docs/userguide/index.rst
+++ b/docs/userguide/index.rst
@@ -24,3 +24,5 @@ ordinary Python packages based on the ``distutils``.
declarative_config
keywords
commands
+ functionalities_rewrite
+ miscellaneous
diff --git a/docs/userguide/keywords.rst b/docs/userguide/keywords.rst
index e2852b3410..268e4f4238 100644
--- a/docs/userguide/keywords.rst
+++ b/docs/userguide/keywords.rst
@@ -8,19 +8,19 @@ unless you need the associated ``setuptools`` feature.
``include_package_data``
If set to ``True``, this tells ``setuptools`` to automatically include any
data files it finds inside your package directories that are specified by
- your ``MANIFEST.in`` file. For more information, see the section below on
- `Including Data Files`_.
+ your ``MANIFEST.in`` file. For more information, see the section on
+ :ref:`Including Data Files`.
``exclude_package_data``
A dictionary mapping package names to lists of glob patterns that should
be *excluded* from your package directories. You can use this to trim back
any excess files included by ``include_package_data``. For a complete
- description and examples, see the section below on `Including Data Files`_.
+ description and examples, see the section on :ref:`Including Data Files`.
``package_data``
A dictionary mapping package names to lists of glob patterns. For a
- complete description and examples, see the section below on `Including
- Data Files`_. You do not need to use this option if you are using
+ complete description and examples, see the section on :ref:`Including
+ Data Files`. You do not need to use this option if you are using
``include_package_data``, unless you need to add e.g. files that are
generated by your setup script and build process. (And are therefore not
in source control or are files that you don't want to include in your
@@ -34,22 +34,22 @@ unless you need the associated ``setuptools`` feature.
``install_requires``
A string or list of strings specifying what other distributions need to
- be installed when this one is. See the section below on `Declaring
- Dependencies`_ for details and examples of the format of this argument.
+ be installed when this one is. See the section on :ref:`Declaring
+ Dependencies` for details and examples of the format of this argument.
``entry_points``
A dictionary mapping entry point group names to strings or lists of strings
defining the entry points. Entry points are used to support dynamic
- discovery of services or plugins provided by a project. See `Dynamic
- Discovery of Services and Plugins`_ for details and examples of the format
- of this argument. In addition, this keyword is used to support `Automatic
- Script Creation`_.
+ discovery of services or plugins provided by a project. See :ref:`Dynamic
+ Discovery of Services and Plugins` for details and examples of the format
+ of this argument. In addition, this keyword is used to support
+ :ref:`Automatic Script Creation <entry_points>`.
``extras_require``
A dictionary mapping names of "extras" (optional features of your project)
to strings or lists of strings specifying what other distributions must be
- installed to support those features. See the section below on `Declaring
- Dependencies`_ for details and examples of the format of this argument.
+ installed to support those features. See the section on :ref:`Declaring
+ Dependencies` for details and examples of the format of this argument.
``python_requires``
A string corresponding to a version specifier (as defined in PEP 440) for
@@ -87,7 +87,7 @@ unless you need the associated ``setuptools`` feature.
as you declare them in each project that contains any subpackages of the
namespace package, and as long as the namespace package's ``__init__.py``
does not contain any code other than a namespace declaration. See the
- section below on `Namespace Packages`_ for more information.
+ section below on :ref:`Namespace Packages` for more information.
``test_suite``
A string naming a ``unittest.TestCase`` subclass (or a package or module
@@ -98,9 +98,9 @@ unless you need the associated ``setuptools`` feature.
added to the tests to be run. If the named suite is a package, any
submodules and subpackages are recursively added to the overall test suite.
- Specifying this argument enables use of the `test`_ command to run the
+ Specifying this argument enables use of the :ref:`test <test>` command to run the
specified test suite, e.g. via ``setup.py test``. See the section on the
- `test`_ command below for more details.
+ :ref:`test <test>` command below for more details.
New in 41.5.0: Deprecated the test command.
@@ -124,7 +124,7 @@ unless you need the associated ``setuptools`` feature.
this argument. The named class must be instantiable with no arguments, and
its instances must support the ``loadTestsFromNames()`` method as defined
in the Python ``unittest`` module's ``TestLoader`` class. Setuptools will
- pass only one test "name" in the `names` argument: the value supplied for
+ pass only one test "name" in the ``names`` argument: the value supplied for
the ``test_suite`` argument. The loader you specify may interpret this
string in any way it likes, as there are no restrictions on what may be
contained in a ``test_suite`` string.
@@ -155,21 +155,21 @@ unless you need the associated ``setuptools`` feature.
extensions that access other files in the project (such as data files or
shared libraries), you probably do NOT need this argument and shouldn't
mess with it. For more details on how this argument works, see the section
- below on `Automatic Resource Extraction`_.
+ below on :ref:`Automatic Resource Extraction`.
``use_2to3``
Convert the source code from Python 2 to Python 3 with 2to3 during the
- build process. See :doc:`python3` for more details.
+ build process. See :doc:`../deprecated/python3` for more details.
``convert_2to3_doctests``
List of doctest source files that need to be converted with 2to3.
- See :doc:`python3` for more details.
+ See :doc:`../deprecated/python3` for more details.
``use_2to3_fixers``
A list of modules to search for additional fixers to be used during
- the 2to3 conversion. See :doc:`python3` for more details.
+ the 2to3 conversion. See :doc:`../deprecated/python3` for more details.
``project_urls``
An arbitrary map of URL names to hyperlinks, allowing more extensible
documentation of where various resources can be found than the simple
- ``url`` and ``download_url`` options provide.
\ No newline at end of file
+ ``url`` and ``download_url`` options provide.
diff --git a/docs/userguide/miscellaneous.rst b/docs/userguide/miscellaneous.rst
index 65e075cddc..3df327d795 100644
--- a/docs/userguide/miscellaneous.rst
+++ b/docs/userguide/miscellaneous.rst
@@ -1,3 +1,5 @@
+.. _Automatic Resource Extraction:
+
Automatic Resource Extraction
-----------------------------
@@ -46,8 +48,8 @@ directory. However, since it can be tedious to create such files by hand, you
may want to create a distutils extension that will create the necessary files
from arguments to ``setup()``, in much the same way that ``setuptools`` does
for many of the ``setup()`` arguments it adds. See the section below on
-`Creating distutils Extensions`_ for more details, especially the subsection on
-`Adding new EGG-INFO Files`_.
+:ref:`Creating ``distutils\`\` Extensions` for more details, especially the
+subsection on :ref:`Adding new EGG-INFO Files`.
Setting the ``zip_safe`` flag
-----------------------------
@@ -75,7 +77,7 @@ no ``__file__`` or ``__path__`` introspection or source code manipulation, then
there is an extremely solid chance the project will work when installed as a
zipfile. (And if the project uses ``pkg_resources`` for all its data file
access, then C extensions and other data files shouldn't be a problem at all.
-See the `Accessing Data Files at Runtime`_ section above for more information.)
+See the :ref:`Accessing Data Files at Runtime` section above for more information.)
However, if ``bdist_egg`` can't be *sure* that your package will work, but
you've checked over all the warnings it issued, and you are either satisfied it
diff --git a/docs/userguide/package_discovery.rst b/docs/userguide/package_discovery.rst
index 0e0d27c5b2..3915408d67 100644
--- a/docs/userguide/package_discovery.rst
+++ b/docs/userguide/package_discovery.rst
@@ -6,13 +6,13 @@ Package Discovery and Namespace Package
.. note::
a full specification for the keyword supplied to ``setup.cfg`` or
- ``setup.py`` can be found at :ref:`keywords reference <keywords_ref>`
+ ``setup.py`` can be found at :doc:`keywords reference <keywords>`
.. note::
the examples provided here are only to demonstrate the functionality
introduced. More metadata and options arguments need to be supplied
if you want to replicate them on your system. If you are completely
- new to setuptools, the :ref:`quickstart section <quickstart>` is a good
+ new to setuptools, the :doc:`quickstart section <quickstart>` is a good
place to start.
``Setuptools`` provide powerful tools to handle package discovery, including
@@ -97,6 +97,8 @@ in ``src`` that starts with the name ``pkg`` and not ``additional``:
)
+.. _Namespace Packages:
+
Using ``find_namespace:`` or ``find_namespace_packages``
========================================================
``setuptools`` provides the ``find_namespace:`` (``find_namespace_packages``)
diff --git a/docs/userguide/quickstart.rst b/docs/userguide/quickstart.rst
index 5282975102..24ea3e4b52 100644
--- a/docs/userguide/quickstart.rst
+++ b/docs/userguide/quickstart.rst
@@ -21,8 +21,7 @@ the backend (build system) it wants to use. The distribution can then
be generated with whatever tools that provides a ``build sdist``-alike
functionality. While this may appear cumbersome, given the added pieces,
it in fact tremendously enhances the portability of your package. The
-change is driven under `PEP 517 <https://www.python.org/dev/peps/pep-0517/#
-build-requirements>``. To learn more about Python packaging in general,
+change is driven under :pep:`517 <517#build-requirements>`. To learn more about Python packaging in general,
navigate to the `bottom <Resources on python packaging>`_ of this page.
@@ -82,8 +81,8 @@ Automatic package discovery
For simple projects, it's usually easy enough to manually add packages to
the ``packages`` keyword in ``setup.cfg``. However, for very large projects
, it can be a big burden to keep the package list updated. ``setuptools``
-therefore provides two convenient tools to ease the burden: ``find: `` and
-``find_namespace: ``. To use it in your project:
+therefore provides two convenient tools to ease the burden: :literal:`find:\ ` and
+:literal:`find_namespace:\ `. To use it in your project:
.. code-block:: ini
@@ -122,7 +121,7 @@ keyword in your ``setup.cfg``:
When this project is installed, a ``main`` script will be installed and will
invoke the ``some_func`` in the ``__init__.py`` file when called by the user.
For detailed usage, including managing the additional or optional dependencies,
-go to :ref:`entry_point`.
+go to :doc:`entry_point`.
Dependency management
@@ -147,9 +146,11 @@ additional keywords such as ``setup_requires`` that allows you to install
dependencies before running the script, and ``extras_requires`` that take
care of those needed by automatically generated scripts. It also provides
mechanisms to handle dependencies that are not in PyPI. For more advanced use,
-see :ref:`dependency_management`
+see :doc:`dependency_management`
+.. _Including Data Files:
+
Including Data Files
====================
The distutils have traditionally allowed installation of "data files", which
@@ -164,7 +165,7 @@ can simply use the ``include_package_data`` keyword:
This tells setuptools to install any data files it finds in your packages.
The data files must be specified via the distutils' ``MANIFEST.in`` file.
-For more details, see :ref:`datafiles`
+For more details, see :doc:`datafiles`
Development mode
diff --git a/tox.ini b/tox.ini
index 535b67d3b9..828d2c02e3 100644
--- a/tox.ini
+++ b/tox.ini
@@ -49,7 +49,16 @@ extras =
testing
changedir = docs
commands =
- python -m sphinx . {toxinidir}/build/html
+ {envpython} -m sphinx \
+ -j auto \
+ -b html \
+ --color \
+ -a \
+ -n \
+ -W \
+ -d "{temp_dir}/.doctrees" \
+ . \
+ "{toxinidir}/build/html"
[testenv:finalize]
skip_install = True
|
cloud-custodian__cloud-custodian-1510 | Feature request - tenancy
Would be nice to look for resources with `dedicated|default|host` tenancy
* [ec2](http://docs.aws.amazon.com/AWSEC2/latest/UserGuide/dedicated-instance.html)
* [rds](http://docs.aws.amazon.com/AmazonRDS/latest/UserGuide/USER_VPC.WorkingWithRDSInstanceinaVPC.html) *this is done at the vpc level*
* [redshift](http://docs.aws.amazon.com/redshift/latest/mgmt/managing-clusters-vpc.html) *this is done at the vpc level*
| [
{
"content": "# Copyright 2015-2017 Capital One Services, LLC\n#\n# Licensed under the Apache License, Version 2.0 (the \"License\");\n# you may not use this file except in compliance with the License.\n# You may obtain a copy of the License at\n#\n# http://www.apache.org/licenses/LICENSE-2.0\n#\n# Unless requi... | [
{
"content": "# Copyright 2015-2017 Capital One Services, LLC\n#\n# Licensed under the Apache License, Version 2.0 (the \"License\");\n# you may not use this file except in compliance with the License.\n# You may obtain a copy of the License at\n#\n# http://www.apache.org/licenses/LICENSE-2.0\n#\n# Unless requi... | diff --git a/c7n/resources/ec2.py b/c7n/resources/ec2.py
index c2903ad7c7e..6930570ba77 100644
--- a/c7n/resources/ec2.py
+++ b/c7n/resources/ec2.py
@@ -1166,6 +1166,7 @@ def process(self, instances):
'tag-key': str,
'tag-value': str,
'tag:': str,
+ 'tenancy': ('dedicated', 'default', 'host'),
'vpc-id': str}
diff --git a/docs/source/policy/resources/ec2.rst b/docs/source/policy/resources/ec2.rst
index ad0ac3b12f6..181cf752be3 100644
--- a/docs/source/policy/resources/ec2.rst
+++ b/docs/source/policy/resources/ec2.rst
@@ -30,6 +30,7 @@ Query
'tag-key': str,
'tag-value': str,
'tag:': str,
+ 'tenancy': ('dedicated', 'default', 'host'),
'vpc-id': str}
Filters
|
flairNLP__flair-2322 | can't load ner-multi : 'LanguageModel' object has no attribute '_load_state_dict_pre_hooks'
**Describe the bug**
Multi lingual models (both ner or pos) fails to load after download inside torch nn.
I don't have any problems with other ner packages
**To Reproduce**
> from flair.data import Sentence
> from flair.models import SequenceTagger
> tagger = SequenceTagger.load("flair/ner-multi-fast")
```
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "/home/flair/flair/nn.py", line 93, in load
model = cls._init_model_with_state_dict(state)
File "/home/flair/flair/models/sequence_tagger_model.py", line 297, in _init_model_with_state_dict
model.load_state_dict(state["state_dict"])
File "/root/anaconda3/envs/flair/lib/python3.9/site-packages/torch/nn/modules/module.py", line 1037, in load_state_dict
load(self)
File "/root/anaconda3/envs/flair/lib/python3.9/site-packages/torch/nn/modules/module.py", line 1035, in load
load(child, prefix + name + '.')
File "/root/anaconda3/envs/flair/lib/python3.9/site-packages/torch/nn/modules/module.py", line 1035, in load
load(child, prefix + name + '.')
File "/root/anaconda3/envs/flair/lib/python3.9/site-packages/torch/nn/modules/module.py", line 1035, in load
load(child, prefix + name + '.')
File "/root/anaconda3/envs/flair/lib/python3.9/site-packages/torch/nn/modules/module.py", line 1031, in load
module._load_from_state_dict(
File "/root/anaconda3/envs/flair/lib/python3.9/site-packages/torch/nn/modules/module.py", line 957, in _load_from_state_dict
for hook in self._load_state_dict_pre_hooks.values():
File "/root/anaconda3/envs/flair/lib/python3.9/site-packages/torch/nn/modules/module.py", line 778, in __getattr__
raise ModuleAttributeError("'{}' object has no attribute '{}'".format(
torch.nn.modules.module.ModuleAttributeError: 'LanguageModel' object has no attribute '_load_state_dict_pre_hooks'
```
- tried on macos 11.1, python 3.8 and python 3.6 and 3.9.4
- torch 1.7.1 (conda env from requirements)
- Version flair 0.8.2 (I tried both pip install and pip from github repo)
| [
{
"content": "from pathlib import Path\n\nimport torch.nn as nn\nimport torch\nimport math\nfrom typing import Union, Tuple\nfrom typing import List\n\nfrom torch.optim import Optimizer\n\nimport flair\nfrom flair.data import Dictionary\n\n\nclass LanguageModel(nn.Module):\n \"\"\"Container module with an en... | [
{
"content": "from pathlib import Path\n\nimport torch.nn as nn\nimport torch\nimport math\nfrom typing import Union, Tuple\nfrom typing import List\n\nfrom torch.optim import Optimizer\n\nimport flair\nfrom flair.data import Dictionary\n\n\nclass LanguageModel(nn.Module):\n \"\"\"Container module with an en... | diff --git a/flair/models/language_model.py b/flair/models/language_model.py
index 27f4b245ee..85232a8329 100644
--- a/flair/models/language_model.py
+++ b/flair/models/language_model.py
@@ -445,7 +445,7 @@ def __setstate__(self, d):
self.eval()
else:
- self.__dict__ = d
+ super().__setstate__(d)
def _apply(self, fn):
|
hpcaitech__ColossalAI-2608 | [tensor] fix some unittests
[tensor] fix some unittests
[tensor] fix some unittests
[BUG]: Testing failed due to triton
### 🐛 Describe the bug
The build on PR workflow failed with the following errors:
<img width="1509" alt="Screenshot 2023-02-07 at 10 30 17" src="https://user-images.githubusercontent.com/31818963/217132926-fd6cffa1-2c4b-46aa-a6cc-1a3d10918411.png">
### Environment
_No response_
| [
{
"content": "#!/usr/bin/env python\n# -*- encoding: utf-8 -*-\n\nimport torch.nn as nn\ntry:\n import apex.amp as apex_amp\nexcept ImportError:\n pass\n\nfrom torch import Tensor\n\nfrom colossalai.nn.optimizer import ColossalaiOptimizer\nfrom colossalai.utils import clip_grad_norm_fp32\n\n\nclass ApexAM... | [
{
"content": "#!/usr/bin/env python\n# -*- encoding: utf-8 -*-\n\nimport torch.nn as nn\n\ntry:\n import apex.amp as apex_amp\nexcept ImportError:\n pass\n\nfrom torch import Tensor\n\nfrom colossalai.nn.optimizer import ColossalaiOptimizer\nfrom colossalai.utils import clip_grad_norm_fp32\n\n\nclass Apex... | diff --git a/.github/workflows/build_on_pr.yml b/.github/workflows/build_on_pr.yml
index 82b671acea93..c7882db6ec61 100644
--- a/.github/workflows/build_on_pr.yml
+++ b/.github/workflows/build_on_pr.yml
@@ -52,6 +52,7 @@ jobs:
**/*.h
**/*.cpp
**/*.cu
+ **/*.txt
- name: List changed files
run: |
diff --git a/colossalai/amp/apex_amp/apex_amp.py b/colossalai/amp/apex_amp/apex_amp.py
index 69a4e348e5a7..e6bdbe4520f9 100644
--- a/colossalai/amp/apex_amp/apex_amp.py
+++ b/colossalai/amp/apex_amp/apex_amp.py
@@ -2,6 +2,7 @@
# -*- encoding: utf-8 -*-
import torch.nn as nn
+
try:
import apex.amp as apex_amp
except ImportError:
diff --git a/requirements/requirements-test.txt b/requirements/requirements-test.txt
index 9ef0a682b6b8..93055cd12109 100644
--- a/requirements/requirements-test.txt
+++ b/requirements/requirements-test.txt
@@ -9,5 +9,5 @@ torchaudio
torchrec==0.2.0
contexttimer
einops
-triton==2.0.0.dev20221011
+triton==2.0.0.dev20221202
git+https://github.com/HazyResearch/flash-attention.git@c422fee3776eb3ea24e011ef641fd5fbeb212623#egg=flash_attn
|
buildbot__buildbot-4244 | Broken links to and unsuccessful docs building at Read the Docs
PDFs unavailable.
http://media.readthedocs.org/pdf/buildbot/v1.3.0/buildbot.pdf
https://docs.buildbot.net/
https://readthedocs.org/projects/buildbot/
https://readthedocs.org/projects/buildbot/downloads/
https://readthedocs.org/projects/buildbot/builds/
| [
{
"content": "#!/usr/bin/env python\n#\n# This file is part of Buildbot. Buildbot is free software: you can\n# redistribute it and/or modify it under the terms of the GNU General Public\n# License as published by the Free Software Foundation, version 2.\n#\n# This program is distributed in the hope that it wil... | [
{
"content": "#!/usr/bin/env python\n#\n# This file is part of Buildbot. Buildbot is free software: you can\n# redistribute it and/or modify it under the terms of the GNU General Public\n# License as published by the Free Software Foundation, version 2.\n#\n# This program is distributed in the hope that it wil... | diff --git a/master/setup.py b/master/setup.py
index e7ec7c131624..d79e2dc9890e 100755
--- a/master/setup.py
+++ b/master/setup.py
@@ -540,7 +540,8 @@ def define_plugin_entries(groups):
'pyenchant',
'docutils>=0.8',
'sphinx-jinja',
- 'towncrier'
+ 'towncrier',
+ 'yaml'
],
}
|
TheAlgorithms__Python-7390 | [PYTEST WARNING] Horn schunk
### Feature description
@skief @poyea Please could you resolve this warning
```
computer_vision/horn_schunck.py:15
/home/runner/work/Python/Python/computer_vision/horn_schunck.py:15:
DeprecationWarning: Please use `convolve` from the `scipy.ndimage` namespace, the `scipy.ndimage.filters` namespace is deprecated.
from scipy.ndimage.filters import convolve
```
origin: #7211
| [
{
"content": "\"\"\"\n The Horn-Schunck method estimates the optical flow for every single pixel of\n a sequence of images.\n It works by assuming brightness constancy between two consecutive frames\n and smoothness in the optical flow.\n\n Useful resources:\n Wikipedia: https://en.wikipedia.o... | [
{
"content": "\"\"\"\n The Horn-Schunck method estimates the optical flow for every single pixel of\n a sequence of images.\n It works by assuming brightness constancy between two consecutive frames\n and smoothness in the optical flow.\n\n Useful resources:\n Wikipedia: https://en.wikipedia.o... | diff --git a/computer_vision/horn_schunck.py b/computer_vision/horn_schunck.py
index 2a153d06ddae..b63e0268294c 100644
--- a/computer_vision/horn_schunck.py
+++ b/computer_vision/horn_schunck.py
@@ -12,7 +12,7 @@
from typing import SupportsIndex
import numpy as np
-from scipy.ndimage.filters import convolve
+from scipy.ndimage import convolve
def warp(
|
mlcommons__GaNDLF-722 | Move unit testing data to the MLCommons Storage
**Is your feature request related to a problem? Please describe.**
Currently, the unit testing data is on UPenn Box - which is inconvenient for someone without access who wants to make any updates.
**Describe the solution you'd like**
Changing this to the MLCommons storage would make things much easier from an admin perspective.
**Describe alternatives you've considered**
N.A.
**Additional context**
N.A.
| [
{
"content": "#!/usr/bin/env python\n\n\"\"\"The setup script.\"\"\"\n\n\nimport sys, re, os\nfrom setuptools import setup, find_packages\nfrom setuptools.command.install import install\nfrom setuptools.command.develop import develop\nfrom setuptools.command.egg_info import egg_info\n\ntry:\n with open(\"REA... | [
{
"content": "#!/usr/bin/env python\n\n\"\"\"The setup script.\"\"\"\n\n\nimport sys, re, os\nfrom setuptools import setup, find_packages\nfrom setuptools.command.install import install\nfrom setuptools.command.develop import develop\nfrom setuptools.command.egg_info import egg_info\n\ntry:\n with open(\"REA... | diff --git a/setup.py b/setup.py
index e744e4835..332d6087a 100644
--- a/setup.py
+++ b/setup.py
@@ -92,7 +92,7 @@ def run(self):
"pyyaml",
"tiffslide",
"matplotlib",
- "requests>=2.25.0",
+ "gdown",
"pytest",
"coverage",
"pytest-cov",
diff --git a/testing/test_full.py b/testing/test_full.py
index 4680a71ae..9dd860782 100644
--- a/testing/test_full.py
+++ b/testing/test_full.py
@@ -1,5 +1,5 @@
from pathlib import Path
-import requests, zipfile, io, os, csv, random, copy, shutil, yaml, torch, pytest
+import gdown, zipfile, os, csv, random, copy, shutil, yaml, torch, pytest
import SimpleITK as sitk
import numpy as np
import pandas as pd
@@ -109,9 +109,7 @@
def test_generic_download_data():
print("00: Downloading the sample data")
- urlToDownload = (
- "https://upenn.box.com/shared/static/y8162xkq1zz5555ye3pwadry2m2e39bs.zip"
- )
+ urlToDownload = "https://drive.google.com/uc?id=1c4Yrv-jnK6Tk7Ne1HmMTChv-4nYk43NT"
files_check = [
os.path.join(inputDir, "2d_histo_segmentation", "1", "image.tiff"),
@@ -122,9 +120,11 @@ def test_generic_download_data():
for file in files_check:
if not os.path.isfile(file):
print("Downloading and extracting sample data")
- r = requests.get(urlToDownload)
- z = zipfile.ZipFile(io.BytesIO(r.content))
- z.extractall(testingDir)
+ output = os.path.join(testingDir, "gandlf_unit_test_data.tgz")
+ gdown.download(urlToDownload, output, quiet=False)
+ with zipfile.ZipFile(output, "r") as zip_ref:
+ zip_ref.extractall(testingDir)
+ os.remove(output)
break
sanitize_outputDir()
|
bookwyrm-social__bookwyrm-2128 | When adding multiple authors to one book, only the first is added
**Describe the bug**
I would like to add multiple authors to a book (it's an anthology). When I add multiple authors to the book, via the "Add Another Author" button, only the first one is added.
**To Reproduce**
1. Edit book
2. Fill the info for one author (Charlie Jane Anders) in the input
3. Click "Add Another Author"
4. Fill the info for the new author in the second input
5. Click "Add Another Author"
6. Fill the info for that new author in that third input
7. Save book
8. The interface shows the message _Is "Charlie Jane Anders" one of these authors?_
9. Select one of the choices
10. Only Charlie Jane Anders has been added, the other authors don't show up.
**Expected behavior**
I would like to see all authors added, and the interface for selecting the right author (ie. _Is "Charlie Jane Anders" one of these authors?_) should show the choices for all the authors I add.
**Screenshots**
If applicable, add screenshots to help explain your problem.
**Instance**
boitam.eu (I expect this problem to be global)
| [
{
"content": "\"\"\" the good stuff! the books! \"\"\"\nfrom re import sub, findall\nfrom django.contrib.auth.decorators import login_required, permission_required\nfrom django.contrib.postgres.search import SearchRank, SearchVector\nfrom django.db import transaction\nfrom django.http import HttpResponseBadRequ... | [
{
"content": "\"\"\" the good stuff! the books! \"\"\"\nfrom re import sub, findall\nfrom django.contrib.auth.decorators import login_required, permission_required\nfrom django.contrib.postgres.search import SearchRank, SearchVector\nfrom django.db import transaction\nfrom django.http import HttpResponseBadRequ... | diff --git a/bookwyrm/tests/views/books/test_edit_book.py b/bookwyrm/tests/views/books/test_edit_book.py
index cabfe972d6..c7869807bc 100644
--- a/bookwyrm/tests/views/books/test_edit_book.py
+++ b/bookwyrm/tests/views/books/test_edit_book.py
@@ -9,6 +9,7 @@
from django.test.client import RequestFactory
from bookwyrm import forms, models, views
+from bookwyrm.views.books.edit_book import add_authors
from bookwyrm.tests.validate_html import validate_html
from bookwyrm.tests.views.books.test_book import _setup_cover_url
@@ -214,3 +215,22 @@ def test_create_book_upload_cover_url(self):
self.book.refresh_from_db()
self.assertTrue(self.book.cover)
+
+ def test_add_authors_helper(self):
+ """converts form input into author matches"""
+ form = forms.EditionForm(instance=self.book)
+ form.data["title"] = "New Title"
+ form.data["last_edited_by"] = self.local_user.id
+ form.data["add_author"] = ["Sappho", "Some Guy"]
+ request = self.factory.post("", form.data)
+ request.user = self.local_user
+
+ with patch("bookwyrm.utils.isni.find_authors_by_name") as mock:
+ mock.return_value = []
+ result = add_authors(request, form.data)
+
+ self.assertTrue(result["confirm_mode"])
+ self.assertEqual(result["add_author"], ["Sappho", "Some Guy"])
+ self.assertEqual(len(result["author_matches"]), 2)
+ self.assertEqual(result["author_matches"][0]["name"], "Sappho")
+ self.assertEqual(result["author_matches"][1]["name"], "Some Guy")
diff --git a/bookwyrm/views/books/edit_book.py b/bookwyrm/views/books/edit_book.py
index 2315cfce2d..d830ebdcfb 100644
--- a/bookwyrm/views/books/edit_book.py
+++ b/bookwyrm/views/books/edit_book.py
@@ -189,7 +189,7 @@ def add_authors(request, data):
"existing_isnis": exists,
}
)
- return data
+ return data
@require_POST
|
sktime__sktime-3618 | [BUG] ShapeletTransformClassifier numba error when dtype is not float64
**Describe the bug**
Seems that when using `ShapeletTransformClassifier` there is some Numba accelerated functions that break if the data in the input data frame are of type `int32`.
**To Reproduce**
MRE as below:
```python
import warnings
warnings.simplefilter('ignore', category=FutureWarning)
import numpy as np
import pandas as pd
from sklearn.model_selection import train_test_split
from sktime.classification.shapelet_based import ShapeletTransformClassifier
from sktime.contrib.vector_classifiers._rotation_forest import RotationForest
# make fake data
data = pd.DataFrame(np.random.random((5000, 250))).astype(np.float32)
# reshape to input into Shapelet Classifier
data4train = data.apply(lambda row: pd.Series({
'time-series': pd.Series(row.values)
}), axis=1)
# make targets
targets = pd.Series(2500 * [1] + 2500 * [0])
# train test split
X_train, X_test, y_train, y_test = train_test_split(
data4train, targets, test_size=0.7, random_state=42
)
# train
clf = ShapeletTransformClassifier(
estimator=RotationForest(n_estimators=3),
n_shapelet_samples=500,
max_shapelets=20,
batch_size=100,
)
clf.fit(X_train, y_train)
```
**Expected behavior**
will not throw an error, and also enforce conversion to float32 or float64 within the classifier?
**Additional context**
removing conversion to `float32` (hence `dtype == float64`) will make the code running without issues.
**Versions**
numba 0.55.1
sklearn 0.24.1
sktime 0.11.0
pandas 1.4.2
python 3.8.10
**Stacktrace output**
```bash
TypingError: Failed in nopython mode pipeline (step: nopython frontend)
Cannot unify array(float64, 1d, C) and array(float32, 1d, C) for 'X_n.2', defined at /path_to_mypython/python/lib/python3.8/site-packages/sktime/utils/numba/general.py (39)
File "../python/lib/python3.8/site-packages/sktime/utils/numba/general.py", line 39:
def z_normalise_series(X):
<source elided>
return X_n
```
| [
{
"content": "# -*- coding: utf-8 -*-\n\"\"\"General numba utilities.\"\"\"\n\nimport numpy as np\nfrom numba import njit\n\n\n@njit(fastmath=True, cache=True)\ndef unique_count(X):\n \"\"\"Numba unique count function for a 1D array.\"\"\"\n if len(X) > 0:\n X = np.sort(X)\n unique = np.zero... | [
{
"content": "# -*- coding: utf-8 -*-\n\"\"\"General numba utilities.\"\"\"\n\nimport numpy as np\nfrom numba import njit\n\n\n@njit(fastmath=True, cache=True)\ndef unique_count(X):\n \"\"\"Numba unique count function for a 1D array.\"\"\"\n if len(X) > 0:\n X = np.sort(X)\n unique = np.zero... | diff --git a/sktime/utils/estimators/tests/__init__.py b/sktime/utils/estimators/tests/__init__.py
index 79740faf9fc..095656a554e 100644
--- a/sktime/utils/estimators/tests/__init__.py
+++ b/sktime/utils/estimators/tests/__init__.py
@@ -1,4 +1,4 @@
# -*- coding: utf-8 -*-
-"""Tests for Mock Estimnators."""
+"""Tests for Mock Estimators."""
__author__ = ["ltsaprounis"]
diff --git a/sktime/utils/numba/general.py b/sktime/utils/numba/general.py
index c18f5a12d22..49223f5d19e 100644
--- a/sktime/utils/numba/general.py
+++ b/sktime/utils/numba/general.py
@@ -34,6 +34,5 @@ def z_normalise_series(X):
if std > 0:
X_n = (X - np.mean(X)) / std
else:
- X_n = np.zeros(len(X))
-
+ X_n = X - np.mean(X)
return X_n
diff --git a/sktime/utils/numba/tests/__init__.py b/sktime/utils/numba/tests/__init__.py
new file mode 100644
index 00000000000..2445591e01b
--- /dev/null
+++ b/sktime/utils/numba/tests/__init__.py
@@ -0,0 +1,4 @@
+# -*- coding: utf-8 -*-
+"""Tests for numba utils."""
+
+__author__ = ["TonyBagnall"]
diff --git a/sktime/utils/numba/tests/test_general.py b/sktime/utils/numba/tests/test_general.py
new file mode 100644
index 00000000000..f2c9a249ffb
--- /dev/null
+++ b/sktime/utils/numba/tests/test_general.py
@@ -0,0 +1,21 @@
+# -*- coding: utf-8 -*-
+"""Tests for numba functions."""
+
+__author__ = ["TonyBagnall"]
+
+import numpy as np
+import pytest
+from numpy.testing import assert_array_equal
+
+from sktime.utils.numba.general import z_normalise_series
+
+DATATYPES = ["int32", "int64", "float32", "float64"]
+
+
+@pytest.mark.parametrize("type", DATATYPES)
+def test_z_normalise_series(type):
+ """Test the function z_normalise_series."""
+ a = np.array([2, 2, 2], dtype=type)
+ a_expected = np.array([0, 0, 0], dtype=type)
+ a_result = z_normalise_series(a)
+ assert_array_equal(a_result, a_expected)
|
mlcommons__GaNDLF-766 | `gdown` does not seem to be working
**Describe the bug**
Current CI seems to be broken.
**To Reproduce**
Steps to reproduce the behavior:
1. Run any CI test
2. See error:
```python-traceback
[SNIP!]
if gdrive_file_id and is_gdrive_download_link:
content_disposition = six.moves.urllib_parse.unquote(
res.headers["Content-Disposition"]
)
m = re.search(r"filename\*=UTF-8''(.*)", content_disposition)
> filename_from_url = m.groups()[0]
E AttributeError: 'NoneType' object has no attribute 'groups'
```
Example: https://github.com/mlcommons/GaNDLF/actions/runs/7489779631/job/20387346791?pr=764#step:9:219
**Expected behavior**
The sample data file download should work.
**Screenshots**
N.A.
**GaNDLF Version**
Current master
**Desktop (please complete the following information):**
N.A.
**Additional context**
Basically, it is this error: https://github.com/wkentaro/gdown/issues/291
| [
{
"content": "#!/usr/bin/env python\n\n\"\"\"The setup script.\"\"\"\n\n\nimport sys, re, os\nfrom setuptools import setup, find_packages\nfrom setuptools.command.install import install\nfrom setuptools.command.develop import develop\nfrom setuptools.command.egg_info import egg_info\n\ntry:\n with open(\"REA... | [
{
"content": "#!/usr/bin/env python\n\n\"\"\"The setup script.\"\"\"\n\n\nimport sys, re, os\nfrom setuptools import setup, find_packages\nfrom setuptools.command.install import install\nfrom setuptools.command.develop import develop\nfrom setuptools.command.egg_info import egg_info\n\ntry:\n with open(\"REA... | diff --git a/setup.py b/setup.py
index 464f7a603..4917c2432 100644
--- a/setup.py
+++ b/setup.py
@@ -98,7 +98,7 @@ def run(self):
"pyyaml",
"tiffslide",
"matplotlib",
- "gdown",
+ "gdown==4.6.3",
"pytest",
"coverage",
"pytest-cov",
diff --git a/testing/test_full.py b/testing/test_full.py
index a323d47e0..772258320 100644
--- a/testing/test_full.py
+++ b/testing/test_full.py
@@ -123,7 +123,7 @@ def test_generic_download_data():
if not os.path.isfile(file):
print("Downloading and extracting sample data")
output = os.path.join(testingDir, "gandlf_unit_test_data.tgz")
- gdown.download(urlToDownload, output, quiet=False)
+ gdown.download(urlToDownload, output, quiet=False, verify = True)
with zipfile.ZipFile(output, "r") as zip_ref:
zip_ref.extractall(testingDir)
os.remove(output)
|
facebookresearch__hydra-1808 | [Bug] hydra-optuna-sweeper 1.1.0 requires numpy<1.20.0
# 🐛 Bug
## Description
<!-- A clear and concise description of what the bug is. -->
I used the guide from
https://hydra.cc/docs/plugins/optuna_sweeper/
And install hydra-optuna-sweeper:
```bash
pip install hydra-optuna-sweeper --upgrade
```
But it seems this plugin requires numpy<1.20.0:

**Edit:**
I searched for optuna's requirements, found this:
https://github.com/optuna/optuna/blob/cbae80476c15b6d39e1d8851dc6a501c63c3ca92/setup.py#L35
Why hydra-optuna-sweeper need to use numpy<1.20.0?
| [
{
"content": "# Copyright (c) Facebook, Inc. and its affiliates. All Rights Reserved\n\n__version__ = \"1.1.0\"\n",
"path": "plugins/hydra_optuna_sweeper/hydra_plugins/hydra_optuna_sweeper/__init__.py"
}
] | [
{
"content": "# Copyright (c) Facebook, Inc. and its affiliates. All Rights Reserved\n\n__version__ = \"1.1.1\"\n",
"path": "plugins/hydra_optuna_sweeper/hydra_plugins/hydra_optuna_sweeper/__init__.py"
}
] | diff --git a/plugins/hydra_optuna_sweeper/NEWS.md b/plugins/hydra_optuna_sweeper/NEWS.md
index 704308ed298..9b29b7e101b 100644
--- a/plugins/hydra_optuna_sweeper/NEWS.md
+++ b/plugins/hydra_optuna_sweeper/NEWS.md
@@ -1,3 +1,11 @@
+1.1.1 (2021-09-01)
+=======================
+
+### Maintenance Changes
+
+- Update optuna dependency ([#1746](https://github.com/facebookresearch/hydra/issues/1634))
+
+
1.1.0.dev2 (2021-06-10)
=======================
diff --git a/plugins/hydra_optuna_sweeper/hydra_plugins/hydra_optuna_sweeper/__init__.py b/plugins/hydra_optuna_sweeper/hydra_plugins/hydra_optuna_sweeper/__init__.py
index 13f9060d5d4..c2490e62c7a 100644
--- a/plugins/hydra_optuna_sweeper/hydra_plugins/hydra_optuna_sweeper/__init__.py
+++ b/plugins/hydra_optuna_sweeper/hydra_plugins/hydra_optuna_sweeper/__init__.py
@@ -1,3 +1,3 @@
# Copyright (c) Facebook, Inc. and its affiliates. All Rights Reserved
-__version__ = "1.1.0"
+__version__ = "1.1.1"
|
jupyterhub__jupyterhub-2545 | Releasing 1.0
With #2435 rounding out the final thing I think we need for the next release, I think it's time to put together the 1.0 release.
This should consist of:
- [x] assembling changelog #2440
- [x] making sure new features are well documented
- [x] publishing beta release
- [x] test beta (perhaps by adding it to the z2jh chart)
- [ ] release 1.0 final
| [
{
"content": "\"\"\"JupyterHub version info\"\"\"\n# Copyright (c) Jupyter Development Team.\n# Distributed under the terms of the Modified BSD License.\n\nversion_info = (\n 1,\n 0,\n 0,\n \"b2\", # release (b1, rc1, or \"\" for final or dev)\n # \"dev\", # dev or nothing\n)\n\n# pep 440 versi... | [
{
"content": "\"\"\"JupyterHub version info\"\"\"\n# Copyright (c) Jupyter Development Team.\n# Distributed under the terms of the Modified BSD License.\n\nversion_info = (\n 1,\n 0,\n 0,\n # \"b2\", # release (b1, rc1, or \"\" for final or dev)\n # \"dev\", # dev or nothing\n)\n\n# pep 440 ver... | diff --git a/docs/source/changelog.md b/docs/source/changelog.md
index 69848748ff..4cd14dbdff 100644
--- a/docs/source/changelog.md
+++ b/docs/source/changelog.md
@@ -9,7 +9,7 @@ command line for details.
## 1.0
-### [1.0.0] 2019-04-XX
+### [1.0.0] 2019-05-03
JupyterHub 1.0 is a major milestone for JupyterHub.
Huge thanks to the many people who have contributed to this release,
@@ -577,7 +577,7 @@ First preview release
[Unreleased]: https://github.com/jupyterhub/jupyterhub/compare/1.0.0...HEAD
-[1.0.0]: https://github.com/jupyterhub/jupyterhub/compare/0.9.5...HEAD
+[1.0.0]: https://github.com/jupyterhub/jupyterhub/compare/0.9.6...1.0.0
[0.9.6]: https://github.com/jupyterhub/jupyterhub/compare/0.9.4...0.9.6
[0.9.4]: https://github.com/jupyterhub/jupyterhub/compare/0.9.3...0.9.4
[0.9.3]: https://github.com/jupyterhub/jupyterhub/compare/0.9.2...0.9.3
diff --git a/jupyterhub/_version.py b/jupyterhub/_version.py
index 73f02fb240..240bab3966 100644
--- a/jupyterhub/_version.py
+++ b/jupyterhub/_version.py
@@ -6,7 +6,7 @@
1,
0,
0,
- "b2", # release (b1, rc1, or "" for final or dev)
+ # "b2", # release (b1, rc1, or "" for final or dev)
# "dev", # dev or nothing
)
|
nipy__nipype-3199 | REL: 1.5.0
## Summary
Prep for new feature release 1.5.0, targeting release on Monday, February 24.
Given that we just released 1.4.2 about a week ago, I'm inclined to hold this one off for any feature PRs that would like to shoot for inclusion.
Require merge or postponement decision on all issues/PRs in https://github.com/nipy/nipype/milestone/38:
* [x] ENH: Add a ``Bandpass`` filter interface under ``algorithms.filters`` #2915 (@oesteban)
* [x] [WIP/ENH] Adds a new interface for AFNI's ``3dMEMA`` command #2953 (@JesseyWright / @oesteban)
* [x] ENH: Add interface for fslorient #2955 (@felixsc1)
* [x] [FIX] Mrtrix3 usedefault issue (#3004) (@matteomancini)
* [x] [DOC] SelectFiles docstring corrected #3041 (@AKSoo)
* [ ] FIX Ants N4BiasFieldCorrection rescale_intensities bug #3139 (@salma1601)
* [x] CI: Test Python 3.8 #3154 (@effigies)
* [x] ENH: Detect values for EulerNumber interface #3173 (@mgxd)
Will try review the open PRs and see if anything is close enough to push on, tomorrow.
## Release checklist
* [ ] Merge pending PRs
* [x] Update changelog
* [x] Update .mailmap
* [x] Update .zenodo.json
* [x] Set release number in `nipype/info.py`
* [x] Update `doc/interfaces.rst` with previous releases
* [x] Check conda-forge feedstock build (conda-forge/nipype-feedstock#67)
* [ ] Tutorial tests (https://circleci.com/workflow-run/be312bea-8273-47cf-9e52-54257d969422)
## Uncredited authors
The following authors have contributed, but not added themselves to the [`.zenodo.json`](https://github.com/nipy/nipype/blob/master/.zenodo.json) file. If you would like to be an author on Zenodo releases, please add yourself or comment with your preferred publication name, affiliation and [ORCID](https://orcid.org/). If you would like to stop being spammed whenever I'm the one doing releases, let me know, and I'll add you to a blacklist.
No entry to sort: cdla (@cdla)
No entry to sort: Gio Piantoni (@gpiantoni)
No entry to sort: Victor Férat (@vferat)
No entry to sort: Niklas Förster (@niklasfoe)
~~No entry to sort: Adam Kimbler (@adamkimbler)~~
No entry to sort: Kirstie Whitaker (@KirstieJane)
No entry to sort: Pablo Polosecki (@polosecki)
No entry to sort: Ami Tsuchida
No entry to sort: Daniel Brenner (@brennerd11)
No entry to sort: Isaiah Norton (@ihnorton)
No entry to sort: Kevin Sitek (@sitek)
No entry to sort: Luke Bloy (@bloyl)
No entry to sort: Martin Luessi (@mluessi)
No entry to sort: steve (@steve19922)
No entry to sort: Charl Linssen (@turingbirds)
No entry to sort: Félix C. Morency (@fmorency)
~~No entry to sort: Jonathan R. Williford (@williford)~~
No entry to sort: Michiel Cottaar (@MichielCottaar)
No entry to sort: Regina Kim (@reginakim)
No entry to sort: Valentin Haenel (@esc)
No entry to sort: Xu Wang
No entry to sort: maedoc (@maedoc)
I am unable to find GitHub handles for Ami Tsuchida or Xu Wang.
Apologies also to anybody who may have
## Acknowledgment
- [x] \(Mandatory\) I acknowledge that this contribution will be available under the Apache 2 license.
| [
{
"content": "\"\"\" This file contains defines parameters for nipy that we use to fill\nsettings in setup.py, the nipy top-level docstring, and for building the\ndocs. In setup.py in particular, we exec this file, so it cannot import nipy\n\"\"\"\n\n# nipype version information\n# Remove -dev for release\n__v... | [
{
"content": "\"\"\" This file contains defines parameters for nipy that we use to fill\nsettings in setup.py, the nipy top-level docstring, and for building the\ndocs. In setup.py in particular, we exec this file, so it cannot import nipy\n\"\"\"\n\n# nipype version information\n# Remove -dev for release\n__v... | diff --git a/.mailmap b/.mailmap
index 4df0aff6e5..f603849d24 100644
--- a/.mailmap
+++ b/.mailmap
@@ -45,6 +45,8 @@ Colin Buchanan <colinrbuchanan@gmail.com> <mankind@MacBook.local>
Daniel Brenner <daniel.brenner@me.com>
Daniel Clark <danieljclark87@gmail.com>
Daniel Geisler <daniel.geisler@gmail.com>
+Daniel Geisler <daniel.geisler@gmail.com> <daniel.geisler@uniklinikum-dresden.de>
+Daniel Geisler <daniel.geisler@gmail.com> <3453485+daniel-ge@users.noreply.github.com>
Daniel Ginsburg <daniel.ginsburg@childrens.harvard.edu>
Daniel McNamee <dmcx88@gmail.com>
David Ellis <dgellis90@gmail.com> <david-ellis@uiowa.edu>
@@ -89,6 +91,7 @@ Joerg Stadler <Joerg.Stadler@lin-magdeburg.de> <Stadler@lin-magdeburg.de>
John A. Lee <johnleenimh@gmail.com>
John A. Lee <johnleenimh@gmail.com> <leej3@users.noreply.github.com>
Joke Durnez <joke.durnez@gmail.com>
+Jordi Huguet <jhuguetn@gmail.com>
Josh Warner <silvertrumpet999+github@gmail.com> <warner.joshua@mayo.edu>
Junhao WEN <anbai106@hotmail.com>
Kai Schlamp <schlamp@gmx.de>
@@ -117,6 +120,7 @@ Lukas Snoek <lukassnoek@gmail.com>
Marcel Falkiewicz <mfalkiewicz@gmail.com> <m.falkiewicz@nencki.gov.pl>
Martin Perez-Guevara <mperezguevara@gmail.com>
Mathias Goncalves <goncalves.mathias@gmail.com> <mathiasg@mit.edu>
+Mathias Goncalves <goncalves.mathias@gmail.com> <mathiasg@stanford.edu>
Mathieu Dubois <mathieu.dubois@icm-institute.org> <mathieu.dubois@cea.fr>
Mathieu Dubois <mathieu.dubois@icm-institute.org> <duboismathieu_gaas@yahoo.fr>
Matteo Mancini <ingmatteomancini@gmail.com>
@@ -170,6 +174,7 @@ Steven Giavasis <sgiava77@gmail.com>
Steven Giavasis <sgiava77@gmail.com> <steven.giavasis@cmi-rsch-li001.childmind.org>
Steven Giavasis <sgiava77@gmail.com> <sgiavasis@ieee.org>
Steven Tilley <stilley@hollandbloorview.ca> <steve@steventilley.com>
+Sulantha Mathotaarachchi <sulantha.s@gmail.com>
Tristan Glatard <tristan.glatard@mcgill.ca> <tristan.glatard@creatis.insa-lyon.fr>
Victor Férat <victor.ferat@live.fr>
Victor Férat <victor.ferat@live.fr> <vferat@fcbg.ch>
diff --git a/.zenodo.json b/.zenodo.json
index 8a57735308..2ee43c9904 100644
--- a/.zenodo.json
+++ b/.zenodo.json
@@ -76,14 +76,14 @@
"name": "Dayan, Michael",
"orcid": "0000-0002-2666-0969"
},
- {
- "name": "Loney, Fred"
- },
{
"affiliation": "Dartmouth College: Hanover, NH, United States",
"name": "Halchenko, Yaroslav O.",
"orcid": "0000-0003-3456-2493"
},
+ {
+ "name": "Loney, Fred"
+ },
{
"affiliation": "Florida International University",
"name": "Salo, Taylor",
@@ -288,6 +288,11 @@
"name": "Kong, Xiang-Zhen",
"orcid": "0000-0002-0805-1350"
},
+ {
+ "affiliation": "Division of Psychological and Social Medicine and Developmental Neuroscience, Faculty of Medicine, Technische Universit\u00e4t Dresden, Dresden, Germany",
+ "name": "Geisler, Daniel",
+ "orcid": "0000-0003-2076-5329"
+ },
{
"name": "Salvatore, John"
},
@@ -384,6 +389,11 @@
{
"name": "Cumba, Chad"
},
+ {
+ "affiliation": "University College London",
+ "name": "P\u00e9rez-Garc\u00eda, Fernando",
+ "orcid": "0000-0001-9090-3024"
+ },
{
"name": "Blair, Ross"
},
@@ -392,16 +402,6 @@
"name": "Iqbal, Shariq",
"orcid": "0000-0003-2766-8425"
},
- {
- "affiliation": "NIMH, Scientific and Statistical Computing Core",
- "name": "Glen, Daniel",
- "orcid": "0000-0001-8456-5647"
- },
- {
- "affiliation": "Technische Universit\u00e4t Dresden, Faculty of Medicine, Department of Child and Adolescent Psychiatry",
- "name": "Geisler, Daniel",
- "orcid": "0000-0003-2076-5329"
- },
{
"affiliation": "University of Iowa",
"name": "Welch, David"
@@ -429,11 +429,6 @@
"name": "Papadopoulos Orfanos, Dimitri",
"orcid": "0000-0002-1242-8990"
},
- {
- "affiliation": "University College London",
- "name": "P\u00e9rez-Garc\u00eda, Fernando",
- "orcid": "0000-0001-9090-3024"
- },
{
"affiliation": "Leibniz Institute for Neurobiology",
"name": "Stadler, J\u00f6rg",
@@ -618,6 +613,10 @@
"name": "Gerhard, Stephan",
"orcid": "0000-0003-4454-6171"
},
+ {
+ "affiliation": "Enigma Biomedical Group",
+ "name": "Mathotaarachchi, Sulantha"
+ },
{
"name": "Saase, Victor"
},
@@ -635,6 +634,11 @@
"affiliation": "Vrije Universiteit Amsterdam",
"name": "Ort, Eduard"
},
+ {
+ "affiliation": "CNRS, UMS3552 IRMaGe",
+ "name": "Condamine, Eric",
+ "orcid": "0000-0002-9533-3769"
+ },
{
"affiliation": "Stanford University",
"name": "Lerma-Usabiaga, Garikoitz",
@@ -654,6 +658,11 @@
"name": "Pellman, John",
"orcid": "0000-0001-6810-4461"
},
+ {
+ "affiliation": "BarcelonaBeta Brain Research Center",
+ "name": "Huguet, Jordi",
+ "orcid": "0000-0001-8420-4833"
+ },
{
"affiliation": "University of Pennsylvania",
"name": "Junhao WEN",
@@ -684,6 +693,10 @@
"name": "Andberg, Sami Kristian",
"orcid": "0000-0002-5650-3964"
},
+ {
+ "affiliation": "Sagol School of Neuroscience, Tel Aviv University",
+ "name": "Baratz, Zvi"
+ },
{
"name": "Matsubara, K"
},
@@ -719,11 +732,6 @@
{
"name": "Shachnev, Dmitry"
},
- {
- "affiliation": "CNRS, UMS3552 IRMaGe",
- "name": "Condamine, Eric",
- "orcid": "0000-0002-9533-3769"
- },
{
"name": "Flandin, Guillaume"
},
diff --git a/doc/changelog/1.X.X-changelog.rst b/doc/changelog/1.X.X-changelog.rst
index 239aa7d936..e10949cf08 100644
--- a/doc/changelog/1.X.X-changelog.rst
+++ b/doc/changelog/1.X.X-changelog.rst
@@ -1,4 +1,4 @@
-1.5.0 (To be determined)
+1.5.0 (June 03, 2020)
=========================
New feature release in the 1.5.x series.
@@ -8,20 +8,36 @@ In this release, the example scripts have been split out into their own package:
(`Full changelog <https://github.com/nipy/nipype/milestone/1.5.0?closed=1>`__)
+ * FIX: volterra_expansion_order documentation error (https://github.com/nipy/nipype/pull/3213)
+ * FIX: BET incorrect output paths (https://github.com/nipy/nipype/pull/3214)
+ * FIX: Terminal output in ``report.rst`` spreads one line per character (https://github.com/nipy/nipype/pull/3220)
+ * FIX: Allow parsing freesurfer 7 version string (https://github.com/nipy/nipype/pull/3216)
+ * FIX: Use PackageInfo to get NiftyReg version (https://github.com/nipy/nipype/pull/3194)
* FIX: Partial rollback of N4BiasFieldCorrection (https://github.com/nipy/nipype/pull/3188)
* FIX: ANTs' tools maintenance overhaul (https://github.com/nipy/nipype/pull/3180)
* FIX: load_resultfile crashes if open resultsfile from crashed job (https://github.com/nipy/nipype/pull/3182)
* FIX: FSL model.py make multiple F-tests (https://github.com/nipy/nipype/pull/3166)
+ * ENH: Restore ants.legacy interfaces (https://github.com/nipy/nipype/pull/3222)
+ * ENH: Add ``"TruncateImageIntensity"`` operation to ``ants.utils.Image.Math`` (https://github.com/nipy/nipype/pull/3210)
+ * ENH: SPM NewSegment multi-channel segmentation (https://github.com/nipy/nipype/pull/3162)
+ * ENH: Add reverse-ordered transform lists to ants.Registration outputs (https://github.com/nipy/nipype/pull/3192)
* ENH: Improve workflow connect performance (https://github.com/nipy/nipype/pull/3184)
* ENH: Add ``ConstrainedSphericalDeconvolution`` interface to replace ``EstimateFOD`` for MRtrix3's ``dwi2fod`` (https://github.com/nipy/nipype/pull/3176)
* ENH: Detect values for EulerNumber interface (https://github.com/nipy/nipype/pull/3173)
* ENH: Remove examples from repository (https://github.com/nipy/nipype/pull/3172)
+ * TEST: Clean up tests (https://github.com/nipy/nipype/pull/3195)
+ * TEST: Mock terminal output before testing changing default value (https://github.com/nipy/nipype/pull/3193)
+ * REF: make invocations of python and pytest consistent with the one used/desired python (https://github.com/nipy/nipype/pull/3208)
* REF: Prefer math.gcd to hand-rolled Euclid's algorithm (https://github.com/nipy/nipype/pull/3177)
* REF: Removed all uses of numpy_mmap (https://github.com/nipy/nipype/pull/3121)
+ * DOC: Sphinx 3 compatibility (https://github.com/nipy/nipype/pull/3206)
* DOC: Update links, typos in contributing guide (https://github.com/nipy/nipype/pull/3160)
* DOC: Update SelectFiles docstring to match actual behavior (https://github.com/nipy/nipype/pull/3041)
* DOC: Updated .zenodo.json file (https://github.com/nipy/nipype/pull/3167)
* DOC: Update .zenodo.json (https://github.com/nipy/nipype/pull/3165)
+ * MNT: Permit recent nilearns (https://github.com/nipy/nipype/pull/2841)
+ * MNT: Test Python 3.8 (https://github.com/nipy/nipype/pull/3154)
+ * MNT: Restore ReadTheDocs (https://github.com/nipy/nipype/pull/3207)
* MNT: Update Zenodo ordering based on commit count (https://github.com/nipy/nipype/pull/3169)
1.4.2 (February 14, 2020)
diff --git a/nipype/info.py b/nipype/info.py
index 0e7fd0f70b..69eb443f76 100644
--- a/nipype/info.py
+++ b/nipype/info.py
@@ -5,7 +5,7 @@
# nipype version information
# Remove -dev for release
-__version__ = "1.5.0-rc1.post-dev"
+__version__ = "1.5.0"
def get_nipype_gitversion():
|
yt-project__yt-1532 | AHF answer tests are flaky
We're seeing random failures from the AHF answer tests on some PRs.
See e.g. https://tests.yt-project.org/job/yt_py3_git/414/.
| [
{
"content": "\"\"\"\nAHF data structures\n\n\n\n\"\"\"\n\n#-----------------------------------------------------------------------------\n# Copyright (c) 2017, yt Development Team.\n#\n# Distributed under the terms of the Modified BSD License.\n#\n# The full license is in the file COPYING.txt, distributed with... | [
{
"content": "\"\"\"\nAHF data structures\n\n\n\n\"\"\"\n\n#-----------------------------------------------------------------------------\n# Copyright (c) 2017, yt Development Team.\n#\n# Distributed under the terms of the Modified BSD License.\n#\n# The full license is in the file COPYING.txt, distributed with... | diff --git a/tests/tests.yaml b/tests/tests.yaml
index 8f2f9406945..bdc7279f13a 100644
--- a/tests/tests.yaml
+++ b/tests/tests.yaml
@@ -35,7 +35,7 @@ answer_tests:
local_gizmo_002:
- yt/frontends/gizmo/tests/test_outputs.py
- local_halos_003:
+ local_halos_004:
- yt/analysis_modules/halo_analysis/tests/test_halo_finders.py # [py2]
- yt/analysis_modules/halo_finding/tests/test_rockstar.py # [py2]
- yt/frontends/ahf/tests/test_outputs.py
diff --git a/yt/frontends/ahf/data_structures.py b/yt/frontends/ahf/data_structures.py
index bcc925c9b10..301b2ddbc02 100644
--- a/yt/frontends/ahf/data_structures.py
+++ b/yt/frontends/ahf/data_structures.py
@@ -156,3 +156,7 @@ def _read_parameter(self):
except:
pass
return param
+
+ @property
+ def _skip_cache(self):
+ return True
diff --git a/yt/frontends/ahf/tests/test_outputs.py b/yt/frontends/ahf/tests/test_outputs.py
index a7b86161271..972d6d8f7ba 100644
--- a/yt/frontends/ahf/tests/test_outputs.py
+++ b/yt/frontends/ahf/tests/test_outputs.py
@@ -38,7 +38,7 @@ def test_fields_ahf_halos():
ds = load(ahf_halos)
assert_equal(str(ds), os.path.basename(ahf_halos))
for field in _fields:
- yield FieldValuesTest(ahf_halos, field, particle_type=True)
+ yield FieldValuesTest(ds, field, particle_type=True)
@requires_file(ahf_halos)
|
zostera__django-bootstrap4-191 | Building docs locally gives ImportError
The `make docs` command raises `ImportError`.
```
WARNING: autodoc: failed to import function 'templatetags.bootstrap4.bootstrap_form' from module 'bootstrap4'; the following exception was raised:
Traceback (most recent call last):
File "/Users/dylan/Projects/django-bootstrap4/src/bootstrap4/__init__.py", line 2, in <module>
from _version import version
ModuleNotFoundError: No module named '_version'
```
| [
{
"content": "try:\n from _version import version\nexcept ImportError:\n try:\n from setuptools_scm import get_version\n\n version = get_version()\n except ImportError:\n version = \"???\"\n__version__ = version\n",
"path": "src/bootstrap4/__init__.py"
}
] | [
{
"content": "try:\n from ._version import version\nexcept ImportError:\n try:\n from setuptools_scm import get_version\n\n version = get_version()\n except ImportError:\n version = \"???\"\n__version__ = version\n",
"path": "src/bootstrap4/__init__.py"
}
] | diff --git a/src/bootstrap4/__init__.py b/src/bootstrap4/__init__.py
index 17f62110..1f96b1a4 100644
--- a/src/bootstrap4/__init__.py
+++ b/src/bootstrap4/__init__.py
@@ -1,5 +1,5 @@
try:
- from _version import version
+ from ._version import version
except ImportError:
try:
from setuptools_scm import get_version
diff --git a/tests/test_version.py b/tests/test_version.py
new file mode 100644
index 00000000..881c605a
--- /dev/null
+++ b/tests/test_version.py
@@ -0,0 +1,12 @@
+from django.test import TestCase
+
+
+class VersionTest(TestCase):
+ """Test presence of package version."""
+
+ def test_version(self):
+ import bootstrap4
+
+ version = bootstrap4.__version__
+ version_parts = version.split(".")
+ self.assertTrue(len(version_parts) >= 3)
|
learningequality__kolibri-6355 | tasks got cleared without triggering a 'clear task' action
### Observed behavior
Observed that my list of tasks got cleared after initiating a new import
### Expected behavior
tasks should not be cleared until explicitly done by the user
### User-facing consequences
loss of data: historical context
### Errors and logs
none
### Steps to reproduce
see notes below
### Context
0.13.0 beta 1
| [
{
"content": "from django.core.cache import cache\nfrom django.db.models import Manager\nfrom django.db.models import Sum\nfrom django.db.models.query import RawQuerySet\nfrom le_utils.constants import content_kinds\nfrom rest_framework import serializers\n\nfrom kolibri.core.content.models import AssessmentMet... | [
{
"content": "from django.core.cache import cache\nfrom django.db.models import Manager\nfrom django.db.models import Sum\nfrom django.db.models.query import RawQuerySet\nfrom le_utils.constants import content_kinds\nfrom rest_framework import serializers\n\nfrom kolibri.core.content.models import AssessmentMet... | diff --git a/kolibri/core/content/serializers.py b/kolibri/core/content/serializers.py
index da871d2f6ec..326e6497fa9 100644
--- a/kolibri/core/content/serializers.py
+++ b/kolibri/core/content/serializers.py
@@ -67,6 +67,7 @@ class Meta:
"version",
"available",
"num_coach_contents",
+ "public",
)
diff --git a/kolibri/plugins/device/assets/src/modules/manageContent/actions/taskActions.js b/kolibri/plugins/device/assets/src/modules/manageContent/actions/taskActions.js
index 4e59f38b109..34392d30983 100644
--- a/kolibri/plugins/device/assets/src/modules/manageContent/actions/taskActions.js
+++ b/kolibri/plugins/device/assets/src/modules/manageContent/actions/taskActions.js
@@ -6,6 +6,7 @@ import pick from 'lodash/fp/pick';
import { TaskStatuses, TaskTypes } from '../../../constants';
const logging = logger.getLogger(__filename);
+
export function cancelTask(store, taskId) {
return new Promise(resolve => {
let cancelWatch;
@@ -15,7 +16,7 @@ export function cancelTask(store, taskId) {
TaskStatuses.CANCELED,
() => {
cancelWatch();
- TaskResource.deleteFinishedTasks().then(resolve);
+ TaskResource.deleteFinishedTask(taskId).then(resolve);
}
);
TaskResource.cancelTask(taskId);
diff --git a/kolibri/plugins/device/assets/src/modules/manageContent/index.js b/kolibri/plugins/device/assets/src/modules/manageContent/index.js
index 424ffc22edf..f5c80138f6b 100644
--- a/kolibri/plugins/device/assets/src/modules/manageContent/index.js
+++ b/kolibri/plugins/device/assets/src/modules/manageContent/index.js
@@ -1,4 +1,5 @@
import find from 'lodash/find';
+import findLastIndex from 'lodash/findLastIndex';
import wizard from '../wizard';
import { TaskTypes, TaskStatuses, taskIsClearable } from '../../constants';
import actions from './actions';
@@ -43,14 +44,36 @@ export default {
},
getters: {
// Channels that are installed & also "available"
- installedChannelsWithResources(state) {
- return state.channelList.filter(channel => channel.available);
+ installedChannelsWithResources(state, getters) {
+ const channels = state.channelList.filter(channel => channel.available);
+
+ return channels.map(channel => {
+ const taskIndex = findLastIndex(getters.managedTasks, task => {
+ return (
+ ![TaskTypes.DISKCONTENTEXPORT, TaskTypes.DISKEXPORT, TaskTypes.DELETECHANNEL].includes(
+ task.type
+ ) &&
+ task.channel_id === channel.id &&
+ task.status === TaskStatuses.COMPLETED
+ );
+ });
+ return {
+ ...channel,
+ taskIndex,
+ };
+ });
},
channelIsInstalled(state) {
return function findChannel(channelId) {
return find(state.channelList, { id: channelId, available: true });
};
},
+ channelIsOnDevice(state) {
+ // Channel data just needs to exist, but doesn't need to be available
+ return function findChannel(channelId) {
+ return find(state.channelList, { id: channelId });
+ };
+ },
channelIsBeingDeleted(state) {
return function beingDeleted(channelId) {
const match = find(state.taskList, {
diff --git a/kolibri/plugins/device/assets/src/modules/wizard/actions/selectContentActions.js b/kolibri/plugins/device/assets/src/modules/wizard/actions/selectContentActions.js
index 7fb760a425e..8ccbc3d7a85 100644
--- a/kolibri/plugins/device/assets/src/modules/wizard/actions/selectContentActions.js
+++ b/kolibri/plugins/device/assets/src/modules/wizard/actions/selectContentActions.js
@@ -10,7 +10,7 @@ import { getChannelWithContentSizes } from '../apiChannelMetadata';
export function loadChannelMetadata(store) {
let dbPromise;
const { transferredChannel } = store.state.manageContent.wizard;
- const channelOnDevice = store.getters['manageContent/channelIsInstalled'](transferredChannel.id);
+ const channelOnDevice = store.getters['manageContent/channelIsOnDevice'](transferredChannel.id);
// If channel _is_ on the device, but not "available" (i.e. no resources installed yet)
// _and_ has been updated, then download the metadata
diff --git a/kolibri/plugins/device/assets/src/modules/wizard/utils.js b/kolibri/plugins/device/assets/src/modules/wizard/utils.js
index 80458a583c9..104f40c20d2 100644
--- a/kolibri/plugins/device/assets/src/modules/wizard/utils.js
+++ b/kolibri/plugins/device/assets/src/modules/wizard/utils.js
@@ -56,9 +56,14 @@ export function downloadChannelMetadata(store = coreStore) {
.then(completedTask => {
const { taskId, cancelled } = completedTask;
if (taskId && !cancelled) {
- return TaskResource.deleteFinishedTasks().then(() => {
- return getChannelWithContentSizes(transferredChannel.id);
- });
+ return TaskResource.deleteFinishedTask(taskId)
+ .then(() => {
+ return getChannelWithContentSizes(transferredChannel.id);
+ })
+ .catch(() => {
+ // Fail silently just in case something happens
+ return getChannelWithContentSizes(transferredChannel.id);
+ });
}
return Promise.reject({ errorType: ErrorTypes.CHANNEL_TASK_ERROR });
});
diff --git a/kolibri/plugins/device/assets/src/views/ManageContentPage/ChannelPanel/WithImportDetails.vue b/kolibri/plugins/device/assets/src/views/ManageContentPage/ChannelPanel/WithImportDetails.vue
index ee08417d042..db81a426778 100644
--- a/kolibri/plugins/device/assets/src/views/ManageContentPage/ChannelPanel/WithImportDetails.vue
+++ b/kolibri/plugins/device/assets/src/views/ManageContentPage/ChannelPanel/WithImportDetails.vue
@@ -125,8 +125,6 @@
}
},
isUnlistedChannel() {
- // This is only defined when entering a remote import workflow,
- // so false !== undefined.
return this.channel.public === false;
},
tasksInQueue() {
@@ -256,18 +254,27 @@
margin-left: 8px;
}
+ .private-icons {
+ position: relative;
+ display: inline-block;
+ margin-top: -3px;
+ margin-bottom: 3px;
+ vertical-align: top;
+ }
+
.new-label {
position: absolute;
- top: 3px;
- padding: 2px 5px 2px 4px;
+ top: 2px;
+ display: inline-block;
+ padding: 2px 8px;
margin-left: 8px;
font-size: 14px;
+ font-weight: bold;
border-radius: 2px;
- }
- .private-icons {
- position: relative;
- display: inline-block;
+ .channel-list-item-sm & {
+ top: -2px;
+ }
}
.selected-msg {
diff --git a/kolibri/plugins/device/assets/src/views/ManageContentPage/ChannelPanel/WithSizeAndOptions.vue b/kolibri/plugins/device/assets/src/views/ManageContentPage/ChannelPanel/WithSizeAndOptions.vue
index 4d1a020e856..6db580f253e 100644
--- a/kolibri/plugins/device/assets/src/views/ManageContentPage/ChannelPanel/WithSizeAndOptions.vue
+++ b/kolibri/plugins/device/assets/src/views/ManageContentPage/ChannelPanel/WithSizeAndOptions.vue
@@ -5,7 +5,30 @@
:class="{'panel-sm': windowIsSmall}"
:style="{ borderTop: `1px solid ${$themePalette.grey.v_200}` }"
>
- <ChannelDetails :channel="channel" />
+ <ChannelDetails :channel="channel">
+
+ <template v-slot:belowname>
+ <div class="private-icons">
+ <KTooltip reference="lockicon" :refs="$refs" placement="top">
+ {{ WithImportDetailsStrings.$tr('unlistedChannelTooltip') }}
+ </KTooltip>
+ <KIcon
+ v-if="channel.public === false"
+ ref="lockicon"
+ class="lock-icon"
+ icon="unlistedchannel"
+ />
+ <span
+ v-if="showNewLabel"
+ class="new-label"
+ :style="{
+ color: $themeTokens.textInverted,
+ backgroundColor: $themeTokens.success
+ }"
+ >{{ WithImportDetailsStrings.$tr('newLabel') }}</span>
+ </div>
+ </template>
+ </ChannelDetails>
<div
class="col-2"
@@ -35,7 +58,11 @@
import responsiveWindowMixin from 'kolibri.coreVue.mixins.responsiveWindowMixin';
import commonCoreStrings from 'kolibri.coreVue.mixins.commonCoreStrings';
import bytesForHumans from 'kolibri.utils.bytesForHumans';
+ import { crossComponentTranslator } from 'kolibri.utils.i18n';
import ChannelDetails from './ChannelDetails';
+ import WithImportDetails from './WithImportDetails';
+
+ const WithImportDetailsStrings = crossComponentTranslator(WithImportDetails);
export default {
name: 'WithSizeAndOptions',
@@ -52,11 +79,18 @@
type: Boolean,
default: false,
},
+ showNewLabel: {
+ type: Boolean,
+ required: false,
+ },
},
computed: {
resourcesSizeText() {
return bytesForHumans(this.channel.on_device_file_size);
},
+ WithImportDetailsStrings() {
+ return WithImportDetailsStrings;
+ },
},
methods: {
handleManageChannelAction() {
@@ -86,6 +120,16 @@
padding: 16px 0;
}
+ svg.lock-icon {
+ width: 24px;
+ height: 24px;
+
+ .panel-sm & {
+ width: 20px;
+ height: 20px;
+ }
+ }
+
.col-2 {
min-width: 80px;
margin-right: 16px;
@@ -110,4 +154,31 @@
margin: 0;
}
+ .private-icons {
+ position: relative;
+ display: inline-block;
+ margin-top: -3px;
+ margin-bottom: 3px;
+ vertical-align: top;
+
+ .panel-sm & {
+ margin-top: -1px;
+ margin-bottom: 1px;
+ }
+ }
+
+ .new-label {
+ position: absolute;
+ top: 2px;
+ padding: 2px 8px;
+ margin-left: 8px;
+ font-size: 14px;
+ font-weight: bold;
+ border-radius: 2px;
+
+ .panel-sm & {
+ top: -2px;
+ }
+ }
+
</style>
diff --git a/kolibri/plugins/device/assets/src/views/ManageContentPage/TasksBar.vue b/kolibri/plugins/device/assets/src/views/ManageContentPage/TasksBar.vue
index 043ac05f37e..9fdd17a1976 100644
--- a/kolibri/plugins/device/assets/src/views/ManageContentPage/TasksBar.vue
+++ b/kolibri/plugins/device/assets/src/views/ManageContentPage/TasksBar.vue
@@ -45,13 +45,7 @@
export default {
name: 'TasksBar',
- components: {},
mixins: [commonCoreStrings, responsiveWindowMixin],
- props: {},
- data() {
- return {};
- },
-
computed: {
...mapGetters('manageContent', ['managedTasks']),
clearCompletedString() {
diff --git a/kolibri/plugins/device/assets/src/views/ManageContentPage/api.js b/kolibri/plugins/device/assets/src/views/ManageContentPage/api.js
index a01dd91b4aa..1738e1b2e6a 100644
--- a/kolibri/plugins/device/assets/src/views/ManageContentPage/api.js
+++ b/kolibri/plugins/device/assets/src/views/ManageContentPage/api.js
@@ -1,5 +1,6 @@
import find from 'lodash/find';
import { TaskResource, ChannelResource, RemoteChannelResource } from 'kolibri.resources';
+import { TaskTypes } from '../../constants';
import { NetworkLocationResource } from '../../apiResources';
const kolibriStudioUrl = 'https://studio.learningequality.org';
@@ -98,7 +99,7 @@ export function fetchOrTriggerChannelDiffStatsTask(params) {
}
return TaskResource.fetchCollection({ force: true }).then(tasks => {
- const match = find(tasks, taskAttrs);
+ const match = find(tasks, { ...taskAttrs, type: TaskTypes.CHANNELDIFFSTATS });
if (match) {
return match;
} else {
diff --git a/kolibri/plugins/device/assets/src/views/ManageContentPage/index.vue b/kolibri/plugins/device/assets/src/views/ManageContentPage/index.vue
index 4bee488f589..36131b41804 100644
--- a/kolibri/plugins/device/assets/src/views/ManageContentPage/index.vue
+++ b/kolibri/plugins/device/assets/src/views/ManageContentPage/index.vue
@@ -49,10 +49,11 @@
<div class="channels-list">
<ChannelPanel
- v-for="channel in installedChannelsWithResources"
+ v-for="channel in sortedChannels"
:key="channel.id"
:channel="channel"
:disabled="channelIsBeingDeleted(channel.id)"
+ :showNewLabel="showNewLabel(channel.id)"
@select_delete="deleteChannelId = channel.id"
@select_manage="handleSelectManage(channel.id)"
/>
@@ -78,11 +79,12 @@
import find from 'lodash/find';
import get from 'lodash/get';
+ import sortBy from 'lodash/sortBy';
import { mapState, mapGetters, mapActions } from 'vuex';
import commonCoreStrings from 'kolibri.coreVue.mixins.commonCoreStrings';
import { TaskResource } from 'kolibri.resources';
import taskNotificationMixin from '../taskNotificationMixin';
- import { PageNames } from '../../constants';
+ import { PageNames, TaskStatuses } from '../../constants';
import SelectTransferSourceModal from './SelectTransferSourceModal';
import ChannelPanel from './ChannelPanel/WithSizeAndOptions';
import DeleteChannelModal from './DeleteChannelModal';
@@ -105,11 +107,25 @@
data() {
return {
deleteChannelId: null,
+ channelOrders: {},
};
},
computed: {
- ...mapGetters('manageContent', ['installedChannelsWithResources', 'channelIsBeingDeleted']),
+ ...mapGetters('manageContent', [
+ 'installedChannelsWithResources',
+ 'channelIsBeingDeleted',
+ 'managedTasks',
+ ]),
...mapState('manageContent/wizard', ['pageName']),
+ doneTasks() {
+ return this.managedTasks.filter(task => task.status === TaskStatuses.COMPLETED).length;
+ },
+ sortedChannels() {
+ return sortBy(
+ this.installedChannelsWithResources,
+ channel => -this.channelOrders[channel.id]
+ );
+ },
channelsAreInstalled() {
return this.installedChannelsWithResources.length > 0;
},
@@ -127,6 +143,27 @@
];
},
},
+ watch: {
+ installedChannelsWithResources: {
+ // Save channel orders that are set temporarily based on managedTasks
+ handler(val) {
+ val.forEach(channel => {
+ const currentOrder = this.channelOrders[channel.id];
+ if ((!currentOrder && channel.taskIndex > -1) || currentOrder < channel.taskIndex) {
+ this.$set(this.channelOrders, channel.id, channel.taskIndex);
+ }
+ });
+ },
+ immediate: true,
+ deep: true,
+ },
+ doneTasks(val, oldVal) {
+ // Just refresh the channel list whenever anything finishes to get the latest version
+ if (val > oldVal) {
+ this.refreshChannelList();
+ }
+ },
+ },
methods: {
...mapActions('manageContent', ['refreshChannelList', 'startImportWorkflow']),
handleSelect({ value }) {
@@ -137,6 +174,10 @@
}[value];
this.$router.push(this.$router.getRoute(nextRoute));
},
+ showNewLabel(channelId) {
+ const match = find(this.installedChannelsWithResources, { id: channelId });
+ return match && match.taskIndex > -1;
+ },
handleDeleteChannel() {
if (this.deleteChannelId) {
const channelId = this.deleteChannelId;
diff --git a/kolibri/plugins/device/assets/src/views/SelectContentPage/ChannelContentsSummary.vue b/kolibri/plugins/device/assets/src/views/SelectContentPage/ChannelContentsSummary.vue
index 9406430ae5f..fba10a82097 100644
--- a/kolibri/plugins/device/assets/src/views/SelectContentPage/ChannelContentsSummary.vue
+++ b/kolibri/plugins/device/assets/src/views/SelectContentPage/ChannelContentsSummary.vue
@@ -14,6 +14,7 @@
<h1>
<KLabeledIcon icon="channel" :label="channel.name" />
<KIcon
+ v-if="channel.public === false"
ref="lockicon"
class="lock-icon"
icon="unlistedchannel"
diff --git a/kolibri/plugins/device/assets/src/views/SelectContentPage/index.vue b/kolibri/plugins/device/assets/src/views/SelectContentPage/index.vue
index 269ce9524dc..dc8d444a49f 100644
--- a/kolibri/plugins/device/assets/src/views/SelectContentPage/index.vue
+++ b/kolibri/plugins/device/assets/src/views/SelectContentPage/index.vue
@@ -114,7 +114,7 @@
};
},
computed: {
- ...mapGetters('manageContent', ['channelIsInstalled']),
+ ...mapGetters('manageContent', ['channelIsOnDevice']),
...mapState('manageContent', ['taskList']),
...mapGetters('manageContent/wizard', [
'inLocalImportMode',
@@ -154,7 +154,7 @@
return undefined;
},
channelOnDevice() {
- return this.channelIsInstalled(this.transferredChannel.id) || {};
+ return this.channelIsOnDevice(this.transferredChannel.id) || {};
},
availableVersions() {
return {
diff --git a/kolibri/plugins/facility/assets/src/modules/manageCSV/actions.js b/kolibri/plugins/facility/assets/src/modules/manageCSV/actions.js
index 82f8a53b144..9e6d458ea34 100644
--- a/kolibri/plugins/facility/assets/src/modules/manageCSV/actions.js
+++ b/kolibri/plugins/facility/assets/src/modules/manageCSV/actions.js
@@ -66,7 +66,7 @@ function checkTaskStatus(store, newTasks, taskType, taskId, commitStart, commitF
const task = completed[0];
if (task.status === TaskStatuses.COMPLETED) {
store.commit(commitFinish, new Date());
- TaskResource.deleteFinishedTasks();
+ TaskResource.deleteFinishedTask(taskId);
}
}
} else {
|
doccano__doccano-693 | CORS error when running locally in development mode
How to reproduce the behaviour
---------
1. `git clone https://github.com/doccano/doccano.git`
2. `cd doccano`
3. `docker-compose -f docker-compose.dev.yml up`
4. Visit `http://localhost:3000/auth`
5. Login with user `admin` and password `password`
Your Environment
---------
* Operating System: macOS Catalina 10.15.3
* Browser: Chrome 80.0.3987.163 (Official Build) (64-bit)
What Happens
---------
I get a CORS error and I can't login:
```
Access to XMLHttpRequest at 'http://127.0.0.1:8000/v1/auth-token' from origin 'http://localhost:3000' has been blocked by CORS policy: Response to preflight request doesn't pass access control check: No 'Access-Control-Allow-Origin' header is present on the requested resource.
```

Here is what the Request Headers look like:

| [
{
"content": "\"\"\"\nDjango settings for app project.\n\nFor more information on this file, see\nhttps://docs.djangoproject.com/en/2.0/topics/settings/\n\nFor the full list of settings and their values, see\nhttps://docs.djangoproject.com/en/2.0/ref/settings/\n\nAny setting that is configured via an environmen... | [
{
"content": "\"\"\"\nDjango settings for app project.\n\nFor more information on this file, see\nhttps://docs.djangoproject.com/en/2.0/topics/settings/\n\nFor the full list of settings and their values, see\nhttps://docs.djangoproject.com/en/2.0/ref/settings/\n\nAny setting that is configured via an environmen... | diff --git a/app/app/settings.py b/app/app/settings.py
index b55abca0e6..56307df505 100644
--- a/app/app/settings.py
+++ b/app/app/settings.py
@@ -314,4 +314,5 @@
CORS_ORIGIN_WHITELIST = (
'http://127.0.0.1:3000',
'http://0.0.0.0:3000',
+ 'http://localhost:3000'
)
|
scikit-hep__pyhf-1460 | Logging configuration in contrib/utils
# Question
`pyhf.contrib.utils` sets up logging:
https://github.com/scikit-hep/pyhf/blob/6b769fd6f5e1473deba2b4c55d49ebdb3db5b447/src/pyhf/contrib/utils.py#L9
This interferes with custom logging users may want to set up. To achieve this now, they would have to do so before `from pyhf.contrib.utils import download`. To avoid this issue, the logging should not be configured in this part of the code (and only for the CLI).
# Relevant Issues and Pull Requests
#865
User-defined log formatting
# Description
`pyhf` uses `logging` for outputs, and calls `logging.basicConfig()` in a few places.
This has the effect of preventing the user to set their desired logging behavior after `pyhf` import.
While calling this a bug might be a bit of a stretch, I think it might be unintentional since `pyhf` does not apply any logging formatting as far as I can tell.
# Expected Behavior
I expect no calls to `logging.basicConfig()` within `pyhf` to leave the formatting fully up to the user, no matter whether they want to set it before or after importing `pyhf`.
# Actual Behavior
User-defined `logging` formatting only works before importing `pyhf`.
# Steps to Reproduce
importing `pyhf` before formatting:
```
import logging
import pyhf
print(pyhf.__version__)
logging.basicConfig(level=logging.INFO)
log = logging.getLogger(__name__)
log.info("message")
```
output:
```
0.4.1
```
and when applying formatting before input, the expected behavior:
```
import logging
logging.basicConfig(level=logging.INFO)
import pyhf
print(pyhf.__version__)
log = logging.getLogger(__name__)
log.info("message")
```
output:
```
0.4.1
INFO:__main__:message
```
# Checklist
- [ ] Run `git fetch` to get the most up to date version of `master`
- no, but checked code on master to confirm that the relevant part is unchanged
- [X] Searched through existing Issues to confirm this is not a duplicate issue
- [X] Filled out the Description, Expected Behavior, Actual Behavior, and Steps to Reproduce sections above or have edited/removed them in a way that fully describes the issue
| [
{
"content": "\"\"\"Helper utilities for common tasks.\"\"\"\n\nfrom urllib.parse import urlparse\nimport tarfile\nfrom io import BytesIO\nimport logging\nfrom .. import exceptions\n\nlogging.basicConfig()\nlog = logging.getLogger(__name__)\n\n__all__ = [\"download\"]\n\n\ndef __dir__():\n return __all__\n\n... | [
{
"content": "\"\"\"Helper utilities for common tasks.\"\"\"\n\nfrom urllib.parse import urlparse\nimport tarfile\nfrom io import BytesIO\nimport logging\nfrom .. import exceptions\n\nlog = logging.getLogger(__name__)\n\n__all__ = [\"download\"]\n\n\ndef __dir__():\n return __all__\n\n\ntry:\n import requ... | diff --git a/src/pyhf/contrib/utils.py b/src/pyhf/contrib/utils.py
index da60ac01fb..06020bac39 100644
--- a/src/pyhf/contrib/utils.py
+++ b/src/pyhf/contrib/utils.py
@@ -6,7 +6,6 @@
import logging
from .. import exceptions
-logging.basicConfig()
log = logging.getLogger(__name__)
__all__ = ["download"]
|
jazzband__pip-tools-2042 | Broken build due to failed `linkcheck` job
I've noticed that matrix badges are frequently inaccessible, see README:
<img width="893" alt="image" src="https://github.com/jazzband/pip-tools/assets/7377671/94c2d45a-12ef-4237-8a85-434ee1bd7c05">
Sometimes, a certain issue even results in CI builds [breaking](https://github.com/jazzband/pip-tools/actions/runs/5920050370/job/16051009863#step:10:446) (caught in #1973):
```
broken https://img.shields.io/matrix/pip-tools:matrix.org?label=Discuss%20on%20Matrix%20at%20%23pip-tools%3Amatrix.org&logo=matrix&server_fqdn=matrix.org&style=flat - 408 Client Error: Request Timeout for url: https://img.shields.io/matrix/pip-tools:matrix.org?label=Discuss%20on%20Matrix%20at%20%23pip-tools%3Amatrix.org&logo=matrix&server_fqdn=matrix.org&style=flat
```
Perhaps we should consider [ignoring](https://github.com/jazzband/pip-tools/blob/04d2235716bc43cad3c10288081a4d2b7ee56944/docs/conf.py#L55-L57) `https://img.shields.io/matrix` as well?
/cc @webknjaz
| [
{
"content": "# https://www.sphinx-doc.org/en/master/usage/configuration.html\n\"\"\"Configuration file for the Sphinx documentation builder.\"\"\"\n\nfrom __future__ import annotations\n\nfrom importlib.metadata import version as get_version\nfrom pathlib import Path\n\nfrom sphinx.util import logging\nfrom sp... | [
{
"content": "# https://www.sphinx-doc.org/en/master/usage/configuration.html\n\"\"\"Configuration file for the Sphinx documentation builder.\"\"\"\n\nfrom __future__ import annotations\n\nfrom importlib.metadata import version as get_version\nfrom pathlib import Path\n\nfrom sphinx.util import logging\nfrom sp... | diff --git a/docs/conf.py b/docs/conf.py
index 1f8491603..7e886590f 100644
--- a/docs/conf.py
+++ b/docs/conf.py
@@ -54,6 +54,7 @@
linkcheck_ignore = [
r"^https://matrix\.to/#",
+ r"^https://img.shields.io/matrix",
]
suppress_warnings = ["myst.xref_missing"]
|
keras-team__keras-2992 | Why TF-IDF matrix generated by keras.preprocessing.text.Tokenizer() has negative values?
Say, if run the following script:
> > > import keras
> > > tk = keras.preprocessing.text.Tokenizer()
> > > texts = ['I love you.', 'I love you, too.']
> > > tk.fit_on_texts(texts)
> > > tk.texts_to_matrix(texts, mode='tfidf')
The output will be:
array([[ 0. , -1.09861229, -1.09861229, -1.09861229, 0. ],
[ 0. , -1.38629436, -1.38629436, -1.38629436, -1.38629436]])
But tf-idf values seems should be non-negative?
By the way, is there a neat way to get the word by its index, or the vocabulary (in the order of word indices) of the Tokenizer() class? Say, sometimes I want to know what's the most frequent word in the documents, then I want to access word with index 1.
I can do it by running:
> > > vocab = tk.word_index.items()
> > > vocab.sort(key=lambda x:x[1])
This gives:
> > > vocab
[('i', 1), ('you', 2), ('love', 3), ('too', 4)]
But is it somehow hacky?
Thank you!
| [
{
"content": "# -*- coding: utf-8 -*-\n'''These preprocessing utilities would greatly benefit\nfrom a fast Cython rewrite.\n'''\nfrom __future__ import absolute_import\n\nimport string\nimport sys\nimport numpy as np\nfrom six.moves import range\nfrom six.moves import zip\n\nif sys.version_info < (3,):\n mak... | [
{
"content": "# -*- coding: utf-8 -*-\n'''These preprocessing utilities would greatly benefit\nfrom a fast Cython rewrite.\n'''\nfrom __future__ import absolute_import\nfrom __future__ import division\n\nimport string\nimport sys\nimport numpy as np\nfrom six.moves import range\nfrom six.moves import zip\n\nif ... | diff --git a/keras/preprocessing/text.py b/keras/preprocessing/text.py
index 4c4e45155057..c543666cef1a 100644
--- a/keras/preprocessing/text.py
+++ b/keras/preprocessing/text.py
@@ -3,6 +3,7 @@
from a fast Cython rewrite.
'''
from __future__ import absolute_import
+from __future__ import division
import string
import sys
|
mitmproxy__mitmproxy-6117 | Warn new users about the lazy creation of connections (when requests are expected to be served in the script fully and only)
#### Problem Description
The [example script](https://docs.mitmproxy.org/stable/addons-examples/#http-reply-from-proxy) for not sending any data to the server does not prevent mitmproxy from **establishing a connection** to the server.
For which reason is said connection established when no data has to be sent to this host right away and possibly never in the future?
I trusted mitmproxy to **not send _any_ data, as stated**, but I had to discover (the hard way) that **that's not the case**.
I used mitmproxy in an environment where it required to stay silent, but it wasn't compliant.
Could you please consider warning new users about this behavior?
<strike>Is there an easy way to prevent establishing connections?
Is it planned to do so on default in this case?</strike>
*EDIT*: Trying to prevent connections by rerouting the connection to a closed port killed the flow for the client. Routing to a different host with invalid certificate worked though, warning me in the event log and suggesting setting connection strategy to lazy and it worked.
#### Steps to reproduce the behavior:
1. Load the example script
2. Have the client request examle.com
3. View the event log
#### System Information
Mitmproxy: 9.0.1
Python: 3.10.6
OpenSSL: OpenSSL 3.0.7 1 Nov 2022
Platform: Linux-5.15.0-71-generic-x86_64-with-glibc2.35
| [
{
"content": "\"\"\"Send a reply from the proxy without sending any data to the remote server.\"\"\"\nfrom mitmproxy import http\n\n\ndef request(flow: http.HTTPFlow) -> None:\n if flow.request.pretty_url == \"http://example.com/path\":\n flow.response = http.Response.make(\n 200, # (optio... | [
{
"content": "\"\"\"Send a reply from the proxy without sending the request to the remote server.\"\"\"\nfrom mitmproxy import http\n\n\ndef request(flow: http.HTTPFlow) -> None:\n if flow.request.pretty_url == \"http://example.com/path\":\n flow.response = http.Response.make(\n 200, # (op... | diff --git a/CHANGELOG.md b/CHANGELOG.md
index 16a539b060..a018cf5ed1 100644
--- a/CHANGELOG.md
+++ b/CHANGELOG.md
@@ -2,6 +2,8 @@
## Unreleased: mitmproxy next
+* Change wording in the [http-reply-from-proxy.py example](https://github.com/mitmproxy/mitmproxy/blob/main/examples/addons/http-reply-from-proxy.py).
+ ([#6117](https://github.com/mitmproxy/mitmproxy/pull/6117), @Semnodime)
* Added option to specify an elliptic curve for key exchange between mitmproxy <-> server
([#6170](https://github.com/mitmproxy/mitmproxy/pull/6170), @Mike-Ki-ASD)
* Add "Prettier" code linting tool to mitmweb.
diff --git a/examples/addons/http-reply-from-proxy.py b/examples/addons/http-reply-from-proxy.py
index 3ce35c5a4f..e6470a3da4 100644
--- a/examples/addons/http-reply-from-proxy.py
+++ b/examples/addons/http-reply-from-proxy.py
@@ -1,4 +1,4 @@
-"""Send a reply from the proxy without sending any data to the remote server."""
+"""Send a reply from the proxy without sending the request to the remote server."""
from mitmproxy import http
|
pwndbg__pwndbg-908 | telescope skipping repeated vals is incorrect for last elements
@anthraxx see this pls, for count being 16 we are not showing the repeated value :(
```
pwndbg> telescope 0x21c108086888 15
00:0000│ 0x21c108086888 ◂— 0x3ff199999999999a
01:0008│ 0x21c108086890 ◂— 0x3ff3333333333333
02:0010│ 0x21c108086898 ◂— 0x3ff4cccccccccccd
03:0018│ 0x21c1080868a0 ◂— 0x3ff6666666666666
04:0020│ 0x21c1080868a8 ◂— 0x3ff8000000000000
05:0028│ 0x21c1080868b0 ◂— 0x80cd3f9082858b9
06:0030│ 0x21c1080868b8 ◂— 0x80cd44108086881
07:0038│ 0x21c1080868c0 ◂— 0x804222d08283139
08:0040│ 0x21c1080868c8 ◂— 0x2000080b7191
09:0048│ 0x21c1080868d0 ◂— 0x804222d08282d49
0a:0050│ 0x21c1080868d8 ◂— 0x100804222d
0b:0058│ 0x21c1080868e0 ◂— 0xa0c01000000000
0c:0060│ 0x21c1080868e8 ◂— 0x947770000039f2
0d:0068│ 0x21c1080868f0 ◂— 0x2000039f2
0e:0070│ 0x21c1080868f8 ◂— 0x0
pwndbg> telescope 0x21c108086888 16
00:0000│ 0x21c108086888 ◂— 0x3ff199999999999a
01:0008│ 0x21c108086890 ◂— 0x3ff3333333333333
02:0010│ 0x21c108086898 ◂— 0x3ff4cccccccccccd
03:0018│ 0x21c1080868a0 ◂— 0x3ff6666666666666
04:0020│ 0x21c1080868a8 ◂— 0x3ff8000000000000
05:0028│ 0x21c1080868b0 ◂— 0x80cd3f9082858b9
06:0030│ 0x21c1080868b8 ◂— 0x80cd44108086881
07:0038│ 0x21c1080868c0 ◂— 0x804222d08283139
08:0040│ 0x21c1080868c8 ◂— 0x2000080b7191
09:0048│ 0x21c1080868d0 ◂— 0x804222d08282d49
0a:0050│ 0x21c1080868d8 ◂— 0x100804222d
0b:0058│ 0x21c1080868e0 ◂— 0xa0c01000000000
0c:0060│ 0x21c1080868e8 ◂— 0x947770000039f2
0d:0068│ 0x21c1080868f0 ◂— 0x2000039f2
0e:0070│ 0x21c1080868f8 ◂— 0x0
pwndbg> telescope 0x21c108086888 17
00:0000│ 0x21c108086888 ◂— 0x3ff199999999999a
01:0008│ 0x21c108086890 ◂— 0x3ff3333333333333
02:0010│ 0x21c108086898 ◂— 0x3ff4cccccccccccd
03:0018│ 0x21c1080868a0 ◂— 0x3ff6666666666666
04:0020│ 0x21c1080868a8 ◂— 0x3ff8000000000000
05:0028│ 0x21c1080868b0 ◂— 0x80cd3f9082858b9
06:0030│ 0x21c1080868b8 ◂— 0x80cd44108086881
07:0038│ 0x21c1080868c0 ◂— 0x804222d08283139
08:0040│ 0x21c1080868c8 ◂— 0x2000080b7191
09:0048│ 0x21c1080868d0 ◂— 0x804222d08282d49
0a:0050│ 0x21c1080868d8 ◂— 0x100804222d
0b:0058│ 0x21c1080868e0 ◂— 0xa0c01000000000
0c:0060│ 0x21c1080868e8 ◂— 0x947770000039f2
0d:0068│ 0x21c1080868f0 ◂— 0x2000039f2
0e:0070│ 0x21c1080868f8 ◂— 0x0
0f:0078│ 0x21c108086900 ◂— 0x0
10:0080│ 0x21c108086908 ◂— 0x2208042205
pwndbg>
```
| [
{
"content": "#!/usr/bin/env python\n# -*- coding: utf-8 -*-\n\"\"\"\nPrints out pointer chains starting at some address in memory.\n\nGenerally used to print out the stack or register values.\n\"\"\"\n\nimport argparse\nimport collections\nimport math\n\nimport pwndbg.arch\nimport pwndbg.chain\nimport pwndbg.c... | [
{
"content": "#!/usr/bin/env python\n# -*- coding: utf-8 -*-\n\"\"\"\nPrints out pointer chains starting at some address in memory.\n\nGenerally used to print out the stack or register values.\n\"\"\"\n\nimport argparse\nimport collections\nimport math\n\nimport pwndbg.arch\nimport pwndbg.chain\nimport pwndbg.c... | diff --git a/pwndbg/commands/telescope.py b/pwndbg/commands/telescope.py
index 1385590c4c1..c524705eb00 100644
--- a/pwndbg/commands/telescope.py
+++ b/pwndbg/commands/telescope.py
@@ -131,6 +131,7 @@ def collapse_repeating_values():
result.append(line)
+ collapse_repeating_values()
telescope.offset += i
telescope.last_address = addr
|
ipython__ipython-3013 | cython_pyximport reload broken in python3
python3.3 notebook, tested in 0.13.1 but the code looks the same in HEAD:
%%cython_pyximport foo
def f(x):
return 4.0*x
execute twice and you get
```
/usr/lib/python3/dist-packages/IPython/extensions/cythonmagic.py in cython_pyximport(self, line, cell)
99 if module_name in self._reloads:
100 module = self._reloads[module_name]
--> 101 reload(module)
102 else:
103 __import__(module_name)
NameError: global name 'reload' is not defined
```
imp.reload should be used here
| [
{
"content": "# -*- coding: utf-8 -*-\n\"\"\"\n=====================\nCython related magics\n=====================\n\nUsage\n=====\n\n``%%cython``\n\n{CYTHON_DOC}\n\n``%%cython_inline``\n\n{CYTHON_INLINE_DOC}\n\n``%%cython_pyximport``\n\n{CYTHON_PYXIMPORT_DOC}\n\nAuthor:\n* Brian Granger\n\nParts of this code w... | [
{
"content": "# -*- coding: utf-8 -*-\n\"\"\"\n=====================\nCython related magics\n=====================\n\nUsage\n=====\n\n``%%cython``\n\n{CYTHON_DOC}\n\n``%%cython_inline``\n\n{CYTHON_INLINE_DOC}\n\n``%%cython_pyximport``\n\n{CYTHON_PYXIMPORT_DOC}\n\nAuthor:\n* Brian Granger\n\nParts of this code w... | diff --git a/IPython/extensions/cythonmagic.py b/IPython/extensions/cythonmagic.py
index a4217943269..45a529bdcd5 100644
--- a/IPython/extensions/cythonmagic.py
+++ b/IPython/extensions/cythonmagic.py
@@ -41,6 +41,11 @@
import sys
import time
+try:
+ reload
+except NameError: # Python 3
+ from imp import reload
+
try:
import hashlib
except ImportError:
|
PyGithub__PyGithub-1807 | Adding new attribute fails in case new name is the last in the list
### Problem Statement
```bash
$ python scripts/add_attribute.py Permissions triage bool
Traceback (most recent call last):
File "<...>\PyGithub\scripts\add_attribute.py", line 124, in <module>
line = lines[i].rstrip()
IndexError: list index out of range
```
--> Adding a new attribute at the end of the existing list of attributes in class `Permissions` fails.
--> In this case the last attribute name was "push", so "triage" comes last.
https://github.com/PyGithub/PyGithub/blob/34d097ce473601624722b90fc5d0396011dd3acb/github/Permissions.py#L63-L72
### Solution Approach
In case the new attribute name will result in adding it at the end of the list of attributes, then the processing within the script at https://github.com/PyGithub/PyGithub/blob/master/scripts/add_attribute.py#L89 was already processing the next source code line which already contains the `_initAttributes` function.
Subsequently at https://github.com/PyGithub/PyGithub/blob/master/scripts/add_attribute.py#L122 `inInit` is set to `False`, but only checked again after reading already the next line. This means the following code block will never again notice the place of the `_initAttributes` and fails at the end of the file due to endless loop.
Problem can be fixed by conditionally remembering we already reached the `_initAttributes` function, so replace:
https://github.com/PyGithub/PyGithub/blob/34d097ce473601624722b90fc5d0396011dd3acb/scripts/add_attribute.py#L122
with
```python
inInit = True if line == " def _initAttributes(self):" else False
```
Adding new attribute fails in case new name is the last in the list
### Problem Statement
```bash
$ python scripts/add_attribute.py Permissions triage bool
Traceback (most recent call last):
File "<...>\PyGithub\scripts\add_attribute.py", line 124, in <module>
line = lines[i].rstrip()
IndexError: list index out of range
```
--> Adding a new attribute at the end of the existing list of attributes in class `Permissions` fails.
--> In this case the last attribute name was "push", so "triage" comes last.
https://github.com/PyGithub/PyGithub/blob/34d097ce473601624722b90fc5d0396011dd3acb/github/Permissions.py#L63-L72
### Solution Approach
In case the new attribute name will result in adding it at the end of the list of attributes, then the processing within the script at https://github.com/PyGithub/PyGithub/blob/master/scripts/add_attribute.py#L89 was already processing the next source code line which already contains the `_initAttributes` function.
Subsequently at https://github.com/PyGithub/PyGithub/blob/master/scripts/add_attribute.py#L122 `inInit` is set to `False`, but only checked again after reading already the next line. This means the following code block will never again notice the place of the `_initAttributes` and fails at the end of the file due to endless loop.
Problem can be fixed by conditionally remembering we already reached the `_initAttributes` function, so replace:
https://github.com/PyGithub/PyGithub/blob/34d097ce473601624722b90fc5d0396011dd3acb/scripts/add_attribute.py#L122
with
```python
inInit = True if line == " def _initAttributes(self):" else False
```
| [
{
"content": "#!/usr/bin/env python\n\n############################ Copyrights and license ############################\n# #\n# Copyright 2013 Vincent Jacques <vincent@vincent-jacques.net> #\n# Copyright 2014 Thialfihar... | [
{
"content": "#!/usr/bin/env python\n\n############################ Copyrights and license ############################\n# #\n# Copyright 2013 Vincent Jacques <vincent@vincent-jacques.net> #\n# Copyright 2014 Thialfihar... | diff --git a/scripts/add_attribute.py b/scripts/add_attribute.py
index d8b29be2e0..73bc1a58c5 100644
--- a/scripts/add_attribute.py
+++ b/scripts/add_attribute.py
@@ -119,7 +119,7 @@
added = False
-inInit = False
+inInit = line.endswith("def _initAttributes(self):")
while not added:
line = lines[i].rstrip()
i += 1
|
sanic-org__sanic-1559 | 2 failed tests when tox is not used (missing fixture "benchmark")
`pytest-benchmark` is not present in `tests_require`, so there are 2 failed tests in `tests/benchmark/test_route_resolution_benchmark.py` when tox is not used.
This requirement is present in `tox.ini` so tox and Travis CI are working fine.
(I don't know what's a better fix — disable the benchmark tests or add `pytest-benchmark` to `tests_require`, so I didn't create a PR)
| [
{
"content": "\"\"\"\nSanic\n\"\"\"\nimport codecs\nimport os\nimport re\nimport sys\nfrom distutils.util import strtobool\n\nfrom setuptools import setup\nfrom setuptools.command.test import test as TestCommand\n\n\nclass PyTest(TestCommand):\n \"\"\"\n Provide a Test runner to be used from setup.py to r... | [
{
"content": "\"\"\"\nSanic\n\"\"\"\nimport codecs\nimport os\nimport re\nimport sys\nfrom distutils.util import strtobool\n\nfrom setuptools import setup\nfrom setuptools.command.test import test as TestCommand\n\n\nclass PyTest(TestCommand):\n \"\"\"\n Provide a Test runner to be used from setup.py to r... | diff --git a/setup.py b/setup.py
index 05d1363729..4a682151de 100644
--- a/setup.py
+++ b/setup.py
@@ -96,6 +96,7 @@ def open_local(paths, mode="r", encoding="utf8"):
ujson,
"pytest-sanic",
"pytest-sugar",
+ "pytest-benchmark",
]
if strtobool(os.environ.get("SANIC_NO_UJSON", "no")):
|
SCons__scons-4475 | Pseudo() global function missing
Initiated from discord discussion https://discord.com/channels/571796279483564041/571796280146133047/1204494883369263154
The documentation indicates both `Pseudo` and `env.Pseudo` work; in practice, the global function form does not work, generating an `AttributeError`.
A quick examination shows the table of environment methods (in `SCons/Script/__init__.py`) which should be made into global functions does not contain `Pseudo`, looks like an oversight.
| [
{
"content": "# MIT License\n#\n# Copyright The SCons Foundation\n#\n# Permission is hereby granted, free of charge, to any person obtaining\n# a copy of this software and associated documentation files (the\n# \"Software\"), to deal in the Software without restriction, including\n# without limitation the right... | [
{
"content": "# MIT License\n#\n# Copyright The SCons Foundation\n#\n# Permission is hereby granted, free of charge, to any person obtaining\n# a copy of this software and associated documentation files (the\n# \"Software\"), to deal in the Software without restriction, including\n# without limitation the right... | diff --git a/CHANGES.txt b/CHANGES.txt
index 44a458a8f7..b3a0d6ec4e 100644
--- a/CHANGES.txt
+++ b/CHANGES.txt
@@ -74,6 +74,7 @@ RELEASE VERSION/DATE TO BE FILLED IN LATER
Fixes #3529.
- Clarify/fix documentation of Scanners in User Guide and Manpage.
Fixes #4468.
+ - Add Pseudo() to global functions, had been omitted. Fixes #4474.
RELEASE 4.6.0 - Sun, 19 Nov 2023 17:22:20 -0700
diff --git a/RELEASE.txt b/RELEASE.txt
index 2952d4f396..28b6c6ac8b 100644
--- a/RELEASE.txt
+++ b/RELEASE.txt
@@ -52,6 +52,8 @@ FIXES
build of the project file fails.
- On Windows platform, when collecting command output (Configure checks),
make sure decoding of bytes doesn't fail.
+- Documentation indicated that both Pseudo() and env.Pseudo() were usable,
+ but Pseudo() did not work; is now enabled.
IMPROVEMENTS
------------
diff --git a/SCons/Script/__init__.py b/SCons/Script/__init__.py
index 0d2940c6ae..a62650f7f6 100644
--- a/SCons/Script/__init__.py
+++ b/SCons/Script/__init__.py
@@ -343,6 +343,7 @@ def Variables(files=None, args=ARGUMENTS):
'Local',
'ParseDepends',
'Precious',
+ 'Pseudo',
'PyPackageDir',
'Repository',
'Requires',
diff --git a/test/Pseudo.py b/test/Pseudo.py
index db3c30c05b..ec953f7b2a 100644
--- a/test/Pseudo.py
+++ b/test/Pseudo.py
@@ -1,6 +1,8 @@
#!/usr/bin/env python
#
-# __COPYRIGHT__
+# MIT License
+#
+# Copyright The SCons Foundation
#
# Permission is hereby granted, free of charge, to any person obtaining
# a copy of this software and associated documentation files (the
@@ -20,41 +22,66 @@
# 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.
-#
-__revision__ = "__FILE__ __REVISION__ __DATE__ __DEVELOPER__"
+"""
+Test the Pseudo method
+"""
import TestSCons
test = TestSCons.TestSCons()
-# Firstly, build a pseudo target and make sure we get no warnings it
-# doesn't exist under any circumstances
-test.write('SConstruct', """
+test.write('SConstruct', """\
env = Environment()
-env.Pseudo(env.Command('foo.out', [], '@echo boo'))
-""")
-
-test.run(arguments='-Q', stdout = 'boo\n')
+foo = env.Command('foo.out', [], '@echo boo')
+bar = env.Command('bar.out', [], Touch('$TARGET'))
+env.Pseudo(foo, bar)
-test.run(arguments='-Q --warning=target-not-built', stdout = "boo\n")
-
-# Now do the same thing again but create the target and check we get an
-# error if it exists after the build
-test.write('SConstruct', """
-env = Environment()
-env.Pseudo(env.Command('foo.out', [], Touch('$TARGET')))
+gfoo = Command('foo.glb', [], '@echo boo')
+gbar = Command('bar.glb', [], Touch('$TARGET'))
+Pseudo(gfoo, gbar)
""")
-test.run(arguments='-Q', stdout = 'Touch("foo.out")\n', stderr = None,
- status = 2)
-test.must_contain_all_lines(test.stderr(),
- 'scons: *** Pseudo target foo.out must not exist')
-test.run(arguments='-Q --warning=target-not-built',
- stdout = 'Touch("foo.out")\n',
- stderr = None, status = 2)
-test.must_contain_all_lines(test.stderr(),
- 'scons: *** Pseudo target foo.out must not exist')
+# foo.out build does not create file, should generate no errors
+test.run(arguments='-Q foo.out', stdout='boo\n')
+# missing target warning triggers if requested
+test.run(arguments='-Q foo.out --warning=target-not-built', stdout="boo\n")
+# bar.out build creates file, error if it exists after the build
+test.run(arguments='-Q bar.out', stdout='Touch("bar.out")\n', stderr=None, status=2)
+test.must_contain_all_lines(
+ test.stderr(),
+ 'scons: *** Pseudo target bar.out must not exist',
+)
+# warning must not appear since target created
+test.run(
+ arguments='-Q bar.out --warning=target-not-built',
+ stdout='Touch("bar.out")\n',
+ stderr=None,
+ status=2,
+)
+test.must_contain_all_lines(
+ test.stderr(),
+ 'scons: *** Pseudo target bar.out must not exist',
+)
+
+# repeat the process for the global function form (was missing initially)
+test.run(arguments='-Q foo.glb', stdout='boo\n')
+test.run(arguments='-Q foo.glb --warning=target-not-built', stdout="boo\n")
+test.run(arguments='-Q bar.glb', stdout='Touch("bar.glb")\n', stderr=None, status=2)
+test.must_contain_all_lines(
+ test.stderr(),
+ 'scons: *** Pseudo target bar.glb must not exist',
+)
+test.run(
+ arguments='-Q bar.glb --warning=target-not-built',
+ stdout='Touch("bar.glb")\n',
+ stderr=None,
+ status=2,
+)
+test.must_contain_all_lines(
+ test.stderr(),
+ 'scons: *** Pseudo target bar.glb must not exist',
+)
test.pass_test()
|
wagtail__wagtail-8940 | __str__ method doesn't return a string.
This code sample:
>>> from wagtail.contrib.forms.models import FormSubmission
>>> FormSubmission.objects.count()
1
>>> FormSubmission.objects.first()
Traceback (most recent call last):
File "<console>", line 1, in <module>
File "lib64/python3.10/site-packages/django/db/models/base.py", line 580, in __repr__
return "<%s: %s>" % (self.__class__.__name__, self)
TypeError: __str__ returned non-string (type dict)
This method:
https://github.com/wagtail/wagtail/blob/18ad15a18f8e533b858ccde7d060b9d4e85dcfd4/wagtail/contrib/forms/models.py#L61-L62
should be:
def __str__(self):
return f"{self.form_data}"
| [
{
"content": "import datetime\nimport os\n\nfrom django.conf import settings\nfrom django.core.serializers.json import DjangoJSONEncoder\nfrom django.core.validators import validate_email\nfrom django.db import models\nfrom django.template.response import TemplateResponse\nfrom django.utils.formats import date_... | [
{
"content": "import datetime\nimport os\n\nfrom django.conf import settings\nfrom django.core.serializers.json import DjangoJSONEncoder\nfrom django.core.validators import validate_email\nfrom django.db import models\nfrom django.template.response import TemplateResponse\nfrom django.utils.formats import date_... | diff --git a/wagtail/contrib/forms/models.py b/wagtail/contrib/forms/models.py
index f864c5195b16..a56deedc5361 100644
--- a/wagtail/contrib/forms/models.py
+++ b/wagtail/contrib/forms/models.py
@@ -59,7 +59,7 @@ def get_data(self):
}
def __str__(self):
- return self.form_data
+ return f"{self.form_data}"
class Meta:
abstract = True
diff --git a/wagtail/contrib/forms/tests/test_models.py b/wagtail/contrib/forms/tests/test_models.py
index 4b395ab73413..11a565522f44 100644
--- a/wagtail/contrib/forms/tests/test_models.py
+++ b/wagtail/contrib/forms/tests/test_models.py
@@ -183,6 +183,26 @@ def test_invalid_from_address(self):
with self.assertRaises(ValidationError):
make_form_page(from_address="not an email")
+ def test_string_representation_form_submission(self):
+ """
+ Ensure that a form submission can be logged / printed without error.
+ Broke when converting field to JSON - see #8927
+ """
+
+ self.client.post(
+ "/contact-us/",
+ {
+ "your_email": "bob@example.com",
+ "your_message": "hello world",
+ "your_choices": {},
+ },
+ )
+
+ self.assertGreaterEqual(FormSubmission.objects.count(), 1)
+
+ submission = FormSubmission.objects.first()
+ self.assertIn("hello world", str(submission))
+
class TestFormWithCustomSubmission(TestCase, WagtailTestUtils):
def setUp(self):
|
mlcommons__GaNDLF-809 | `gdown` does not seem to be working
**Describe the bug**
Current CI seems to be broken.
**To Reproduce**
Steps to reproduce the behavior:
1. Run any CI test
2. See error:
```python-traceback
[SNIP!]
if gdrive_file_id and is_gdrive_download_link:
content_disposition = six.moves.urllib_parse.unquote(
res.headers["Content-Disposition"]
)
m = re.search(r"filename\*=UTF-8''(.*)", content_disposition)
> filename_from_url = m.groups()[0]
E AttributeError: 'NoneType' object has no attribute 'groups'
```
Example: https://github.com/mlcommons/GaNDLF/actions/runs/7489779631/job/20387346791?pr=764#step:9:219
**Expected behavior**
The sample data file download should work.
**Screenshots**
N.A.
**GaNDLF Version**
Current master
**Desktop (please complete the following information):**
N.A.
**Additional context**
Basically, it is this error: https://github.com/wkentaro/gdown/issues/291
| [
{
"content": "#!/usr/bin/env python\n\n\"\"\"The setup script.\"\"\"\n\n\nimport sys, re, os\nfrom setuptools import setup, find_packages\nfrom setuptools.command.install import install\nfrom setuptools.command.develop import develop\nfrom setuptools.command.egg_info import egg_info\n\ntry:\n with open(\"REA... | [
{
"content": "#!/usr/bin/env python\n\n\"\"\"The setup script.\"\"\"\n\n\nimport sys, re, os\nfrom setuptools import setup, find_packages\nfrom setuptools.command.install import install\nfrom setuptools.command.develop import develop\nfrom setuptools.command.egg_info import egg_info\n\ntry:\n with open(\"REA... | diff --git a/setup.py b/setup.py
index 3d9b06820..93222d5f4 100644
--- a/setup.py
+++ b/setup.py
@@ -98,7 +98,7 @@ def run(self):
"pyyaml",
"tiffslide",
"matplotlib",
- "gdown==4.6.3",
+ "gdown==5.1.0",
"pytest",
"coverage",
"pytest-cov",
|
numpy__numpy-3245 | 2to3 run `standarderror` fixer
| [
{
"content": "#!/usr/bin/env python3\n# -*- python -*-\n\"\"\"\n%prog SUBMODULE...\n\nHack to pipe submodules of Numpy through 2to3 and build them in-place\none-by-one.\n\nExample usage:\n\n python3 tools/py3tool.py testing distutils core\n\nThis will copy files to _py3k/numpy, add a dummy __init__.py and\nv... | [
{
"content": "#!/usr/bin/env python3\n# -*- python -*-\n\"\"\"\n%prog SUBMODULE...\n\nHack to pipe submodules of Numpy through 2to3 and build them in-place\none-by-one.\n\nExample usage:\n\n python3 tools/py3tool.py testing distutils core\n\nThis will copy files to _py3k/numpy, add a dummy __init__.py and\nv... | diff --git a/tools/py3tool.py b/tools/py3tool.py
index 48d5ba2f75c5..a6fd5b3f4b4f 100755
--- a/tools/py3tool.py
+++ b/tools/py3tool.py
@@ -64,7 +64,7 @@
'imports2',
'input',
'intern',
-# 'isinstance',
+ 'isinstance',
'itertools',
'itertools_imports',
'long',
|
fail2ban__fail2ban-249 | weak regex'es for apache
See email on fail2ban-users
| [
{
"content": "# emacs: -*- mode: python; py-indent-offset: 4; indent-tabs-mode: t -*-\n# vi: set ft=python sts=4 ts=4 sw=4 noet :\n\n# This file is part of Fail2Ban.\n#\n# Fail2Ban is free software; you can redistribute it and/or modify\n# it under the terms of the GNU General Public License as published by\n# ... | [
{
"content": "# emacs: -*- mode: python; py-indent-offset: 4; indent-tabs-mode: t -*-\n# vi: set ft=python sts=4 ts=4 sw=4 noet :\n\n# This file is part of Fail2Ban.\n#\n# Fail2Ban is free software; you can redistribute it and/or modify\n# it under the terms of the GNU General Public License as published by\n# ... | diff --git a/ChangeLog b/ChangeLog
index e58bce068d..230ee10d45 100644
--- a/ChangeLog
+++ b/ChangeLog
@@ -4,17 +4,23 @@
|_| \__,_|_|_/___|_.__/\__,_|_||_|
================================================================================
-Fail2Ban (version 0.8.9.dev) 2013/??/??
+Fail2Ban (version 0.8.10) 2013/06/12
================================================================================
-ver. 0.8.10 (2013/XX/XXX) - NOT-YET-RELEASED
+ver. 0.8.10 (2013/06/12) - wanna-be-secure
-----------
-- Fixes:
- Yaroslav Halchenko
+Primarily bugfix and enhancements release, triggered by "bugs" in
+apache- filters. If you are relying on listed below apache- filters,
+upgrade asap and seek your distributions to patch their fail2ban
+distribution with [6ccd5781].
+
+- Fixes: Yaroslav Halchenko
+ * [6ccd5781] filter.d/apache-{auth,nohome,noscript,overflows} - anchor
+ failregex at the beginning (and where applicable at the end).
+ Addresses a possible DoS. Closes gh-248
* action.d/{route,shorewall}.conf - blocktype must be defined
within [Init]. Closes gh-232
-- New Features
- Enhancements
Yaroslav Halchenko
* jail.conf -- assure all jails have actions and remove unused
@@ -23,10 +29,10 @@ ver. 0.8.10 (2013/XX/XXX) - NOT-YET-RELEASED
* config/filter.d/roundcube-auth.conf -- support roundcube 0.9+
Daniel Black
* files/suse-initd -- update to the copy from stock SUSE
- silviogarbes
- * Updates to asterisk filter closes gh-227/gh-230.
- Carlos Alberto Lopez Perez
- * Updates to asterisk to include AUTH_UNKNOWN_DOMAIN - gh-244.
+ silviogarbes & Daniel Black
+ * Updates to asterisk filter. Closes gh-227/gh-230.
+ Carlos Alberto Lopez Perez
+ * Updates to asterisk to include AUTH_UNKNOWN_DOMAIN. Closes gh-244.
ver. 0.8.9 (2013/05/13) - wanna-be-stable
----------
diff --git a/README.md b/README.md
index 91deaf195a..05e92fd64b 100644
--- a/README.md
+++ b/README.md
@@ -2,9 +2,9 @@
/ _|__ _(_) |_ ) |__ __ _ _ _
| _/ _` | | |/ /| '_ \/ _` | ' \
|_| \__,_|_|_/___|_.__/\__,_|_||_|
- v0.8.9 2013/05/13
+ v0.8.10 2013/06/12
-## Fail2Ban: ban hosts that cause multiple authentication errors
+## Fail2Ban: ban hosts that cause multiple authentication errors
Fail2Ban scans log files like /var/log/pwdfail and bans IP that makes too many
password failures. It updates firewall rules to reject the IP address. These
@@ -30,8 +30,8 @@ Optional:
To install, just do:
- tar xvfj fail2ban-0.8.9.tar.bz2
- cd fail2ban-0.8.9
+ tar xvfj fail2ban-0.8.10.tar.bz2
+ cd fail2ban-0.8.10
python setup.py install
This will install Fail2Ban into /usr/share/fail2ban. The executable scripts are
@@ -63,9 +63,14 @@ Code status:
Contact:
--------
+### You found a severe security vulnerability in Fail2Ban?
+email details to fail2ban-vulnerabilities at lists dot sourceforge dot net .
+
### You need some new features, you found bugs?
visit [Issues](https://github.com/fail2ban/fail2ban/issues)
-and if your issue is not yet known -- file a bug report.
+and if your issue is not yet known -- file a bug report. See
+[Fail2Ban wiki](http://www.fail2ban.org/wiki/index.php/HOWTO_Seek_Help)
+on further instructions.
### You would like to troubleshoot or discuss?
join the [mailing list](https://lists.sourceforge.net/lists/listinfo/fail2ban-users)
diff --git a/common/version.py b/common/version.py
index 86c45760f9..fe99f95e60 100644
--- a/common/version.py
+++ b/common/version.py
@@ -24,4 +24,4 @@
__copyright__ = "Copyright (c) 2004 Cyril Jaquier, 2011-2013 Yaroslav Halchenko"
__license__ = "GPL"
-version = "0.8.9.dev"
+version = "0.8.10"
diff --git a/config/filter.d/apache-auth.conf b/config/filter.d/apache-auth.conf
index 66f6a1d620..ae3232f246 100644
--- a/config/filter.d/apache-auth.conf
+++ b/config/filter.d/apache-auth.conf
@@ -4,6 +4,12 @@
#
#
+[INCLUDES]
+
+# Read common prefixes. If any customizations available -- read them from
+# common.local
+before = apache-common.conf
+
[Definition]
# Option: failregex
@@ -13,9 +19,7 @@
# (?:::f{4,6}:)?(?P<host>[\w\-.^_]+)
# Values: TEXT
#
-failregex = [[]client <HOST>[]] user .* authentication failure
- [[]client <HOST>[]] user .* not found
- [[]client <HOST>[]] user .* password mismatch
+failregex = ^%(_apache_error_client)s user .* (authentication failure|not found|password mismatch)\s*$
# Option: ignoreregex
# Notes.: regex to ignore. If this regex matches, the line is ignored.
diff --git a/config/filter.d/apache-common.conf b/config/filter.d/apache-common.conf
new file mode 100644
index 0000000000..c3829e2fb0
--- /dev/null
+++ b/config/filter.d/apache-common.conf
@@ -0,0 +1,17 @@
+# Generic configuration items (to be used as interpolations) in other
+# apache filters
+#
+# Author: Yaroslav Halchenko
+#
+#
+
+[INCLUDES]
+
+# Load customizations if any available
+after = apache-common.local
+
+
+[DEFAULT]
+
+# Common prefix for [error] apache messages which also would include <HOST>
+_apache_error_client = \[[^]]+\] \[error\] \[client <HOST>\]
diff --git a/config/filter.d/apache-nohome.conf b/config/filter.d/apache-nohome.conf
index 6e738c6850..1347b10d62 100644
--- a/config/filter.d/apache-nohome.conf
+++ b/config/filter.d/apache-nohome.conf
@@ -4,6 +4,12 @@
#
#
+[INCLUDES]
+
+# Read common prefixes. If any customizations available -- read them from
+# common.local
+before = apache-common.conf
+
[Definition]
# Option: failregex
@@ -13,7 +19,7 @@
# per-domain log files.
# Values: TEXT
#
-failregex = [[]client <HOST>[]] File does not exist: .*/~.*
+failregex = ^%(_apache_error_client)s File does not exist: .*/~.*
# Option: ignoreregex
# Notes.: regex to ignore. If this regex matches, the line is ignored.
diff --git a/config/filter.d/apache-noscript.conf b/config/filter.d/apache-noscript.conf
index 5b48cb32b3..295e1b9fc6 100644
--- a/config/filter.d/apache-noscript.conf
+++ b/config/filter.d/apache-noscript.conf
@@ -4,6 +4,12 @@
#
#
+[INCLUDES]
+
+# Read common prefixes. If any customizations available -- read them from
+# common.local
+before = apache-common.conf
+
[Definition]
# Option: failregex
@@ -13,8 +19,8 @@
# (?:::f{4,6}:)?(?P<host>[\w\-.^_]+)
# Values: TEXT
#
-failregex = [[]client <HOST>[]] (File does not exist|script not found or unable to stat): /\S*(\.php|\.asp|\.exe|\.pl)
- [[]client <HOST>[]] script '/\S*(\.php|\.asp|\.exe|\.pl)\S*' not found or unable to stat *$
+failregex = ^%(_apache_error_client)s (File does not exist|script not found or unable to stat): /\S*(\.php|\.asp|\.exe|\.pl)\s*$
+ ^%(_apache_error_client)s script '/\S*(\.php|\.asp|\.exe|\.pl)\S*' not found or unable to stat\s*$
# Option: ignoreregex
# Notes.: regex to ignore. If this regex matches, the line is ignored.
diff --git a/config/filter.d/apache-overflows.conf b/config/filter.d/apache-overflows.conf
index e25b79a4e7..1cf08db736 100644
--- a/config/filter.d/apache-overflows.conf
+++ b/config/filter.d/apache-overflows.conf
@@ -4,13 +4,19 @@
#
#
+[INCLUDES]
+
+# Read common prefixes. If any customizations available -- read them from
+# common.local
+before = apache-common.conf
+
[Definition]
# Option: failregex
# Notes.: Regexp to catch Apache overflow attempts.
# Values: TEXT
#
-failregex = [[]client <HOST>[]] (Invalid (method|URI) in request|request failed: URI too long|erroneous characters after protocol string)
+failregex = ^%(_apache_error_client)s (Invalid (method|URI) in request|request failed: URI too long|erroneous characters after protocol string)
# Option: ignoreregex
# Notes.: regex to ignore. If this regex matches, the line is ignored.
diff --git a/man/fail2ban-client.1 b/man/fail2ban-client.1
index d7d620bc07..a6eb461e18 100644
--- a/man/fail2ban-client.1
+++ b/man/fail2ban-client.1
@@ -1,12 +1,12 @@
-.\" DO NOT MODIFY THIS FILE! It was generated by help2man 1.40.10.
-.TH FAIL2BAN-CLIENT "1" "May 2013" "fail2ban-client v0.8.9" "User Commands"
+.\" DO NOT MODIFY THIS FILE! It was generated by help2man 1.41.2.
+.TH FAIL2BAN-CLIENT "1" "June 2013" "fail2ban-client v0.8.10" "User Commands"
.SH NAME
fail2ban-client \- configure and control the server
.SH SYNOPSIS
.B fail2ban-client
[\fIOPTIONS\fR] \fI<COMMAND>\fR
.SH DESCRIPTION
-Fail2Ban v0.8.9 reads log file that contains password failure report
+Fail2Ban v0.8.10 reads log file that contains password failure report
and bans the corresponding IP addresses using firewall rules.
.SH OPTIONS
.TP
diff --git a/man/fail2ban-regex.1 b/man/fail2ban-regex.1
index a42d96d558..379cd76171 100644
--- a/man/fail2ban-regex.1
+++ b/man/fail2ban-regex.1
@@ -1,12 +1,12 @@
-.\" DO NOT MODIFY THIS FILE! It was generated by help2man 1.40.10.
-.TH FAIL2BAN-REGEX "1" "May 2013" "fail2ban-regex v0.8.9" "User Commands"
+.\" DO NOT MODIFY THIS FILE! It was generated by help2man 1.41.2.
+.TH FAIL2BAN-REGEX "1" "June 2013" "fail2ban-regex v0.8.10" "User Commands"
.SH NAME
fail2ban-regex \- test Fail2ban "failregex" option
.SH SYNOPSIS
.B fail2ban-regex
[\fIOPTIONS\fR] \fI<LOG> <REGEX> \fR[\fIIGNOREREGEX\fR]
.SH DESCRIPTION
-Fail2Ban v0.8.9 reads log file that contains password failure report
+Fail2Ban v0.8.10 reads log file that contains password failure report
and bans the corresponding IP addresses using firewall rules.
.PP
This tools can test regular expressions for "fail2ban".
@@ -26,7 +26,7 @@ verbose output
a string representing a log line
.TP
\fBfilename\fR
-path to a log file (/var/log/auth.log)
+path to a log file (\fI/var/log/auth.log\fP)
.SH REGEX
.TP
\fBstring\fR
diff --git a/man/fail2ban-server.1 b/man/fail2ban-server.1
index 43e9d6d405..3851db9130 100644
--- a/man/fail2ban-server.1
+++ b/man/fail2ban-server.1
@@ -1,12 +1,12 @@
-.\" DO NOT MODIFY THIS FILE! It was generated by help2man 1.40.10.
-.TH FAIL2BAN-SERVER "1" "May 2013" "fail2ban-server v0.8.9" "User Commands"
+.\" DO NOT MODIFY THIS FILE! It was generated by help2man 1.41.2.
+.TH FAIL2BAN-SERVER "1" "June 2013" "fail2ban-server v0.8.10" "User Commands"
.SH NAME
fail2ban-server \- start the server
.SH SYNOPSIS
.B fail2ban-server
[\fIOPTIONS\fR]
.SH DESCRIPTION
-Fail2Ban v0.8.9 reads log file that contains password failure report
+Fail2Ban v0.8.10 reads log file that contains password failure report
and bans the corresponding IP addresses using firewall rules.
.PP
Only use this command for debugging purpose. Start the server with
diff --git a/testcases/files/logs/apache-auth b/testcases/files/logs/apache-auth
new file mode 100644
index 0000000000..cf0f6d3025
--- /dev/null
+++ b/testcases/files/logs/apache-auth
@@ -0,0 +1,5 @@
+# Should not match -- DoS vector https://vndh.net/note:fail2ban-089-denial-service
+[Sat Jun 01 02:17:42 2013] [error] [client 192.168.33.1] File does not exist: /srv/http/site/[client 192.168.0.1] user root not found
+
+# should match
+[Sat Jun 01 02:17:42 2013] [error] [client 192.168.0.2] user root not found
diff --git a/testcases/files/logs/apache-noscript b/testcases/files/logs/apache-noscript
new file mode 100644
index 0000000000..5d5d35ff58
--- /dev/null
+++ b/testcases/files/logs/apache-noscript
@@ -0,0 +1 @@
+[Sun Jun 09 07:57:47 2013] [error] [client 192.0.43.10] script '/usr/lib/cgi-bin/gitweb.cgiwp-login.php' not found or unable to stat
|
statsmodels__statsmodels-3976 | The compat modules should use absolute imports
The [statsmodels.compat.collections](https://github.com/statsmodels/statsmodels/blob/a88830efc3a99cfbe0ebc9fbfd77820fe748fc59/statsmodels/compat/collections.py#L7) imports the namesake standard library module without requesting absolute imports. While it seems to work in many cases, it causes a problem to packages that override `__import__`. See enlnt/pyq#18.
Please consider adding
```python
from __future__ import absolute_import
```
to the compat modules.
| [
{
"content": "'''backported compatibility functions for Python's collections\n\n'''\n\ntry:\n #python >= 2.7\n from collections import OrderedDict\nexcept ImportError:\n #http://code.activestate.com/recipes/576693/\n #author: Raymond Hettinger\n from .ordereddict import OrderedDict\n\ntry:\n #... | [
{
"content": "'''backported compatibility functions for Python's collections\n\n'''\nfrom __future__ import absolute_import\n\ntry:\n #python >= 2.7\n from collections import OrderedDict\nexcept ImportError:\n #http://code.activestate.com/recipes/576693/\n #author: Raymond Hettinger\n from .order... | diff --git a/statsmodels/compat/collections.py b/statsmodels/compat/collections.py
index c6366b5810d..f796b340ad2 100644
--- a/statsmodels/compat/collections.py
+++ b/statsmodels/compat/collections.py
@@ -1,6 +1,7 @@
'''backported compatibility functions for Python's collections
'''
+from __future__ import absolute_import
try:
#python >= 2.7
|
graphql-python__graphene-django-701 | Found different types with the same name in the schema: ErrorType, ErrorType.
After updating from 2.1.3 to 2.1.6 this error shows up.
It seems that importing `ErrorType` from `graphene_django/forms/types.py` is obsolete now, as `ErrorType` now lives in `graphene_django/types.py`
This module should be removed or it just needs to import `ErrorType` from new location for backwards compatibility?
| [
{
"content": "import graphene\n\n\nclass ErrorType(graphene.ObjectType):\n field = graphene.String()\n messages = graphene.List(graphene.String)\n",
"path": "graphene_django/forms/types.py"
}
] | [
{
"content": "import graphene\n\nfrom ..types import ErrorType # noqa Import ErrorType for backwards compatability\n",
"path": "graphene_django/forms/types.py"
}
] | diff --git a/graphene_django/forms/types.py b/graphene_django/forms/types.py
index 1fe33f38e..5005040f6 100644
--- a/graphene_django/forms/types.py
+++ b/graphene_django/forms/types.py
@@ -1,6 +1,3 @@
import graphene
-
-class ErrorType(graphene.ObjectType):
- field = graphene.String()
- messages = graphene.List(graphene.String)
+from ..types import ErrorType # noqa Import ErrorType for backwards compatability
|
aws__aws-cli-3790 | The aws-cli bundle package uses an insecure version of PyYAML
### awscli version:<br>
`aws-cli/1.16.52 Python/2.7.15 Linux/4.14.77-69.57.amzn1.x86_64 exec-env/AWS_ECS_EC2 botocore/1.12.42`
[NVD entry](https://nvd.nist.gov/vuln/detail/CVE-2017-18342)
This issue was found when vulnerability alerts started appearing in Twistlock in response to scans of Docker images that we are using in several applications. The generic error found in these outlines is as such:<br>
```
Impacted versions: <=3.13
In PyYAML before 4.1, the yaml.load() API could execute arbitrary code. In other words, yaml.safe_load is not used.
```
These images are not natively using PyYAML, so this led us to a Docker `RUN` line in a Dockerfile that executed a script that contains a line of code that executes the installation of the `aws-cli` bundle using the following URL:<br>
`https://s3.amazonaws.com/aws-cli/awscli-bundle.zip`
Unpacking this archive shows a list of package dependencies that includes the vulnerable version of PyYAML:<br>
`awscli-bundle/packages/PyYAML-3.13.tar.gz`
The latest (and actually secure) version of PyYAML appears to be 4.1 according to the developer via the [GitHub repo](https://github.com/yaml/pyyaml).
### Request
Is it possible to have the patched version of PyYAML added to this bundle to avoid this vulnerability?
Thank you!
| [
{
"content": "# Copyright 2018 Amazon.com, Inc. or its affiliates. All Rights Reserved.\n#\n# Licensed under the Apache License, Version 2.0 (the \"License\"). You\n# may not use this file except in compliance with the License. A copy of\n# the License is located at\n#\n# http://aws.amazon.com/apache2.0/\n#\n# ... | [
{
"content": "# Copyright 2018 Amazon.com, Inc. or its affiliates. All Rights Reserved.\n#\n# Licensed under the Apache License, Version 2.0 (the \"License\"). You\n# may not use this file except in compliance with the License. A copy of\n# the License is located at\n#\n# http://aws.amazon.com/apache2.0/\n#\n# ... | diff --git a/awscli/customizations/ecs/filehelpers.py b/awscli/customizations/ecs/filehelpers.py
index c3b023589791..4001af70cf6a 100644
--- a/awscli/customizations/ecs/filehelpers.py
+++ b/awscli/customizations/ecs/filehelpers.py
@@ -78,4 +78,4 @@ def parse_appspec(appspec_str):
try:
return json.loads(appspec_str)
except ValueError:
- return yaml.load(appspec_str)
+ return yaml.safe_load(appspec_str)
|
hpcaitech__ColossalAI-3944 | [tensor] fix some unittests
[tensor] fix some unittests
[tensor] fix some unittests
[elixir] make README consistent in style
The README for the `Elixir` module is rather a draft, we should polish it to make it consistent with the README files found in other modules.
| [
{
"content": "from .wrapper import ElixirModule, ElixirOptimizer\n",
"path": "colossalai/elixir/__init__.py"
}
] | [
{
"content": "from .search import minimum_waste_search, optimal_search\nfrom .wrapper import ElixirModule, ElixirOptimizer\n\n__all__ = ['ElixirModule', 'ElixirOptimizer', 'minimum_waste_search', 'optimal_search']\n",
"path": "colossalai/elixir/__init__.py"
}
] | diff --git a/colossalai/elixir/README.md b/colossalai/elixir/README.md
index 8adce38dc822..40ac7f79493e 100644
--- a/colossalai/elixir/README.md
+++ b/colossalai/elixir/README.md
@@ -1,47 +1,96 @@
-# Elixir (Gemini2.0)
-Elixir, also known as Gemini, is a technology designed to facilitate the training of large models on a small GPU cluster.
+# ⚡️ Elixir (Gemini2.0)
+
+## 📚 Table of Contents
+
+- [⚡️ Elixir (Gemini2.0)](#️-elixir-gemini20)
+ - [📚 Table of Contents](#-table-of-contents)
+ - [🔗 Introduction](#-introduction)
+ - [💡 Design and Implementation](#-design-and-implementation)
+ - [🔨 API Usage](#-api-usage)
+ - [General Usage](#general-usage)
+ - [Advanced Usage](#advanced-usage)
+
+## 🔗 Introduction
+
+Elixir, also known as Gemini 2.0, is a distributed training technique designed to facilitate large-scale model training on a small GPU cluster.
Its goal is to eliminate data redundancy and leverage CPU memory to accommodate really large models.
-In addition, Elixir automatically profiles each training step prior to execution and selects the optimal configuration for the ratio of redundancy and the device for each parameter.
-This repository is used to benchmark the performance of Elixir.
-Elixir will be integrated into ColossalAI for usability.
+Elixir automatically profiles each training step before execution and selects the optimal configuration for the ratio of memory redundancy (tensor sharding) and the device placement for each parameter (tensor offloading).
+
+Please note the following before you try this feature:
+
+- **This feature is still in its experimental stage and the API is subject to future changes.**
+- **We have only tested this feature with PyTorch 1.13**
+
+
+## 💡 Design and Implementation
+
+Existing methods such as DeepSpeed and FSDP often lead to suboptimal efficiency due to the large combination of hyperparameters to tune and only experienced experts can unleash the full potential of hardware by carefully tuning the distributed configuration.
+Thus, we present a novel solution, Elixir, which automates efficient large model training based on pre-runtime model profiling.
+Elixir aims to identify the optimal combination of partitioning and offloading techniques to maximize training throughput.
+
+Some contributions of Elixir are listed below:
+- We build a pre-runtime profiler designed for large models. It is capable of obtaining the computation
+graph and the memory usage of the model before training. We bring this powerful tool to support
+large model profiling.
+- We introduce rCache to control the degree of memory redundancy. Moreover, we build a search
+engine to find the optimal configuration, maximizing training efficiency automatically. Different
+from previous works, our optimal configuration considers both memory partitioning and memory
+offloading.
+- We conduct evaluations on a large scale by testing various model sizes, GPU capacities, numbers of
+GPUs, and batch sizes. When compared to current SOTA solutions, we observe that Elixir achieves
+up to 3.4× acceleration without manual tuning.
+
+You can find more details about this system in our paper [Elixir: Train a Large Language Model on a Small GPU Cluster](https://arxiv.org/abs/2212.05339).
-## Environment
-This version is a beta release, so the running environment is somewhat restrictive.
-We are only demonstrating our running environment here, as we have not yet tested its compatibility.
-We have set the CUDA version to `11.6` and the PyTorch version to `1.13.1+cu11.6`.
+## 🔨 API Usage
-## Examples
+Below is the API for the Elixir module, these APIs are experimental and subject to future changes.
+
+### General Usage
-Here is a simple example to wrap your model and optimizer for [fine-tuning](https://github.com/hpcaitech/Elixir/tree/main/example/fine-tune).
```python
-from elixir.search import minimum_waste_search
-from elixir.wrapper import ElixirModule, ElixirOptimizer
+import torch
+import transformers
+
+import torch.distributed as dist
+
+from colossalai.elixir import ElixirModule, ElixirOptimizer, minimum_waste_search
-model = BertForSequenceClassification.from_pretrained('bert-base-uncased')
+# initialize your distributed backend
+...
+
+# create your model and optimizer
+model = transformers.BertForSequenceClassification.from_pretrained('bert-base-uncased')
optimizer = torch.optim.Adam(model.parameters(), lr=1e-4, eps=1e-8)
-sr = minimum_waste_search(model, world_size)
-model = ElixirModule(model, sr, world_group)
+# search for configuration
+world_size = dist.get_world_size()
+search_result = minimum_waste_search(model, world_size)
+
+# wrap the model and optimizer
+model = ElixirModule(model, search_result, world_group)
optimizer = ElixirOptimizer(model, optimizer)
```
-Here is an advanced example for performance, which is used in our [benchmark](https://github.com/hpcaitech/Elixir/blob/main/example/common/elx.py).
+### Advanced Usage
```python
import torch
import torch.distributed as dist
from colossalai.nn.optimizer import HybridAdam
-from elixir.wrapper import ElixirModule, ElixirOptimizer
+from colossalai.elixir import ElixirModule, ElixirOptimizer
+
+# initialize your distributed backend
+...
-# get the world communication group
-global_group = dist.GroupMember.WORLD
# get the communication world size
global_size = dist.get_world_size()
# initialize the model in CPU
model = get_model(model_name)
+
# HybridAdam allows a part of parameters updated on CPU and a part updated on GPU
optimizer = HybridAdam(model.parameters(), lr=1e-3)
@@ -54,6 +103,8 @@ sr = optimal_search(
inp=data, # proivde an example input data in dictionary format
step_fn=train_step # provide an example step function
)
+
+# wrap your model with ElixirModule and optimizer with ElixirOptimizer
model = ElixirModule(
model,
sr,
@@ -65,7 +116,7 @@ model = ElixirModule(
optimizer = ElixirOptimizer(
model,
optimizer,
- initial_scale=64, # loss scale used in AMP
+ initial_scale=1024, # loss scale used in AMP
init_step=True # enable for the stability of training
)
```
diff --git a/colossalai/elixir/__init__.py b/colossalai/elixir/__init__.py
index b7fd76a5da7d..0ccc045550af 100644
--- a/colossalai/elixir/__init__.py
+++ b/colossalai/elixir/__init__.py
@@ -1 +1,4 @@
+from .search import minimum_waste_search, optimal_search
from .wrapper import ElixirModule, ElixirOptimizer
+
+__all__ = ['ElixirModule', 'ElixirOptimizer', 'minimum_waste_search', 'optimal_search']
|
django-cms__django-filer-1408 | Field verbose_name should use gettext_lazy
Hi,
model field verbose_names should use gettext_lazy, because it creates migrations based on user language settings.
https://github.com/django-cms/django-filer/blob/master/filer/models/foldermodels.py#L9
This is migration generated after upgrade to django-filer 3.0

Thanks.
| [
{
"content": "\"\"\"\nSee PEP 386 (https://www.python.org/dev/peps/pep-0386/)\n\nRelease logic:\n 1. Increase version number (change __version__ below).\n 2. Check that all changes have been documented in CHANGELOG.rst.\n 3. git add filer/__init__.py CHANGELOG.rst\n 4. git commit -m 'Bump to {new version}'\n 5.... | [
{
"content": "\"\"\"\nSee PEP 386 (https://www.python.org/dev/peps/pep-0386/)\n\nRelease logic:\n 1. Increase version number (change __version__ below).\n 2. Check that all changes have been documented in CHANGELOG.rst.\n 3. git add filer/__init__.py CHANGELOG.rst\n 4. git commit -m 'Bump to {new version}'\n 5.... | diff --git a/CHANGELOG.rst b/CHANGELOG.rst
index d8a599f1f..3f9c0ccf8 100644
--- a/CHANGELOG.rst
+++ b/CHANGELOG.rst
@@ -2,13 +2,13 @@
CHANGELOG
=========
-unreleased
-==========
+3.0.4 (2023-08-04)
+==================
* Fix bug when submitting permission admin form
* Fix folder select field css of permission admin form
* Fix requirements (Django>=3.2) in setup.py and docs
-* Update Dutch and French locale
+* Update Dutch, Spanish and French locale
3.0.3 (2023-07-21)
==================
diff --git a/filer/__init__.py b/filer/__init__.py
index 5adab2331..d70df812f 100644
--- a/filer/__init__.py
+++ b/filer/__init__.py
@@ -13,6 +13,4 @@
8. Publish the release and it will automatically release to pypi
"""
-__version__ = '3.0.3'
-
-default_app_config = 'filer.apps.FilerConfig'
+__version__ = '3.0.4'
diff --git a/filer/locale/es/LC_MESSAGES/django.mo b/filer/locale/es/LC_MESSAGES/django.mo
index e1c2c9c5e..58062ee45 100644
Binary files a/filer/locale/es/LC_MESSAGES/django.mo and b/filer/locale/es/LC_MESSAGES/django.mo differ
diff --git a/filer/locale/es/LC_MESSAGES/django.po b/filer/locale/es/LC_MESSAGES/django.po
index bdfb39280..3adb0ec9b 100644
--- a/filer/locale/es/LC_MESSAGES/django.po
+++ b/filer/locale/es/LC_MESSAGES/django.po
@@ -1,10 +1,11 @@
# SOME DESCRIPTIVE TITLE.
# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER
# This file is distributed under the same license as the PACKAGE package.
-#
+#
# Translators:
# Translators:
# Translators:
+# Biel Frontera, 2023
# Cristian Acevedo <arucar17@gmail.com>, 2016
# David <d.diazp@gmail.com>, 2015
# Jason Gass Martinez <jason.tra@jason-pc.tk>, 2016
@@ -19,27 +20,28 @@ msgstr ""
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2023-07-31 22:21+0200\n"
"PO-Revision-Date: 2012-07-13 15:50+0000\n"
-"Last-Translator: Luis Zárate <luisza@visualcon.net>, 2019\n"
-"Language-Team: Spanish (http://app.transifex.com/divio/django-filer/language/"
-"es/)\n"
-"Language: es\n"
+"Last-Translator: Biel Frontera, 2023\n"
+"Language-Team: Spanish (http://app.transifex.com/divio/django-filer/language/es/)\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
-"Plural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? "
-"1 : 2;\n"
+"Language: es\n"
+"Plural-Forms: nplurals=3; plural=n == 1 ? 0 : n != 0 && n % 1000000 == 0 ? 1 : 2;\n"
#: admin/clipboardadmin.py:16
+#| msgid ""
+#| "ccount doesn't have permissions to rename all of the selected files."
msgid "You do not have permission to upload files."
-msgstr ""
+msgstr "No tienes autorización para subir ficheros. "
#: admin/clipboardadmin.py:17
msgid "Can't find folder to upload. Please refresh and try again"
-msgstr ""
+msgstr "No se ha encontrado la carpeta donde guardar el fichero. Por favor, refresca la página y vuelve a probar."
#: admin/clipboardadmin.py:19
-msgid "Can't use this folder, Permission Denied. Please select another folder."
-msgstr ""
+msgid ""
+"Can't use this folder, Permission Denied. Please select another folder."
+msgstr "No se puede utilizar esta carpeta: permiso denegado. Por favor, selecciona otra carpeta."
#: admin/fileadmin.py:47
msgid "Advanced"
@@ -53,9 +55,7 @@ msgstr "URL canónica"
msgid ""
"Items must be selected in order to perform actions on them. No items have "
"been changed."
-msgstr ""
-"Los elementos deben estar seleccionados para efectuar acciones sobre ellos. "
-"Ningún elemento ha sido modificado."
+msgstr "Los elementos deben estar seleccionados para efectuar acciones sobre ellos. Ningún elemento ha sido modificado."
#: admin/folderadmin.py:422
#, python-format
@@ -137,9 +137,7 @@ msgstr "Las carpetas con los nombres %s ya existen en el destino seleccionado"
msgid ""
"Successfully moved %(count)d files and/or folders to folder "
"'%(destination)s'."
-msgstr ""
-"Movidos con éxito %(count)d ficheros y/o directorios al directorio "
-"'%(destination)s'."
+msgstr "Movidos con éxito %(count)d ficheros y/o directorios al directorio '%(destination)s'."
#: admin/folderadmin.py:930 admin/folderadmin.py:932
msgid "Move files and/or folders"
@@ -164,9 +162,7 @@ msgstr "Cambiar el nombre de los archivos"
msgid ""
"Successfully copied %(count)d files and/or folders to folder "
"'%(destination)s'."
-msgstr ""
-"Copiados con éxito %(count)d ficheros y/o directorios al directorio "
-"'%(destination)s'."
+msgstr "Copiados con éxito %(count)d ficheros y/o directorios al directorio '%(destination)s'."
#: admin/folderadmin.py:1143 admin/folderadmin.py:1145
msgid "Copy files and/or folders"
@@ -191,23 +187,19 @@ msgstr "Cambiar el tamaño de imágenes seleccionadas."
#: admin/forms.py:24
msgid "Suffix which will be appended to filenames of copied files."
-msgstr ""
-"Sufijo que se añadirá al nombre de los archivos de los archivos copiados."
+msgstr "Sufijo que se añadirá al nombre de los archivos de los archivos copiados."
#: admin/forms.py:31
#, python-format
msgid ""
"Suffix should be a valid, simple and lowercase filename part, like "
"\"%(valid)s\"."
-msgstr ""
-"El sufijo debe ser una parte válida de un nombre de fichero, simple y en "
-"minúsculas, como \"%(valid)s\"."
+msgstr "El sufijo debe ser una parte válida de un nombre de fichero, simple y en minúsculas, como \"%(valid)s\"."
#: admin/forms.py:52
#, python-format
msgid "Unknown rename format value key \"%(key)s\"."
-msgstr ""
-"Formato de cambio de nombre con valor de clave \"%(key)s\" desconocido."
+msgstr "Formato de cambio de nombre con valor de clave \"%(key)s\" desconocido."
#: admin/forms.py:54
#, python-format
@@ -236,9 +228,7 @@ msgstr "ampliar"
#: admin/forms.py:75
msgid "Thumbnail option or resize parameters must be choosen."
-msgstr ""
-"Se debe elegir una opción de miniatura o unos parámetros para el cambio de "
-"tamaño."
+msgstr "Se debe elegir una opción de miniatura o unos parámetros para el cambio de tamaño."
#: admin/forms.py:77
msgid "Resize parameters must be choosen."
@@ -267,11 +257,11 @@ msgstr "Tu entrada: \"{subject_location}\"."
#: admin/permissionadmin.py:10 models/foldermodels.py:380
msgid "Who"
-msgstr ""
+msgstr "Quién"
#: admin/permissionadmin.py:11 models/foldermodels.py:401
msgid "What"
-msgstr ""
+msgstr "Qué"
#: admin/views.py:55
msgid "Folder with this name already exists."
@@ -389,13 +379,11 @@ msgstr "Permisos desactivados"
msgid ""
"Disable any permission checking for this file. File will be publicly "
"accessible to anyone."
-msgstr ""
-"Desactiva cualquier comprobación de permiso para este archivo. El archivo "
-"será accesible públicamente para todos."
+msgstr "Desactiva cualquier comprobación de permiso para este archivo. El archivo será accesible públicamente para todos."
#: models/foldermodels.py:94
msgid "parent"
-msgstr ""
+msgstr "Padre"
#: models/foldermodels.py:121
msgid "created at"
@@ -425,7 +413,7 @@ msgstr "este elemento y todos los hijos"
#: models/foldermodels.py:266
msgid "inherit"
-msgstr ""
+msgstr "hereda"
#: models/foldermodels.py:267
msgid "allow"
@@ -469,53 +457,56 @@ msgstr "permisos de la carpeta"
#: models/foldermodels.py:348
msgid "Folder cannot be selected with type \"all items\"."
-msgstr ""
+msgstr "La carpeta no se puede seleccionar con el tipo \"todos los elementos\"."
#: models/foldermodels.py:350
msgid "Folder has to be selected when type is not \"all items\"."
-msgstr ""
+msgstr "La carpeta se tiene que seleccionar cuando el tipo no es \"todos los elementos\"."
#: models/foldermodels.py:352
msgid "User or group cannot be selected together with \"everybody\"."
-msgstr ""
+msgstr "Usuario y grupo no se pueden seleccionar a la vez con \"todos\"."
#: models/foldermodels.py:354
msgid "At least one of user, group, or \"everybody\" has to be selected."
-msgstr ""
+msgstr "Al menos se debe seleccionar un usuario, un grupo o \"todos\"."
#: models/foldermodels.py:360
+#| msgid "Folders"
msgid "All Folders"
-msgstr ""
+msgstr "Todas las carpetas"
#: models/foldermodels.py:362
msgid "Logical Path"
-msgstr ""
+msgstr "Path lógico"
#: models/foldermodels.py:371
#, python-brace-format
msgid "User: {user}"
-msgstr ""
+msgstr "Usuario: {user}"
#: models/foldermodels.py:373
#, python-brace-format
msgid "Group: {group}"
-msgstr ""
+msgstr "Grupo: {group}"
#: models/foldermodels.py:375
+#| msgid "everybody"
msgid "Everybody"
-msgstr ""
+msgstr "Todos"
#: models/foldermodels.py:388 templates/admin/filer/widgets/admin_file.html:45
msgid "Edit"
-msgstr ""
+msgstr "Editar"
#: models/foldermodels.py:389
msgid "Read"
-msgstr ""
+msgstr "Leer"
#: models/foldermodels.py:390
+#| msgid "can add children"
msgid "Add children"
-msgstr ""
+msgstr "Añadir hijos"
#: models/imagemodels.py:18
msgid "date taken"
@@ -565,11 +556,12 @@ msgstr "raíz"
#: settings.py:273
msgid "Show table view"
-msgstr ""
+msgstr "Muestra la vista de tabla"
#: settings.py:278
+#| msgid "thumbnail option"
msgid "Show thumbnail view"
-msgstr ""
+msgstr "Muestra la vista de miniaturas"
#: templates/admin/filer/actions.html:5
msgid "Run the selected action"
@@ -583,8 +575,7 @@ msgstr "Continuar"
#: templates/admin/filer/folder/directory_table_list.html:232
#: templates/admin/filer/folder/directory_thumbnail_list.html:210
msgid "Click here to select the objects across all pages"
-msgstr ""
-"Haz clic aquí para seleccionar los objetos a través de todas las páginas"
+msgstr "Haz clic aquí para seleccionar los objetos a través de todas las páginas"
#: templates/admin/filer/actions.html:14
#, python-format
@@ -636,26 +627,19 @@ msgid ""
"Deleting the selected files and/or folders would result in deleting related "
"objects, but your account doesn't have permission to delete the following "
"types of objects:"
-msgstr ""
-"Borrar los archivos y/o carpetas seleccionados borraría los objetos "
-"seleccionados, pero tu cuenta no tiene permiso para borrar los siguientes "
-"tipos de objetos:"
+msgstr "Borrar los archivos y/o carpetas seleccionados borraría los objetos seleccionados, pero tu cuenta no tiene permiso para borrar los siguientes tipos de objetos:"
#: templates/admin/filer/delete_selected_files_confirmation.html:19
msgid ""
"Deleting the selected files and/or folders would require deleting the "
"following protected related objects:"
-msgstr ""
-"Borrar los archivos y/o carpetas requeriría borrar los siguientes objetos "
-"relacionados protegidos:"
+msgstr "Borrar los archivos y/o carpetas requeriría borrar los siguientes objetos relacionados protegidos:"
#: templates/admin/filer/delete_selected_files_confirmation.html:27
msgid ""
"Are you sure you want to delete the selected files and/or folders? All of "
"the following objects and their related items will be deleted:"
-msgstr ""
-"¿Estás seguro de que quieres borrar los archivos y/o carpetas seleccionados? "
-"Los siguientes objetos y sus elementos relacionados serán borrados:"
+msgstr "¿Estás seguro de que quieres borrar los archivos y/o carpetas seleccionados? Los siguientes objetos y sus elementos relacionados serán borrados:"
#: templates/admin/filer/delete_selected_files_confirmation.html:46
#: templates/admin/filer/folder/choose_copy_destination.html:64
@@ -704,11 +688,9 @@ msgstr "Icono de la Carpeta"
#: templates/admin/filer/folder/choose_copy_destination.html:23
msgid ""
-"Your account doesn't have permissions to copy all of the selected files and/"
-"or folders."
-msgstr ""
-"Tu cuenta no tiene permisos para copiar todos los archivos y/o carpetas "
-"seleccionados."
+"Your account doesn't have permissions to copy all of the selected files "
+"and/or folders."
+msgstr "Tu cuenta no tiene permisos para copiar todos los archivos y/o carpetas seleccionados."
#: templates/admin/filer/folder/choose_copy_destination.html:25
#: templates/admin/filer/folder/choose_copy_destination.html:31
@@ -732,9 +714,7 @@ msgstr "No hay archivos y/o carpetas disponibles para copiar."
msgid ""
"The following files and/or folders will be copied to a destination folder "
"(retaining their tree structure):"
-msgstr ""
-"Los siguientes archivos y/o carpetas serán copiados a una carpeta de destino "
-"(manteniendo su estructura en árbol):"
+msgstr "Los siguientes archivos y/o carpetas serán copiados a una carpeta de destino (manteniendo su estructura en árbol):"
#: templates/admin/filer/folder/choose_copy_destination.html:54
#: templates/admin/filer/folder/choose_move_destination.html:64
@@ -754,9 +734,7 @@ msgstr "No está permitido copiar los archivos dentro de la misma carpeta"
#: templates/admin/filer/folder/choose_images_resize_options.html:15
msgid ""
"Your account doesn't have permissions to resize all of the selected images."
-msgstr ""
-"Tu cuenta no tiene permisos para cambiar el tamaño de todas las imágenes "
-"seleccionadas."
+msgstr "Tu cuenta no tiene permisos para cambiar el tamaño de todas las imágenes seleccionadas."
#: templates/admin/filer/folder/choose_images_resize_options.html:18
msgid "There are no images available to resize."
@@ -768,9 +746,7 @@ msgstr "Se les cambiará el tamaño a las siguientes imágenes:"
#: templates/admin/filer/folder/choose_images_resize_options.html:33
msgid "Choose an existing thumbnail option or enter resize parameters:"
-msgstr ""
-"Elige una opción de miniatura existente o introduce parámetros para el "
-"cambio de tamaño:"
+msgstr "Elige una opción de miniatura existente o introduce parámetros para el cambio de tamaño:"
#: templates/admin/filer/folder/choose_images_resize_options.html:35
msgid "Choose resize parameters:"
@@ -780,10 +756,7 @@ msgstr "Elegir parámetros para el cambio de tamaño:"
msgid ""
"Warning: Images will be resized in-place and originals will be lost. Maybe "
"first make a copy of them to retain the originals."
-msgstr ""
-"Aviso: se cambiará el tamaño de las imágenes en el mismo sitio y los "
-"originales se perderán. Considera realizar una copia de aquellas para "
-"conservar los originales."
+msgstr "Aviso: se cambiará el tamaño de las imágenes en el mismo sitio y los originales se perderán. Considera realizar una copia de aquellas para conservar los originales."
#: templates/admin/filer/folder/choose_images_resize_options.html:41
msgid "Resize"
@@ -791,11 +764,9 @@ msgstr "Cambiar de tamaño"
#: templates/admin/filer/folder/choose_move_destination.html:35
msgid ""
-"Your account doesn't have permissions to move all of the selected files and/"
-"or folders."
-msgstr ""
-"Tu cuenta no tiene permisos para mover todos los archivos y/o carpetas "
-"seleccionados."
+"Your account doesn't have permissions to move all of the selected files "
+"and/or folders."
+msgstr "Tu cuenta no tiene permisos para mover todos los archivos y/o carpetas seleccionados."
#: templates/admin/filer/folder/choose_move_destination.html:47
msgid "There are no files and/or folders available to move."
@@ -805,9 +776,7 @@ msgstr "No hay archivos y/o carpetas disponibles para mover."
msgid ""
"The following files and/or folders will be moved to a destination folder "
"(retaining their tree structure):"
-msgstr ""
-"Los siguientes archivos y/o directorios serán movidos a una carpeta de "
-"destino (manteniendo su estructura de árbol):"
+msgstr "Los siguientes archivos y/o directorios serán movidos a una carpeta de destino (manteniendo su estructura de árbol):"
#: templates/admin/filer/folder/choose_move_destination.html:73
#: templates/admin/filer/folder/choose_move_destination.html:76
@@ -822,8 +791,7 @@ msgstr "No está permitido mover los archivos dentro de la misma carpeta"
#: templates/admin/filer/folder/choose_rename_format.html:15
msgid ""
"Your account doesn't have permissions to rename all of the selected files."
-msgstr ""
-"Tu cuenta no tiene permisos para renombrar todos los objetos seleccionados."
+msgstr "Tu cuenta no tiene permisos para renombrar todos los objetos seleccionados."
#: templates/admin/filer/folder/choose_rename_format.html:18
msgid "There are no files available to rename."
@@ -833,9 +801,7 @@ msgstr "No hay archivos disponibles a los que cambiar el nombre."
msgid ""
"The following files will be renamed (they will stay in their folders and "
"keep original filename, only displayed filename will be changed):"
-msgstr ""
-"Los siguientes archivos serán renombrados (se quedarán en sus carpetas y "
-"mantendrán su nombre original, solo los nombres mostrados serán cambiados):"
+msgstr "Los siguientes archivos serán renombrados (se quedarán en sus carpetas y mantendrán su nombre original, solo los nombres mostrados serán cambiados):"
#: templates/admin/filer/folder/choose_rename_format.html:59
msgid "Rename"
@@ -992,11 +958,13 @@ msgstr "activado"
#: templates/admin/filer/folder/directory_table_list.html:144
#, python-format
+#| msgid "Change '%(item_label)s' details"
msgid "Canonical url '%(item_label)s'"
msgstr "Url canónica '%(item_label)s'"
#: templates/admin/filer/folder/directory_table_list.html:148
#, python-format
+#| msgid "Change '%(item_label)s' details"
msgid "Download '%(item_label)s'"
msgstr "Descargar '%(item_label)s'"
@@ -1058,12 +1026,14 @@ msgstr "Seleccionar todo %(total_count)s"
#: templates/admin/filer/folder/directory_thumbnail_list.html:15
#: templates/admin/filer/folder/directory_thumbnail_list.html:80
+#| msgid "Select this file"
msgid "Select all"
-msgstr ""
+msgstr "Selecciona todas"
#: templates/admin/filer/folder/directory_thumbnail_list.html:77
+#| msgid "Filer"
msgid "Files"
-msgstr ""
+msgstr "Ficheros"
#: templates/admin/filer/folder/new_folder_form.html:4
#: templates/admin/filer/folder/new_folder_form.html:7
@@ -1087,11 +1057,11 @@ msgstr "Guardar"
#: templates/admin/filer/templatetags/file_icon.html:9
msgid "Your browser does not support audio."
-msgstr ""
+msgstr "El navegador no soporta audio."
#: templates/admin/filer/templatetags/file_icon.html:14
msgid "Your browser does not support video."
-msgstr ""
+msgstr "El navegador no soporta vídeo."
#: templates/admin/filer/tools/clipboard/clipboard.html:9
msgid "Clipboard"
@@ -1119,17 +1089,18 @@ msgstr "fallo en la subida"
#: templates/admin/filer/tools/detail_info.html:11
msgid "Download"
-msgstr ""
+msgstr "Descarga"
#: templates/admin/filer/tools/detail_info.html:15
msgid "Expand"
-msgstr ""
+msgstr "Expande"
#: templates/admin/filer/tools/detail_info.html:20
#: templates/admin/filer/widgets/admin_file.html:32
#: templatetags/filer_admin_tags.py:107
+#| msgid "file missing"
msgid "File is missing"
-msgstr ""
+msgstr "Fichero no encontrado"
#: templates/admin/filer/tools/detail_info.html:29
msgid "Type"
@@ -1183,30 +1154,31 @@ msgid "Choose File"
msgstr "Selecciona el archivo"
#: templates/admin/filer/widgets/admin_folder.html:16
+#| msgid "Choose File"
msgid "Choose Folder"
-msgstr ""
+msgstr "Escoge una carpeta"
#: validation.py:19
#, python-brace-format
msgid "File \"{file_name}\": Upload denied by site security policy"
-msgstr ""
+msgstr "Fichero \"{file_name}\": carga denegada por políticas de seguridad del sitio web"
#: validation.py:22
#, python-brace-format
msgid "File \"{file_name}\": {file_type} upload denied by site security policy"
-msgstr ""
+msgstr "Fichero \"{file_name}\": carga del tipo {file_type} denegada por políticas de seguridad del sitio web"
#: validation.py:33
#, python-brace-format
msgid "File \"{file_name}\": HTML upload denied by site security policy"
-msgstr ""
+msgstr "Fichero \"{file_name}\": carga de HTML denegada por políticas de seguridad del sitio web"
#: validation.py:71
#, python-brace-format
msgid ""
"File \"{file_name}\": Rejected due to potential cross site scripting "
"vulnerability"
-msgstr ""
+msgstr "Fichero \"{file_name}\": rechazado por posible vulnerabilidad XSS (Cross-site scripting)"
#~ msgid "Open file"
#~ msgstr "Open file"
|
pyjanitor-devs__pyjanitor-497 | [DOC] Clarify Python version requirements
# Brief Description of Fix
I was looking through documentation (for users and contributors), and it was unclear to me which python versions we actually support. It seems that we support python 3.6 + 3.7. This arose as I was updating the `pyproject.toml` file to avoid the warning:
```
--py36 is deprecated and will be removed in a future version. Use --target-version py36 instead.
```
Our current locations of explicit python versions are in:
- `pyproject.toml`
- `py36 = true`
- `environment-dev.yml`
- `- python >= 3.6`
- `.azure-pipelines/pipeline-master.yml`
- `python.version: "3.7"`
# Proposed Fix
If `pyjanitor` is in fact meant to function on 3.6+, we should
- Explicitly inform contributors that their code should be 3.6+ compatible
- Inform users which python versions the package requires, on the documentation site, PyPI etc
- Add `python_requires=">=3.6"` to `setup.py`
| [
{
"content": "from setuptools import setup\n\n\ndef requirements():\n with open(\"requirements.txt\", \"r+\") as f:\n return f.read()\n\n\nsetup(\n name=\"pyjanitor\",\n version=\"0.18.0\",\n description=\"Tools for cleaning pandas DataFrames\",\n author=\"Eric J. Ma\",\n author_email=\... | [
{
"content": "from setuptools import setup\n\n\ndef requirements():\n with open(\"requirements.txt\", \"r+\") as f:\n return f.read()\n\n\nsetup(\n name=\"pyjanitor\",\n version=\"0.18.0\",\n description=\"Tools for cleaning pandas DataFrames\",\n author=\"Eric J. Ma\",\n author_email=\... | diff --git a/AUTHORS.rst b/AUTHORS.rst
index 1090d2f03..cf1883228 100644
--- a/AUTHORS.rst
+++ b/AUTHORS.rst
@@ -20,7 +20,7 @@ Leads
- `@szuckerman <https://github.com/szuckerman>`_ | `contributions <https://github.com/ericmjl/pyjanitor/pulls?utf8=%E2%9C%93&q=is%3Aclosed+mentions%3Aszuckerman>`_
- `@zbarry <https://github.com/zbarry>`_ | `contributions <https://github.com/ericmjl/pyjanitor/pulls?utf8=%E2%9C%93&q=is%3Aclosed+mentions%3Azbarry>`_
- Co-led sprint at SciPy 2019.
-- `@HectorM14 <https://github.com/HectorM14>`_ | `contributions <https://github.com/ericmjl/pyjanitor/pulls?utf8=%E2%9C%93&q=is%3Aclosed+mentions%3AHectorM14>`_
+- `@hectormz <https://github.com/hectormz>`_ | `contributions <https://github.com/ericmjl/pyjanitor/pulls?utf8=%E2%9C%93&q=is%3Aclosed+mentions%3Ahectormz>`_
- `@jk3587 <https://github.com/jk3587>`_ | `contributions <https://github.com/ericmjl/pyjanitor/pulls?utf8=%E2%9C%93&q=is%3Aclosed+mentions%3Ajk3587>`_
- Tagged issues at SciPy 2019.
- `@sallyhong <https://github.com/sallyhong>`_ | `contributions <https://github.com/ericmjl/pyjanitor/pulls?utf8=%E2%9C%93&q=is%3Aclosed+mentions%3Asallyhong>`_
@@ -76,4 +76,3 @@ Contributors
- `@puruckertom <https://github.com/puruckertom>`_ | `contributions <https://github.com/ericmjl/pyjanitor/pulls?utf8=%E2%9C%93&q=is%3Apr+author%3Apuruckertom>`_
- `@thomasjpfan <https://github.com/thomasjpfan>`_ | `contributions <https://github.com/ericmjl/pyjanitor/issues?q=is%3Aclosed+mentions%3Athomasjpfan>`_
- `@jiafengkevinchen <https://github.com/jiafengkevinchen>`_ | `contributions <https://github.com/ericmjl/pyjanitor/pull/480#issue-298730562>`_
-
diff --git a/CONTRIBUTING.rst b/CONTRIBUTING.rst
index c358a4755..f9facd531 100644
--- a/CONTRIBUTING.rst
+++ b/CONTRIBUTING.rst
@@ -228,6 +228,11 @@ and append bin/python to the end of the path.
Click OK and you should be good to go!
+Code Compatibility
+------------------
+
+pyjanitor supports Python 3.6+, so all contributed code must maintain this compatibility.
+
Pull Request Guidelines
-----------------------
diff --git a/README.rst b/README.rst
index 6f75e1f91..368490aea 100644
--- a/README.rst
+++ b/README.rst
@@ -143,6 +143,8 @@ Installation
conda install pyjanitor -c conda-forge
+``pyjanitor`` requires Python 3.6+.
+
Functionality
-------------
diff --git a/pyproject.toml b/pyproject.toml
index f21de5254..7ef69bef7 100644
--- a/pyproject.toml
+++ b/pyproject.toml
@@ -1,6 +1,6 @@
[tool.black]
line-length = 79
-py36 = true
+target-version = ['py36', 'py37']
include = '\.pyi?$'
exclude = '''
/(
diff --git a/setup.py b/setup.py
index eec6e8012..e7f2c1e84 100644
--- a/setup.py
+++ b/setup.py
@@ -15,4 +15,5 @@ def requirements():
url="https://github.com/ericmjl/pyjanitor",
packages=["janitor"],
install_requires=requirements(),
+ python_requires=">=3.6",
)
|
typeddjango__django-stubs-871 | Mypy version 0.940 released, causes tests to fail
On [11th March 2022, Mypy version 0.940](https://pypi.org/project/mypy/#history) was released, causing django-stubs tests run by pytest to fail in Github Actions started on or after 11th Match.
We either need to use version 0.931 of mypy for local testing and Github actions, or find a way around the error `Cannot determine type of "Any"` being thrown due to mypy version 0.940 on running the pytest command.
| [
{
"content": "import os\nfrom distutils.core import setup\nfrom typing import List\n\nfrom setuptools import find_packages\n\n\ndef find_stub_files(name: str) -> List[str]:\n result = []\n for root, dirs, files in os.walk(name):\n for file in files:\n if file.endswith(\".pyi\"):\n ... | [
{
"content": "import os\nfrom distutils.core import setup\nfrom typing import List\n\nfrom setuptools import find_packages\n\n\ndef find_stub_files(name: str) -> List[str]:\n result = []\n for root, dirs, files in os.walk(name):\n for file in files:\n if file.endswith(\".pyi\"):\n ... | diff --git a/requirements.txt b/requirements.txt
index 485644f5f..d6bb5025c 100644
--- a/requirements.txt
+++ b/requirements.txt
@@ -9,3 +9,4 @@ pytest-mypy-plugins==1.9.3
psycopg2-binary
-e ./django_stubs_ext
-e .
+mypy==0.931
diff --git a/setup.py b/setup.py
index 91a770c8b..75fd48357 100644
--- a/setup.py
+++ b/setup.py
@@ -21,7 +21,7 @@ def find_stub_files(name: str) -> List[str]:
readme = f.read()
dependencies = [
- "mypy>=0.931",
+ "mypy>=0.930,<0.940",
"django",
"django-stubs-ext>=0.3.0",
"tomli",
|
google-deepmind__dm-haiku-48 | Jax version upgrade (AttributeError: CallPrimitive)
Using the current version of master 66f9c69 of Haiku, I am getting the following error on Colab
```
AttributeError Traceback (most recent call last)
<ipython-input-3-3a9e6adbfff5> in <module>()
----> 1 import haiku as hk
/usr/local/lib/python3.6/dist-packages/haiku/__init__.py in <module>()
17
18 from haiku import data_structures
---> 19 from haiku import experimental
20 from haiku import initializers
21 from haiku import nets
/usr/local/lib/python3.6/dist-packages/haiku/experimental.py in <module>()
22 from haiku._src.base import custom_getter
23 from haiku._src.base import ParamContext
---> 24 from haiku._src.dot import to_dot
25 from haiku._src.lift import lift
26 from haiku._src.module import profiler_name_scopes
/usr/local/lib/python3.6/dist-packages/haiku/_src/dot.py in <module>()
23
24 from haiku._src import data_structures
---> 25 from haiku._src import module
26 from haiku._src import utils
27 import jax
/usr/local/lib/python3.6/dist-packages/haiku/_src/module.py in <module>()
26 from haiku._src import base
27 from haiku._src import data_structures
---> 28 from haiku._src import named_call
29 from haiku._src import utils
30 import jax.numpy as jnp
/usr/local/lib/python3.6/dist-packages/haiku/_src/named_call.py in <module>()
29
30 # Registering named call as a primitive
---> 31 named_call_p = core.CallPrimitive('named_call')
32 # named_call is implemented as a plain core.call and only diverges
33 # under compilation (see named_call_translation_rule)
AttributeError: module 'jax.core' has no attribute 'CallPrimitive'
```
I believe that's because Haiku now requires `jax>=0.1.71`, while the version by default on Colab is `jax==0.1.69`. `CallPrimitive` was introduced in jax 0.1.71.
https://github.com/google/jax/blob/1545a29e6d69a7b3c7fdf9a49b38004759a9fbfa/jax/core.py#L1106-L1115
To reproduce (inside a Colab):
```python
import jax
print(jax.__version__) # 0.1.69
!pip install -q git+https://github.com/deepmind/dm-haiku
import haiku as hk
```
Run `!pip install -q --upgrade jax jaxlib` first in your Colab to fix this issue.
| [
{
"content": "# Lint as: python3\n# Copyright 2019 DeepMind Technologies Limited. All Rights Reserved.\n#\n# Licensed under the Apache License, Version 2.0 (the \"License\");\n# you may not use this file except in compliance with the License.\n# You may obtain a copy of the License at\n#\n# http://www.apach... | [
{
"content": "# Lint as: python3\n# Copyright 2019 DeepMind Technologies Limited. All Rights Reserved.\n#\n# Licensed under the Apache License, Version 2.0 (the \"License\");\n# you may not use this file except in compliance with the License.\n# You may obtain a copy of the License at\n#\n# http://www.apach... | diff --git a/setup.py b/setup.py
index 0734734ec..c91e06295 100644
--- a/setup.py
+++ b/setup.py
@@ -37,8 +37,8 @@ def _parse_requirements(requirements_txt_path):
_VERSION = _get_version()
EXTRA_PACKAGES = {
- 'jax': ['jax>=0.1.55'],
- 'jaxlib': ['jaxlib>=0.1.37'],
+ 'jax': ['jax>=0.1.71'],
+ 'jaxlib': ['jaxlib>=0.1.49'],
}
setup(
|
kserve__kserve-2726 | Knative installation keeps failing in e2e tests
/kind bug
**What steps did you take and what happened:**
[A clear and concise description of what the bug is.]
The e2e tests are failing every now and then while running the knative installation step, more specifically while patching the configmap. A solution has to be provided so that the installation completes successfully using some kind of retry mechanism.
**What did you expect to happen:**
All e2e tests to run without any issues.
**Environment:**
e2e environment
| [
{
"content": "# Copyright 2021 The KServe Authors.\n#\n# Licensed under the Apache License, Version 2.0 (the \"License\");\n# you may not use this file except in compliance with the License.\n# You may obtain a copy of the License at\n#\n# http://www.apache.org/licenses/LICENSE-2.0\n#\n# Unless required by a... | [
{
"content": "# Copyright 2021 The KServe Authors.\n#\n# Licensed under the Apache License, Version 2.0 (the \"License\");\n# you may not use this file except in compliance with the License.\n# You may obtain a copy of the License at\n#\n# http://www.apache.org/licenses/LICENSE-2.0\n#\n# Unless required by a... | diff --git a/.github/workflows/e2e-test.yml b/.github/workflows/e2e-test.yml
index e1c455b8ee5..9234cee89b7 100644
--- a/.github/workflows/e2e-test.yml
+++ b/.github/workflows/e2e-test.yml
@@ -324,6 +324,9 @@ jobs:
- uses: actions/setup-go@v2
with:
go-version: '1.17.3'
+ - uses: actions/setup-python@v4
+ with:
+ python-version: '3.9'
- uses: ./.github/actions/minikube-setup
- uses: ./.github/actions/base-download
- name: Build queue proxy extension image
diff --git a/python/kserve/setup.py b/python/kserve/setup.py
index b654c9993a8..b26ace45ddd 100644
--- a/python/kserve/setup.py
+++ b/python/kserve/setup.py
@@ -21,7 +21,7 @@
'pytest-cov',
'pytest-asyncio',
'mypy',
- 'portforward',
+ 'portforward==0.4.0',
]
with open('requirements.txt') as f:
diff --git a/test/scripts/gh-actions/setup-deps.sh b/test/scripts/gh-actions/setup-deps.sh
index bce763bcfa8..645c258abfa 100755
--- a/test/scripts/gh-actions/setup-deps.sh
+++ b/test/scripts/gh-actions/setup-deps.sh
@@ -71,11 +71,16 @@ for i in 1 2 3 ; do kubectl apply -k test/overlays/knative && break || sleep 15;
echo "Waiting for Knative to be ready ..."
kubectl wait --for=condition=Ready pods --all --timeout=300s -n knative-serving -l 'app in (webhook, activator,autoscaler,autoscaler-hpa,controller,net-istio-controller,net-istio-webhook)'
-echo "Add knative hpa..."
+# echo "Add knative hpa..."
# kubectl apply -f https://github.com/knative/serving/releases/download/knative-v1.0.0/serving-hpa.yaml
# Skip tag resolution for certain domains
-kubectl patch cm config-deployment --patch '{"data":{"registries-skipping-tag-resolving":"nvcr.io,index.docker.io"}}' -n knative-serving
+# sleep to avoid knative webhook timeout error
+sleep 5
+# Retry if configmap patch fails
+for i in 1 2 3; do
+ kubectl patch cm config-deployment --patch '{"data":{"registries-skipping-tag-resolving":"nvcr.io,index.docker.io"}}' -n knative-serving && break || sleep 15
+done
echo "Installing cert-manager ..."
kubectl create namespace cert-manager
|
mindee__doctr-123 | [docs] Enable documentation of multiple versions at once
As of now, the documentation that would be deployed publicly is only the latest version. The better alternative would be:
- having the latest version by default
- having the documentation of each release accessible as well using a displayed selector
Hugginface transformers did the following: https://github.com/huggingface/transformers/blob/master/.circleci/deploy.sh
| [
{
"content": "# Configuration file for the Sphinx documentation builder.\n#\n# This file only contains a selection of the most common options. For a full\n# list see the documentation:\n# https://www.sphinx-doc.org/en/master/usage/configuration.html\n\n# -- Path setup -------------------------------------------... | [
{
"content": "# Configuration file for the Sphinx documentation builder.\n#\n# This file only contains a selection of the most common options. For a full\n# list see the documentation:\n# https://www.sphinx-doc.org/en/master/usage/configuration.html\n\n# -- Path setup -------------------------------------------... | diff --git a/.github/workflows/doc-deploy.yaml b/.github/workflows/doc-deploy.yaml
index 6cccc30b57..498972adf1 100644
--- a/.github/workflows/doc-deploy.yaml
+++ b/.github/workflows/doc-deploy.yaml
@@ -31,8 +31,7 @@ jobs:
pip install -r docs/requirements.txt
- name: Build documentation
- run: |
- sphinx-build docs/source docs/_build -a
+ run: cd docs && bash build.sh
- name: Install SSH Client 🔑
uses: webfactory/ssh-agent@v0.4.1
@@ -43,7 +42,7 @@ jobs:
uses: JamesIves/github-pages-deploy-action@3.7.1
with:
BRANCH: gh-pages
- FOLDER: 'docs/_build'
+ FOLDER: 'docs/build'
COMMIT_MESSAGE: '[skip ci] Documentation updates'
CLEAN: true
SSH: true
diff --git a/.github/workflows/main.yml b/.github/workflows/main.yml
index d079c99e47..fbedf2c635 100644
--- a/.github/workflows/main.yml
+++ b/.github/workflows/main.yml
@@ -147,5 +147,4 @@ jobs:
pip install -r docs/requirements.txt
- name: Build documentation
- run: |
- sphinx-build docs/source docs/_build -a
+ run: cd docs && bash build.sh
diff --git a/docs/build.sh b/docs/build.sh
new file mode 100644
index 0000000000..2472f7171b
--- /dev/null
+++ b/docs/build.sh
@@ -0,0 +1,34 @@
+function deploy_doc(){
+ if [ ! -z "$1" ]
+ then
+ git checkout $1
+ fi
+ COMMIT=$(git rev-parse --short HEAD)
+ echo "Creating doc at commit" $COMMIT "and pushing to folder $2"
+ pip install -U ..
+ if [ ! -z "$2" ]
+ then
+ if [ "$2" == "latest" ]; then
+ echo "Pushing main"
+ sphinx-build source _build -a && mkdir build && mkdir build/$2 && cp -a _build/* build/$2/
+ elif ssh -oStrictHostKeyChecking=no $doc "[ -d build/$2 ]"; then
+ echo "Directory" $2 "already exists"
+ else
+ echo "Pushing version" $2
+ cp -r _static source/
+ sphinx-build source _build -a
+ mkdir build/$2 && cp -a _build/* build/$2/
+ fi
+ else
+ echo "Pushing stable"
+ cp -r _static source/
+ sphinx-build source build -a
+ fi
+}
+
+# You can find the commit for each tag on https://github.com/mindee/doctr/tags
+if [ -d build ]; then rm -Rf build; fi
+cp -r source/_static .
+deploy_doc "" latest
+deploy_doc "571af3dc" # v0.1.0 Latest stable release
+rm -rf _build _static
diff --git a/docs/source/_static/css/mindee.css b/docs/source/_static/css/mindee.css
index ff25fad37a..f3df619aa2 100644
--- a/docs/source/_static/css/mindee.css
+++ b/docs/source/_static/css/mindee.css
@@ -9,27 +9,27 @@
}
.version-button:hover, .version-button:focus {
- background-color: #bdbdbd;
+ background-color: #5eb2e6;
}
-
+
.version-dropdown {
display: none;
min-width: 160px;
overflow: auto;
font-size: 15px;
}
-
+
.version-dropdown a {
color: white;
padding: 3px 4px;
text-decoration: none;
display: block;
}
-
+
.version-dropdown a:hover {
- background-color: #bdbdbd;
+ background-color: #5eb2e6;
}
-
+
.version-show {
display: block;
}
diff --git a/docs/source/_static/js/custom.js b/docs/source/_static/js/custom.js
index 338ff97072..c837af7352 100644
--- a/docs/source/_static/js/custom.js
+++ b/docs/source/_static/js/custom.js
@@ -6,8 +6,9 @@
const stableVersion = "v0.1.0"
// Dictionary doc folder to label. The last stable version should have an empty key.
const versionMapping = {
- "main": "main",
+ "latest": "latest",
"": "v0.1.0 (stable)",
+ // "v0.1.1": "v0.1.1",
}
function addGithubButton() {
@@ -72,11 +73,12 @@ function addVersionControl() {
const div = document.createElement("div");
div.appendChild(versionButton);
div.appendChild(versionMenu);
- div.style.paddingTop = '25px';
+ div.style.paddingTop = '5px';
+ div.style.paddingBottom = '5px';
div.style.display = 'block';
div.style.textAlign = 'center';
- const scrollDiv = document.querySelector(".wy-side-scroll");
+ const scrollDiv = document.querySelector(".wy-side-nav-search");
scrollDiv.insertBefore(div, scrollDiv.children[1]);
}
@@ -91,7 +93,7 @@ function addVersionControl() {
function parseGithubButtons (){"use strict";var e=window.document,t=e.location,o=window.encodeURIComponent,r=window.decodeURIComponent,n=window.Math,a=window.HTMLElement,i=window.XMLHttpRequest,l="https://unpkg.com/github-buttons@2.2.10/dist/buttons.html",c=i&&i.prototype&&"withCredentials"in i.prototype,d=c&&a&&a.prototype.attachShadow&&!a.prototype.attachShadow.prototype,s=function(e,t,o){e.addEventListener?e.addEventListener(t,o):e.attachEvent("on"+t,o)},u=function(e,t,o){e.removeEventListener?e.removeEventListener(t,o):e.detachEvent("on"+t,o)},h=function(e,t,o){var r=function(n){return u(e,t,r),o(n)};s(e,t,r)},f=function(e,t,o){var r=function(n){if(t.test(e.readyState))return u(e,"readystatechange",r),o(n)};s(e,"readystatechange",r)},p=function(e){return function(t,o,r){var n=e.createElement(t);if(o)for(var a in o){var i=o[a];null!=i&&(null!=n[a]?n[a]=i:n.setAttribute(a,i))}if(r)for(var l=0,c=r.length;l<c;l++){var d=r[l];n.appendChild("string"==typeof d?e.createTextNode(d):d)}return n}},g=p(e),b=function(e){var t;return function(){t||(t=1,e.apply(this,arguments))}},m="body{margin:0}a{color:#24292e;text-decoration:none;outline:0}.octicon{display:inline-block;vertical-align:text-top;fill:currentColor}.widget{ display:inline-block;overflow:hidden;font-family:-apple-system, BlinkMacSystemFont, \"Segoe UI\", Helvetica, Arial, sans-serif;font-size:0;white-space:nowrap;-webkit-user-select:none;-moz-user-select:none;-ms-user-select:none;user-select:none}.btn,.social-count{display:inline-block;height:14px;padding:2px 5px;font-size:11px;font-weight:600;line-height:14px;vertical-align:bottom;cursor:pointer;border:1px solid #c5c9cc;border-radius:0.25em}.btn{background-color:#eff3f6;background-image:-webkit-linear-gradient(top, #fafbfc, #eff3f6 90%);background-image:-moz-linear-gradient(top, #fafbfc, #eff3f6 90%);background-image:linear-gradient(180deg, #fafbfc, #eff3f6 90%);background-position:-1px -1px;background-repeat:repeat-x;background-size:110% 110%;border-color:rgba(27,31,35,0.2);-ms-filter:\"progid:DXImageTransform.Microsoft.Gradient(startColorstr='#FFFAFBFC', endColorstr='#FFEEF2F5')\";*filter:progid:DXImageTransform.Microsoft.Gradient(startColorstr='#FFFAFBFC', endColorstr='#FFEEF2F5')}.btn:active{background-color:#e9ecef;background-image:none;border-color:#a5a9ac;border-color:rgba(27,31,35,0.35);box-shadow:inset 0 0.15em 0.3em rgba(27,31,35,0.15)}.btn:focus,.btn:hover{background-color:#e6ebf1;background-image:-webkit-linear-gradient(top, #f0f3f6, #e6ebf1 90%);background-image:-moz-linear-gradient(top, #f0f3f6, #e6ebf1 90%);background-image:linear-gradient(180deg, #f0f3f6, #e6ebf1 90%);border-color:#a5a9ac;border-color:rgba(27,31,35,0.35);-ms-filter:\"progid:DXImageTransform.Microsoft.Gradient(startColorstr='#FFF0F3F6', endColorstr='#FFE5EAF0')\";*filter:progid:DXImageTransform.Microsoft.Gradient(startColorstr='#FFF0F3F6', endColorstr='#FFE5EAF0')}.social-count{position:relative;margin-left:5px;background-color:#fff}.social-count:focus,.social-count:hover{color:#0366d6}.social-count b,.social-count i{position:absolute;top:50%;left:0;display:block;width:0;height:0;margin:-4px 0 0 -4px;border:solid transparent;border-width:4px 4px 4px 0;_line-height:0;_border-top-color:red !important;_border-bottom-color:red !important;_border-left-color:red !important;_filter:chroma(color=red)}.social-count b{border-right-color:#c5c9cc}.social-count i{margin-left:-3px;border-right-color:#fff}.lg .btn,.lg .social-count{height:16px;padding:5px 10px;font-size:12px;line-height:16px}.lg .social-count{margin-left:6px}.lg .social-count b,.lg .social-count i{margin:-5px 0 0 -5px;border-width:5px 5px 5px 0}.lg .social-count i{margin-left:-4px}\n",v={"mark-github":{width:16,height:16,path:'<path fill-rule="evenodd" d="M8 0C3.58 0 0 3.58 0 8c0 3.54 2.29 6.53 5.47 7.59.4.07.55-.17.55-.38 0-.19-.01-.82-.01-1.49-2.01.37-2.53-.49-2.69-.94-.09-.23-.48-.94-.82-1.13-.28-.15-.68-.52-.01-.53.63-.01 1.08.58 1.23.82.72 1.21 1.87.87 2.33.66.07-.52.28-.87.51-1.07-1.78-.2-3.64-.89-3.64-3.95 0-.87.31-1.59.82-2.15-.08-.2-.36-1.02.08-2.12 0 0 .67-.21 2.2.82.64-.18 1.32-.27 2-.27.68 0 1.36.09 2 .27 1.53-1.04 2.2-.82 2.2-.82.44 1.1.16 1.92.08 2.12.51.56.82 1.27.82 2.15 0 3.07-1.87 3.75-3.65 3.95.29.25.54.73.54 1.48 0 1.07-.01 1.93-.01 2.2 0 .21.15.46.55.38A8.013 8.013 0 0 0 16 8c0-4.42-3.58-8-8-8z"/>'},eye:{width:16,height:16,path:'<path fill-rule="evenodd" d="M8.06 2C3 2 0 8 0 8s3 6 8.06 6C13 14 16 8 16 8s-3-6-7.94-6zM8 12c-2.2 0-4-1.78-4-4 0-2.2 1.8-4 4-4 2.22 0 4 1.8 4 4 0 2.22-1.78 4-4 4zm2-4c0 1.11-.89 2-2 2-1.11 0-2-.89-2-2 0-1.11.89-2 2-2 1.11 0 2 .89 2 2z"/>'},star:{width:14,height:16,path:'<path fill-rule="evenodd" d="M14 6l-4.9-.64L7 1 4.9 5.36 0 6l3.6 3.26L2.67 14 7 11.67 11.33 14l-.93-4.74L14 6z"/>'},"repo-forked":{width:10,height:16,path:'<path fill-rule="evenodd" d="M8 1a1.993 1.993 0 0 0-1 3.72V6L5 8 3 6V4.72A1.993 1.993 0 0 0 2 1a1.993 1.993 0 0 0-1 3.72V6.5l3 3v1.78A1.993 1.993 0 0 0 5 15a1.993 1.993 0 0 0 1-3.72V9.5l3-3V4.72A1.993 1.993 0 0 0 8 1zM2 4.2C1.34 4.2.8 3.65.8 3c0-.65.55-1.2 1.2-1.2.65 0 1.2.55 1.2 1.2 0 .65-.55 1.2-1.2 1.2zm3 10c-.66 0-1.2-.55-1.2-1.2 0-.65.55-1.2 1.2-1.2.65 0 1.2.55 1.2 1.2 0 .65-.55 1.2-1.2 1.2zm3-10c-.66 0-1.2-.55-1.2-1.2 0-.65.55-1.2 1.2-1.2.65 0 1.2.55 1.2 1.2 0 .65-.55 1.2-1.2 1.2z"/>'},"issue-opened":{width:14,height:16,path:'<path fill-rule="evenodd" d="M7 2.3c3.14 0 5.7 2.56 5.7 5.7s-2.56 5.7-5.7 5.7A5.71 5.71 0 0 1 1.3 8c0-3.14 2.56-5.7 5.7-5.7zM7 1C3.14 1 0 4.14 0 8s3.14 7 7 7 7-3.14 7-7-3.14-7-7-7zm1 3H6v5h2V4zm0 6H6v2h2v-2z"/>'},"cloud-download":{width:16,height:16,path:'<path fill-rule="evenodd" d="M9 12h2l-3 3-3-3h2V7h2v5zm3-8c0-.44-.91-3-4.5-3C5.08 1 3 2.92 3 5 1.02 5 0 6.52 0 8c0 1.53 1 3 3 3h3V9.7H3C1.38 9.7 1.3 8.28 1.3 8c0-.17.05-1.7 1.7-1.7h1.3V5c0-1.39 1.56-2.7 3.2-2.7 2.55 0 3.13 1.55 3.2 1.8v1.2H12c.81 0 2.7.22 2.7 2.2 0 2.09-2.25 2.2-2.7 2.2h-2V11h2c2.08 0 4-1.16 4-3.5C16 5.06 14.08 4 12 4z"/>'}},w={},x=function(e,t,o){var r=p(e.ownerDocument),n=e.appendChild(r("style",{type:"text/css"}));n.styleSheet?n.styleSheet.cssText=m:n.appendChild(e.ownerDocument.createTextNode(m));var a,l,d=r("a",{className:"btn",href:t.href,target:"_blank",innerHTML:(a=t["data-icon"],l=/^large$/i.test(t["data-size"])?16:14,a=(""+a).toLowerCase().replace(/^octicon-/,""),{}.hasOwnProperty.call(v,a)||(a="mark-github"),'<svg version="1.1" width="'+l*v[a].width/v[a].height+'" height="'+l+'" viewBox="0 0 '+v[a].width+" "+v[a].height+'" class="octicon octicon-'+a+'" aria-hidden="true">'+v[a].path+"</svg>"),"aria-label":t["aria-label"]||void 0},[" ",r("span",{},[t["data-text"]||""])]);/\.github\.com$/.test("."+d.hostname)?/^https?:\/\/((gist\.)?github\.com\/[^\/?#]+\/[^\/?#]+\/archive\/|github\.com\/[^\/?#]+\/[^\/?#]+\/releases\/download\/|codeload\.github\.com\/)/.test(d.href)&&(d.target="_top"):(d.href="#",d.target="_self");var u,h,g,x,y=e.appendChild(r("div",{className:"widget"+(/^large$/i.test(t["data-size"])?" lg":"")},[d]));/^(true|1)$/i.test(t["data-show-count"])&&"github.com"===d.hostname&&(u=d.pathname.replace(/^(?!\/)/,"/").match(/^\/([^\/?#]+)(?:\/([^\/?#]+)(?:\/(?:(subscription)|(fork)|(issues)|([^\/?#]+)))?)?(?:[\/?#]|$)/))&&!u[6]?(u[2]?(h="/repos/"+u[1]+"/"+u[2],u[3]?(x="subscribers_count",g="watchers"):u[4]?(x="forks_count",g="network"):u[5]?(x="open_issues_count",g="issues"):(x="stargazers_count",g="stargazers")):(h="/users/"+u[1],g=x="followers"),function(e,t){var o=w[e]||(w[e]=[]);if(!(o.push(t)>1)){var r=b(function(){for(delete w[e];t=o.shift();)t.apply(null,arguments)});if(c){var n=new i;s(n,"abort",r),s(n,"error",r),s(n,"load",function(){var e;try{e=JSON.parse(n.responseText)}catch(e){return void r(e)}r(200!==n.status,e)}),n.open("GET",e),n.send()}else{var a=this||window;a._=function(e){a._=null,r(200!==e.meta.status,e.data)};var l=p(a.document)("script",{async:!0,src:e+(/\?/.test(e)?"&":"?")+"callback=_"}),d=function(){a._&&a._({meta:{}})};s(l,"load",d),s(l,"error",d),l.readyState&&f(l,/de|m/,d),a.document.getElementsByTagName("head")[0].appendChild(l)}}}.call(this,"https://api.github.com"+h,function(e,t){if(!e){var n=t[x];y.appendChild(r("a",{className:"social-count",href:t.html_url+"/"+g,target:"_blank","aria-label":n+" "+x.replace(/_count$/,"").replace("_"," ").slice(0,n<2?-1:void 0)+" on GitHub"},[r("b"),r("i"),r("span",{},[(""+n).replace(/\B(?=(\d{3})+(?!\d))/g,",")])]))}o&&o(y)})):o&&o(y)},y=window.devicePixelRatio||1,C=function(e){return(y>1?n.ceil(n.round(e*y)/y*2)/2:n.ceil(e))||0},F=function(e,t){e.style.width=t[0]+"px",e.style.height=t[1]+"px"},k=function(t,r){if(null!=t&&null!=r)if(t.getAttribute&&(t=function(e){for(var t={href:e.href,title:e.title,"aria-label":e.getAttribute("aria-label")},o=["icon","text","size","show-count"],r=0,n=o.length;r<n;r++){var a="data-"+o[r];t[a]=e.getAttribute(a)}return null==t["data-text"]&&(t["data-text"]=e.textContent||e.innerText),t}(t)),d){var a=g("span",{title:t.title||void 0});x(a.attachShadow({mode:"closed"}),t,function(){r(a)})}else{var i=g("iframe",{src:"javascript:0",title:t.title||void 0,allowtransparency:!0,scrolling:"no",frameBorder:0});F(i,[0,0]),i.style.border="none";var c=function(){var a,d=i.contentWindow;try{a=d.document.body}catch(t){return void e.body.appendChild(i.parentNode.removeChild(i))}u(i,"load",c),x.call(d,a,t,function(e){var a=function(e){var t=e.offsetWidth,o=e.offsetHeight;if(e.getBoundingClientRect){var r=e.getBoundingClientRect();t=n.max(t,C(r.width)),o=n.max(o,C(r.height))}return[t,o]}(e);i.parentNode.removeChild(i),h(i,"load",function(){F(i,a)}),i.src=l+"#"+(i.name=function(e){var t=[];for(var r in e){var n=e[r];null!=n&&t.push(o(r)+"="+o(n))}return t.join("&")}(t)),r(i)})};s(i,"load",c),e.body.appendChild(i)}};t.protocol+"//"+t.host+t.pathname===l?x(e.body,function(e){for(var t={},o=e.split("&"),n=0,a=o.length;n<a;n++){var i=o[n];if(""!==i){var l=i.split("=");t[r(l[0])]=null!=l[1]?r(l.slice(1).join("=")):void 0}}return t}(window.name||t.hash.replace(/^#/,""))):function(t){if(/m/.test(e.readyState)||!/g/.test(e.readyState)&&!e.documentElement.doScroll)setTimeout(t);else if(e.addEventListener){var o=b(t);h(e,"DOMContentLoaded",o),h(window,"load",o)}else f(e,/m/,t)}(function(){for(var t=e.querySelectorAll?e.querySelectorAll("a.github-button"):function(){for(var t=[],o=e.getElementsByTagName("a"),r=0,n=o.length;r<n;r++)~(" "+o[r].className+" ").replace(/[ \t\n\f\r]+/g," ").indexOf(" github-button ")&&t.push(o[r]);return t}(),o=0,r=t.length;o<r;o++)!function(e){k(e,function(t){e.parentNode.replaceChild(t,e)})}(t[o])})};
function onLoad() {
- // addVersionControl();
+ addVersionControl();
addGithubButton();
parseGithubButtons();
}
diff --git a/docs/source/conf.py b/docs/source/conf.py
index 4efdcad267..45ed8b4c33 100644
--- a/docs/source/conf.py
+++ b/docs/source/conf.py
@@ -73,7 +73,7 @@
#
html_theme_options = {
'collapse_navigation': False,
- 'display_version': True,
+ 'display_version': False,
'logo_only': False,
}
|
rasterio__rasterio-892 | Decimated read result differs depending on GDAL version
```
$ rio insp tests/data/alpha_masked_values.tif
Rasterio 1.0a1 Interactive Inspector (Python 3.5.1)
Type "src.meta", "src.read(1)", or "help(src)" for more information.
>>> src.read(4, out_shape=(19, 19), masked=False)[-2:, 0:5]
array([[ 0, 0, 0, 255, 0],
[255, 255, 255, 255, 0]], dtype=uint8)
>>> rasterio.__version__
'1.0a1'
>>> rasterio.__gdal_version__
'1.11.5'
```
versus
```
$ rio insp tests/data/alpha_masked_values.tif
Rasterio 1.0a1 Interactive Inspector (Python 3.5.1)
Type "src.meta", "src.read(1)", or "help(src)" for more information.
>>> src.read(4, out_shape=(19, 19), masked=False)[-2:, 0:5]
array([[ 0, 0, 32, 64, 0],
[255, 255, 255, 255, 0]], dtype=uint8)
>>> rasterio.__version__
'1.0a1'
>>> rasterio.__gdal_version__
'2.1.1'
```
I'll start a new branch with a similar test so we can put it through the travis build matrix.
cc @dnomadb @sgillies
| [
{
"content": "\"\"\"Rasterio's GDAL/AWS environment\"\"\"\n\nimport logging\n\nfrom rasterio._drivers import (\n GDALEnv, del_gdal_config, get_gdal_config, set_gdal_config)\nfrom rasterio.dtypes import check_dtype\nfrom rasterio.errors import EnvError\nfrom rasterio.compat import string_types\nfrom rasterio.... | [
{
"content": "\"\"\"Rasterio's GDAL/AWS environment\"\"\"\n\nimport logging\n\nfrom rasterio._drivers import (\n GDALEnv, del_gdal_config, get_gdal_config, set_gdal_config)\nfrom rasterio.dtypes import check_dtype\nfrom rasterio.errors import EnvError\nfrom rasterio.compat import string_types\nfrom rasterio.... | diff --git a/rasterio/env.py b/rasterio/env.py
index 0191a2f8a..64c77e176 100644
--- a/rasterio/env.py
+++ b/rasterio/env.py
@@ -18,7 +18,8 @@
# Rasterio defaults
default_options = {
- 'CHECK_WITH_INVERT_PROJ': True
+ 'CHECK_WITH_INVERT_PROJ': True,
+ 'GTIFF_IMPLICIT_JPEG_OVR': False
}
class Env(object):
|
jazzband__pip-tools-28 | pip-review should compare version, not test equality
```
$ pip-review
pelican==3.0.1 is available (you have 3.1)
```
I'm locally testing this package, and `pip-review` will just test if current installed version is the same as the latest version in `pip`. Which causes problem as shown above.
| [
{
"content": "\"\"\"\npip-tools keeps your pinned dependencies fresh.\n\"\"\"\nimport sys\nfrom setuptools import setup\n\n\ndef get_dependencies():\n deps = []\n if sys.version_info < (2, 7):\n deps += ['argparse']\n return deps\n\n\nsetup(\n name='pip-tools',\n version='0.2.1',\n url=... | [
{
"content": "\"\"\"\npip-tools keeps your pinned dependencies fresh.\n\"\"\"\nimport sys\nfrom setuptools import setup\n\n\ndef get_dependencies():\n deps = ['verlib']\n if sys.version_info < (2, 7):\n deps += ['argparse']\n return deps\n\n\nsetup(\n name='pip-tools',\n version='0.2.1',\n... | diff --git a/bin/pip-review b/bin/pip-review
index 165e97a17..cd541562b 100755
--- a/bin/pip-review
+++ b/bin/pip-review
@@ -7,6 +7,7 @@ import logging
import urllib2
import json
from urllib2 import HTTPError
+from verlib import NormalizedVersion, suggest_normalized_version
try:
from subprocess import check_ouput as _check_ouput
except ImportError:
@@ -22,6 +23,10 @@ except ImportError:
raise error
return output
+
+class InvalidVersion(ValueError): pass
+
+
check_output = partial(_check_output, shell=True)
@@ -53,6 +58,21 @@ def get_pkg_info(pkg_name):
else:
raise ValueError('Package %r not found on PyPI.' % (pkg_name,))
+
+def validate_version(pkg_name, version):
+ rversion = suggest_normalized_version(version)
+ if rversion is None:
+ raise InvalidVersion('Cannot work with {name}=={version} because version '
+ 'number can\'t be normalized.'.format(name=pkg_name,
+ version=version))
+ if rversion != version:
+ logging.warning('Package "{name}" has wrong version. '
+ 'It was transformed from {vfrom} into {vto} '
+ 'for interoperability.'.format(name=pkg_name,
+ vfrom=version,
+ vto=rversion))
+ return NormalizedVersion(rversion)
+
def latest_version(pkg_name, silent=False):
try:
@@ -62,7 +82,7 @@ def latest_version(pkg_name, silent=False):
return None
else:
raise
- return info['info']['version']
+ return validate_version(pkg_name, info['info']['version'])
def get_latest_versions(pkg_names):
@@ -85,7 +105,12 @@ def get_installed_pkgs():
yield name, 'dev', True
else:
name, version = line.split('==')
- yield name, version, False
+ try:
+ version = validate_version(name, version)
+ except InvalidVersion as e:
+ logging.error(e)
+ else:
+ yield name, version, False
def setup_logging(verbose):
@@ -159,22 +184,23 @@ def main():
if latest_version is None:
logging.warning('No update information found for %s' % (pkg,))
all_ok = False
- elif latest_version != installed_version:
- if args.raw:
- logging.info('%s==%s' % (pkg, latest_version))
- else:
- if args.auto:
- update_pkg(pkg, latest_version)
+ else:
+ if latest_version > installed_version:
+ if args.raw:
+ logging.info('%s==%s' % (pkg, latest_version))
else:
- logging.info('%s==%s is available (you have %s)' % (pkg,
- latest_version, installed_version))
- if args.interactive:
- answer = ask_to_install()
- if answer in ['y', 'a']:
- update_pkg(pkg, latest_version)
- all_ok = False
- elif not args.raw:
- logging.debug('%s==%s is up-to-date' % (pkg, installed_version))
+ if args.auto:
+ update_pkg(pkg, latest_version)
+ else:
+ logging.info('%s==%s is available (you have %s)' % (pkg,
+ latest_version, installed_version))
+ if args.interactive:
+ answer = ask_to_install()
+ if answer in ['y', 'a']:
+ update_pkg(pkg, latest_version)
+ all_ok = False
+ elif not args.raw:
+ logging.debug('%s==%s is up-to-date' % (pkg, installed_version))
if all_ok and not args.raw:
logging.info('Everything up-to-date')
diff --git a/setup.py b/setup.py
index f61e3cfaa..1238487e9 100644
--- a/setup.py
+++ b/setup.py
@@ -6,7 +6,7 @@
def get_dependencies():
- deps = []
+ deps = ['verlib']
if sys.version_info < (2, 7):
deps += ['argparse']
return deps
|
facebookresearch__habitat-lab-66 | Mistake in Agent class' docs
Agent's class docs string states that user has to implement 2 methods: `reset` and `step`. However, If I understood correctly, there's no method named `step` and there is method `act` instead. This is quite tiny issue but still.
https://github.com/facebookresearch/habitat-api/blob/c7443c39c5186e517d8a4b7c87a1b42106e4e77a/habitat/core/agent.py#L10-L17
| [
{
"content": "#!/usr/bin/env python3\n\n# Copyright (c) Facebook, Inc. and its affiliates.\n# This source code is licensed under the MIT license found in the\n# LICENSE file in the root directory of this source tree.\n\nfrom habitat.core.simulator import Observations\n\n\nclass Agent:\n \"\"\"Abstract class ... | [
{
"content": "#!/usr/bin/env python3\n\n# Copyright (c) Facebook, Inc. and its affiliates.\n# This source code is licensed under the MIT license found in the\n# LICENSE file in the root directory of this source tree.\n\nfrom habitat.core.simulator import Observations\n\n\nclass Agent:\n \"\"\"Abstract class ... | diff --git a/habitat/core/agent.py b/habitat/core/agent.py
index eab2c4395e..bb39009207 100644
--- a/habitat/core/agent.py
+++ b/habitat/core/agent.py
@@ -13,7 +13,7 @@ class standardizes agents to allow seamless benchmarking. To implement an
agent the user has to implement two methods:
reset
- step
+ act
"""
def reset(self) -> None:
|
google-parfait__tensorflow-federated-1748 | Error in loading the GLDv2 dataset
Hello! Thanks for the fantastic library. I have run into an error while loading the GLDv2 dataset via TFF.
Please see the snippet below:
```
>>> import tensorflow_federated as tff
>>> dataset = tff.simulation.datasets.gldv2.load_data()
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "/path/to/python3.8/site-packages/tensorflow_federated/python/simulation/datasets/gldv2.py", line 396, in load_data
qh = logging.handlers.QueueHandler(q)
AttributeError: module 'logging' has no attribute 'handlers'
```
## The root cause of this error
The error appears to be because of a missing import in `gldv2.py`. We can isolate this error to the following lines which occur within `gldv2.py`. Compare this snippet which does not work
```
>>> import logging, multiprocessing
>>> q = multiprocessing.Queue(-1)
>>> qh = logging.handlers.QueueHandler(q)
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
AttributeError: module 'logging' has no attribute 'handlers'
```
to this one which does
```
>>> import logging, multiprocessing
>>> import logging.handlers # Add this import statement
>>> q = multiprocessing.Queue(-1)
>>> qh = logging.handlers.QueueHandler(q) # works!
```
## Fixing the error
Adding an import statement `import logging.handlers` in `gldv2.py` fixes the issue -- I've tested this out locally. I can send a pull request.
**Environment (please complete the following information):**
* OS Platform and Distribution: Ubuntu 20.04
* Python package versions (e.g., TensorFlow Federated, TensorFlow): TFF: 0.19.0 and TF: 2.5.0. The same error also occurs in the nightly version: TFF: 0.19.0.dev20210821 and TF: 2.7.0-dev20210822.
* Python version: 3.8
* Bazel version (if building from source): N/A (installed via pip)
* CUDA/cuDNN version: N/A
* What TensorFlow Federated execution stack are you using? simulation
**Expected behavior**
I expect the data to be loaded correctly.
| [
{
"content": "# Copyright 2020, The TensorFlow Federated Authors.\n#\n# Licensed under the Apache License, Version 2.0 (the \"License\");\n# you may not use this file except in compliance with the License.\n# You may obtain a copy of the License at\n#\n# http://www.apache.org/licenses/LICENSE-2.0\n#\n# Unl... | [
{
"content": "# Copyright 2020, The TensorFlow Federated Authors.\n#\n# Licensed under the Apache License, Version 2.0 (the \"License\");\n# you may not use this file except in compliance with the License.\n# You may obtain a copy of the License at\n#\n# http://www.apache.org/licenses/LICENSE-2.0\n#\n# Unl... | diff --git a/tensorflow_federated/python/simulation/datasets/gldv2.py b/tensorflow_federated/python/simulation/datasets/gldv2.py
index ac782fb409..ec76f69466 100644
--- a/tensorflow_federated/python/simulation/datasets/gldv2.py
+++ b/tensorflow_federated/python/simulation/datasets/gldv2.py
@@ -15,6 +15,7 @@
import collections
import logging
+import logging.handlers
import multiprocessing.pool
import os
import shutil
|
open-mmlab__mmsegmentation-77 | CUDA error: an illegal memory access was encountered
```python
sys.platform: linux
Python: 3.7.7 (default, May 7 2020, 21:25:33) [GCC 7.3.0]
CUDA available: True
CUDA_HOME: /usr/local/cuda
NVCC: Cuda compilation tools, release 10.0, V10.0.130
GPU 0,1: GeForce GTX 1080 Ti
GCC: gcc (Ubuntu 7.5.0-3ubuntu1~18.04) 7.5.0
PyTorch: 1.4.0
PyTorch compiling details: PyTorch built with:
- GCC 7.3
- Intel(R) Math Kernel Library Version 2020.0.1 Product Build 20200208 for Intel(R) 64 architecture applications
- Intel(R) MKL-DNN v0.21.1 (Git Hash 7d2fd500bc78936d1d648ca713b901012f470dbc)
- OpenMP 201511 (a.k.a. OpenMP 4.5)
- NNPACK is enabled
- CUDA Runtime 10.0
- NVCC architecture flags: -gencode;arch=compute_37,code=sm_37;-gencode;arch=compute_50,code=sm_50;-gencode;arch=compute_60,code=sm_60;-gencode;arch=compute_61,code=sm_61;-gencode;arch=compute_70,code=sm_70;-gencode;arch=compute_75,code=sm_75;-gencode;arch=compute_37,code=compute_37
- CuDNN 7.6.3
- Magma 2.5.1
- Build settings: BLAS=MKL, BUILD_NAMEDTENSOR=OFF, BUILD_TYPE=Release, CXX_FLAGS= -Wno-deprecated -fvisibility-inlines-hidden -fopenmp -DUSE_FBGEMM -DUSE_QNNPACK -DUSE_PYTORCH_QNNPACK -O2 -fPIC -Wno-narrowing -Wall -Wextra -Wno-missing-field-initializers -Wno-type-limits -Wno-array-bounds -Wno-unknown-pragmas -Wno-sign-compare -Wno-unused-parameter -Wno-unused-variable -Wno-unused-function -Wno-unused-result -Wno-strict-overflow -Wno-strict-aliasing -Wno-error=deprecated-declarations -Wno-stringop-overflow -Wno-error=pedantic -Wno-error=redundant-decls -Wno-error=old-style-cast -fdiagnostics-color=always -faligned-new -Wno-unused-but-set-variable -Wno-maybe-uninitialized -fno-math-errno -fno-trapping-math -Wno-stringop-overflow, DISABLE_NUMA=1, PERF_WITH_AVX=1, PERF_WITH_AVX2=1, PERF_WITH_AVX512=1, USE_CUDA=ON, USE_EXCEPTION_PTR=1, USE_GFLAGS=OFF, USE_GLOG=OFF, USE_MKL=ON, USE_MKLDNN=ON, USE_MPI=OFF, USE_NCCL=ON, USE_NNPACK=ON, USE_OPENMP=ON, USE_STATIC_DISPATCH=OFF,
TorchVision: 0.5.0
OpenCV: 4.2.0
MMCV: 1.0.4
MMSegmentation: 0.5.0+b57fb2b
MMCV Compiler: GCC 7.5
MMCV CUDA Compiler: 10.0
```
Error was encountered during training process with condfigs:
```python
Config:
norm_cfg = dict(type='BN', requires_grad=True)
model = dict(
type='EncoderDecoder',
pretrained='open-mmlab://resnet50_v1c',
backbone=dict(
type='ResNetV1c',
depth=50,
num_stages=4,
out_indices=(0, 1, 2, 3),
dilations=(1, 1, 2, 4),
strides=(1, 2, 1, 1),
norm_cfg=dict(type='BN', requires_grad=True),
norm_eval=False,
style='pytorch',
contract_dilation=True),
decode_head=dict(
type='PSPHead',
in_channels=2048,
in_index=3,
channels=512,
pool_scales=(1, 2, 3, 6),
dropout_ratio=0.1,
num_classes=9,
norm_cfg=dict(type='BN', requires_grad=True),
align_corners=False,
loss_decode=dict(
type='CrossEntropyLoss', use_sigmoid=False, loss_weight=1.0)),
auxiliary_head=dict(
type='FCNHead',
in_channels=1024,
in_index=2,
channels=256,
num_convs=1,
concat_input=False,
dropout_ratio=0.1,
num_classes=9,
norm_cfg=dict(type='BN', requires_grad=True),
align_corners=False,
loss_decode=dict(
type='CrossEntropyLoss', use_sigmoid=False, loss_weight=0.4)))
train_cfg = dict()
test_cfg = dict(mode='whole')
dataset_type = 'Aircraft'
data_root = '/mmdetection_aircraft/data/segm2/'
img_norm_cfg = dict(
mean=[123.675, 116.28, 103.53], std=[58.395, 57.12, 57.375], to_rgb=True)
crop_size = (512, 512)
train_pipeline = [
dict(type='LoadImageFromFile'),
dict(type='LoadAnnotations'),
dict(type='Resize', img_scale=(640, 480), ratio_range=(0.5, 2.0)),
dict(type='RandomCrop', crop_size=(512, 512), cat_max_ratio=0.75),
dict(type='RandomFlip', flip_ratio=0.5),
dict(type='PhotoMetricDistortion'),
dict(
type='Normalize',
mean=[123.675, 116.28, 103.53],
std=[58.395, 57.12, 57.375],
to_rgb=True),
dict(type='Pad', size=(512, 512), pad_val=0, seg_pad_val=255),
dict(type='DefaultFormatBundle'),
dict(type='Collect', keys=['img', 'gt_semantic_seg'])
]
test_pipeline = [
dict(type='LoadImageFromFile'),
dict(
type='MultiScaleFlipAug',
img_scale=(640, 480),
flip=False,
transforms=[
dict(type='Resize', keep_ratio=True),
dict(type='RandomFlip'),
dict(
type='Normalize',
mean=[123.675, 116.28, 103.53],
std=[58.395, 57.12, 57.375],
to_rgb=True),
dict(type='ImageToTensor', keys=['img']),
dict(type='Collect', keys=['img'])
])
]
data = dict(
samples_per_gpu=2,
workers_per_gpu=1,
train=dict(
type='Aircraft',
data_root='/mmdetection_aircraft/data/segm2/',
img_dir='JPEGImages',
ann_dir='PaletteClass',
pipeline=[
dict(type='LoadImageFromFile'),
dict(type='LoadAnnotations'),
dict(type='Resize', img_scale=(640, 480), ratio_range=(0.5, 2.0)),
dict(type='RandomCrop', crop_size=(512, 512), cat_max_ratio=0.75),
dict(type='RandomFlip', flip_ratio=0.5),
dict(type='PhotoMetricDistortion'),
dict(
type='Normalize',
mean=[123.675, 116.28, 103.53],
std=[58.395, 57.12, 57.375],
to_rgb=True),
dict(type='Pad', size=(512, 512), pad_val=0, seg_pad_val=255),
dict(type='DefaultFormatBundle'),
dict(type='Collect', keys=['img', 'gt_semantic_seg'])
],
split='train.txt'),
val=dict(
type='Aircraft',
data_root='/mmdetection_aircraft/data/segm2/',
img_dir='JPEGImages',
ann_dir='PaletteClass',
pipeline=[
dict(type='LoadImageFromFile'),
dict(
type='MultiScaleFlipAug',
img_scale=(640, 480),
flip=False,
transforms=[
dict(type='Resize', keep_ratio=True),
dict(type='RandomFlip'),
dict(
type='Normalize',
mean=[123.675, 116.28, 103.53],
std=[58.395, 57.12, 57.375],
to_rgb=True),
dict(type='ImageToTensor', keys=['img']),
dict(type='Collect', keys=['img'])
])
],
split='val.txt'),
test=dict(
type='Aircraft',
data_root='/mmdetection_aircraft/data/segm2/',
img_dir='JPEGImages',
ann_dir='PaletteClass',
pipeline=[
dict(type='LoadImageFromFile'),
dict(
type='MultiScaleFlipAug',
img_scale=(640, 480),
flip=False,
transforms=[
dict(type='Resize', keep_ratio=True),
dict(type='RandomFlip'),
dict(
type='Normalize',
mean=[123.675, 116.28, 103.53],
std=[58.395, 57.12, 57.375],
to_rgb=True),
dict(type='ImageToTensor', keys=['img']),
dict(type='Collect', keys=['img'])
])
],
split='val.txt'))
log_config = dict(
interval=1, hooks=[dict(type='TextLoggerHook', by_epoch=False)])
dist_params = dict(backend='nccl')
log_level = 'INFO'
load_from = 'checkpoints/pspnet_r50-d8_512x1024_40k_cityscapes_20200605_003338-2966598c.pth'
resume_from = None
workflow = [('train', 1)]
cudnn_benchmark = True
optimizer = dict(type='SGD', lr=0.01, momentum=0.9, weight_decay=0.0005)
optimizer_config = dict()
lr_config = dict(policy='poly', power=0.9, min_lr=0.0001, by_epoch=False)
total_iters = 400
checkpoint_config = dict(by_epoch=False, interval=200)
evaluation = dict(interval=1, metric='mIoU')
work_dir = './work_dirs/pspnet'
seed = 0
gpu_ids = [1]
```
The script take an approximately 4-5GB of GPU from 11GB available and return this error:
#ERROR
```python
---------------------------------------------------------------------------
RuntimeError Traceback (most recent call last)
<ipython-input-8-fec2661e1f4c> in <module>
16 mmcv.mkdir_or_exist(osp.abspath(cfg.work_dir))
17 train_segmentor(model, datasets, cfg, distributed=False, validate=True,
---> 18 meta=dict())
~/mmsegmentation/mmseg/apis/train.py in train_segmentor(model, dataset, cfg, distributed, validate, timestamp, meta)
104 elif cfg.load_from:
105 runner.load_checkpoint(cfg.load_from)
--> 106 runner.run(data_loaders, cfg.workflow, cfg.total_iters)
~/miniconda3/envs/open-mmlab/lib/python3.7/site-packages/mmcv/runner/iter_based_runner.py in run(self, data_loaders, workflow, max_iters, **kwargs)
117 if mode == 'train' and self.iter >= max_iters:
118 break
--> 119 iter_runner(iter_loaders[i], **kwargs)
120
121 time.sleep(1) # wait for some hooks like loggers to finish
~/miniconda3/envs/open-mmlab/lib/python3.7/site-packages/mmcv/runner/iter_based_runner.py in train(self, data_loader, **kwargs)
53 self.call_hook('before_train_iter')
54 data_batch = next(data_loader)
---> 55 outputs = self.model.train_step(data_batch, self.optimizer, **kwargs)
56 if not isinstance(outputs, dict):
57 raise TypeError('model.train_step() must return a dict')
~/miniconda3/envs/open-mmlab/lib/python3.7/site-packages/mmcv/parallel/data_parallel.py in train_step(self, *inputs, **kwargs)
29
30 inputs, kwargs = self.scatter(inputs, kwargs, self.device_ids)
---> 31 return self.module.train_step(*inputs[0], **kwargs[0])
32
33 def val_step(self, *inputs, **kwargs):
~/mmsegmentation/mmseg/models/segmentors/base.py in train_step(self, data_batch, optimizer, **kwargs)
150 #data_batch['gt_semantic_seg'] = data_batch['gt_semantic_seg'][:,:,:,:,0]
151 #print(data_batch['gt_semantic_seg'].shape)
--> 152 losses = self.forward_train(**data_batch, **kwargs)
153 loss, log_vars = self._parse_losses(losses)
154
~/mmsegmentation/mmseg/models/segmentors/encoder_decoder.py in forward_train(self, img, img_metas, gt_semantic_seg)
155
156 loss_decode = self._decode_head_forward_train(x, img_metas,
--> 157 gt_semantic_seg)
158 losses.update(loss_decode)
159
~/mmsegmentation/mmseg/models/segmentors/encoder_decoder.py in _decode_head_forward_train(self, x, img_metas, gt_semantic_seg)
99 loss_decode = self.decode_head.forward_train(x, img_metas,
100 gt_semantic_seg,
--> 101 self.train_cfg)
102
103 losses.update(add_prefix(loss_decode, 'decode'))
~/mmsegmentation/mmseg/models/decode_heads/decode_head.py in forward_train(self, inputs, img_metas, gt_semantic_seg, train_cfg)
184 """
185 seg_logits = self.forward(inputs)
--> 186 losses = self.losses(seg_logits, gt_semantic_seg)
187 return losses
188
~/miniconda3/envs/open-mmlab/lib/python3.7/site-packages/mmcv/runner/fp16_utils.py in new_func(*args, **kwargs)
162 'method of nn.Module')
163 if not (hasattr(args[0], 'fp16_enabled') and args[0].fp16_enabled):
--> 164 return old_func(*args, **kwargs)
165 # get the arg spec of the decorated method
166 args_info = getfullargspec(old_func)
~/mmsegmentation/mmseg/models/decode_heads/decode_head.py in losses(self, seg_logit, seg_label)
229 seg_label,
230 weight=seg_weight,
--> 231 ignore_index=self.ignore_index)
232 loss['acc_seg'] = accuracy(seg_logit, seg_label)
233 return loss
~/miniconda3/envs/open-mmlab/lib/python3.7/site-packages/torch/nn/modules/module.py in __call__(self, *input, **kwargs)
530 result = self._slow_forward(*input, **kwargs)
531 else:
--> 532 result = self.forward(*input, **kwargs)
533 for hook in self._forward_hooks.values():
534 hook_result = hook(self, input, result)
~/mmsegmentation/mmseg/models/losses/cross_entropy_loss.py in forward(self, cls_score, label, weight, avg_factor, reduction_override, **kwargs)
175 class_weight=class_weight,
176 reduction=reduction,
--> 177 avg_factor=avg_factor)
178 return loss_cls
~/mmsegmentation/mmseg/models/losses/cross_entropy_loss.py in cross_entropy(pred, label, weight, class_weight, reduction, avg_factor, ignore_index)
28 weight = weight.float()
29 loss = weight_reduce_loss(
---> 30 loss, weight=weight, reduction=reduction, avg_factor=avg_factor)
31
32 return loss
~/mmsegmentation/mmseg/models/losses/utils.py in weight_reduce_loss(loss, weight, reduction, avg_factor)
45 # if avg_factor is not specified, just reduce the loss
46 if avg_factor is None:
---> 47 loss = reduce_loss(loss, reduction)
48 else:
49 # if reduction is mean, then average the loss by avg_factor
~/mmsegmentation/mmseg/models/losses/utils.py in reduce_loss(loss, reduction)
19 return loss
20 elif reduction_enum == 1:
---> 21 return loss.mean()
22 elif reduction_enum == 2:
23 return loss.sum()
RuntimeError: CUDA error: an illegal memory access was encountered
```
But if i reduce the size the image size twice with the same images per GPU (2) ,script takes approxiamtely 2GB from GPU and everything works fine.
Also,i want to add that using another PyTorch script with my own Dataloader i'm able to fill in GPU on full (11GB) by training process with the same Torch version and the same hardware.
| [
{
"content": "import mmcv\n\nfrom .version import __version__, version_info\n\nMMCV_MIN = '1.0.5'\nMMCV_MAX = '1.0.5'\n\n\ndef digit_version(version_str):\n digit_version = []\n for x in version_str.split('.'):\n if x.isdigit():\n digit_version.append(int(x))\n elif x.find('rc') !... | [
{
"content": "import mmcv\n\nfrom .version import __version__, version_info\n\nMMCV_MIN = '1.0.5'\nMMCV_MAX = '1.1.0'\n\n\ndef digit_version(version_str):\n digit_version = []\n for x in version_str.split('.'):\n if x.isdigit():\n digit_version.append(int(x))\n elif x.find('rc') !... | diff --git a/docs/tutorials/new_dataset.md b/docs/tutorials/new_dataset.md
index 0ad1019e0e..6118904765 100644
--- a/docs/tutorials/new_dataset.md
+++ b/docs/tutorials/new_dataset.md
@@ -38,6 +38,9 @@ Only
`data/my_dataset/ann_dir/train/xxx{seg_map_suffix}`,
`data/my_dataset/ann_dir/train/zzz{seg_map_suffix}` will be loaded.
+Note: The annotations are images of shape (H, W), the value pixel should fall in range `[0, num_classes - 1]`.
+You may use `'P'` mode of [pillow](https://pillow.readthedocs.io/en/stable/handbook/concepts.html#palette) to create your annotation image with color.
+
## Customize datasets by mixing dataset
MMSegmentation also supports to mix dataset for training.
diff --git a/mmseg/__init__.py b/mmseg/__init__.py
index 11376951e9..abaee58890 100644
--- a/mmseg/__init__.py
+++ b/mmseg/__init__.py
@@ -3,7 +3,7 @@
from .version import __version__, version_info
MMCV_MIN = '1.0.5'
-MMCV_MAX = '1.0.5'
+MMCV_MAX = '1.1.0'
def digit_version(version_str):
|
keras-team__keras-637 | Misiing import in list_pictures
`list_pictures` abborts with error `NameError: global name 're' is not defined`
| [
{
"content": "from __future__ import absolute_import\n\nimport numpy as np\nfrom scipy import ndimage\nfrom scipy import linalg\n\nfrom os import listdir\nfrom os.path import isfile, join\nimport random, math\nfrom six.moves import range\n\n'''\n Fairly basic set of tools for realtime data augmentation on im... | [
{
"content": "from __future__ import absolute_import\n\nimport numpy as np\nimport re\nfrom scipy import ndimage\nfrom scipy import linalg\n\nfrom os import listdir\nfrom os.path import isfile, join\nimport random, math\nfrom six.moves import range\n\n'''\n Fairly basic set of tools for realtime data augment... | diff --git a/keras/preprocessing/image.py b/keras/preprocessing/image.py
index 90abe2bf1116..5b64a588ad9e 100644
--- a/keras/preprocessing/image.py
+++ b/keras/preprocessing/image.py
@@ -1,6 +1,7 @@
from __future__ import absolute_import
import numpy as np
+import re
from scipy import ndimage
from scipy import linalg
|
mathesar-foundation__mathesar-2759 | Support Importing Semicolon Separated Values file
## Problem
Currently Mathesar allows importing [DSV](https://en.wikipedia.org/wiki/Delimiter-separated_values) files with following delimiters:
`,`
`\t`
`:`
`|`
Apart from them, semicolons`;` are popular delimiters used in industries (as address and integer generally contain commas).
## Proposed solution
It might be helpful if mathesar allows the user to import data from **semicolon-separated values** files as well.
| [
{
"content": "from io import TextIOWrapper\n\nimport clevercsv as csv\n\nfrom db.identifiers import truncate_if_necessary\nfrom db.tables.operations.alter import update_pk_sequence_to_latest\nfrom mathesar.database.base import create_mathesar_engine\nfrom mathesar.models.base import Table\nfrom db.records.opera... | [
{
"content": "from io import TextIOWrapper\n\nimport clevercsv as csv\n\nfrom db.identifiers import truncate_if_necessary\nfrom db.tables.operations.alter import update_pk_sequence_to_latest\nfrom mathesar.database.base import create_mathesar_engine\nfrom mathesar.models.base import Table\nfrom db.records.opera... | diff --git a/mathesar/imports/csv.py b/mathesar/imports/csv.py
index 19c8d8f950..2329b7891b 100644
--- a/mathesar/imports/csv.py
+++ b/mathesar/imports/csv.py
@@ -16,7 +16,7 @@
from mathesar.state import reset_reflection
-ALLOWED_DELIMITERS = ",\t:|"
+ALLOWED_DELIMITERS = ",\t:|;"
SAMPLE_SIZE = 20000
CHECK_ROWS = 10
diff --git a/mathesar/tests/data/csv_parsing/patents_invalid.csv b/mathesar/tests/data/csv_parsing/patents_invalid.csv
index f71ddfccec..96478af390 100644
--- a/mathesar/tests/data/csv_parsing/patents_invalid.csv
+++ b/mathesar/tests/data/csv_parsing/patents_invalid.csv
@@ -1,1395 +1,1395 @@
-"Center";"Status";"Case Number";"Patent Number";"Application SN";"Title";"Patent Expiration Date"
-"NASA Kennedy Space Center";"Application";"KSC-12871";0;"13/033,085";"Polyimide Wire Insulation Repair System";
-"NASA Ames Research Center";"Issued";"ARC-14048-1";5694939;"08/543,093";"Autogenic-Feedback Training Exercise Method & System";"10/03/2015"
-"NASA Ames Research Center";"Issued";"ARC-14231-1";6109270;"09/017,519";"Multimodality Instrument For Tissue Characterization";"02/04/2017"
-"NASA Ames Research Center";"Issued";"ARC-14231-2DIV";6976013;"10/874,003";"Metrics For Body Sensing System";"06/16/2024"
-"NASA Ames Research Center";"Issued";"ARC-14231-3";6718196;"09/652,299";"Multimodality Instrument For Tissue Characterization";"02/04/2017"
-"NASA Ames Research Center";"Issued";"ARC-14275-1";6445390;"09/226,673";"Automated Triangle Geometry Processing For Surface Modeling And Cartesian Grid Generation (CART3D)";"12/24/2018"
-"NASA Ames Research Center";"Issued";"ARC-14281-1";6606612;"09/374,491";"Aerodynamic Design Using Neural Networks";"08/13/2019"
-"NASA Ames Research Center";"Issued";"ARC-14281-3";7191161;"10/637,087";"Method For Constructing Composite Response Surfaces By Combining Neural Networks With Polynomial Interpolation Or Estimation Techniques";"11/18/2020"
-"NASA Ames Research Center";"Issued";"ARC-14359-1";6314362;"09/498,123";"A Direct-To Controller Tool (A Component Of The CTAS Software Suite)";"02/02/2020"
-"NASA Ames Research Center";"Issued";"ARC-14494-1";6720984;"09/606,107";"Bio-Electric Keyboard/Mouse/Joystick Interface Software/Algorithm";"06/13/2020"
-"NASA Ames Research Center";"Issued";"ARC-14512-1";6823333;"09/800,309";"Keyword-in-context Search Method And Software For Information Retrieval From Collections Of Text Documents (Quorum/Perilog)";"03/02/2021"
-"NASA Ames Research Center";"Issued";"ARC-14513-1";6741981;"09/800,311";"Model-based Phrase Search Method And Software For Information Retrieval From Collections Of Text Documents (Quorum/Perilog)";"09/14/2021"
-"NASA Ames Research Center";"Issued";"ARC-14514-1";6697793;"09/800,313";"Method And Software For Using Implicit Phrase Models To Generate Prominent Phrases Contained In Collections Of Text Documents (Quorum/Perilog)";"03/02/2021"
-"NASA Ames Research Center";"Issued";"ARC-14515-1";6721728;"09/800,310";"Method And Software For Extracting And Distilling Topically And Situationally Relevant Phrases From Collections Of Text Documents (Quorum/Perilog)";"07/26/2021"
-"NASA Ames Research Center";"Issued";"ARC-14556-1";7346172;"09/822470";"Spatially-modulated Auditory Alert Having Enhanced Detection";"08/24/2022"
-"NASA Ames Research Center";"Issued";"ARC-14569-1";7783130;"11/045,041";"Spatial Standard Observer";"03/26/2028"
-"NASA Ames Research Center";"Issued";"ARC-14569-2";8139892;"12/807,375";"Spatial Standard Observer";"01/24/2025"
-"NASA Ames Research Center";"Issued";"ARC-14586-1DIV";7293001;"11/274,744";"A Hybrid Neural Network And Support Vector Machine Method For Optimization";"01/07/2022"
-"NASA Ames Research Center";"Issued";"ARC-14613-1";6858197;"10/099,247";"A Novel Technique That Allows For The Deposition And Patterning Of A Catalyst Onto A Surface For The Growth Of Single-Walled Carbon Nanotubes";"11/30/2019"
-"NASA Ames Research Center";"Issued";"ARC-14652-1";7375826;"10/956,517";"3D Laser Scanner";"03/25/2026"
-"NASA Ames Research Center";"Issued";"ARC-14653-1";7702427;"10/914,783";"Future ATM (Air Traffic Management) Concepts Evaluation Tool (FACET)";"07/30/2024"
-"NASA Ames Research Center";"Issued";"ARC-14653-2";8290696;"12/694,966";"Future ATM (Air Traffic Management) Concepts Evaluation Tool (FACET)";"07/30/2024"
-"NASA Ames Research Center";"Issued";"ARC-14661-1";7276266;"10/320,698";"A Plasma Apparatus And Process For Functionalization Of Carbon Nanotubes";"12/13/2022"
-"NASA Ames Research Center";"Issued";"ARC-14661-2";7473436;"10/828,524";"Improved Functionalization Of Carbon Nanotubes";"12/13/2022"
-"NASA Ames Research Center";"Issued";"ARC-14661-3";7767270;"11/387,503";"Selective Functionalization Of Carbon Nanotubes Based Upon Distance Traveled";"11/05/2025"
-"NASA Ames Research Center";"Issued";"ARC-14662-1";6968338;"10/232,975";"Advanced XML Database Integration Technique For Managing Unstructured Documents (NETMARK) (Part of NTTS Suite)";"07/18/2023"
-"NASA Ames Research Center";"Issued";"ARC-14682-2";7333735;"10/885,533";"Communication Using VCSEL Laser Array";"11/03/2023"
-"NASA Ames Research Center";"Issued";"ARC-14710-1";7231329;"10/706,478";"Elimination Of Parameter Input Requirement For Elliptic Grid Generation Methods In Engineering";"03/11/2025"
-"NASA Ames Research Center";"Issued";"ARC-14733-1";6972056;"10/135,013";"An Environmentally Compatible Method To Purify Carbon Nanotubes";"01/03/2023"
-"NASA Ames Research Center";"Issued";"ARC-14743-1";7767305;"10/758611";"High-Efficiency Tantalum-Based Ceramics (HETC)";"01/14/2024"
-"NASA Armstrong Flight Research Center";"Issued";"DRC-008-014";8047472;"12/45,970";"IMPROVED RAM BOOSTER";"03/11/2028"
-"NASA Ames Research Center";"Issued";"ARC-14744-1US";7816491;"10/494,853";"Ordered Biological Nanostructures Formed From Chaperonin Polypeptides";"05/06/2024"
-"NASA Ames Research Center";"Issued";"ARC-14744-2";7795388;"11/194,991";"A Versatile Platform For Nanotechnology Based On Circular Permutations Of Chaperonin Protein";"05/06/2024"
-"NASA Ames Research Center";"Issued";"ARC-14940-1";7135172;"10/238,515";"Bucky Paper As An Artificial Support Membrane In Retinal Cell Transplantation";"06/12/2024"
-"NASA Ames Research Center";"Issued";"ARC-14941-1";6755530;"10/198,672";"Carbon Nanotubes As A Prototype Interface For Retinal Cell Recording And Stimulation (Vision Chip)";"10/18/2022"
-"NASA Ames Research Center";"Issued";"ARC-14950-1";7596416;"10/928,874";"Program Management Tool (PMT) Also Known As Business Intelligence (BI)";"07/22/2027"
-"NASA Ames Research Center";"Issued";"ARC-14950-2";8224472;"12/211,439";"Enhanced Project Management Tool";"10/20/2026"
-"NASA Ames Research Center";"Issued";"ARC-14970-1";7129857;"10/789,049";"Intelligent Weather Agent";"07/20/2024"
-"NASA Ames Research Center";"Issued";"ARC-15040-1";8200486;"10/457,696";"Sub Auditory Speech Recognition Based On Electromyographic Signals";"09/14/2025"
-"NASA Ames Research Center";"Issued";"ARC-15041-2";7206674;"10/923,156";"Information Display System For Atypical Flight Phase";"05/21/2024"
-"NASA Ames Research Center";"Issued";"ARC-15042-2";7217650;"10/816,576";"Metallic Nanowire Interconnections For Integrated Circuit Fabrication";"03/11/2023"
-"NASA Ames Research Center";"Issued";"ARC-15058-1";7383238;"10/789,029";"Inductive Monitoring System - System Health Monitoring Software That Learns System Behavior From Data (IMS)";"03/12/2025"
-"NASA Ames Research Center";"Issued";"ARC-15073-1";7590606;"10/703,039";"InvestigationOrganizer: Information Storage, Modeling And Visualization Support For Accident/Mishap Investigations (Part Of A Suite Of Software That Includes ARC-15069, ARC-15070 And ARC-15073) ";"04/30/2026"
-"NASA Ames Research Center";"Issued";"ARC-15088-1";7070923;"10/608,884";"Carbon Nanotube Bucky Paper Cages For Immune Shielding Of Cells And Tissue For Transplantation";"09/20/2023"
-"NASA Ames Research Center";"Issued";"ARC-15101-1";7113265;"10/808,704";"Sample Handling Device For X-ray Diffraction Instruments";"03/17/2024"
-"NASA Ames Research Center";"Issued";"ARC-15157-1";7286573;"10/923,160";"A Method Of Converting Quantum Wells From Type-II To Type-I And Of Enhancing Interband Optical Gain ";"03/11/2025"
-"NASA Ames Research Center";"Issued";"ARC-15171-1";7650232;"11/239,456";"Trajectory Specification For High-Capacity Air Traffic Control";"05/25/2027"
-"NASA Ames Research Center";"Issued";"ARC-15173-1";7273095;"10/825,795";"Embedded Carbon Nanotube Array As High Performance Thermal Conductors";"03/11/2023"
-"NASA Ames Research Center";"Issued";"ARC-15173-2";7784531;"11/900,131";"Nanoengineered Thermal Materials Based On Carbon Nanotube Array Composites";"02/16/2024"
-"NASA Ames Research Center";"Issued";"ARC-15201-1";7381459;"10/779,504";"Toughened Uni-piece Fibrous Reduced Oxidation Ceramic (TUFROC) Light-Weight Thermal Protection System For Use On Space Vehicles During Atmospheric Entry At Hypersonic Speed";"02/12/2024"
-"NASA Ames Research Center";"Issued";"ARC-15201-2";7314648;"10/911,747";"Toughened Uni-piece Fibrous Reinforced Oxidation-Resistant Composite (TUFROC)";"02/12/2024"
-"NASA Ames Research Center";"Issued";"ARC-15204-1";7949472;"10/885,537";"Nanopore Pipetts For Structural Characterization Of Single Polymeric Biomelecules";"01/14/2026"
-"NASA Ames Research Center";"Issued";"ARC-15204-1DIV";8494782;"13/092,048";"Nanopore Pipetts For Structural Characterization Of Single Polymeric Biomelecules";"06/24/2024"
-"NASA Ames Research Center";"Issued";"ARC-15205-1";7939734;"10/873,996";"The Electrochemical Biosensors Using Carbon Nanotube Nanoelectrode Arrays";"06/14/2024"
-"NASA Ames Research Center";"Issued";"ARC-15312-1";7672969;"11/513,429";"Context Based Configuration Management Concept";"08/25/2026"
-"NASA Ames Research Center";"Issued";"ARC-15314-1";7718223;"11/007,913";"Provision Of Carbon Nanotube Arrays Of Variable Density For IC Hot Spot Control";"02/12/2027"
-"NASA Ames Research Center";"Issued";"ARC-15314-2";7704547;"11/472,516";"Carbon Nanotube Growth Density Control";"12/07/2024"
-"NASA Ames Research Center";"Issued";"ARC-15315-1";7378963;"11/239,449";"Reconfigurable Auditory-visual Display For Multi-channel Control Center And Rescue Communications";"01/06/2026"
-"NASA Ames Research Center";"Issued";"ARC-15356-2";7161501;"11/66,650";"Display Of Aircraft Energy State For Flight Operations Quality Assurance (FOQA) Programs";"09/22/2024"
-"NASA Ames Research Center";"Issued";"ARC-15356-3";7212135;"11/066649";"Real-Time Analysis And Display Of Aircraft Approach Maneuvers ";"09/22/2024"
-"NASA Ames Research Center";"Issued";"ARC-15370-1";7698274;"10/956,524";"Selective Access And Editing In A Database (Part of NTTS Suite)";"03/18/2027"
-"NASA Ames Research Center";"Issued";"ARC-15392-1";7313475;"11/053,713";"Delay Banking: Collaborative Decision Making For Airspace-user Priority In Tactical Flow Restrictions";"04/04/2025"
-"NASA Ames Research Center";"Issued";"ARC-15404-1";7288490;"11/009,854";"Use Of A Single Electrode To Orient Carbon Nanotube Growth";"12/07/2024"
-"NASA Ames Research Center";"Issued";"ARC-15437-1";7438422;"11/340,816";"Low Cost Portable Planetarium Imaging System";"05/14/2027"
-"NASA Ames Research Center";"Issued";"ARC-15443-1";7531775;"11/251,006";"A Tracking Sunphotometer Without Moving Parts ";"01/31/2026"
-"NASA Ames Research Center";"Issued";"ARC-15460-1";7426848;"11/203,576";"Discharge Based Gas Sensor Array Using Self-Oriented Regular Vertical Array Of Carbon Nanotubes";"08/05/2025"
-"NASA Ames Research Center";"Issued";"ARC-15462-1";7574338;"11/340002";"Finite-Difference Simulation And Visualization Of Elastodynamics In Time-Evolving Generalized Curvilinear Coordinates ";"07/29/2026"
-"NASA Ames Research Center";"Issued";"ARC-15487-1";7796026;"11/111,620";"Electronic Firefighter Escape Trail";"06/04/2028"
-"NASA Ames Research Center";"Issued";"ARC-15506-1";7529633;"11/203,589";"Applications Of Carbon Nanotube Hold-Off Voltages";"10/22/2026"
-"NASA Ames Research Center";"Issued";"ARC-15519-1";7574357;"11/169,265";"Security Applications For Subvocal Speech";"11/09/2026"
-"NASA Ames Research Center";"Issued";"ARC-15566-1";7801687;"11/178,079";"Gas Sensors Based on Coated and Doped Carbon Nanotubes";"05/26/2029"
-"NASA Ames Research Center";"Issued";"ARC-15566-2";8000903;"11/416,505";"Coated Or Doped Carbon Nanotube Network Sensors As Affected By Environmental Parameters And Elapsed Time";"09/15/2029"
-"NASA Ames Research Center";"Issued";"ARC-15566-3";7875455;"11/489,803";"Nanotechnology Sensors For Determination Of Chemical Substances In An Oil Reservoir";"12/17/2028"
-"NASA Ames Research Center";"Issued";"ARC-15566-5";7623972;"11/591,630";"Detection Of Presence Of Chemical Precursors";"07/08/2025"
-"NASA Ames Research Center";"Issued";"ARC-15575-1";7473930;"11/173,053";"Use Of Carbon Nanotube Arrays For Display Purposes";"10/24/2026"
-"NASA Ames Research Center";"Issued";"ARC-15578-2";7873181;"11/525,600";"Visual Signal Sensor Organ Replacement: Implementation";"05/19/2028"
-"NASA Ames Research Center";"Issued";"ARC-15606-1";7431242;"11/265,324";"Aero Assist Capsule Vehicle Geometry For Atmospheric Entry";"04/01/2026"
-"NASA Ames Research Center";"Issued";"ARC-15684-1";7516890;"11/444,807";"InterIssued Inventory Monitoring";"05/25/2026"
-"NASA Ames Research Center";"Issued";"ARC-15714-1";7869029;"11/398,733";"Light Collimator And Monitor";"11/11/2029"
-"NASA Ames Research Center";"Issued";"ARC-15782-1";7549338;"11/973998";"Nanotechnology Sensor Of Presence And Concentration Of A Target Molecule";"09/28/2027"
-"NASA Ames Research Center";"Issued";"ARC-15796-1";8675922;"13/444,777";"Motion Blur Evaluation Techniques";"08/31/1932"
-"NASA Ames Research Center";"Issued";"ARC-15870-1";7655497;"11/513,431";"Growth Method For Phase Change Nanostructures";"08/16/2027"
-"NASA Ames Research Center";"Issued";"ARC-15890-1";7655145;"11/543,275";"Water Treatment Systems For Long Space Flight Use";"11/05/2027"
-"NASA Ames Research Center";"Issued";"ARC-15900-1";7490367;"11/526,175";"Wet Waste Drying Bag";"09/20/2026"
-"NASA Ames Research Center";"Issued";"ARC-15903-1DIV";8409491;"13/215,206";"In-situ Formation Of Reinforcement Phases In Ceramic Composites And Ultra High Temperature Ceramic Composites For Advanced TPS Applications";"09/28/2027"
-"NASA Ames Research Center";"Issued";"ARC-15967-1";7635420;"11/645,267";"Dielectrophoresis-Based Particle Sensor Using Nanoelectrode Arrays";"06/06/2028"
-"NASA Ames Research Center";"Application";"ARC-15977-1";0;"12/100,378";"Artificial Immune System Based Approach For Air Combat Maneuvering";
-"NASA Ames Research Center";"Application";"ARC-15981-4";;"13/463,780";"Chaperonin-based Templates for Pseudo-cellulosomes with Multiple Enzymes Present";"07/19/2027"
-"NASA Ames Research Center";"Issued";"ARC-15983-1";7923709;"12/273,502";"Radiation Shielding System Using A Composite Of Hydrogen-Rich Polymers Loaded With Carbon Nanotubes";"09/30/2029"
-"NASA Ames Research Center";"Application";"ARC-16478-1";;"14/191,246";"Real Time PIREPs Using Audio Twitter";"02/26/1934"
-"NASA Ames Research Center";"Issued";"ARC-15995-1";8290246;"11/958,296";"A Method To Measure The Recession Of Ablative Materials In Arc-jet Testing Using Digital Stereo-photogrammetry And Image Cross-correlation";"07/01/1931"
-"NASA Ames Research Center";"Issued";"ARC-16013-1";7968054;"11/715,785";"Wireless Chemical Sensor Data Transmission System Based On Nanotechnology";"10/03/2029"
-"NASA Ames Research Center";"Issued";"ARC-16018-1";7662459;"12/175,379";"Atmospheric Entry Heat Shield Employing Cured Thermal Protection Material Blocks Bonded In A Large-Cell Honeycomb Matrix";"07/17/2028"
-"NASA Ames Research Center";"Application";"ARC-16132-1";0;"14/091,250";"Surface Densification Of Phenolic Impregnated Carbon Ablator (PICA)";"11/26/1933"
-"NASA Ames Research Center";"Issued";"ARC-16133-1";8069001;"12/319,918";"Hollow AErothermal Ablation And Temperature (HEAT) Isotherm Sensor For Tracking Isotherm Through The TPS Material";"10/09/2029"
-"NASA Ames Research Center";"Application";"ARC-16211-1";0;"13/896,284";"Low Cost Optical Fiber Solar Cell Configurations";"05/16/1933"
-"NASA Ames Research Center";"Issued";"ARC-16235-1";8285659;"12/543,411";"Modeling-Error-Driven Performance-Seeking Direct Adaptive Control";"11/18/1930"
-"NASA Ames Research Center";"Application";"ARC-16273-1";0;"12/454,024";"Decomposition Technique for Remaining Useful Life Prediction";"11/18/1930"
-"NASA Ames Research Center";"Issued";"ARC-16280-1";8409845;"12/316,557";"Offshore membrane enclosures for dewatering Algae (OMEDA)";"10/15/1931"
-"NASA Ames Research Center";"Issued";"ARC-16298-1";8333810;"12/398,854";"Nanotechnology-Based Supercapacitor";"06/29/1930"
-"NASA Ames Research Center";"Issued";"ARC-16320-1";8332342;"12/622,407";"Battery Prognostics using Particle Filtering Techniques";"02/05/1931"
-"NASA Ames Research Center";"Issued";"ARC-16331-1";8408707;"12/428,441";"System to estimate visual acuity from wavefront aberrations";"05/29/2029"
-"NASA Ames Research Center";"Issued";"ARC-16334-1";8244477;"12/478,667";"Estimation of Growth Stage and Growth Rate for Algae";"06/04/2029"
-"NASA Ames Research Center";"Application";"ARC-16337-1";0;"13/793,998";"Method and Device for Biometric Subject Verification and Identification Based Upon electrocardiographic signals";"03/11/1933"
-"NASA Ames Research Center";"Application";"ARC-16340-1";0;"13/645,284";"Method for formation and manufacture of carbon nanotube mesh bucky paper capsules for transplantation of cells and tissue and implantation of medical devices";"10/04/1932"
-"NASA Ames Research Center";"Issued";"ARC-16342-1";8412469;"12/698,996";"Advanced Sensor Technology for Algal Biotechnology (ASTAB) ";"12/16/1930"
-"NASA Ames Research Center";"Application";"ARC-16348-1";;"13/109,954";"Co-Optimized Blunt-Body ReEntry Vehicle Aerothermodynamic Parametric Shape and Multi-Discipline Optimization Design Process";
-"NASA Ames Research Center";"Issued";"ARC-16351-1";8498756;"13/213,022";"Hovercraft Landing System";"12/07/1931"
-"NASA Ames Research Center";"Issued";"ARC-16370-1";8375675;"12/574,493";"Self Aligning Lug for adapting carbon fiber rods to a bolted metallic connection";"05/07/1931"
-"NASA Ames Research Center";"Application";"ARC-16372-1";0;"13/794,061";"Inexpensive Cooling Systems for Devices";"03/11/1933"
-"NASA Ames Research Center";"Issued";"ARC-16373-1";8489181;"12/319,220";"Heart Electrical Actions as Biometric Indicia";"04/29/1932"
-"NASA Ames Research Center";"Application";"ARC-16405-1";0;"14/091,236";"Nanowire based piezoelectric power generation";"11/26/1933"
-"NASA Ames Research Center";"Issued";"ARC-16407-1";8337208;"12/622,374";"Content Analysis to Detect High Stress in Oral Interviews and Text Documents";"05/26/1931"
-"NASA Ames Research Center";"Application";"ARC-16419-1";0;"13/317,034";"Strobing to Mitigate Vibration for Display Legibility";"10/05/1932"
-"NASA Ames Research Center";"Application";"ARC-16450-1CIP";0;"13/720,898";"Distributed Prognostics and Health Management with a Wireless Network Architecture ";"05/05/2029"
-"NASA Ames Research Center";"Application";"ARC-16456-1";;"13/480,917";"FABRICATION OF NANOPIPETTE ARRAY FOR BIOSENSING";
-"NASA Ames Research Center";"Application";"ARC-16461-1";;"13/956,218";"Solar Powered CO2 Conversions with Thin Film Devices";"07/31/1933"
-"NASA Ames Research Center";"Application";"ARC-16466-1";;"14/010,322";"Combined HETC/ROCCI TPS Material for Temperatures Up To T=3200 F ";"08/26/1933"
-"NASA Ames Research Center";"Application";"ARC-16467-1";;"13/615,202";"ODVEC: Outlier Detection Via Estimating Clusters";
-"NASA Ames Research Center";"Application";"ARC-16607-1";;"13/658,749";"An Approach to Make Flexible Ablators that are Flexible Char Formers";"10/23/1932"
-"NASA Ames Research Center";"Application";"ARC-16621-1";;"13/472,283";"Transformable Hypersonic Aerodynamic Decelerator";"12/04/1932"
-"NASA Ames Research Center";"Application";"ARC-16644-1";;"13/648,197";"Variable Camber Continuous Aerodynamic Control Surfaces and Methods for Active Wing Shaping Control ";"10/09/1932"
-"NASA Ames Research Center";"Application";"ARC-16646-1";;"13/485,721";"A method to produce copper nanowires for interconnect applications";
-"NASA Ames Research Center";"Application";"ARC-16661-1";;"13/444,789";"Video acuity measurement system";
-"NASA Ames Research Center";"Application";"ARC-16697-1";;"13/956,929";"NTTS Search and Reporting (Part of NTTS Suite)";"08/01/1933"
-"NASA Ames Research Center";"Application";"ARC-16707-1";;"13/438,793";"Ectomycorrhizal mediated remediaiton of phenolic-based contamination through use of specifically adapted ectomycorrhizal fungi and enzyme enhancement through partial defoliation of the host.";
-"NASA Ames Research Center";"Application";"ARC-16707-1CIP";;"13/854,620";"Ectomycorrhizal mediated remediaiton of phenolic-based contamination through use of specifically adapted ectomycorrhizal fungi and enzyme enhancement through partial defoliation of the host.";"04/03/1932"
-"NASA Ames Research Center";"Application";"ARC-16732-1";;"13/573,924";"NanoSat Launch Adapter System (NLAS)";"03/14/1933"
-"NASA Ames Research Center";"Application";"ARC-16733-1";;"13/535,884";"Habitat Water Wall for Water, Solids, and Atmosphere Recycle and Reuse ";
-"NASA Ames Research Center";"Application";"ARC-16752-1";;"14/179,401";"Fuel-Efficient, Airport-Friendly, Multi-Speed Transport Aircraft Configuration with Novel Structural Approach";"02/12/1934"
-"NASA Ames Research Center";"Application";"ARC-16811-1";;"13/544,752";"Compliant electrode and composite materials for piezoelectric wind and mechanical energy conversions";
-"NASA Ames Research Center";"Application";"ARC-16812-1";;"13/783,112";"Graphene composite materials for supercapacitor electrodes ";"03/01/1933"
-"NASA Ames Research Center";"Application";"ARC-16833-1";;"13/747,875";"Flight Deck Predictive Weather Display and Decision Support Interface ";"01/23/1933"
-"NASA Ames Research Center";"Application";"ARC-16844-1";;"13/662,346";"Adaptive control and disturbance rejection of non-minimum phase plants using residual mode filters";"10/26/1932"
-"NASA Ames Research Center";"Application";"ARC-16846-1";;"13/707,546";"Dynamic Weather Routes Tool";"12/06/1932"
-"NASA Ames Research Center";"Application";"ARC-16892-1A";;"13/929,646";"The Surface-Adhering Bioreactor (SABR): A novel microbial cell cultivation platform";"06/27/1933"
-"NASA Ames Research Center";"Application";"ARC-16902-1";;"13/725,475";"Nanosensors for medical diagnosis";"12/21/1932"
-"NASA Ames Research Center";"Application";"ARC-16916-1";;"13/956,736";"A Method for Improving Control Systems with Normalized Adaptation by Optimal Control Modification";"08/01/1933"
-"NASA Ames Research Center";"Application";"ARC-16924-1";;"14/010,355";"Aluminoborosilicate Supplement for Thermal Protection of a Re-entrant Vehicle";"08/26/1933"
-"NASA Ames Research Center";"Application";"ARC-16942-2";;"13/659,739";"A new family of low density flexible ablators";"10/24/1932"
-"NASA Armstrong Flight Research Center";"Issued";"DRC-001-049";7180943;"10/113,637";"Adaptive Lossless Data Compression";"03/26/2022"
-"NASA Armstrong Flight Research Center";"Issued";"DRC-005-031";7407131;"11/288,052";"Sound Shield";"10/31/2025"
-"NASA Armstrong Flight Research Center";"Issued";"DRC-006-001";7431243;"11/227,325";"Algorithms For Autonomous Soaring";"02/27/2026"
-"NASA Armstrong Flight Research Center";"Application";"DRC-006-002";0;"11/422,554";"Air Breathing,Reusable, Vertical Launch, Vertical Landing, First Stage Launch System with Off-the-Shelf Second Stage - Ram Booster";
-"NASA Armstrong Flight Research Center";"Issued";"DRC-006-005";7711455;"11/463,485";"Propulsion Controlled Aircraft Computer (PCAC)";"08/09/2026"
-"NASA Armstrong Flight Research Center";"Issued";"DRC-006-024";7520176;"11/567,118";"Method for Real-Time Structure Shape Sensing";"12/05/2026"
-"NASA Armstrong Flight Research Center";"Application";"DRC-006-045";0;"11/682,969";"METHOD FOR REDUCING THE REFRESH RATE OF FIBER BRAGG GRATING SENSORS";
-"NASA Armstrong Flight Research Center";"Issued";"DRC-008-001";8145366;"12/138,747";"Real-time Interactive Sonic Boom Display";"04/28/2030"
-"NASA Armstrong Flight Research Center";"Issued";"DRC-008-023";7715994;"12/191,734";"IMPROVED PROCESS FOR USING SURFACE STRAIN MEASUREMENTS TO OBTAIN OPERATIONAL LOADS FOR COMPLEX STRUCTURES";"08/14/2028"
-"NASA Armstrong Flight Research Center";"Application";"DRC-009-008";0;"12/718034";"Continental Digital Elevation Map Compression and Decompression Software";
-"NASA Armstrong Flight Research Center";"Issued";"DRC-009-026";8447443;"13/367990";"A New Peak-Seeking Control Method";"02/07/2032"
-"NASA Armstrong Flight Research Center";"Application";"DRC-010-042";;"13/463246";"An apparatus and a method to eliminate polarization-induced fading from multiple fiber-optics strain sensors via signal-processing under polarization diversity detection scheme";
-"NASA Armstrong Flight Research Center";"Application";"DRC-011-002";;"13/759,847";"OPTICAL WAVEGUIDE BRAGG GRATING WAVELENGTH SHIFT BY LIGHT INTERACTION WITH ACTIVE MATERIAL";"02/05/2033"
-"NASA Armstrong Flight Research Center";"Application";"DRC-011-015";;"14/106947";"In-situ three-dimensional shape rendering from strain values obtained through optical fiber sensors";"05/31/2032"
-"NASA Armstrong Flight Research Center";"Application";"DRC-012-005";;"13/759210";"Method and apparatus of multiplexing and acquiring data from multiple optical fibers using a single data channel of an optical frequency-domain reflectrometry (OFDR) system (Revised)";"02/05/2033"
-"NASA Armstrong Flight Research Center";"Application";"DRC-012-006";;"13/733364";"A Novel Approach to Liquid Level Sensing Using Fiber Bragg Grating Technology";"01/03/2033"
-"NASA Armstrong Flight Research Center";"Application";"DRC-012-011";;"13/573920";"Air Launch From A Towed Aircraft";"07/05/2032"
-"NASA Armstrong Flight Research Center";"Issued";"DRC-096-055";6126111;"09/112,067";"Emergency Flight Control System Using One Engine And Fuel Transfer";"07/08/2018"
-"NASA Armstrong Flight Research Center";"Issued";"DRC-097-021";6102330;"08/905,777";"Emergency Aircraft Lateral Controller Using Existing (non-modified) Digital Engine Computers During A System Failure For The Purpose Of Safe Landing";"07/29/2017"
-"NASA Armstrong Flight Research Center";"Issued";"DRC-098-001";6216063;"09/74,024";"A Flutterometer Flight Test Tool";"05/06/2018"
-"NASA Goddard Space Flight Center";"Application";"GSC-13378-1";0;"07/710,633";"SPLINE-LOCKING PAYLOAD FASTENER";
-"NASA Goddard Space Flight Center";"Issued";"GSC-13802-1";6584874;"08/673,859";"USING A 3-D SPRAG IN RACHETING TOOLS BASED ON PAT. NO. 5,482-144";"07/02/2016"
-"NASA Goddard Space Flight Center";"Issued";"GSC-13817-1";5983162;"08/872,586";"Empirical Mode Decomposition Method And Hilbert Spectral Analysis Algorithms";"06/10/2017"
-"NASA Goddard Space Flight Center";"Issued";"GSC-13817-2";6631325;"09/82,523";"COMPUTER IMPLEMENTED EMPIRICAL MODE DECOMPOSITION METHOD APPARATUS AND ARTICLE OF MANUFACTURE UTILIZING CURVATURE EXTREMA";"06/10/2017"
-"NASA Goddard Space Flight Center";"Issued";"GSC-13817-3";6381559;"09/282,424";"Empirical Mode Decomposition Apparatus, Method, And Article Of Manufacture For Analyzing Biological Signals And Performing Curve Fitting";"03/31/2019"
-"NASA Goddard Space Flight Center";"Issued";"GSC-13817-4";6862558;"10/73,957";"Empirical Mode Decomposition For Analyzing Acoustical Signals";"02/13/2022"
-"NASA Goddard Space Flight Center";"Issued";"GSC-13817-5";6738734;"10/11,206";"Empirical Mode Decomposition Apparatus, Method And Article Of Manufacture For Analyzing Biological Signals And Performing Curve Fitting";"06/10/2017"
-"NASA Goddard Space Flight Center";"Issued";"GSC-13905-1";6640949;"10/95,343";"1-Way Bearing";"03/01/2022"
-"NASA Goddard Space Flight Center";"Issued";"GSC-13909-1";6311130;"09/150,671";"Computer Implemented Empirical Mode Decomposition Method, Apparatus, And Article Of Manufacture For Two-Dimensional Signals";"09/10/2018"
-"NASA Goddard Space Flight Center";"Issued";"GSC-13985-1";6566854;"09/646,161";"Active Antenna Combined With Non-Ferrous Current Probe.";"09/12/2020"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14064-1";6648522;"09/804,646";"Universal Fiber Optic Connector Polishing Fixture With Precision Alignment Capability";"03/13/2021"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14207-1";6626792;"09/799,872";"Gear Bearings";"03/03/2021"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14209-1";6293803;"09/501,412";"Stress Relieved Zee Electrical Interconnect";"02/09/2020"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14213-1";6760487;"09/550,254";"Estimated Spectrum Adaptive Postfilter (ESAP) And The Iterative Prepost Filtering (IPF) Algorithms";"04/14/2020"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14236-1";6538796;"09/541,680";"MEMS Devices For Spacecraft Thermal Control Applications";"03/31/2020"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14302-1";6782124;"09/729,138";"Extension Of The Empirical Mode Decomposition Method To A Time Series Of 2-Dimensional Grid Maps";"11/29/2020"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14305-1";6895115;"09/839,147";"Method For Recursive Implementation Of Hierarchical Segmentation";"04/23/2021"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14389-1";7543274;"10/789,028";"Deriving Formal Specifications And Code From Scenarios";"02/25/2024"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14393-1";7145739;"10/385,166";"Light Weight Optical Mirrors Formed In Single Crystal Silicon";"03/06/2023"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14413-1";7255483;"10/93,621";"Thrust Rollers";"03/01/2022"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14435-1";6740224;"10/173,533";"Innovative Manufacturing Procedure For Low Cost And High Quality Carbon Nanotubes";"06/11/2022"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14480-2";7762155;"11/444,808";"Gear Bearings";"05/25/2026"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14561-1";7207245;"11/174,454";"Screw-Locking Wrench";"06/30/2025"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14562-1";7504921;"11/543,278";"Stepping Flextures";"09/29/2026"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14601-1";7008605;"10/292,952";"Method For Manufacturing High Quality Carbon Nanotubes";"11/08/2022"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14603-1";7544146;"11/122,201";"Anti-Backlash Gear-Bearings";"05/02/2025"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14608-1";6990436;"10/729,579";"Time Frequency Analysis Based On Extrema Sifting";"11/28/2023"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14616-1";7248342;"10/730,195";"Conceptual Design Of A 3D Imaging Lidar For High-Resolution Mapping Of The Surface Topography Of Moons Or Planets From Space";"12/05/2023"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14657-1";7512568;"11/109,400";"Evolvable Neural Software System";"04/08/2025"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14666-1";6775600;"10/267,092";"Systems And Methods For Determining Spacecraft Orientation";"10/07/2022"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14673-1";6901353;"10/615,365";"Normalized Amplitude Hilbert Transform (NAHT): A New Algorithm For Computing Instantaneous Frequency";"07/08/2023"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14683-1";8480826;"11/736,874";"Specular Coatings For Composite Structures";"04/18/2027"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14762-1";7769488;"11/108,627";"SMART Solar Sail";"04/08/2025"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14777-1";7341932;"11/251,531";"Large Area Vacuum Ultra-Violet Sensors";"09/30/2025"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14793-1";7548199;"11/239,458";"Pivot 2.0: Radiation Hardened, Fast Acquisition/Weak Signal Tracking GPS Receiver";"09/20/2025"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14807-1";7464006;"10/963,470";"Application Of HHT To Financial Data Analysis For Define Volatility And Trend";"10/07/2024"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14833-1";7346461;"11/251,004";"Stability Spectrum Through Hilbert-Huang Transform";"09/30/2025"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14845-1";7290737;"11/251,537";"Demiseable Reaction Wheel Assembly";"09/29/2025"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14871-1";7935297;"11/370,396";"Template For Deposition Of Micron And Sub-micron Pointed Structures";"03/06/2026"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14873-1";8357211;"12/872,445 ";"ADR Salt Pill Design And Crystal Growth Process For Hydrated Magnetic Salts";"08/31/2030"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14879-1";7635832;"11/469,105";"Iterative-Transform Phase-Retrieval Utilizing Adaptive Diversity";"08/31/2026"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14941-1";7739671;"11/203,590";"A Method And System For Direct Implementation Of Formal Specifications Derived Mechanically From Informal Requirements";"08/12/2025"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14942-1";7752608;"11/203,586";"A Method And System For Formal Analysis, Simulation, And Verification Of Knowledge-Based Systems, Rule-Based Systems, And Expert Systems";"08/12/2025"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14952-1";7513546;"11/689,161";"Conformal Gripper";"03/21/2027"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14960-1";7992760;"11/357,458";"Hardware And Technique For Dead End Welding Of All Types Of Tubing";"02/08/2026"
-"NASA Goddard Space Flight Center";"Application";"GSC-16700-1";;"14/041407";"SpaceCube v2.0 Flight Processor Card";"09/30/2033"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14968-1";7627538;"11/251,538";"Apoptosis And Self-destruct: Mechanisms For Management Of Autonomic Systems";"09/29/2025"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14968-2";7925600;"12/603,140";"SWARM AUTONOMIC AGENTS WITH SELF-DESTRUCT CAPABILITY";"10/21/2029"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14979-1";7601091;"11/426,134";"Modular Gear Bearing";"06/23/2026"
-"NASA Goddard Space Flight Center";"Issued";"GSC-14994-1";7697759;"11/251,530";"A Split-Remerge Method For Eliminating Processing Window Artifacts In Recursive Hierarchical Segmentation";"09/30/2025"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15001-1";7924415;"12/389,097";"Light Direction Sensor";"02/19/2029"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15002-1";7240879;"11/124,592";"Space Robotic System For In Space Servicing Of Unmanned Spacecraft Applications";"05/06/2025"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15002-2";7513459;"11/670,653";"Method And Associated Apparatus For Capturing, Servicing, And De-Orbiting Earth Satellites Using Robotics";"05/06/2025"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15002-3";7293743;"11/670,270";"Method And Associated Apparatus For Capturing, Servicing, And De-Orbiting Earth Satellites Using Robotics";"11/13/2025"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15002-4";7438264;"11/670,781";"Method And Associated Apparatus For Capturing, Servicing And De-Orbiting Earth Satellites Using Robotics";"05/06/2025"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15002-5";7513460;"11/671,062";"Method And Associated Apparatus For Capturing, Servicing, And De-Orbiting Earth Satellites Using Robotics";"05/06/2025"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15027-1";7412175;"11/425,352";"Millimeter Wave Polarization Transformer";"06/20/2026"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15027-2";7609978;"12/056,964";"INTERFEROMETRIC POLARIZATION CONTROL";"03/27/2028"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15027-3";7616903;"12/057,060";"INTERFEROMETRIC POLARIZATION CONTROL";"03/27/2028"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15030-1";7907333;"11/460,482";"A Pulsed, 1 Micron, Single Frequency, Diode-Seeded Ytterbium-doped Fiber Amplifier With Variable Output Parameters, P";"07/27/2026"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15038-1";7765171;"11/426,853";"SPAACE: Self Properties For An Autonomous & Autonomic Computing Environment";"06/27/2026"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15039-1";7762523;"11/861,038";"Miniaturized Double Latching Solenoid Valve";"09/25/2027"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15042-1";7622907;"11/535,872";"Driven Ground";"09/27/2026"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15055-1";7746190;"11/748,969";"Broadband High Spurious-suppression Microwave Waveguide Filter For Polarization-preserving And Transformer";"05/15/2027"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15077-1";8068556;"12/147,100";"Low Cost TDRSS Tranceiver (LCT2)";"06/26/2028"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15079-1";7886273;"11/532,800";"Generation And Verification Of Policies For Autonomic Systems";"09/18/2026"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15080-1";7979848;"11/533,837";"A Method Of Deriving Process Based Specifications From Scenarios Via Pattern Matching";"09/21/2026"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15115-1";7465926;"11/537,280";"Miniaturized Radiation Spectrometer Development";"09/29/2026"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15136-1";8093094;"12/137,844";"Blocking Contacts For N-Type Cadmium Zinc Cadmium Zinc Telluride (CdZnTe)";"06/12/2028"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15148-1";7668796;"11/536,132";"Enhancing R2D2C Requirements Based Programming With Automata Learning";"09/28/2026"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15162-1";7796726;"11/706,693";"Instrument And Method For X-Ray Diffraction, Fluorescence, And Crystal Texture Analysis Without Sample Preparation";"02/14/2027"
-"NASA Goddard Space Flight Center";"Application";"GSC-15163-2";0;"13/092198";"AIGaN Ultraviolet Detectors For Dual Band UV Detection";
-"NASA Goddard Space Flight Center";"Issued";"GSC-15176-1";7899760;"11/533,855";"Autonomic Quiescence";"09/21/2026"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15177-1";8082538;"11/536378";"A Method For Developing And Maintaining Evolving Systems With Software Product Lines";"09/28/2026"
-"NASA Goddard Space Flight Center";"Application";"GSC-15177-2";0;"13/305932";"A Method For Developing And Maintaining Evolving Systems With Software Product Lines";
-"NASA Goddard Space Flight Center";"Issued";"GSC-15178-1";7992134;"11/536,969";"Modeling, Specifying And Deploying Policies In Autonomous And Autonomic Systems Using An AOSE Methodology";"09/29/2026"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15179-1";7904396;"11/533,895";"An Autonomic Smoke Detector";"09/21/2026"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15184-1";7978312;"11/933,492";"An Active, Solid-state, 3-Dimensional Range Imaging System";"11/01/2027"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15206-1";8041655;"11/836,352";"Otoacoustic Protection In Biologically-Inspired Systems";"08/09/2027"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15206-2";8140452;"13/230915";"Otoacoustic Protection In Biologically-Inspired Systems";"09/13/2031"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15206-3";8140453;"13/230922";"Otoacoustic Protection In Biologically-Inspired Systems";"09/13/2031"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15206-4";8275725;"13/230920";"Otoacoustic Protection In Biologically-Inspired Systems";"09/13/2031"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15206-5";8165976;"13/230922";"Otoacoustic Protection In Biologically-Inspired Systems";"09/13/2031"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15206-6";8165977;"13/230923";"Otoacoustic Protection In Biologically-Inspired Systems";"09/13/2031"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15217-1";8139674;"12/173,243";"Spaceflight Ka-Band High Rate Rad Hard Modulator";"07/15/2028"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15301-1";7673089;"11/935,572";"An Extendibe USB Drive That Accepts External Media";"11/06/2027"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15302-1";7673089;"11/935,572";"An Double-Headed USB Drive";"11/06/2027"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15328-1";8499779;"12/014,889";"Non-Pyrotechnic Zero-Leak Normally-Closed Valve";"01/16/2028"
-"NASA Goddard Space Flight Center";"Application";"GSC-15333-1";0;"11/860,830";"Improved, Flexure-Base Linear Bearing";
-"NASA Goddard Space Flight Center";"Issued";"GSC-15341-1";7922920;"11/862,550";"Low Conductance Silicon Micro-leak for Mass Spectrometer Inlet";"09/27/2027"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15341-3";8455926;"12/889,014 ";"Low Conductance Silicon Micro-leak for Mass Spectrometer Inlet";"09/23/2030"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15349-1";7830527;"12/102,240";"Method And Apparatus For Second Harmonic Generation And Other Frequency Convertion With Multiple Frequency Channels";"04/14/2028"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15353-1";7830224;"11/877,102";"Compact Low-loss Planar Magic-T With Broadband Phase And Amplitude Responses";"10/23/2027"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15357-1";8041661;"11/861,687";"Stability Algorithm For Neural Entities (SANE)";"09/26/2027"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15364-1";8155939;"12/170,683";"Hughes Particle – Surface Interaction Model";"07/10/2028"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15377-1";7811406;"12/249,265";"Advanced Adhesive Bond Shape Tailoring for Large Composite Primary Structures Subjected to Cryogenic and Ambient Loading Environments";"10/10/2028"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15416-1";7999427;"12/188,039";"Directed Flux Motor Utilizing Concentric Magnets and Interwoven Flux Channels";"08/07/2028"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15417-1";7735385;"12/187,562";"Actuated Ball and Socket Joint";"08/07/2028"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15419-1";8030873;"12/187,926";"Improvements to the Walk and Roll Robot";"08/07/2028"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15421-1";7968812;"12/353,009";"Spring Joint Package with Overstrain Sensor ( OS Sensor Joint )";"01/13/2029"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15431-1";7921731;"12/327,514";"A two-axis direct fluid shear stress sensor suited for aerodynamic applications";"12/03/2028"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15445-1";7982861;"12/183,820";"Pseudo-Noise Code Modulation using Return to Zero pulses for Ranging, Altimetry and Communications";"07/31/2028"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15458-1";8094731;"12/357,081";"Space Link Extension Return Channel Frames (SLE-RCF) Service (User side) Software Library";"01/21/2029"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15483-1";7817087;"12/116,518";"Relative Spacecraft Navigation using Reflected GPS Signals";"05/07/2028"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15520-1";8547531;"12/873373";"Non-scanning laser 3D imager";"09/01/2030"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15527-1";8160728;"12/558,672";"Sensor Complete Requirements Algorithm For Autonomous Mobility";"09/14/2029"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15538-1";8198956;"12/535,954";"Compact planar microwave blocking filter";"08/05/2029"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15550-1";8275724;"12/569,422";"A biologically-inspired method of improving system performance and survivability through self-sacrifice";"09/29/2029"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15552-1";7924126;"12/555,634";"Small, High Field Superconducting Magnets";"09/08/2029"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15557-1";8095485;"12/353,637";"Formulation for Emotion Embedding in Logic Systems (FEELS)";"01/14/2029"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15583-1";7970025;"12/496,954";"Tunable Frequency-stabilized Laser via Offset Sideband Locking";"07/02/2029"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15584-1";8144331;"12/487,454";"Hilbert-Transform-Based Phase Referencing Algorithm for Wide-Field Imaging Interferometry.";"06/18/2029"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15655-1";8138961;"12/561,644";"Low Frequency Wideband Step Frequency Inverse Synthetic Aperture Radar For 3-D Imaging of Interior of Near Earth Objects/Planetary Bodies";"09/17/2029"
-"NASA Goddard Space Flight Center";"Application";"GSC-15660-1";0;"13/247416";"Extreme Environment Low Temperature Transistor Models";
-"NASA Goddard Space Flight Center";"Issued";"GSC-15662-1";8092031;"12/569,090";"Flight Mirror Mount and Flight Mounting Procedure for an Ultra-Lightweight High-Precision Glass Mirror";"09/29/2029"
-"NASA Goddard Space Flight Center";"Application";"GSC-15672-1";0;"13/211413";"Multicolor detectors for ultrasensitive long-wave imaging cameras";
-"NASA Goddard Space Flight Center";"Issued";"GSC-15678-1";8484274;"12/549,159";"Optimal Padding for the Two-Dimensional Fast Fourier Transform";"08/27/2029"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15684-1";8285401;"12/549,898";"Discrete Fourier Transform (DFT) Analysis in a Complex Vector Space";"08/28/2029"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15685-1";8331733;"12/550,141";"Sampling Theorem in Terms of the Bandwidth and Sampling Interval";"08/28/2029"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15692-1";8330644;"12/835,958 ";"Expandable Reconfigurable Instrument Node - Web Sensor Strand Demonstration";"07/19/2030"
-"NASA Goddard Space Flight Center";"Application";"GSC-15693-1";0;"12/570,224";"Variable Sampling Mapping: A novel supplement to iterative-transform phase retrieval algorithms for undersampled images, broadband illumination, and noisy detection environments";
-"NASA Goddard Space Flight Center";"Issued";"GSC-15699-1";8480296;"12/560,535";"A Low Cost, Low Temperature Radiometer for Thermal Measurements.";"09/16/2029"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15724-1";8275015;"12/551,212";"Passively Q-switched side pumped Monolithic Ring Laser";"08/31/2029"
-"NASA Goddard Space Flight Center";"Application";"GSC-15727-1";0;"13/222575";"An All-metal, Solderless Circularly Polarized Microwave Antenna Element with Very Low Off-Axis Cross-Polarization";
-"NASA Goddard Space Flight Center";"Issued";"GSC-15729-1";8674302;"12/789,937";"Novel Superconducting Transition Edge Sensor Design";"05/28/2030"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15729-2";8393786;"12/789,954 ";"Novel Superconducting Transition Edge Sensor Design";"05/28/2030"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15730-1";8355579;"12/783054";"Automatic Extraction of Planetary Image Features";"05/19/2030"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15732-1";8093565;"12/695478";"Crossed Small Deflection Energy Analyzer (SDEA) for Wind/Temperature Spectrometer (WTS)";"01/28/2030"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15758-1";8044332;"12/553,613";"Hybrid Architecture Active Wavefront Sensing and Control";"09/03/2029"
-"NASA Goddard Space Flight Center";"Issued";"GSC-15771-1";8035081;"12/570,166";"High Precision Electric Gate (HPEG) for Time of Flight Mass Spectrometers";"09/30/2029"
-"NASA Goddard Space Flight Center";"Application";"GSC-15774-1";0;"13/154599";"Ensemble Detector";
-"NASA Goddard Space Flight Center";"Application";"GSC-15782-1";0;"13/216479";"Ultra-low Power (< 100mW), 64-Channel Pulse Data Collection System";
-"NASA Goddard Space Flight Center";"Issued";"GSC-15792-1";8406469;"12/838600";"Progressive Band Selection for Hyperspectral Images";"07/19/2030"
-"NASA Goddard Space Flight Center";"Application";"GSC-15815-1";0;"12/887988";"LIDAR Luminance Quantizer";
-"NASA Goddard Space Flight Center";"Issued";"GSC-15826-1";8134130;"12/839207";"The Corner Cathode: Making Collimated Electron Beams with a Small Number of Electrodes";"07/19/2030"
-"NASA Goddard Space Flight Center";"Application";"GSC-15829-1";0;"13/601293";"Resolution enhanced pseudo random code technique";"08/31/2032"
-"NASA Goddard Space Flight Center";"Application";"GSC-15839-1";0;"12/840787";"Low threshold, narrow linewidth optical parametric generator";
-"NASA Goddard Space Flight Center";"Issued";"GSC-15856-1";8196853;"12/779494";"Aerodynamically Stabilized Instrument Platform for Kites and Tethered Blimps ( AeroPod )";"05/13/2030"
-"NASA Goddard Space Flight Center";"Application";"GSC-15886-1";0;"12/838963";"Automated Beam Balance Scale Logger";
-"NASA Goddard Space Flight Center";"Application";"GSC-15911-1";0;"13/217965";"Graphite Composite Panel Polishing Fixture";
-"NASA Goddard Space Flight Center";"Application";"GSC-15934-1";0;"12/839125";"Determining Phase Retrieval Sampling from the Modulation Transfer Function";
-"NASA Goddard Space Flight Center";"Application";"GSC-15935-1";0;"13/043257";"New Variables for Iterative Transform Phase Retrieval";
-"NASA Goddard Space Flight Center";"Application";"GSC-15936-1";0;"12/854490";"SpaceCube Version 1.5";
-"NASA Goddard Space Flight Center";"Issued";"GSC-15947-1";8274726;"12/839171";"Sampling and Reconstruction of the Sinc(x) Function";"07/19/2030"
-"NASA Goddard Space Flight Center";"Application";"GSC-15948-1";0;"13/204767";"Lateral Kevlar Suspension Device (LKSD)";
-"NASA Goddard Space Flight Center";"Application";"GSC-15949-1";0;"13/600992";"Vectorized Rebinning Algorithm for Fast Data Down-Sampling";"08/31/2032"
-"NASA Goddard Space Flight Center";"Application";"GSC-15951-1";0;"13/222839";"An Improved Method of Fabricating Single Crystal Silicon Light Weight Mirrors";
-"NASA Goddard Space Flight Center";"Issued";"GSC-15953-1";8484509;"12/854546";"SpaceCube Demonstration Platform";"08/11/2030"
-"NASA Goddard Space Flight Center";"Application";"GSC-15953-2";0;"13/903357";"SpaceCube Demonstration Platform";"09/30/2029"
-"NASA Goddard Space Flight Center";"Application";"GSC-15957-1";0;"13/211526";"Imaging System Aperture Masks for Image Plane Exit Pupil Characterization";
-"NASA Goddard Space Flight Center";"Issued";"GSC-15964-1";8525110;"13/247,168 ";"An Instrument Suite for the Vertical Characterization of the Ionosphere-Thermosphere System from 100 km to 700km Altitude";"09/28/2031"
-"NASA Goddard Space Flight Center";"Application";"GSC-15970-1";0;"13/034125";"Electrospray Ionization for Chemical Analysis of Organic Molecules for Mass Spectrometry";
-"NASA Goddard Space Flight Center";"Application";"GSC-15976-1";0;"12/872366";"Phase Retrieval System for Assessing Diamond-Turning and other Optical Surface Artifacts";
-"NASA Goddard Space Flight Center";"Issued";"GSC-15977-1";8354952;"12/839060";"Phase Retrieval for Radio Telescope and Antenna Control";"07/19/2030"
-"NASA Goddard Space Flight Center";"Application";"GSC-15979-1";0;"12/839187";"Multi-Scale Image Reconstruction using Wavelets";
-"NASA Goddard Space Flight Center";"Application";"GSC-15994-1";;"13/104538";"Photonic Choke-Joints for Dual-Polarization Waveguides";
-"NASA Goddard Space Flight Center";"Application";"GSC-16006-1";;"13/216671";"Programmable High-Rate Multi-Mission Receiver for Space Communication";
-"NASA Goddard Space Flight Center";"Application";"GSC-16008-1";;"13/600826";"Phase controlled magnetic mirror for wavefront correction";"08/31/2032"
-"NASA Goddard Space Flight Center";"Application";"GSC-16016-1";;"13/193272";"Carbon Nanotubes on titanium substrates for stray light suppression";
-"NASA Goddard Space Flight Center";"Issued";"GSC-16024-1";8526733;"13/150,316";"Refinement of the HSEG Algorithm for Improved Computational Processing Efficiency";"06/01/2031"
-"NASA Goddard Space Flight Center";"Application";"GSC-16789-1";;"14/ 033725";"LEARNS (Logic Expansion for Autonomously Reconfigurable Neural Systems)";
-"NASA Goddard Space Flight Center";"Application";"GSC-16029-1";;"13/193249";"Nanostructure secondary mirror apodization mask for transmitter signal suppression in a duplex telescope.";
-"NASA Goddard Space Flight Center";"Application";"GSC-16096-1";;"13/211432";"Prototype Genomics Based keyed-Hash Message Authentication Code Protocol";
-"NASA Goddard Space Flight Center";"Application";"GSC-16100-1";;"12/881587";"Lunar Reconnaissance Orbiter (LRO) Command and Data Handling Flight Electronics Subsystem";
-"NASA Goddard Space Flight Center";"Application";"GSC-16105-1";;"13/197214";"Molecular Adsorber Coating";
-"NASA Goddard Space Flight Center";"Application";"GSC-16109-1";;"13/240180";"HEXPANDO expanding head for fastener retention hexagonal wrench";
-"NASA Goddard Space Flight Center";"Application";"GSC-16122-1";;"13/474053";"Apparatuses and Methods to Enable Sub-MHz Precision in Fast Laser Frequency Tuning";
-"NASA Goddard Space Flight Center";"Application";"GSC-16135-1";;"13/534427";"A cryptographic approach to microRNA target binding analysis";
-"NASA Goddard Space Flight Center";"Application";"GSC-16146-1";;"13/601194";"Wafer Level Microchannel Fabrication Process for Lap-on-a-Chip Devices";"08/31/2032"
-"NASA Goddard Space Flight Center";"Application";"GSC-16182-1";;"13/595604";"A High Event Rate, Zero Dead Time, Multi-Stop Time-to-digital Converter Application Specific Integrated Circuit";"08/27/2032"
-"NASA Goddard Space Flight Center";"Application";"GSC-16193-1";;"13/720175";"Fine Control and Maintenance Algorithm for Visible Nulling Coronagraphy";"12/19/2032"
-"NASA Goddard Space Flight Center";"Application";"GSC-16223-1";;"13/551649";"SpaceCube Mini";
-"NASA Goddard Space Flight Center";"Application";"GSC-16247-1";;"13/570100";"Enhanced adhesion multiwalled carbon nanotubes on titanium substrates for stray light control";
-"NASA Goddard Space Flight Center";"Application";"GSC-16250-1";;"13/150316";"Further Refinement of the Computationally Efficient HSEG Algorithm";
-"NASA Goddard Space Flight Center";"Application";"GSC-16259-1";;"13/050617";"Spaceflight Refuiling Tools";
-"NASA Goddard Space Flight Center";"Application";"GSC-16299-1";;"13/622465";"V-Assembly Dual Head Efficiency Resonator (VADER) Laser Transmitter";"09/19/2032"
-"NASA Goddard Space Flight Center";"Application";"GSC-16301-1";;"13/771815";"Impedance matched to vacuum, invisible-edge diffraction suppressed mirror";"02/20/2033"
-"NASA Goddard Space Flight Center";"Application";"GSC-16327-1";;"13/545173";"Miniaturized laser heterodyne radiometer for carbon dioxide (CO2), methane (CH4), and carbon monoxide (CO) measurements in the atmospheric column.";
-"NASA Goddard Space Flight Center";"Application";"GSC-16328-1";;"13/474367";"Development of the Hilbert-Huang Transform Real-Time Data Processing System with 2-D Capabilities";
-"NASA Goddard Space Flight Center";"Application";"GSC-16438-1";;"13/606174";"Power provision based on self-sacrificing spacecraft";
-"NASA Goddard Space Flight Center";"Application";"GSC-16460-1";;"13/592409";"Autonomic Autopoiesis";"08/23/2032"
-"NASA Goddard Space Flight Center";"Application";"GSC-16461-1";;"13/592412";"Autonomic and Apoptotic Cloud, Autonomic and Apoptotic Grid, Autonomic and Apoptotic Highly Distributed System";
-"NASA Goddard Space Flight Center";"Application";"GSC-16485-1";;"14/038381";"Broadband planar impedance transformer";"09/26/2033"
-"NASA Goddard Space Flight Center";"Application";"GSC-16516-1";;"14/021812";"Muti-function microposters inside of microfluidic channel for Lab-On-A-Chip device";"09/09/2033"
-"NASA Kennedy Space Center";"Application";"KSC-12866";0;"12/843,353";"In-Situ Wire Damage Detection System";
-"NASA Goddard Space Flight Center";"Application";"GSC-16545-1";;"13/534442";"INTEGRATED GENOMIC AND PROTEOMIC INFORMATION SECURITY PROTOCOL";
-"NASA Goddard Space Flight Center";"Application";"GSC-16555-1";;"14/023847";"Green Precision Cleaning System";"09/11/2033"
-"NASA Goddard Space Flight Center";"Application";"GSC-16569-1";;"14/041,720";"Mirrorlet array for Integral Field Spectrometers (IFS)";
-"NASA Goddard Space Flight Center";"Application";"GSC-16674-1";;"14/041224";"MISSE-7 Control Center";"09/30/2033"
-"NASA Goddard Space Flight Center";"Application";"GSC-16795-1";;"13/781,121 ";"Wallops Flight Facility 6U Advanced CubeSat Ejector (ACE)";"01/04/2033"
-"NASA Goddard Space Flight Center";"Application";"GSC-16805-1";;"14/040924";"SpaceCube v2.0 Micro";"09/30/2033"
-"NASA Goddard Space Flight Center";"Application";"GSC-16808-1";;"14/040848";"SpaceCube v. 2.0 Flight Power Card";"09/30/2033"
-"NASA Goddard Space Flight Center";"Application";"GSC-16859-1";;"14/037484";"Chemical sensors based on 2-dimensional materials";"09/26/2033"
-"NASA Goddard Space Flight Center";"Application";"GSC-16887-1";;"14/037458";"Propellant Transfer Assembly Design and Development";"09/26/2033"
-"NASA Headquarters";"Issued";"HQN-11248-1";6223143;"09/143,969";"Quantitative Risk Assessment Software (QRAS) System";"08/31/2018"
-"NASA Kennedy Space Center";"Issued";"KSC-11641";5730806;"08/437,859";"Gas-Liquid Supersonic Cleaning And Cleaning Verification Spray System";
-"NASA Kennedy Space Center";"Issued";"KSC-11751";5710377;"08/540,616";"Improved Portable Ultrasonic Leak Detector (Combined With KSC-11751-2)";
-"NASA Kennedy Space Center";"Issued";"KSC-11804";5693871;"08/695,071";"Low-Differential Pressure Generator For Evaluating Low Differential Pressure Transducers";
-"NASA Kennedy Space Center";"Issued";"KSC-11866-1";5977773;"08/912,035";"Non-Intrusive Impedance-Based Cable Tester - Standing Wave Reflectometer";
-"NASA Kennedy Space Center";"Issued";"KSC-11884";6039783;"08/772,057";"A New Process And Equipment For Conversion Of NOx Scrubber Liquor To Fertilizer (related To KSC-11994)";
-"NASA Kennedy Space Center";"Issued";"KSC-11884-2";6641638;"09/511,634";"Process And Equipment For Nitrogen Oxide Waste Conversion To Fertilizer - Continuation-In-Part Filed 2/17/00";
-"NASA Kennedy Space Center";"Issued";"KSC-11937-2";7209567;"10/390,259";"Communication System With Adaptive Noise Suppression";
-"NASA Kennedy Space Center";"Issued";"KSC-12035-1";6552521;"09/906,014";"Improved Single-Station Accurate Location Of Lightning Strikes (Combined With KSC-12276 & KSC-12173)";
-"NASA Kennedy Space Center";"Issued";"KSC-12049";6627065;"09/977,531";"Liquid Galvanic Coatings For Protection Of Imbedded Metals";
-"NASA Kennedy Space Center";"Issued";"KSC-12056";6676912;"09/698,607";"New Air Pollution Control Technology For Removal Of Nitrogen Oxides From Stationary Combustion Sources";
-"NASA Kennedy Space Center";"Issued";"KSC-12092-2";6967051;"09/939,286";"Thermal Insulation System And Method (Continuing Patent Application) (Combined With KSC-12092)";
-"NASA Kennedy Space Center";"Issued";"KSC-12107";6742926;"09/906,018";"Thermal Insulation Test Apparatus With Sleeve (Related To KSC-12108)";
-"NASA Kennedy Space Center";"Issued";"KSC-12108";6487866;"09/906,011";"Multipurpose Thermal Insulation Test Apparatus (Related To 12107)";
-"NASA Kennedy Space Center";"Issued";"KSC-12168";6452510;"09/802,535";"Personal Cabin Pressure Monitor And Altitude Warning System";
-"NASA Kennedy Space Center";"Issued";"KSC-12190";6764617;"09/994,996";"A Novel Ferromagnetic Conducting Lignosulfonic Acid-Doped Polyaniline (Related To KSC-11940, KSC-11940-1, KSC-11940-2, KSC-12154, KSC-12191)";
-"NASA Kennedy Space Center";"Issued";"KSC-12191-2";7179404;"11/215,205";"Corrosion Prevention Of Cold Rolled Steel Using Water Dispersible Lignosulfonic Acid Doped Polyaniline";
-"NASA Kennedy Space Center";"Issued";"KSC-12205";6715914;"10/185,378";"Apparatus And Method For Thermal Performance Testing Of Pipelines And Piping Systems";
-"NASA Kennedy Space Center";"Issued";"KSC-12220";6917203;"10/235,020";"Current Signature Sensor (Combined With KSC-12152)";
-"NASA Kennedy Space Center";"Issued";"KSC-12221";6757641;"10/185,830";"Multisensor Transducer And Weight Factor (Combined With KSC-12359 and KSC-13139)";
-"NASA Kennedy Space Center";"Issued";"KSC-12235";6793903;"10/014,140";"High-Temperature Decomposition Of Hydrogen Peroxide";
-"NASA Kennedy Space Center";"Issued";"KSC-12235-2";6955799;"10/923,152";"Temperature Decomposition Of Hydrogen Peroxide";
-"NASA Kennedy Space Center";"Issued";"KSC-12235-3";8029736;"10/923,163";"High Temperature Decomposition Of Hydrogen Peroxide";
-"NASA Kennedy Space Center";"Issued";"KSC-12236";8511396;"10/476,175";"Non-Toxic Environmentally Safe Halon Replacement (HABx)";
-"NASA Kennedy Space Center";"Application";"KSC-12236-2-PCT";0;"/0";"Flame Suppression Agent, System And Users";
-"NASA Kennedy Space Center";"Application";"KSC-12236-CIP";;"13/428,736";"Non-Toxic Environmentally Safe Halon Replacement (HABx)";
-"NASA Kennedy Space Center";"Issued";"KSC-12246";6664298;"09/972,296";"Zero-Valent Metal Emulsion For Reductive Dehalogenation Of DNAPLs";
-"NASA Kennedy Space Center";"Issued";"KSC-12246-2";7037946;"10/701,412";"Zero-Valent Metal Emulsion For Reductive Dehalogenation Of DNAPLs";
-"NASA Kennedy Space Center";"Issued";"KSC-12278";7400766;"10/783,295";"Image Edge Extraction Via Fuzzy Reasoning (FRED) (combined With KSC-12272)";
-"NASA Kennedy Space Center";"Issued";"KSC-12386";7274907;"10/748,915";"Modular Wireless Data Acquisition System (combined With KSC-12479, KSC-12486)";
-"NASA Kennedy Space Center";"Issued";"KSC-12390";6824306;"10/318,665";"Thermal Insulation Test Apparatus For Flat Specimens";
-"NASA Kennedy Space Center";"Issued";"KSC-12394";7239751;"10/750,629";"Hypothesis Support Mechanism For Mid-Level Visual Pattern Recognition (PIPR)";
-"NASA Kennedy Space Center";"Issued";"KSC-12458";7156957;"10/440,543";"UV Induced Oxidation Of Nitric Oxide";
-"NASA Kennedy Space Center";"Issued";"KSC-12490";7298897;"10/779,551";"Noniterative Optimal Binarization Of Gray-Scaled Digital Images Via Fuzzy Reasoning (FRAT) (combined With KSC-12272)";
-"NASA Kennedy Space Center";"Issued";"KSC-12518";7790128;"10/641,581";"Hydrogen Peroxide Catalytic Decomposition";
-"NASA Kennedy Space Center";"Issued";"KSC-12539";7285306;"10/684,064";"Self-Healing Wire Insulation";
-"NASA Kennedy Space Center";"Issued";"KSC-12539-2";8119238;"11/856,218";"Self-Healing Wire Insulation";
-"NASA Kennedy Space Center";"Application";"KSC-12539-3";0;"13/348,861";"Self-Healing Wire Insulation";
-"NASA Kennedy Space Center";"Issued";"KSC-12540";6958085;"10/666,821";"High Performance Immobilized Liquid Membranes For Carbon Dioxide Separations";
-"NASA Kennedy Space Center";"Issued";"KSC-12630";7496237;"11/010,698";"Image Processing For Binarization Enhancement Via Fuzzy Reasoning";
-"NASA Kennedy Space Center";"Issued";"KSC-12631";7582147;"11/208,122";"Metallic Pigment Powder Particle For Use In A Liquid Coating System To Protect Reinforcing Steel In Concrete Structures";
-"NASA Kennedy Space Center";"Issued";"KSC-12637";7271199;"10/977,622";"Micro-scale Particle Emulsion And Their Application For Removal Of PCBs And Metals Found In Ex Situ Structures";
-"NASA Kennedy Space Center";"Issued";"KSC-12664";7404938;"10/845,418";"Emission Control System";
-"NASA Kennedy Space Center";"Issued";"KSC-12664-3-CIP";7582271;"11/40,294";"Emission Control System";
-"NASA Kennedy Space Center";"Issued";"KSC-12666";7122166;"10/845,607";"Hydrogen Peroxide Concentrator";
-"NASA Kennedy Space Center";"Issued";"KSC-12669";7302364;"11/83,420";"Integrated Spaceport Automated Data Management Architecture (Combine With KSC-12581, KSC-12583, KSC-12671and KSC-12582)";
-"NASA Kennedy Space Center";"Issued";"KSC-12697";7309738;"10/962,827";"A New Approach For Achieving Fire Retardancy While Retaining Physical Properties In A Compatible Polymer Matrix";
-"NASA Kennedy Space Center";"Issued";"KSC-12697-3";7968648;"11/935,093";"A New Approach For Achieving Flame Retardancy While Retaining Physical Properties In A Compatible Polymer Matrix";
-"NASA Kennedy Space Center";"Issued";"KSC-12703";8031449;"12/485,979";"Integral Battery Power Limiting Circuit For Intrinsically Safe Applications";
-"NASA Kennedy Space Center";"Issued";"KSC-12723";7790225;"11/239,445";"Coating For Corrosion Detection And Prevention";
-"NASA Kennedy Space Center";"Application";"KSC-12723-DIV";;"12/792,238";"Coating For Corrosion Detection And Prevention";
-"NASA Kennedy Space Center";"Issued";"KSC-12848";7781492;"11/759,672";"New Organic/inorganic Polymeric Thermal Insulators";
-"NASA Kennedy Space Center";"Issued";"KSC-12848-DIV";7977411;"12/835,233";"New Organic/inorganic Polymeric Thermal Insulators";
-"NASA Kennedy Space Center";"Application";"KSC-12871-CIP";0;"13/915,407";"Polyimide Wire Insulation Repair System";
-"NASA Kennedy Space Center";"Application";"KSC-12871-DIV1";0;"14/093,701";"Polyimide Wire Insulation Repair System";
-"NASA Kennedy Space Center";"Application";"KSC-12871-DIV2";0;"14/093,680";"Polyimide Wire Insulation Repair System";
-"NASA Kennedy Space Center";"Issued";"KSC-12875";7841771;"11/777,711";"Self Validating Thermocouple (Combined With KSC-12865)";
-"NASA Kennedy Space Center";"Issued";"KSC-12878-2-CIP";8163972;"12/465,457";"Bimetallic Treatment System and it's application for Removal of PCBs Found in Ex Situ Structures without the Use of a Catalized Agent";
-"NASA Kennedy Space Center";"Issued";"KSC-12890";7790787;"11/740,357";"New Organic/Inorganic Polymeric Materials";
-"NASA Kennedy Space Center";"Application";"KSC-12890-2-DIV";0;"12/834,416";"New Organic/Inorganic Polymeric Materials";
-"NASA Kennedy Space Center";"Issued";"KSC-12899";8425866;"11/466,624";"Gas Phase Oxidation Of NO To NO2";
-"NASA Kennedy Space Center";"Issued";"KSC-12978";7842639;"11/749,767";"Preparation of a Bimetal Using Mechanical Alloying for the Dehalogenation of Compounds";
-"NASA Kennedy Space Center";"Issued";"KSC-12978-DIV";8288307;"12/909,219";"Preparation of a Bimetal Using Mechanical Alloying for the Dehalogenation of Compounds";
-"NASA Kennedy Space Center";"Issued";"KSC-12983";8409534;"11/692,557";"Mercury Emission Control System";
-"NASA Kennedy Space Center";"Application";"KSC-13047";0;"12/813,864";"Insulation Test Cryostat with Lift Mechanism (Combined with KSC-13048)";
-"NASA Kennedy Space Center";"Application";"KSC-13047-DIV";0;"14/090,193";"Insulation Test Cryostat with Lift Mechanism (Combined with KSC-13048)";
-"NASA Kennedy Space Center";"Issued";"KSC-13088";8293178;"11/935,545";"Improved Thermal Reactivity Of Hydrogen Sensing Pigments In Manufactured Polymer Composites";
-"NASA Kennedy Space Center";"Application";"KSC-13088-CON";0;"13/611,856";"Improved Thermal Reactivity Of Hydrogen Sensing Pigments In Manufactured Polymer Composites";
-"NASA Kennedy Space Center";"Application";"KSC-13088-DIV";0;"13/615,850";"Improved Thermal Reactivity Of Hydrogen Sensing Pigments In Manufactured Polymer Composites";
-"NASA Kennedy Space Center";"Application";"KSC-13161";0;"12/855,791";"PH Sensitive Microcapsule With Corrosion Indicator";
-"NASA Kennedy Space Center";"Application";"KSC-13167";0;"12/856,849";"Watercore PH Sensitive Microcapsule";
-"NASA Kennedy Space Center";"Application";"KSC-13265-CIP2";0;"14/150,502";"An Inductive Non-Contact Position Sensor";
-"NASA Kennedy Space Center";"Application";"KSC-13278";0;"13/354,576";"A Method for Making Elongated Microcapsules Under Simple Shear Conditions";
-"NASA Kennedy Space Center";"Issued";"KSC-13285";8593153;"12/843,382";"An improved Online Diagnostic Device (ODD) for Wiring Evaluation";
-"NASA Kennedy Space Center";"Issued";"KSC-13331";8577639;"13/031,182";"A Method for Accurately Calibrating a Spectrometer Using Broadband Light";
-"NASA Kennedy Space Center";"Application";"KSC-13336";0;"12/843,487";"Sputter Coated wire for in-situ wire damage detection";
-"NASA Kennedy Space Center";"Application";"KSC-13343";0;"13/278,710";"Conductive Carbon Nanotube for use with Desktop Inkjet Printing";
-"NASA Kennedy Space Center";"Application";"KSC-13366";0;"13/523,806";"High Performance Self Healing Film";
-"NASA Kennedy Space Center";"Application";"KSC-13579";;"13/895,717";"Green PCB Removal From Sediment Systems (GPRSS)";
-"NASA Kennedy Space Center";"Application";"KSC-13588";;"13/495,862";"Multi-Dimensional Damage Detection For Flat Surfaces";
-"NASA Kennedy Space Center";"Application";"KSC-13592";;"13/542,155";"pH sensitive microparticles";
-"NASA Kennedy Space Center";"Application";"KSC-13595";;"14/192,784";"Aerogel insulation and composites integrated into unique lay-ups (Incorporates Embodiments from KSC-13702)";
-"NASA Kennedy Space Center";"Application";"KSC-13636";;"13/546,880";"Incorporation of Chemochromic Indicator for the Presence of Hypergolic Fuels into a Variety of Manufactured Parts";
-"NASA Kennedy Space Center";"Application";"KSC-13638";;"14/176,824";"A Two Dimensional Inductive Position Sensor";
-"NASA Kennedy Space Center";"Application";"KSC-13664";;"13/896,896";"Regolith Advanced Surface Systems Operations Robot (RASSOR) Excavator";
-"NASA Kennedy Space Center";"Application";"KSC-13689";;"13/961,521";"Coherence Multiplexing of Wireless Surface Acoustic Wave Sensors";
-"NASA Langley Research Center";"Issued";"LAR-14673-1";5736642;"08/778,066";"Nonlinear Ultrasonic Scanning To Detect Material Defects";"01/08/2017"
-"NASA Langley Research Center";"Issued";"LAR-14840-1";5841032;"08/792,909";"Variable And Fixed Frequency Pulsed Phase-Locked Loop";"01/24/2017"
-"NASA Langley Research Center";"Issued";"LAR-15205-1";5741883;"08/359,752";"Tough, Soluble, Aromatic, Thermoplastic Copolyimides";"04/21/2015"
-"NASA Langley Research Center";"Issued";"LAR-15282-1";5755571;"08/712,984";"Ultrasonic Periodontal Structures Mapping Device";"09/09/2016"
-"NASA Langley Research Center";"Issued";"LAR-15318-1";5798521;"08/806,732";"Distributed Fiber-optic Strain Sensor";"02/27/2017"
-"NASA Langley Research Center";"Issued";"LAR-15348-1";5632841;"08/416,598";"Thin Layer Composite Unimorph Ferroelectric Driver And Sensor, THUNDER";"04/04/2015"
-"NASA Langley Research Center";"Issued";"LAR-15348-2";6734603;"08/797,553";"Thin Layer Composite Unimorph Ferroelectric Driver And Sensor";"04/04/2015"
-"NASA Langley Research Center";"Issued";"LAR-15351-1-CU";5585083;"08/414,661";"Catalyst For Formaldehyde Oxidation";"03/30/2015"
-"NASA Langley Research Center";"Issued";"LAR-15370-1-SB";5640408;"08/593,438";"Quasi Four-Level TM:LuAG Laser (Tm:LuAG Laser)";"01/27/2016"
-"NASA Langley Research Center";"Issued";"LAR-15376-1";5771204;"08/754,642";"Relative Phase Measurement Instrument For Multiple-Echo Systems";"11/21/2016"
-"NASA Langley Research Center";"Issued";"LAR-15406-1";5617873;"08/449,473";"Noninvasive Meth/Apparatus For Monitoring Intracranial Pressure & Pressure Vols Index In Humans";"05/23/2015"
-"NASA Langley Research Center";"Issued";"LAR-15412-1";5606014;"08/511,422";"Imide Oligomers And Co-Oligomers Containing Pendent Phenylethynyl Groups And Polymers Therefrom";"08/04/2015"
-"NASA Langley Research Center";"Issued";"LAR-15412-2";5689004;"08/747,472";"Imide Oligomers And Co-Oligomers Containing Pendent Phenylethynyl Groups And Polymers Therefrom";"08/04/2015"
-"NASA Langley Research Center";"Issued";"LAR-15449-1";6133401;"09/342,462";"A Method To Prepare Processable Polyimides With Reactive Endgroups Using 1,3 Bis (3-Aminophenoxyl) Benzene";"06/29/2019"
-"NASA Langley Research Center";"Issued";"LAR-15449-2";6288209;"09/667,426";"Method To Prepare Processable Polyimides With Reactive Endgroups Using 1,3-Bix(3-Aminophenoxyl)Benzene";"06/29/2019"
-"NASA Langley Research Center";"Issued";"LAR-15507-1";6475147;"09/493,044";"Ultrasonic Technique To Measure Intracranial Pressure";"01/27/2020"
-"NASA Langley Research Center";"Issued";"LAR-15508-1";6545760;"09/535,659";"Distributed Rayleigh Scatter Fiber Optic Strain Sensor";"03/24/2020"
-"NASA Langley Research Center";"Issued";"LAR-15514-1-SB";5991456;"08/654,840";"Method Of Improving A Digital Image";"05/29/2016"
-"NASA Langley Research Center";"Issued";"LAR-15524-1";6000844;"08/810,058";"A Method And Apparatus For The Portable Identification Of Material Thickness Of Layers Using A Scanning Linear Heat Source And Infrared Detectorcramer";"03/04/2017"
-"NASA Langley Research Center";"Issued";"LAR-15525-1-CU";5948965;"08/845,899";"Solid State Carbon Monoxide Sensor";"04/28/2017"
-"NASA Langley Research Center";"Issued";"LAR-15637-1";6015272;"08/673,627";"Magnetically Suspended Miniature Fluid Pump And Method Of Making Same";"06/26/2016"
-"NASA Langley Research Center";"Issued";"LAR-15637-2";6447265;"09/398,878";"Magnetically Suspended Miniature Fluid Pump And Method Of Designing The Same";"06/26/2019"
-"NASA Langley Research Center";"Issued";"LAR-15652-1-CU";6132694;"08/991,075";"Catalyst For Oxidation Of Hydro-Carbons And Volatile Organic Compounds";"12/16/2017"
-"NASA Langley Research Center";"Application";"LAR-15665-1-CU";0;"08/838,596";"Catalyst For Carbon Monoxide Oxidation";
-"NASA Langley Research Center";"Issued";"LAR-15745-1";6222007;"09/093,826";"Prepreg And Composites Made From Polyimide Salt-Like Solution";"05/29/2018"
-"NASA Langley Research Center";"Issued";"LAR-15747-1-CU";6200539;"09/357,403";"One-Atmosphere Uniform Glow Discharge Plasma Gas Flow Acceleration";"07/20/2019"
-"NASA Langley Research Center";"Issued";"LAR-15767-1";6180746;"09/316,428";"Polyimide Foam From Ether-Containing Monomeric Solutions";"05/21/2019"
-"NASA Langley Research Center";"Issued";"LAR-15816-1";6629341;"09/430,677";"Macro-Fiber Composite Actuator With Interdigitated Electrodes";"10/29/2019"
-"NASA Langley Research Center";"Issued";"LAR-15816-2";7197798;"10/653,824";"A Method For Fabricating A Piezoelectric Composite Apparatus";"06/30/2020"
-"NASA Langley Research Center";"Issued";"LAR-15817-1";6450820;"09/612,412";"A Method Of Encouraging Physiological Self-Regulation Through Modulation Of An Operator's Control Input To A Video Game Or Training Simulator";"07/12/2020"
-"NASA Langley Research Center";"Issued";"LAR-15818-3";6922242;"10/465,386";"Optical Path Switching Based Differential Absorption Radiometry For Substance Detection";"06/21/2019"
-"NASA Langley Research Center";"Issued";"LAR-15831-1";5994418;"09/316,865";"Hollow Polyimide Microspheres";"05/21/2019"
-"NASA Langley Research Center";"Issued";"LAR-15831-2";6235803;"09/408,652";"Hollow Polyimide Microspheres";"05/21/2019"
-"NASA Langley Research Center";"Issued";"LAR-15831-3";6084000;"09/394,534";"Hollow Polyimide Microsphere";"05/21/2019"
-"NASA Langley Research Center";"Issued";"LAR-15834-1";6359107;"09/575,826";"High Performance / High Temperature Resins For Infusion And Transfer Molding Processes";"05/18/2020"
-"NASA Langley Research Center";"Issued";"LAR-15851-1-CU";6753293;"09/607,211";"Process For Coating Substrates With Catalyst Materials";"05/11/2021"
-"NASA Langley Research Center";"Issued";"LAR-15854-1";6761695;"10/94,023";"Technique For Non-Invasive Absolute Measurement Of Intra-Cranial Pressure In Humans";"07/28/2022"
-"NASA Langley Research Center";"Issued";"LAR-15927-1";6584848;"10/263,292";"Dielectric Electrostatic Ultrasonic Transducer (DEUT)";"09/30/2022"
-"NASA Langley Research Center";"Issued";"LAR-15934-1";6566648;"09/535,661";"Edge Triggered Apparatus And Method For Measuring Strain In Bragg Gratings";"03/24/2020"
-"NASA Langley Research Center";"Issued";"LAR-15943-1";6746410;"10/121,932";"Transducer Assembly To Measure Changes In Circumferential Expansion Of The Human Skull Due To Changes In Intracranial Pressure";"11/16/2022"
-"NASA Langley Research Center";"Issued";"LAR-15954-1";6376830;"09/606,120";"Single Laser Sweep Full S-Parameter Characterization Of Fiber Bragg Gratings";"06/15/2020"
-"NASA Langley Research Center";"Issued";"LAR-15959-1";7019621;"09/753,370";"Structural Tailored High Displacement Ferro-Electric Sensors And Actuators";"01/02/2021"
-"NASA Langley Research Center";"Issued";"LAR-15977-1";6133330;"09/337,475";"Polyimide Foam From Monomeric Solutions";"05/21/2019"
-"NASA Langley Research Center";"Issued";"LAR-15990-1";6551251;"09/784,413";"Dual Transmission Interface For Passive Fetal Heart Monitoring";"02/13/2021"
-"NASA Langley Research Center";"Issued";"LAR-16001-1";7371358;"10/975,117";"Catalyst For Treatment And Control Of Post-Combustion Emissions";"10/25/2024"
-"NASA Langley Research Center";"Issued";"LAR-16005-1";6426496;"09/648,529";"High Precision Solid State Wavelength Monitor";"11/26/2020"
-"NASA Langley Research Center";"Issued";"LAR-16012-1-CU";6834125;"09/888,701";"Improvement To The Multiscale Retinex With Color Restoration";"06/25/2021"
-"NASA Langley Research Center";"Issued";"LAR-16020-1";6629446;"09/758,115";"Single Vector Force Balance Calibration System";"01/26/2022"
-"NASA Langley Research Center";"Issued";"LAR-16079-1";6939940;"09/757,398";"Liquid Crystalline Thermosets From Oligo-Esters, Ester-Imides And Ester-Amides";"01/05/2021"
-"NASA Langley Research Center";"Issued";"LAR-16083-1";8062129;"11/536,811";"A Method And System For Multi-Player Game Playing Where Physiological Characteristics Of The Players Modulate Their Relative Advantage Over Opponents Or Competitors";"05/22/2030"
-"NASA Langley Research Center";"Issued";"LAR-16116-1";6888346;"10/21,683";"Giant Magnetoresistive Based Self-Nulling Probe For Deep Flaw Detection";"11/28/2021"
-"NASA Langley Research Center";"Issued";"LAR-16176-2";7109287;"10/988,407";"Space Environmentally Durable Polyimides And Copolyimides";"03/03/2025"
-"NASA Langley Research Center";"Issued";"LAR-16220-1";6867533;"09/696,527";"Shaping, Tuning, And Positioning Membrane Structures Using Electroactive Polymer Actuators";"10/23/2020"
-"NASA Langley Research Center";"Issued";"LAR-16231-1-CU";7092539;"09/997,113";"MEMS Based Acoustic Array";"11/28/2021"
-"NASA Langley Research Center";"Issued";"LAR-16256-1";8628333;"11/129,756";"Method And System For Training Psychophysiological Skills Conducive To Optimal Performance Through Perturbation Of Training Tasks, Environments And Devices";"08/27/2029"
-"NASA Langley Research Center";"Application";"LAR-16256-1-CON";0;"14/153,434";"Method And System For Training Psychophysiological Skills Conducive To Optimal Performance Through Perturbation Of Training Tasks, Environments And Devices";"05/13/2025"
-"NASA Langley Research Center";"Issued";"LAR-16299-1";7871682;"10/956,520";"Composite Roll Press And Processes";"12/07/2025"
-"NASA Langley Research Center";"Issued";"LAR-16307-1-SB";7390768;"10/056,845";"Methodology For The Effective Stabilization Of Tin-Oxide-Based Oxidation/Reduction Catalysts";"01/22/2022"
-"NASA Langley Research Center";"Issued";"LAR-16307-2";7985709;"10/956,515";"Methodology For The Effective Stabilization Of Tin-Oxide-Based Oxidation/Reduction Catalysts";"04/16/2027"
-"NASA Langley Research Center";"Application";"LAR-16308-2";0;"12/726,403";"Catalyst For Decomposition Of Nitrogen Oxides (Divisional of LAR 16308-1-CU)";
-"NASA Langley Research Center";"Issued";"LAR-16311-1";6777525;"10/115,812";"Heat, Moisture, Chemical Resistant Polyimide Compositions And Methods For Making And Using The Same";"04/01/2022"
-"NASA Langley Research Center";"Issued";"LAR-16323-1";7253903;"11/27,930";"Method To Linearize Non-Linear Physical Measurements";"06/24/2025"
-"NASA Langley Research Center";"Issued";"LAR-16324-1";6714132;"10/011,229";"Proximity Sensor";"11/27/2021"
-"NASA Langley Research Center";"Issued";"LAR-16324-2";7106203;"10/783,486";"Self-Activating System And Method For Alerting When An Object Or Person Is Left Unattended";"11/27/2021"
-"NASA Langley Research Center";"Issued";"LAR-16326-1";7060991;"10/410,605";"Method For Measuring Thickness Of Small Radius Of Curvature Structures Using A Thermal Line Scanner";"04/10/2023"
-"NASA Langley Research Center";"Issued";"LAR-16332-1-CU";6842543;"09/888,816";"Method Of Improving A Digital Image Having White Zones";"06/25/2021"
-"NASA Langley Research Center";"Issued";"LAR-16363-1";6856073;"10/390,675";"Radial Electric Field Piezo-Diaphragm Fluidic Control Systems";"03/13/2023"
-"NASA Langley Research Center";"Issued";"LAR-16383-1-NP";7588699;"10/288,797";"Electrically Conductive, Optically Transparent Polymer/Carbon Nanotube Composites And Process For Preparation Thereof";"07/02/2023"
-"NASA Langley Research Center";"Issued";"LAR-16383-2";7972536;"12/546,724";"Electrically Conductive, Optically Transparent Polymer/Carbon Nanotube Composites And Process For Preparation Thereof";"10/12/2029"
-"NASA Langley Research Center";"Issued";"LAR-16390-1-SB";7318915;"10/342,660";"Ruthenium Stabilization Mechanism For Next Generation Oxidation And Reduction Catalyst Systems";"01/13/2023"
-"NASA Langley Research Center";"Issued";"LAR-16393-1";6919669;"10/392,491";"Sonic Transducers And Sensors Using Radial Field Diaphragms";"05/31/2023"
-"NASA Langley Research Center";"Issued";"LAR-16406-1-CU";7491169;"10/805,816";"Ultrasonic Method And Means To Assess Compartment Syndrome (Hyper Pressure States In Arm, Leg Muscle/Tendon Compartments)";"09/20/2025"
-"NASA Langley Research Center";"Issued";"LAR-16409-1";8015819;"11/536,790";"Wet Active Chevron Nozzle For Controllable Jet Noise Reduction";"09/17/2028"
-"NASA Langley Research Center";"Issued";"LAR-16432-1";7692116;"10/188,525";"Synthesis Of Carbon Nanotubes Using High Average Power Ultrafast Laser Ablation";"07/03/2022"
-"NASA Langley Research Center";"Issued";"LAR-16437-1-NP";7169374;"11/129,751";"Templated Growth Of Carbon Nanotubes";"05/11/2025"
-"NASA Langley Research Center";"Issued";"LAR-16440-1";6740048;"10/263,285";"Method Of Determining Intracranial Pressure From Skull Expansion Measurements";"09/25/2022"
-"NASA Langley Research Center";"Issued";"LAR-16475-1";7194912;"10/890,843";"Carbon Nanotube-Based Structural Health Monitoring Sensor";"08/07/2024"
-"NASA Langley Research Center";"Issued";"LAR-16496-1";7104498;"10/867,114";"Blown Channel-Wing System For Thrust Deflection And Force/Moment Generation";"10/03/2024"
-"NASA Langley Research Center";"Issued";"LAR-16499-1";7491428;"10/730,188";"Method for the controlled deposition and alignment of single walled carbon nanotubes";"11/15/2025"
-"NASA Langley Research Center";"Issued";"LAR-16510-1";6773407;"10/263,286";"Non-Invasive Method Of Determining Absolute Intracranial Pressure";"12/25/2022"
-"NASA Langley Research Center";"Issued";"LAR-16516-1";6879893;"10/675,502";"Autonomous Health Monitoring Architecture Hardware";"09/30/2023"
-"NASA Langley Research Center";"Issued";"LAR-16517-1";7048228;"10/678,474";"Partial-Span Slotted Wing For Transonic Aircraft";"10/03/2023"
-"NASA Langley Research Center";"Issued";"LAR-16532-1";7334998;"11/5,624";"Low-Noise Fan Exit Guide Vanes";"12/06/2024"
-"NASA Langley Research Center";"Issued";"LAR-16538-1";7675619;"12/129,967";"Micro-LiDAR For In-Flight Flow Velocimetry And Boundary Layer Control";"11/11/2028"
-"NASA Langley Research Center";"Issued";"LAR-16549-1";7262543;"10/943,655";"Inductor (L)-Capacitor ( C ) (aka, LC) Sensor Circuit For Piezo Material Monitoring";"04/17/2025"
-"NASA Langley Research Center";"Application";"LAR-16565-1";0;"13/020,025";"e-Sensor: Quantitative Imaging of Electric Fields and Electric Potentials";
-"NASA Langley Research Center";"Issued";"LAR-16566-1";7285932;"10/975,119";"Method And Apparatus For Loss Of Control Inhibitor Systems";"10/27/2024"
-"NASA Langley Research Center";"Issued";"LAR-16571-1";7075295;"10/839,448";"LC Sensing Element For Closed Cavities Having Low Radio Frequency Transmissivity";"04/30/2024"
-"NASA Langley Research Center";"Issued";"LAR-16571-2";7589525;"11/421,886";"Magnetic Field Response Sensor For Conductive Media";"09/26/2024"
-"NASA Langley Research Center";"Issued";"LAR-16571-3";7759932;"12/533,520";"Magnetic Field Response Sensor For Conductive Media";"07/31/2029"
-"NASA Langley Research Center";"Issued";"LAR-16573-1";7129467;"10/943,831";"Carbon Nanotube Based Light Sensor";"09/29/2024"
-"NASA Langley Research Center";"Issued";"LAR-16575-1";7181942;"10/943,649";"Instrumented Crimping Tool For Critical Wiring Applications";"11/24/2024"
-"NASA Langley Research Center";"Issued";"LAR-16605-1";7623993;"10/731,742";"Energy-extraction-based active noise control system";"11/27/2026"
-"NASA Langley Research Center";"Issued";"LAR-16615-1";6956066;"10/779,552";"Polyimide Foams";"02/11/2024"
-"NASA Langley Research Center";"Issued";"LAR-16615-2";7541388;"11/124,640";"Polyimide Foams";"05/05/2025"
-"NASA Langley Research Center";"Issued";"LAR-16616-1";7758927;"10/956,704";"Laser-Induced Fabrication Of Metallic Interlayers And Patterns In Polyimide Films";"09/30/2024"
-"NASA Langley Research Center";"Issued";"LAR-16640-1";8089677;"12/135,180";"Programmable Smart Grating Device With Quantum Aperture Array";"08/05/2029"
-"NASA Langley Research Center";"Issued";"LAR-16696-1";7048235;"10/678,397";"Slotted Aircraft Wing (a.k.a. Full Span Slotted Wing)";"10/03/2023"
-"NASA Langley Research Center";"Issued";"LAR-16698-1";7394181;"11/76,824";"High Performance High Efficiency Hybrid Actuator Systems (HYBAS)";"03/04/2025"
-"NASA Langley Research Center";"Issued";"LAR-16736-1";7962252;"11/422,984";"Semi Autonomous Flight System With Avionics Sensor Board, Processing Board, And Flight Control Board";"04/07/2027"
-"NASA Langley Research Center";"Issued";"LAR-16845-1";8083986;"12/315,520";"Advanced Thermo-Electric Materials with Nano-Voids";"12/04/2028"
-"NASA Langley Research Center";"Issued";"LAR-16854-1";7381186;"10/911,755";"Ultrasonic Method And Means To Assess Compartment Syndrome Part B";"08/02/2024"
-"NASA Langley Research Center";"Issued";"LAR-16858-1";7667847;"11/533,921";"Thin, High-Contrast Targets for Ultralightweight Structures";"12/15/2026"
-"NASA Langley Research Center";"Issued";"LAR-16867-1";7402264;"11/076,460";"Electroactive polymer-carbon nanotube-ceramic nanocomposites";"02/27/2026"
-"NASA Langley Research Center";"Issued";"LAR-17548-1";8236413;"12/166,852";"Fail Safe High-Temperature Composite Structure";"07/07/2030"
-"NASA Langley Research Center";"Issued";"LAR-16867-2";7527751;"12/109,490";"Sensing/Actuating Materials Made From Carbon Nanotube Polymer Composites And Methods For Making Same";"04/25/2028"
-"NASA Langley Research Center";"Issued";"LAR-16868-1";7341883;"11/242,415";"Lattice Matched SiGe Layer On Single Crystalline Sapphire Substrate";"09/27/2025"
-"NASA Langley Research Center";"Issued";"LAR-16871-1";6413227;"09/459,384";"Optimization Of Ultrasonic Method For Assessment Of Changes In Intracranial Pressure Through Measurement Of Skull Expansion";"12/02/2019"
-"NASA Langley Research Center";"Issued";"LAR-16872-1";7514726;"11/387,086";"Graded Indexed SiGe Layers on Lattice Matched SiGe Layers on Sapphire";"06/10/2027"
-"NASA Langley Research Center";"Issued";"LAR-16874-1";7723464;"11/674,321";"Novel Aromatic/Aliphatic Diamine Derivatives For Advanced Compositions And Polymers";"02/13/2027"
-"NASA Langley Research Center";"Issued";"LAR-16877-1";7186367;"11/110,996";"Double-Vacuum Bag (DVB) Process For Volatile Management In Resin Matrix Composite Manufacturing";"07/08/2025"
-"NASA Langley Research Center";"Issued";"LAR-16885-1";7890311;"11/177,664";"Method Of Simulating Flow-Through Area Of A Pressure Regulator";"12/15/2029"
-"NASA Langley Research Center";"Issued";"LAR-16886-1";7375808;"11/536,120";"Dual Sensing Capable Germ Or Toxic Chemical (GTC) Sensor Using Quantum Aperture Array With Surface Plasmon Polariton (SPP)";"09/28/2026"
-"NASA Langley Research Center";"Issued";"LAR-16900-1";7278324;"11/155,923";"CNT based crack growth detector and strain field monitor";"08/07/2024"
-"NASA Langley Research Center";"Issued";"LAR-16906-1";8529825;"12/928,128";"Fabrication of Nanovoid-imbedded Bismuth Telluride with Low Dimensional System";"02/01/2028"
-"NASA Langley Research Center";"Issued";"LAR-16907-1";7783060;"11/126,518";"A Deconvolution Approach For The Mapping Of Acoustic Sources (DAMAS) Determined From Phased Microphone Arrays";"03/27/2029"
-"NASA Langley Research Center";"Issued";"LAR-16908-1";7086593;"10/839,445";"Magnetic Field Response Measurement Acquisition System (Includes LAR-16138-1, LAR-16554-1, LAR-16591-1, LAR-16614-1, LAR-16617-1, & LAR-16908-1)";"05/04/2024"
-"NASA Langley Research Center";"Issued";"LAR-16946-1";7484930;"11/169,256";"Blowing Flap Side Edge";"07/01/2025"
-"NASA Langley Research Center";"Issued";"LAR-16950-1";7379231;"11/470,771";"Ferroelectric Light Control Device";"09/07/2026"
-"NASA Langley Research Center";"Issued";"LAR-16958-1";7510802;"11/371,575";"Fabrication of Multilayer Ferritin Array for Bionanobattery";"08/24/2027"
-"NASA Langley Research Center";"Issued";"LAR-16970-1";7231832;"11/229,439";"Method For Determining Cracks On And Within Composite Panels";"12/02/2025"
-"NASA Langley Research Center";"Issued";"LAR-16974-1";7047807;"11/203,583";"Methods Of Mounting Erectable, Flexible And Fixed Magnetic Field Response Sensors";"08/08/2025"
-"NASA Langley Research Center";"Issued";"LAR-17003-1";7467921;"11/239,436";"Rotor Blade Vortex Management Via Boundary Layer Separation Control";"09/22/2025"
-"NASA Langley Research Center";"Issued";"LAR-17013-1";7647771;"11/374,480";"Thermally Driven Miniature Piston Actuator";"11/12/2026"
-"NASA Langley Research Center";"Issued";"LAR-17017-1";7537182;"11/250,700";"Enhanced Separation Control Via Simultaneous Multiple-Location Forcing";"06/18/2027"
-"NASA Langley Research Center";"Issued";"LAR-17032-1";7321185;"11/370,377";"A New Concept For Active Bistable Twisting Structures";"03/06/2026"
-"NASA Langley Research Center";"Issued";"LAR-17044-1";7558371;"12/254,150";"Applications Of Twin-Detection XRD Methods On SiGe (111) Layers On Sapphire (0001) Substrate";"10/20/2028"
-"NASA Langley Research Center";"Issued";"LAR-17073-1";7580323;"11/419,818";"Interdigitated Electrode Actuators For Straining Optical Fibers (IDEAS)";"05/27/2026"
-"NASA Langley Research Center";"Application";"LAR-17088-1";0;"13/032,045";"Nanotubular Toughening Inclusions For Improved Mechanical Reinforcement";
-"NASA Langley Research Center";"Issued";"LAR-17112-1";7507472;"11/81,888";"Multi-Layer Electroactive Devices";"09/08/2025"
-"NASA Langley Research Center";"Issued";"LAR-17116-1";7506541;"11/328,468";"Wireless Fuel Volume Measurement Techniques";"10/18/2026"
-"NASA Langley Research Center";"Issued";"LAR-17126-1";7666939;"11/432,201";"A Method For Producing Stable Dispersions Of Single Walled Carbon Nanotubes In Polymer Matrices Using Noncovalent Interactions";"05/11/2026"
-"NASA Langley Research Center";"Issued";"LAR-17128-1";7285933;"11/188,227";"Method And Apparatus For Loss Of Control Inhibitor Systems";"07/20/2025"
-"NASA Langley Research Center";"Issued";"LAR-17135-1";8217143;"11/827,567";"Fabrication of Metal Nanoshells Derived by a Biotemplate";"11/17/2030"
-"NASA Langley Research Center";"Issued";"LAR-17149-2";8608993;"13/053,633";"A Method For Producing Multifunctional Structural Thermally Stable Nanocomposites With Aligned Carbon Nanotubes";"05/20/2026"
-"NASA Langley Research Center";"Issued";"LAR-17154-1";7655595;"11/421,924";"Sprayable Low Temperature Oxidation Catalyst Coating Based on Sol-Gel Technology";"08/11/2027"
-"NASA Langley Research Center";"Issued";"LAR-17154-2";7781366;"12/369,932";"Sol-Gel Based Oxidation Catalyst And Coating System Using Same (Divisional of -1)";"02/12/2029"
-"NASA Langley Research Center";"Issued";"LAR-17155-1";7255004;"11/229,438";"Wireless Fluid-Lead Measuring Dipstick Assembly (Broken Out Of LAR-16974-1)";"03/22/2026"
-"NASA Langley Research Center";"Issued";"LAR-17157-1";7507784;"11/124,508";"Liquid Crystalline Thermosets From Ester, Ester-Imide, And Ester-Amide Oligomers";"01/05/2021"
-"NASA Langley Research Center";"Issued";"LAR-17163-1";7467536;"11/428,017";"Multi-axis Accelerometer Calibration System Using a Cuboidal Attitude Positioning Device";"08/18/2027"
-"NASA Langley Research Center";"Issued";"LAR-17165-1";7595112;"11/461,150";"Method To Prepare Hybrid Metal/Composite Laminates By Resin Infusion";"02/01/2028"
-"NASA Langley Research Center";"Issued";"LAR-17168-1";7732998;"11/462,114";"Cylindrical Shaped Micro Fiber Composite (CMFC) Actuators";"09/24/2027"
-"NASA Langley Research Center";"Issued";"LAR-17169-1";7446459;"11/486,200";"Hybrid Force/Stress Amplified Piezoelectric Energy Harvesting Transducer System";"07/13/2026"
-"NASA Langley Research Center";"Application";"LAR-17211-1";0;"13/557,250";"Floating Ultrasonic Transducer Inspection System For Nondestructive Evaluation";
-"NASA Langley Research Center";"Issued";"LAR-17213-1";8020805;"11/831,233";"New Configuration and Power Technology for Application-Specific Scenarios of High Altitude Airships";"03/25/2030"
-"NASA Langley Research Center";"Issued";"LAR-17224-1";7998368;"12/272,826";"Effective Dispersion of Carbon Nanotubes in an Aqueous Solution and Their Application on Bionanotechnology";"06/04/2029"
-"NASA Langley Research Center";"Issued";"LAR-17229-1";7760778;"11/670,044";"Thin-film evaporative cooling concept for a solid-state laser diode crystal";"02/01/2027"
-"NASA Langley Research Center";"Issued";"LAR-17235-1";7414708;"11/461,569";"Multi-Point, Multi-Component Interferometric Rayleigh/Mie Doppler Velocimeter";"08/01/2026"
-"NASA Langley Research Center";"Issued";"LAR-17237-1";8294989;"12/512,344";"Photonic DART (Densely Accumulated Ray-point by micro-zone-plaTe)";"04/25/2031"
-"NASA Langley Research Center";"Issued";"LAR-17240-1";8111943;"12/423,907";"Computational Visual Servo:Automatic Measurement and Control for Smart Image Enhancement";"09/14/2030"
-"NASA Langley Research Center";"Issued";"LAR-17241-1";8018815;"12/490,747";"Optical Data Storage System with Micro Zone Plate";"12/05/2029"
-"NASA Langley Research Center";"Issued";"LAR-17242-1";8174695;"12/508,018";"MICRO-RING THIN-FILM SPECTROMETER ARRAY";"09/03/2030"
-"NASA Langley Research Center";"Issued";"LAR-17243-1";8411214;"12/144,937";"Variable Visibility Glasses for Flight Training";"02/01/2032"
-"NASA Langley Research Center";"Issued";"LAR-17245-1";8344281;"12/751,075";"Use of Beam Deflection to Control Electron Beam Wire Deposition Processes";"04/26/2031"
-"NASA Langley Research Center";"Issued";"LAR-17257-1";7590904;"11/531,703";"Detecting the loss of configuration access of reprogrammable Field Programmable Gate Array (FPGA) without external circuitry";"10/07/2027"
-"NASA Langley Research Center";"Issued";"LAR-17267-1";7704553;"11/710,386";"Method of Depositing Metals onto Carbon Allotropes and Compositions Therefrom";"06/26/2028"
-"NASA Langley Research Center";"Issued";"LAR-17268-1";7647543;"11/535,574";"Integrated mitigation for single event upset (SEU) of reprogrammable field programmable gate arrays (FPGA) operating in radiation environments";"09/27/2026"
-"NASA Langley Research Center";"Issued";"LAR-17280-1";7159774;"11/305,854";"Magnetic Field Response Measurement Acquisition System";"04/30/2024"
-"NASA Langley Research Center";"Issued";"LAR-17286-1";8081734;"12/628,446";"Miniature, Low-Power X-Ray Tube Using A Microchannel Electron Generator Electron Source";"02/26/2030"
-"NASA Langley Research Center";"Issued";"LAR-17290-1";7737867;"11/696,333";"Advance Display Media for Improved Airport Surface Operations";"06/11/2028"
-"NASA Langley Research Center";"Issued";"LAR-17293-1";7991491;"11/559,420";"Control Device And Method For Generating Control Signals For Technical Devices";"03/04/2030"
-"NASA Langley Research Center";"Issued";"LAR-17294-1";8430327;"11/671,089";"Low Profile Sensors Using Self-Resonating Inductors";"08/22/2028"
-"NASA Langley Research Center";"Issued";"LAR-17295-1";7683797;"11/671,131";"System For Providing Damage Detection And Thermal Protection";"02/15/2028"
-"NASA Langley Research Center";"Issued";"LAR-17300-1";7538860;"11/840,363";"A Method and Apparatus for Determination of the Reflection Wavelength of Multiple Low-Reflectivity Bragg Gratings in a Single Fiber";"12/31/2027"
-"NASA Langley Research Center";"Application";"LAR-17307-1";0;"11/466,569";"Low Mass Free Piston Space Radiator";
-"NASA Langley Research Center";"Issued";"LAR-17317-1";8401217;"11/780,500";"Extreme Low Frequency Acoustic Measurement Portable System";"11/29/2030"
-"NASA Langley Research Center";"Application";"LAR-17317-2";;"13/771,735";"Extreme Low Frequency Acoustic Measurement System";"07/20/2027"
-"NASA Langley Research Center";"Application";"LAR-17318-1";0;"13/082,734";"Preparation of Metal Nanowire Decorated Carbon Allotropes";"08/29/2027"
-"NASA Langley Research Center";"Issued";"LAR-17321-1";8545986;"12/043,276";"Ultra High-Temperature, Lightweight Insulation Material Compositions And Methods For Making And Using Them";"06/27/2030"
-"NASA Langley Research Center";"Application";"LAR-17323-1";0;"11/757,780";"Concept And Design Of Oxygen Band Radar For Surface Air Pressure Remote Sensing";
-"NASA Langley Research Center";"Issued";"LAR-17325-1";8060350;"12/56,686";"Unsteady aerodynamic reduced-order models (ROMs) for efficient aeroelastic analysis";"03/04/2030"
-"NASA Langley Research Center";"Issued";"LAR-17327-1";8117013;"12/002,857";"Standardized Radiation Shield Design Method: 2005 HZETRN";"07/05/2030"
-"NASA Langley Research Center";"Application";"LAR-17330-1";0;"11/946,207";"Multi Functional Composite And Honeycomb Panels";
-"NASA Langley Research Center";"Issued";"LAR-17332-1";7958733;"11/762,827";"Active Flow Effectors by Embedded Shape Memory Alloy Actuation";"11/04/2029"
-"NASA Langley Research Center";"Application";"LAR-17332-2";;"13/096,305";"Jet Engine Exhaust Nozzle Flow Effector";"07/05/2027"
-"NASA Langley Research Center";"Issued";"LAR-17335-1";8170234;"12/108,562";"Extension Of DAMAS Phased Array Processing For Spatial Coherence Determination (DAMAS-C)";"03/02/2031"
-"NASA Langley Research Center";"Issued";"LAR-17346-1";7649439;"11/465,503";"Thermoelectric Devices From Thin Metal System To Include Flexible Substrate And Method Of Making Same";"04/28/2027"
-"NASA Langley Research Center";"Issued";"LAR-17355-1";8164485;"11/863,964";"A Method of Providing a Synthetic Vision System Flight Management Visualization Display for Aiding Pilot Preview, Rehearsal and/or Review and Real-Time Visual Acquisition of Flight Mission Progress";"06/24/2029"
-"NASA Langley Research Center";"Application";"LAR-17361-1";0;"12/138,709";"Airfoil/ Wing Flow Control Using Flexible Extended Trailing Edge";
-"NASA Langley Research Center";"Issued";"LAR-17365-1";7784732;"11/958,673";"Boundary-Layer-Ingesting S-Duct Diffusing Inlet Flow Control Using Hybrid Vane/Jet Approach at Transonic Flow Conditions";"04/26/2029"
-"NASA Langley Research Center";"Issued";"LAR-17381-1";8044294;"12/254,016";"Thermoelectric material made with highly oriented twinned alloy of Si, Ge, C, and Sn on the basal plane of trigonal substrate and thermoelectric device made with the same material";"10/11/2029"
-"NASA Langley Research Center";"Issued";"LAR-17382-1";8052069;"12/393,238";"Advanced High Performance Vertical Hybrid Electroactive Synthetic Jet Actuator (ASJA-V)";"10/18/2029"
-"NASA Langley Research Center";"Issued";"LAR-17384-1";8662412;"12/354,808";"Advanced Modified High Performance Synthetic Jet Actuator With Optimized Curvature Shape Chamber (ASJA-M)";"10/27/2031"
-"NASA Langley Research Center";"Issued";"LAR-17385-1";7671306;"11/589,011";"Apparatus For Free Electron Laser Ablative Synthesis Of Carbon Nanotubes";"03/10/2028"
-"NASA Langley Research Center";"Application";"LAR-17386-1";0;"12/851,584";"Fine-Grained Targets For Free Electron Laser Synthesis Of Carbon Nanotubes";
-"NASA Langley Research Center";"Issued";"LAR-17387-1";7663077;"11/589,010";"Process For Optimizing The Yield And Production Rate Of Single-Walled Carbon Nanotubes Using Free Electron Laser Synthesis";"01/23/2028"
-"NASA Langley Research Center";"Issued";"LAR-17390-1";8235309;"12/355,782";"Advanced High Performance Horizontal Piezoelectric Hybrid Synthetic Jet Actuator (ASJA-H)";"04/02/2031"
-"NASA Langley Research Center";"Issued";"LAR-17391-1";7792015;"12/187,458";"A Byzantine-Fault Tolerant Self-Stabilizing Protocol for Distributed Clock Synchronization Systems";"08/14/2028"
-"NASA Langley Research Center";"Issued";"LAR-17402-1";7964698;"11/935,036";"Wholly Aromatic Liquid Crystalline Polyetherimide (LC-PEI) Resin for manufacturing high modulus fibers, films, injection molded articles and foams";"09/27/2029"
-"NASA Langley Research Center";"Issued";"LAR-17405-1";8226767;"12/254,134";"Hybrid Bandgap Engineering for Rhombohedral Super-Hetero-Epitaxy";"05/11/2031"
-"NASA Langley Research Center";"Application";"LAR-17413-2";0;"12/641,603";"Nanoparticle-Containing Thermoplastic Composites and Methods of Preparing Same";
-"NASA Langley Research Center";"Issued";"LAR-17425-1";8059273;"12/496,788";"Micro Spectrometer for Parallel Light";"08/19/2029"
-"NASA Langley Research Center";"Application";"LAR-17427-1";0;"12/174,360";"Tailorable Dielectric Materials with Complex Permittivity Characteristics providing High Dielectric Constants and Low Loss Factors";
-"NASA Langley Research Center";"Issued";"LAR-17432-1";8112243;"12/118,172";"Forward Voltage Short Pulse (FVSP) Technique for Measuring High Power Laser Diode Array (LDA) Junction Temperature";"11/27/2030"
-"NASA Langley Research Center";"Issued";"LAR-17433-1";7902815;"11/856,807";"A Multi-Measurement Wheel Sensor";"06/19/2029"
-"NASA Langley Research Center";"Issued";"LAR-17440-1";7845215;"11/844,571";"Resonant Difference-Frequency Atomic Force Ultrasonic Microscope";"02/03/2029"
-"NASA Langley Research Center";"Issued";"LAR-17444-1";8042739;"11/864,012";"Wireless Tamper Detection Sensor Requiring No Electrical Connection";"11/08/2029"
-"NASA Langley Research Center";"Issued";"LAR-17447-1";8002219;"11/941,119";"Multifunctional Boost Protective Cover (MBPC) For A Launch Abort System (LAS)";"01/16/2030"
-"NASA Langley Research Center";"Application";"LAR-17455-3";;"13/938,622";"A Nanotube Film Electrode and an Electroactive Device Fabricated with the Nanotube Film Electrode and Methods for Making Same";"10/28/2031"
-"NASA Langley Research Center";"Issued";"LAR-17469-1";8094306;"12/487,735";"Micro Ring Grating Spectrometer with Moveable Aperture Slit";"08/27/2030"
-"NASA Langley Research Center";"Issued";"LAR-17477-1";7993567;"12/131,420";"Auxiliary Electrode For Electrospinning Process";"10/02/2029"
-"NASA Langley Research Center";"Issued";"LAR-17478-1";7883052;"11/954,452";"Integration Of A Turbo-Fan Engine Above An Aircraft's Wing Which Reduces Drag And Community Noise";"09/24/2029"
-"NASA Langley Research Center";"Issued";"LAR-17480-1";7711509;"11/930,222";"A Method To Calibrate Magnetic Response Fluid-Level Sensors Using Complete Sensor Immersion In Fluid";"03/18/2028"
-"NASA Langley Research Center";"Issued";"LAR-17485-1";7851062;"12/124,273";"Composition of and Method to Prepare Hybrid Laminates from Metal Plasma Coated Fibers and Polymer Matrix Resins";"09/09/2028"
-"NASA Langley Research Center";"Issued";"LAR-17485-2";8017190;"12/906,633";"Metal/Fiber Laminate and Fabrication Using A Porous Metal/Fiber Preform";"05/21/2028"
-"NASA Langley Research Center";"Issued";"LAR-17487-1";8157207;"11/836,517";"Jet Engine Nozzle Exit Configurations And Associated Systems And Methods";"04/15/2029"
-"NASA Langley Research Center";"Issued";"LAR-17488-1";7814786;"12/015,626";"Thin-Film Sensor For Measuring Liquid-Level And Temperature Having No Electrical Connections";"08/26/2028"
-"NASA Langley Research Center";"Issued";"LAR-17493-1";8424200;"12/098,000";"Conducting Nanotubes Or Nanostructures Based Composites, Method Of Making Them And Applications";"05/16/2031"
-"NASA Langley Research Center";"Issued";"LAR-17502-1";8529249;"11/860,703";"Quick Change Ceramic Flame Holder for High Output Torch";"03/14/2030"
-"NASA Langley Research Center";"Application";"LAR-17502-1-CON";;"14/021,325";"Flame Holder System";"09/25/2027"
-"NASA Langley Research Center";"Issued";"LAR-17514-1";8196858;"12/721,833";"Mars Airplane";"02/15/2031"
-"NASA Langley Research Center";"Issued";"LAR-17526-1";7991595;"12/138,768";"Adaptive Refinement Tools (ARTs) for Tetrahedral Unstructured Grids";"06/07/2029"
-"NASA Langley Research Center";"Issued";"LAR-17528-1";7878348;"12/248,339";"Lightweight Lunar Surface Remote Manipulator System (LSRMS)";"10/09/2028"
-"NASA Langley Research Center";"Issued";"LAR-17535-1";8206674;"12/152,414";"High Pressure Boron Vaporization Synthesis Of Few-Walled Boron Nitride Nanotube Fibers";"04/13/2030"
-"NASA Langley Research Center";"Issued";"LAR-17539-1";8164328;"12/493,573";"Development Of Eddy Current Techniques For The Detection Of Stress Corrosion Cracking In Space Shuttle Primary Reaction Control Thrusters";"01/08/2030"
-"NASA Langley Research Center";"Issued";"LAR-17547-1";7848381;"12/366,722";"Line Tunable Visible and Ultraviolet Laser";"07/05/2029"
-"NASA Langley Research Center";"Issued";"LAR-17553-1";8257491;"12/288,379";"NEW RHOMBOHEDRAL ALIGNMENT OF CUBIC SEMICONDUCTOR ON TRIGONAL SUBSTRATE AT A HIGH TEMPERATURE";"07/06/2031"
-"NASA Langley Research Center";"Issued";"LAR-17554-1";7769135;"12/288,380";"X-ray Diffraction Wafer Mapping Method for Rhombohedral Super-Hetero-Epitaxy";"10/20/2028"
-"NASA Langley Research Center";"Application";"LAR-17555-1";0;"13/020,194";"Front-Flight-Path Turbulence & Vortex Detection System";
-"NASA Langley Research Center";"Issued";"LAR-17573-1";7855368;"12/178,173";"Air Coupled Acoustic Thermography Nondestructive Evaluation System And Method";"10/09/2028"
-"NASA Langley Research Center";"Issued";"LAR-17576-1";7742663;"12/261,376";"Innovative Structural Design And Materials For Transmission To And Protection Of Ultraviolet And Infrared Radiation Sensors";"10/30/2028"
-"NASA Langley Research Center";"Issued";"LAR-17579-1";8673649;"12/463,475";"Wireless Chemical Sensing Using Changes To An Electrically Conductive Reactant Within Sensor's Magnetic Field";"01/04/2031"
-"NASA Langley Research Center";"Issued";"LAR-17593-1";8167204;"12/253,422";"Open Circuit Damage Location Sensor Having No Electrical Connections";"10/30/2030"
-"NASA Langley Research Center";"Issued";"LAR-17608-1";7901611;"12/274,652";"Methodology for calculating fiber distribution during electrospinning";"01/12/2029"
-"NASA Langley Research Center";"Issued";"LAR-17609-1";8255732;"12/429,603";"A Self-Stabilizing Byzantine-Fault-Tolerant Clock Synchronization Protocol";"12/30/2030"
-"NASA Langley Research Center";"Issued";"LAR-17629-1";7813599;"12/390,606";"A Method for Shape Determination of Multi-Core Optical Fiber";"02/23/2029"
-"NASA Langley Research Center";"Issued";"LAR-17634-1";7893602;"12/328,162";"Distributed transducer capable of generating or sensing a transverse point load";"03/14/2029"
-"NASA Langley Research Center";"Application";"LAR-17636-1";0;"13/752,495";"PICA on Edge: Edgewise strips of PICA ablator to eliminate gaps in capsule heat shield";"01/29/2033"
-"NASA Langley Research Center";"Issued";"LAR-17638-1";8508413;"13/082,839";"Fractal Dielectric Microstrip Antenna using Patterned Substrate Material Geometries";"03/02/2032"
-"NASA Langley Research Center";"Issued";"LAR-17651-1";8259104;"12/493,666";"Domain Decomposition By the Advancing-Partition Method for Parallel Unstructured Grid Generation";"03/09/2031"
-"NASA Langley Research Center";"Issued";"LAR-17655-1";8111832;"12/424,793";"Local Intelligence Based Impedance Optimization Scheme for Adaptive Noise Reduction";"06/25/2030"
-"NASA Langley Research Center";"Issued";"LAR-17656-1";8108178;"12/467,475";"DIRECTED DESIGN OF EXPERIMENTS FOR VALIDATING PROBABILITY OF DETECTION CAPABILITY OF NDE SYSTEMS (DOEPOD)";"05/05/2030"
-"NASA Langley Research Center";"Application";"LAR-17668-1";0;"12/322,591";"Device for the Large-Scale synthesis of High-Quality Boron Nitride Nanotubes";"02/04/2029"
-"NASA Langley Research Center";"Issued";"LAR-17681-1";8347479;"12/849,906";"Thermally-Activated Crack Healing Mechanism for Metallic Materials";"04/30/2031"
-"NASA Langley Research Center";"Application";"LAR-17681-2";;"13/719,740";"System for Repairing Cracks in Structures";"08/04/2030"
-"NASA Langley Research Center";"Issued";"LAR-17681-3";8679642;"14/037,850";"System for Repairing Cracks in Structures";"08/04/2030"
-"NASA Langley Research Center";"Application";"LAR-17689-1";0;"12/393,289";"Negative Dielectric Constant Material Based on Ion Conducting Materials";"08/20/2031"
-"NASA Langley Research Center";"Application";"LAR-17694-1";0;"12/974,359";"A Synthetic Quadrature Phase Detector/Demodulator for Fourier Transform Spectrometers";"03/09/2032"
-"NASA Langley Research Center";"Issued";"LAR-17695-1";8658004;"12/470,689";"Vapor-Barrier Vacuum Isolation System";"08/01/2032"
-"NASA Langley Research Center";"Application";"LAR-17696-1";0;"12/543,686";"Asymmetric Dielectric Elastomer Composite Material";"03/16/2031"
-"NASA Langley Research Center";"Issued";"LAR-17705-1";8672107;"13/042,655";"Tunable damper capable of tailoring the structural damping for individual modes of vibration using minimal space and minimal impact on the system frequencies and mode shapes.";"11/28/2031"
-"NASA Langley Research Center";"Issued";"LAR-17709-1";7912101;"12/628,423";"Increased Efficiency Nonlinear Optical Interactions";"12/01/2029"
-"NASA Langley Research Center";"Issued";"LAR-17711-1";8179203;"12/569,984";"Wireless Electrical Applications/Devices Using floating Electrodes Electromagnetically Coupled to Open-Circuit Devices";"07/09/2030"
-"NASA Langley Research Center";"Application";"LAR-17723-1";0;"12/699,334";"Novel material for wound healing applications.";
-"NASA Langley Research Center";"Issued";"LAR-17724-1";8378659;"12/703,221";"Electroactive polymer fibers for structural health monitoring.";"01/22/2031"
-"NASA Langley Research Center";"Issued";"LAR-17735-1";8490463;"12/881,431";"Assessment and Calibration of Crimp Tool Equipped with Ultrasonic Analysis, including Phantom Construction";"10/22/2031"
-"NASA Langley Research Center";"Issued";"LAR-17736-1";8147920;"12/370,755";"Controlled Deposition And Alignment Of Carbon Nanotubes (Continuation of LAR 16499-1)";"02/13/2029"
-"NASA Langley Research Center";"Application";"LAR-17738-1";0;"12/685,280";"Sensory Metallic Materials";
-"NASA Langley Research Center";"Issued";"LAR-17743-1";8473663;"13/011,198";"Reconfigurable Peripheral Component Interconnect local bus controller and target design.";"10/07/2031"
-"NASA Langley Research Center";"Issued";"LAR-17745-1";7906043;"12/550,431";"Electrically Conductive, Optically Transparent Polymer/Carbon Nanotube Composites And Process For Preparation Thereof";"11/01/2022"
-"NASA Langley Research Center";"Application";"LAR-17877-1";;"13/277,859";"Autonomous Leading-Edge Slat Device for Reduction of Aeroacoustic Noise Associated with Aircraft Wings";
-"NASA Langley Research Center";"Application";"LAR-17747-1";0;"13/029,471";"Temperature Sensing Using Temperature Sensitive Dielectric Material in Proximity to Open-Circuit Sensors Having No Electrical Connections";
-"NASA Langley Research Center";"Application";"LAR-18090-1";;"13/786,608";"No Moving Part - Variable Frequency Fluidic Oscillator";"03/06/2033"
-"NASA Langley Research Center";"Application";"LAR-17747-1-CON";;"14/193,861";"Wireless Temperature Sensor Having No Electrical Connections and Sensing Method for Use Therewith";"02/17/2031"
-"NASA Langley Research Center";"Issued";"LAR-17748-1";8303922;"12/546,185";"Exfoliation of Hexagonal Boron Nitride";"11/19/2030"
-"NASA Langley Research Center";"Issued";"LAR-17759-1";7935414;"12/406,315";"Multilayer Electroactive Polymer Composite Material (Continuation of LAR 17112-1)";"03/18/2029"
-"NASA Langley Research Center";"Issued";"LAR-17766-1";8452073;"12/750,991";"Method for Closed Loop Process Control for Electron Beam Freeform Fabrication and Deposition Processes";"10/02/2031"
-"NASA Langley Research Center";"Application";"LAR-17769-1";0;"12/894,279";"Modifying Surface Energy via Laser Ablative Surface Patterning";
-"NASA Langley Research Center";"Application";"LAR-17777-1";;"13/443,940";"Process to Fabricate Specific Sized Monodisperse Polystryene Microparticles";
-"NASA Langley Research Center";"Application";"LAR-17780-1";0;"12/387,703";"Boron Nitride Nanotube Fibrils and Yarns (Filed by JLabs, their ref: ID 1248/Docket 2025(JSA)";
-"NASA Langley Research Center";"Application";"LAR-17786-1";0;"12/964,381";"Smart Optics Material Characterization System";
-"NASA Langley Research Center";"Application";"LAR-17789-1";0;"12/969,076";"Electroactive scaffold";
-"NASA Langley Research Center";"Application";"LAR-17791-1";0;"13/070,552";"Apparatus and Method for Selective Enhancement of Surface Plasmon Polaritons to Initiate and Sustain Low Energy Nuclear Reactions in Metal Hydride Systems";
-"NASA Langley Research Center";"Issued";"LAR-17799-1";8655513;"13/046,030";"Realtime 3-D Image Processing and Enhancement";"05/25/2031"
-"NASA Langley Research Center";"Application";"LAR-17800-1";0;"13/527,638";"Method for generating laser linear frequency modulation waveform";
-"NASA Langley Research Center";"Application";"LAR-17801-1";0;"13/566,077";"Coherent Doppler lidar for measuring altitude, ground velocity, and air velocity of aircraft and spaceborne vehicles";"08/03/2032"
-"NASA Langley Research Center";"Application";"LAR-17813-1";0;"13/198,817";"Durable Joining Technology for Uniformly-Curved Composite Sandwich Structures";"08/17/2032"
-"NASA Langley Research Center";"Application";"LAR-17813-1-CON";;"14/200,708";"Systems, Apparatuses, and Methods for Using Durable Adhesively Bonded Joints for Sandwich Structures";"08/05/2031"
-"NASA Langley Research Center";"Application";"LAR-17830-1";0;"12/925,047";"Actuators and Sensors Fabricated with Boron Nitride Nanotubes (BNNTs) and BNNT Polymer Composites";
-"NASA Langley Research Center";"Issued";"LAR-17831-1";8651429;"13/214,453";"Blended Cutout Flap Design for the Reduction of Jet-Flap Interaction Noise";"08/22/2031"
-"NASA Langley Research Center";"Application";"LAR-17832-1";0;"13/214,469";"Aircraft Engine Nozzle Systems for Jet Noise Reduction by Acoustic Shielding";
-"NASA Langley Research Center";"Application";"LAR-17833-1";0;"13/214,481";"Active Aircraft Pylon Noise Control System";
-"NASA Langley Research Center";"Issued";"LAR-17836-1";8671763;"12/850,708";"Sub-Surface Windscreen for Outdoor Measurement of Infrasound";"02/18/2031"
-"NASA Langley Research Center";"Application";"LAR-17841-1";0;" 14/202,699";"High Mobility Transport Layer Structures for Rhombohedral Si/Ge/SiGe Devices";"03/10/2034"
-"NASA Langley Research Center";"Application";"LAR-17848-1";0;"13/796,626";"Spectroscopy using Electric Permittivity, Magnetic Permeability and Electrical Conductivity Spatial Profiles";"03/12/2033"
-"NASA Langley Research Center";"Issued";"LAR-17856-1";8198976;"12/688,309";"Flexible Thin Metal Film Thermal Sensing System (CIP of LAR 17346-1)";"09/20/2030"
-"NASA Langley Research Center";"Application";"LAR-17857-1";0;"12/967,690";"A GPS-Based Pitot-Static Calibration Method Using Global Output-Error Optimization";
-"NASA Langley Research Center";"Application";"LAR-17869-1";;"13/166,226";"Team Electronic Gameplay Combining Different Means of Control";
-"NASA Langley Research Center";"Application";"LAR-17886-1";;"13/324,527";"Method and Apparatus to Detect Wire Pathologies Near Crimped Connector";
-"NASA Langley Research Center";"Application";"LAR-17887-1";;"13/743,750";"Interrogations Leading to Recertification of Wire Crimps and Other Joining Technologies.";"01/17/2033"
-"NASA Langley Research Center";"Issued";"LAR-17888-1";8605262;"13/167,093";"Time Shifted PN Codes for CW LIDAR, RADAR, and SONAR";"12/28/2031"
-"NASA Langley Research Center";"Issued";"LAR-17894-1";8494687;"13/166,121";"3-D Super Resolution Algorithm for Flash LIDAR Image Enhancement";"12/11/2031"
-"NASA Langley Research Center";"Application";"LAR-17895-1";;"13/166,166";"Method and System for Physiologically Modulating Videogames or Simulations Which Use Motion-Sensing Input Devices";
-"NASA Langley Research Center";"Application";"LAR-17902-1";;"13/068,329";"Neutron and Ultraviolet Radiation Shielding Films Fabricated Using Boron Nitride Nanotubes and Boron Nitride Nanotube Composites";
-"NASA Langley Research Center";"Application";"LAR-17906-1";;"13/272,027";"Abnormal Grain Growth Suppression in Aluminum Alloys";
-"NASA Langley Research Center";"Issued";"LAR-17908-1";8655094;"13/105,004";"New Photogrammetry System to Measure Relative 6-Degree-of-Freedom Motion Between Two Bodies Using Heterogeneous Cameras Having Arbitrary Wide-Angle Lenses with Non-Overlapping Fields of View";"04/23/2032"
-"NASA Langley Research Center";"Application";"LAR-17918-1";;"13/136,216";"High Kinetic Energy Penetrator Shielding and High Wear Resistance Materials Fabricated with Boron Nitride Nanotubes (BNNTs) and BNNT Polymer Composites";
-"NASA Langley Research Center";"Issued";"LAR-17919-1";8661653;"13/191,882";"Z-Shields from Fiber Metal Laminate";"07/27/2031"
-"NASA Langley Research Center";"Application";"LAR-17919-2";;"13/963,484";"Z-Shields from Fiber Metal Laminate";"07/27/2031"
-"NASA Langley Research Center";"Application";"LAR-18097-1";;"13/591,320";"Arbitrary Shape Initialization of Fiber Optic Shape Sensing Systems";"08/22/2032"
-"NASA Langley Research Center";"Application";"LAR-17923-1";;"13/411,793";"A Method of Creating Micro-scale Silver Telluride Grains Covered with Bismuth Nanospheres as Nano-bridges for Thermoelectric Application";"11/14/2032"
-"NASA Langley Research Center";"Application";"LAR-17947-1";;"13/775,809";"Linear Fresnel Spectrometer Chip with Gradient Line Grating";"02/25/2033"
-"NASA Langley Research Center";"Application";"LAR-17952-1";;"13/411,891";"Multi-Point Interferometric Phase Change Detection Algorithm";
-"NASA Langley Research Center";"Application";"LAR-17958-1";;"13/195,251";"Wireless Open-Circuit In-Plane Strain and Displacement Sensors Having No Electrical Connections";"07/16/2032"
-"NASA Langley Research Center";"Issued";"LAR-17959-1";8087494;"12/894,326";"Method of Making a Composite Panel Having Subsonic Transverse Wave Speed Characteristics (Continuation of LAR 16535-1)";"09/30/2030"
-"NASA Langley Research Center";"Application";"LAR-17966-1";;"13/457,687";"Wide Bandwidth Magneto-Resistive Sensor Based Eddy Current Probe";
-"NASA Langley Research Center";"Application";"LAR-17967-1";;"13/293,846";"Relaxor Piezoelectric Single Crystal Multilayer Stacks for Energy Harvesting Transducers (RPSEHT)";
-"NASA Langley Research Center";"Application";"LAR-17972-1";;"13/200,314";"BxCyNz Nanotube Formation via the Pressurized Vapor/Condenser";
-"NASA Langley Research Center";"Application";"LAR-17973-1";;"13/200,316";"Efficient Boron Nitride Nanotube (BNNT) and BxCyNz Nanotube Formation via Combined Laser-Gas Flow Levitation (JLab's ref: 2010-09-13-RRW)";
-"NASA Langley Research Center";"Application";"LAR-17977-1";;"13/447,513";"Variable Stiffness Shape Adaptive Multi-Layered Polymer Composite";
-"NASA Langley Research Center";"Application";"LAR-17980-1";;"13/457,540";"Space Utilization Optimization Tools";
-"NASA Langley Research Center";"Application";"LAR-17984-1";;"13/326,779";"FLEXible Side Edge Link (FLEXSEL) for Trailing-Edge Flap Aeroacoustic Noise Reduction";"12/15/2031"
-"NASA Langley Research Center";"Application";"LAR-17985-1";;"13/231,386";"An Acoustic Beamforming Array Using Feedback-Controlled Microphones for Tuning and Self-Matching of Frequency Response (Michigan State University's ref: TEC2011-0045)";
-"NASA Langley Research Center";"Application";"LAR-17987-1";;"13/364,814";"A Self-Stabilizing Distributed Clock Synchronization Protocol For Arbitrary Digraphs";
-"NASA Langley Research Center";"Application";"LAR-17991-1";;"13/200,315";"Production Rig for the Synthesis of BNNTs via the PVC Method";
-"NASA Langley Research Center";"Issued";"LAR-17993-1";8662213;"13/342,264";"Locomotion of Amorphous Surface Robots";"05/06/2032"
-"NASA Langley Research Center";"Application";"LAR-17993-2";;"14/189,019";"Locomotion of Amorphous Surface Robots";"01/03/2033"
-"NASA Langley Research Center";"Application";"LAR-17994-1";;"13/273,516";"Manufacturing of Low Mass, Large-Scale Hierarchical Thin Film Structural Systems";
-"NASA Langley Research Center";"Application";"LAR-17996-1";;"14/202,289";"Nanostructure Neutron Converter Layer Development";"03/10/2034"
-"NASA Langley Research Center";"Issued";"LAR-18006-1";8671551;"13/363,413";"Crimp Quality Assessment from Jaw Position-Ultrasonic Transmission Analysis";"02/01/2032"
-"NASA Langley Research Center";"Application";"LAR-18006-2";;"14/193,086";"Crimp Quality Assessment from Jaw Position-Ultrasonic Transmission Analysis";"02/01/2032"
-"NASA Langley Research Center";"Issued";"LAR-18016-1";8636407;"13/029,426";"Wireless Temperature Sensor Having No Electrical Connections and Sensing Method For Use Therewith";"11/23/2031"
-"NASA Langley Research Center";"Application";"LAR-18021-1";;"13/417,347";"Flap Side Edge Liners for Airframe Noise Reduction";"07/31/2032"
-"NASA Langley Research Center";"Application";"LAR-18023-1";;"13/417,349";"Landing Gear Door Liners for Airframe Noise Reduction";"03/12/2032"
-"NASA Langley Research Center";"Application";"LAR-18024-1";;"13/417,351";"External Acoustic Liners for Multi-Functional Aircraft Noise Reduction";
-"NASA Langley Research Center";"Application";"LAR-18026-1";;"13/286,715";"Synthesis of Novel Copoly(imide oxetane)s with Unique Surface Properties";
-"NASA Langley Research Center";"Application";"LAR-18257-1";;"14/105,757";"A Structural Joint With Multi-Axis Load Carrying Capacity";"12/13/2033"
-"NASA Langley Research Center";"Issued";"LAR-18032-1";8229716;"12/981,432";"Fast Tracking Methods and Systems for Air Traffic Modeling Using a Monotonic Lagrangian Grid (US Naval Research Laboratory ref: 100148-US2)";"12/29/2030"
-"NASA Langley Research Center";"Application";"LAR-18034-1";;"13/291,372";"Compact Active Vibration Control System";
-"NASA Langley Research Center";"Application";"LAR-18037-1";;"13/453,717";"A Multifunctional Lightning Protection and Detection System for Aerospace Vehicles";
-"NASA Langley Research Center";"Application";"LAR-18040-1";;"13/986,089";"Multi-Functional BN-BN Composite";"03/29/2033"
-"NASA Langley Research Center";"Application";"LAR-18065-1";;"13/860,697";"Variable Acceleration Force Calibration System";"04/11/2033"
-"NASA Langley Research Center";"Application";"LAR-18070-1";;"13/923,307";"Transparent and Ubiquitous Sensing Technology";"06/20/2033"
-"NASA Langley Research Center";"Application";"LAR-18071-1";;"13/923,312";"Using Ubiquitous Conductor to Power and Interrogate Wireless Passive Sensors and Construct Sensor Network";
-"NASA Langley Research Center";"Application";"LAR-18073-1";;"13/941,441";"Doped Chiral Polymer Negative Index Materials (DCPNIM)";"07/12/2033"
-"NASA Langley Research Center";"Application";"LAR-18077-1";;"13/630,459";"Flight Deck Technology and Procedure for Pilots to Generate Flight-Optimizing Trajectory Requests that Avoid Nearby Traffic";"09/28/2032"
-"NASA Langley Research Center";"Application";"LAR-18089-1";;"13/786,713";"Synchronized Sweeping Jet Actuators";"03/06/2033"
-"NASA Langley Research Center";"Application";"LAR-18127-1";;"13/913,782";"Synergistic Chemical and Topographical Surface Modifications and Articles of Manufacture for Dynamic Insect Adhesion Mitigation";"06/10/2033"
-"NASA Langley Research Center";"Application";"LAR-18131-1";;"13/774,422";"Puncture- healing Thermoplastic Resin Carbon Fiber Reinforced Composites towards More Damage/Impact Tolerant Systems";
-"NASA Langley Research Center";"Application";"LAR-18132-1";;"13/673,360";"Modeling of Laser Ablation and Plume Chemistry in a Boron Nitride Nanotube Production Rig";"11/09/2032"
-"NASA Langley Research Center";"Application";"LAR-18143-1";;"13/694,286";"In-situ Mechanical Property Measurements of Amorphous Carbon-boron Nitride Nanotube";"11/15/2032"
-"NASA Langley Research Center";"Application";"LAR-18144-1";;"13/836,609";"Method and System for Physiologically Modulating Videogames and Simulations Which Use Gesture and Body Image Sensing Control Input Devices";"03/15/2033"
-"NASA Langley Research Center";"Application";"LAR-18160-1";;"13/864,396";"Tension Stiffened and Tendon Actuated Space Manipulators";"04/17/2033"
-"NASA Langley Research Center";"Application";"LAR-18166-1";;"13/764,062";"Reactive Orthotropic Lattice Diffuser (ROLD) for Reducing Aerodynamic Noise from Aircraft Flap Tips";"03/12/2032"
-"NASA Langley Research Center";"Application";"LAR-18179-1";;"13/792,489";"Extreme Reduced Instruction Set Computing (xRISC) for High Speed Execution of Computing Algorithms";"03/11/2033"
-"NASA Langley Research Center";"Application";"LAR-18183-1";;"13/834,294";"Height Control and Deposition Measurement for the Electron Beam Free Form Fabrication (EBF3) Process";"03/15/2033"
-"NASA Langley Research Center";"Application";"LAR-18184-1";;"13/987,706";"Conductive Polymer/Carbon Nanotube Structural Materials and Methods for Making Same";"08/23/2033"
-"NASA Langley Research Center";"Application";"LAR-18186-1";;"12/482,503";"Flexible Volumetric Structure";
-"NASA Langley Research Center";"Application";"LAR-18202-1";;"13/713,033";"Ground-to-Space Laser Calibration System";"12/13/2032"
-"NASA Langley Research Center";"Application";"LAR-18204-1";;"13/800,379";"Quasi-Static Electric Field Generator";"03/13/2033"
-"NASA Langley Research Center";"Application";"LAR-18211-1";;"13/781,918";"A Statistically Based Approach to Broadband Liner Design and Assessment";"03/01/2033"
-"NASA Langley Research Center";"Application";"LAR-18217-1";;"13/771,116";"A Graphical Acoustic Liner Design and Analysis Tool";"02/20/2033"
-"NASA Langley Research Center";"Application";"LAR-18246-1";;"13/765,714";"Tethered Vehicle Control and Tracking System";"02/13/2033"
-"NASA Langley Research Center";"Application";"LAR-18266-1";;"14/079,914";"Airborne Wind Profiling Algorithm for Doppler Wind Lidar (APOLO)";"11/14/2033"
-"NASA Langley Research Center";"Application";"LAR-18267-1";;"13/838,260";"Method and System for Physiologically Modulating Action Role-playing Open World Video Games and Simulations Which Use Gesture and Body Image Sensing Control Input Devices";
-"NASA Langley Research Center";"Application";"LAR-18270-1";;"14/079,965";"Airborne Doppler Wind Lidar Post Data Processing Software DAPS-LV";"11/14/2033"
-"NASA Langley Research Center";"Application";"LAR-18301-1";;"13/838,163";"Flap Edge Noise Reduction Fins (FENoRFins)";"03/15/2033"
-"NASA Langley Research Center";"Application";"LAR-18318-1";;"14/191,898";"In-Situ Load System (ILS) for Calibrating and Validating Aerodynamic Properties of Scaled Aircraft in Ground-based Aerospace Testing Applications";"02/27/2034"
-"NASA Langley Research Center";"Application";"LAR-18374-1";;"14/072,019";"Modulated Sine Waves for Differential Absorption Measurements Using a CW Laser System";"06/23/2031"
-"NASA Glenn Research Center";"Issued";"LEW-16183-1";5866518;"08/786,360";"PS300 - Self Lubricating Readily Polished High Temperature Composite";"01/16/2017"
-"NASA Glenn Research Center";"Issued";"LEW-16519-2";6291838;"09/448,406";"Gas Sensing Diode";"11/15/2019"
-"NASA Glenn Research Center";"Issued";"LEW-16901-1";7190741;"10/274,756";"A Real-Time Signal-To-Noise Ratio Estimation Technique For BPSK And QPSK Modulation Using The Active Communications Channel";"10/21/2022"
-"NASA Glenn Research Center";"Issued";"LEW-17153-1";6550696;"09/794,794";"Lean Direct Injection Combustor/Multi Point Integrate Module Fuel-Air Mixer";"02/27/2021"
-"NASA Glenn Research Center";"Issued";"LEW-17157-1";6869480;"10/198,668";"Method For Production Of Atomic Scale Step Height Reference Specimens With Atomically Flat Surfaces";"07/17/2022"
-"NASA Glenn Research Center";"Issued";"LEW-17166-1";7497443;"11/121,850";"Resilient, Flexible, Pressure-Activated Seal";"05/03/2025"
-"NASA Glenn Research Center";"Issued";"LEW-17167-1";6667725;"10/196,391";"Radio Frequency (RF) Telemetry System For Sensors And Actuators";"07/11/2022"
-"NASA Glenn Research Center";"Issued";"LEW-17170-1";6706549;"10/124,689";"Common-Layered Architecture For Semiconductor Silicon Carbide (CLASSiC) Bulk Fabrication";"04/12/2022"
-"NASA Glenn Research Center";"Issued";"LEW-17182-1";7086648;"10/652,088";"Acoustic Seal";"08/22/2023"
-"NASA Glenn Research Center";"Issued";"LEW-17240-1";7427428;"10/601,657";"Mechanically Improved Interphase Coating For Silicon-Carbide Fiber-Reinforced Silicon-Carbide Matrix Composites";"06/24/2023"
-"NASA Glenn Research Center";"Issued";"LEW-17256-1";6845664;"10/263,980";"MEMS Direct Chip Attach (MEMS-DCA) Packaging Methodologies For Harsh Environments";"10/03/2022"
-"NASA Glenn Research Center";"Issued";"LEW-17256-2";7518234;"10/926,206";"MEMS Direct Chip Attach Packaging Methodologies And Apparatus For Harsh Environments";"08/25/2024"
-"NASA Glenn Research Center";"Issued";"LEW-17269-2";8212138;"11/696,441";"Reverse-Bias Protected Solar Array With Integrated ByPass Battery";"04/04/2027"
-"NASA Glenn Research Center";"Application";"LEW-17269-3";0;"13/482,493";"Reverse-Bias Protected Solar Array With Integrated ByPass Battery";
-"NASA Glenn Research Center";"Issued";"LEW-17291-1";6784276;"10/202,643";"Improved Processing For Polyimdes Via Concentrated Solid Monomer Reactants Approach";"07/25/2022"
-"NASA Glenn Research Center";"Issued";"LEW-17293-1";7023118;"10/390,256";"A Comprehensive C++ Controller For A Magnetically Supported Vertical Rotor: Version 1.0";"03/12/2023"
-"NASA Glenn Research Center";"Issued";"LEW-17293-2";6809450;"10/729,580";"Software For System For Controlling A Magnetically Levitated Rotor";"12/04/2023"
-"NASA Glenn Research Center";"Issued";"LEW-17299-1";6881820;"10/147,477";"Polyimide Rod-Coil Block Copolymers As Membrane Materials For Ion Conduction";"05/13/2022"
-"NASA Glenn Research Center";"Issued";"LEW-17317-1";7687016;"10/777,630";"Process For Improving Properties Of Silicon Carbide (SiC) Fibers And SiC Fiber-Reinforced Ceramic Matrix Composites";"02/13/2024"
-"NASA Glenn Research Center";"Application";"LEW-17317-2";0;"12/709,086";"Process For Improving Properties Of Silicon Carbide (SiC) Fibers And SiC Fiber-Reinforced Ceramic Matrix Composites";
-"NASA Glenn Research Center";"Issued";"LEW-17345-2";7813406;"11/402,997";"Temporal Laser Pulse Manipulation Using Multiple Optical Ring Cavities";"04/13/2026"
-"NASA Glenn Research Center";"Issued";"LEW-17383-1";6967462;"10/455,139";"Wireless Consumer Power";"06/05/2023"
-"NASA Glenn Research Center";"Application";"LEW-17458-2";0;"13/113,458";"Compact Solid-state Entangled Photon Source";
-"NASA Glenn Research Center";"Issued";"LEW-17483-1";7191013;"10/983,230";"Hand Held Device For Wireless Powering And Interrogation Of BioMEMS Sensors And Actuators";"11/08/2024"
-"NASA Glenn Research Center";"Issued";"LEW-17484-5";7268939;"11/363,300";"Tracking Of Cells With A Compact Microscope Imaging System Using Intelligent Controls";"02/24/2026"
-"NASA Glenn Research Center";"Issued";"LEW-17494-1";7458221;"10/693,850";"Self-Sealing, Smart, Variable Area Nozzle (S3VAN) For Dynamic Flow Control In Gas Turbine Engines";"10/23/2023"
-"NASA Glenn Research Center";"Issued";"LEW-17498-1";7187835;"11/44,063";"Selective Wavelength Filtering";"01/28/2025"
-"NASA Glenn Research Center";"Issued";"LEW-17510-1";7416062;"10/693,853";"Torsional Magnetorheological Fluid Resistant Device (TMRFRD)";"10/23/2023"
-"NASA Glenn Research Center";"Issued";"LEW-17517-1";7326027;"10/856,361";"Flow-Field Control-Rods To Stabilize Flow In A Centrifugal Compressor";"05/25/2024"
-"NASA Glenn Research Center";"Issued";"LEW-17520-1";7259692;"10/931,205";"Hybrid Power Management (HPM) Upgrade";"09/01/2024"
-"NASA Glenn Research Center";"Issued";"LEW-17551-1";7410714;"10/891,599";"Unitized Regenerative Fuel Cell System";"07/15/2024"
-"NASA Glenn Research Center";"Issued";"LEW-17561-1";7400096;"10/894,225";"Large Area Permanent Magnet ECR Plasma Source";"07/19/2024"
-"NASA Glenn Research Center";"Issued";"LEW-17589-1";7305935;"10/925,499";"Slotted Antenna Rectangular Waveguide Plasma Source For Ion Beam And Electron Beam Production";"08/25/2024"
-"NASA Glenn Research Center";"Issued";"LEW-17592-1";7704622;"10/926,457";"New Ion Conducting Organic/Inorganic Hybrid Polymers";"08/26/2024"
-"NASA Glenn Research Center";"Application";"LEW-17595-1";0;"13/018,611";"A Method Of Improving The Thermo-Mechanical Properties Of Fiber-Reinforced Silicon Carbide Matrix Composites";
-"NASA Glenn Research Center";"Issued";"LEW-17605-1";8394492;"10/974,991";"Skin Modified Aerogel Monoliths For Improved Ruggedness And Lower Hydrophylicity";"10/28/2024"
-"NASA Glenn Research Center";"Issued";"LEW-17618-1";7015304;"10/897,279";"High Tg Polyimides For Resin Transfer Molding (RTM)";"07/23/2024"
-"NASA Glenn Research Center";"Issued";"LEW-17618-1-REIS";"RE43,880";"11/429,639";"Solvent-Free Low Melt Viscosity Imide Oligomers and Thermosetting Polyimide Composites";"05/08/2026"
-"NASA Glenn Research Center";"Application";"LEW-17618-3";;"13/952,872";"High Tg Polyimides For Resin Transfer Molding (RTM)";"07/29/2033"
-"NASA Glenn Research Center";"Issued";"LEW-17630-1";7534519;"11/228,185";"Bi-Electrode Supported Cell For High Power Density Solid Oxide Fuel Cells";"09/16/2025"
-"NASA Glenn Research Center";"Application";"LEW-17634-1";0;"11/228,184";"Solid Oxide Fuel Cell Stack Design With Bi-Electrode Supported Cells";
-"NASA Glenn Research Center";"Application";"LEW-17634-2";0;"12/860,210";"Solid Oxide Fuel Cell Stack Design With Bi-Electrode Supported Cells";
-"NASA Glenn Research Center";"Issued";"LEW-17642-2";7308164;"11/398,734";"Energetic Atomic And Ionic Oxygen Textured Optical Surfaces For Blood Glucose Monitoring";"03/23/2026"
-"NASA Glenn Research Center";"Issued";"LEW-17642-4";7305154;"11/483,887";"Energetic Atomic And Ionic Oxygen Textured Optical Surfaces For Blood Glucose Monitoring";"07/11/2026"
-"NASA Glenn Research Center";"Issued";"LEW-17661-1 with LEW-17765-1";7438030;"11/213,604";"Method of Fabricating Silicon Carbide Corrugated Diaphragms and Modular Actuator";"08/26/2025"
-"NASA Glenn Research Center";"Issued";"LEW-17664-1";7500350;"11/44,471";"Elimination Of Lifetime Limiting Mechanism Of Hall Thrusters";"01/28/2025"
-"NASA Glenn Research Center";"Issued";"LEW-17671-1";7493869;"11/311,183";"Very Large Area/Volume Microwave ECR Plasma And Ion Source";"12/16/2025"
-"NASA Glenn Research Center";"Issued";"LEW-17672-1";7261783;"10/946,286";"Low Density High Creep Resistant Single Crystal Superalloy For Turbine Airfoils";"09/22/2024"
-"NASA Glenn Research Center";"Issued";"LEW-17678-1";7624566;"11/40,304";"Magnetic Circuit For Hall Effect Plasma Accelerator";"01/18/2025"
-"NASA Glenn Research Center";"Issued";"LEW-17694-1";7397978;"11/180,990";"Carrier Structure For Packaging Microphotonic Millimeter-Wave Receiver Based On Lithium Niobate Electro-Optic Resonator Disk Technology";"07/13/2025"
-"NASA Glenn Research Center";"Issued";"LEW-17704-1";7250723;"11/16,735";"Cathode Luminescence Light Source For Broad Band Application In The Visible";"12/21/2024"
-"NASA Glenn Research Center";"Issued";"LEW-17765-1 with LEW-17661-1";7438030;"11/213,604";"Side Sliding Microactuator";"10/21/2025"
-"NASA Glenn Research Center";"Issued";"LEW-17786-1";8197249;"11/412,935";"Fully-Premixed Low-Emissions High-Pressure Multi-fuel Burner";"04/28/2026"
-"NASA Glenn Research Center";"Issued";"LEW-17814-1";7574137;"11/418,304";"Multi-wavelength Time-coincident Optical Communications System";"05/05/2026"
-"NASA Glenn Research Center";"Issued";"LEW-17820-1";7755292;"11/625,545";"Method For Ultraminiature Fiber Light Source";"01/22/2027"
-"NASA Glenn Research Center";"Issued";"LEW-17820-2";8264134;"12/795,356";"Method For Ultraminiature Fiber Light Source";"09/11/2032"
-"NASA Glenn Research Center";"Issued";"LEW-17825-1";8163243;"11/517,555";"Zero G Condensing Heat Exchanger With Integral Disinfection";"09/07/2026"
-"NASA Glenn Research Center";"Issued";"LEW-17826-1";7385692;"11/412,924";"Method And System For Fiber Optic Determination Of Nitrogen And Oxygen Concentrations In Ullage Of Liquid Fuel Tanks";"04/28/2026"
-"NASA Glenn Research Center";"Issued";"LEW-17859-1";7389675;"11/434,578";"Miniaturized Metal (Metal Alloy)/PdOx/SiC Schottky Diode Gas Sensors For Hydrogen And Hydrocarbons Detection At High Temperatures";"05/12/2026"
-"NASA Glenn Research Center";"Issued";"LEW-17859-2";8001828;"12/143,139";"Miniaturized Metal (Metal Alloy) PdOx/Sic Hydrogen And Hydrocarbon Gas Sensors";"06/20/2028"
-"NASA Glenn Research Center";"Issued";"LEW-17877-1";7876276;"11/499,982";"Antenna Near-Field Probe Station Scanner";"08/02/2026"
-"NASA Glenn Research Center";"Application";"LEW-17877-2";;"12/857,004";"Antenna Near-Field Probe Station Scanner";
-"NASA Glenn Research Center";"Issued";"LEW-17904-1";7425650;"11/378,553";"Syntheis Of Asymmetric Dianhydrides";"03/15/2026"
-"NASA Glenn Research Center";"Issued";"LEW-17904-2";7381849;"11/890,104";"Synthesis Of Asymmetrical Benzophenone Dianhydride And Asymmetrical 6F-Dianhydride And Polyimides Therefrom (ALSO See LEW 18236-1)";"07/19/2027"
-"NASA Glenn Research Center";"Application";"LEW-17915-1";0;"12/536,969";"Secure Optical Communications Using Quantum Two-Photon Transparency Modulation Spectroscopy";
-"NASA Glenn Research Center";"Issued";"LEW-17916-1";8052854;"11/754,255";"Miniature Amperometric Solid Electrolyte Carbon Dioxide Sensor";"05/25/2027"
-"NASA Glenn Research Center";"Application";"LEW-17916-2";;"13/267,978";"Miniature Amperometric Solid Electrolyte Carbon Dioxide Sensor";
-"NASA Glenn Research Center";"Application";"LEW-17945-1";0;"11/677,654";"Portable Unit For Metabolic Analysis PUMA";
-"NASA Glenn Research Center";"Issued";"LEW-17951-1";8545786;"10/621,752";"Manufacture Of Porous Net-Shaped Materials Comprising Alpha Or Beta Tricalcium Phosphate Or Mixtures Thereof";"07/16/2023"
-"NASA Glenn Research Center";"Issued";"LEW-17954-1";8016543;"11/695,435";"Composite Case Armor";"04/02/2027"
-"NASA Glenn Research Center";"Application";"LEW-17963-1";0;"11/860,661";"Passive Gas/Liquid Separation Within a Fuel Cell or Electrolysis Cell Using A Conductive Porous Separator";
-"NASA Glenn Research Center";"Issued";"LEW-17975-1";7382944;"11/489,813";"Aluminization And Hyperthermal Atomic Oxygen Texturing Of Polymethylmethacralate Optical Fibers For Blood Glucose Monitoring";"07/14/2026"
-"NASA Glenn Research Center";"Issued";"LEW-17991-1";7390161;"/0";"Toughened Composite Structures";"06/24/2025"
-"NASA Glenn Research Center";"Issued";"LEW-18003-1";7583169;"11/689,770";"RF MEMS Switches Utilizing Non-Metallic Thin Film Cantilevers/Bridges With Controlled Stress And Conductivity";"03/22/2027"
-"NASA Glenn Research Center";"Issued";"LEW-18042-1";8067478;"11/582,693";"A Method of Crosslinking Aerogels Using a One-pot Reaction Scheme";"10/16/2026"
-"NASA Glenn Research Center";"Application";"LEW-18042-2";0;"13/242,425";"A Method of Crosslinking Aerogels Using a One-pot Reaction Scheme";
-"NASA Glenn Research Center";"Application";"LEW-18043-1";7341040;"11/486,460";"Supercharged Two-Cycle Engines Employing Novel Single Element Reciprocating Shuttle Inlet Valve Mechanisms And With A Variable Compression Ratio";"07/14/2026"
-"NASA Glenn Research Center";"Application";"LEW-18048-1";0;"12/285,157";"Two And Three Dimensional Near Infrared Subcutaneous Structure Imager Using Adaptive Nonlinear Video Processing";
-"NASA Glenn Research Center";"Issued";"LEW-18049-1";7909897;"11/946,079";"Direct Fuel Impingement Planar-Array-Microreactor";"11/28/2028"
-"NASA Glenn Research Center";"Issued";"LEW-18054-1";7501032;"11/364,283";"High Work Output Ni-Ti-Pt High Temperature Shape Memory Alloys And Associated Processing Methods";"02/28/2026"
-"NASA Glenn Research Center";"Issued";"LEW-18059-1";8242162;"11/956,848";"Fluorescent On-Off Chemical Sensors";"11/30/2019"
-"NASA Glenn Research Center";"Issued";"LEW-18076-1";7999173;"11/689,431";"Dust removal from solar cells";"03/21/2027"
-"NASA Glenn Research Center";"Application";"LEW-18076-2";;"13/198,896";"Dust Removal from Solar Cells";
-"NASA Glenn Research Center";"Issued";"LEW-18089-1";8077103;"11/774,574";"Cup Cylindrical Waveguide Antenna";"07/06/2027"
-"NASA Glenn Research Center";"Issued";"LEW-18138-1";7904282;"11/689,874";"In-Flight Fault Accommodation Through Automated Control Parameter Changes";"03/22/2027"
-"NASA Glenn Research Center";"Application";"LEW-18205-1";0;"12/317,232";"Branched Rod-Coil Polyimide-poly(ethylene Oxide) (PEO) Copolymers That Are Cured In The Solid State At Ambient Temperatures";
-"NASA Glenn Research Center";"Application";"LEW-18207-1";0;"11/759,570";"Circuit For Communication Over DC Power Line Using High Temperature Electronics";
-"NASA Glenn Research Center";"Issued";"LEW-18221-1";7763325;"11/864,607";"A Method For Thermal Spraying Of Coatings Using Resonant Pulsed Combustion";"09/28/2027"
-"NASA Glenn Research Center";"Application";"LEW-18221-2";;"12/835,345";"A Method For Thermal Spraying Of Coatings Using Resonant Pulsed Combustion";
-"NASA Glenn Research Center";"Issued";"LEW-18236-1";8093348;"11/894,290";"Synthesis Of Asymmetrical Benzophenone Dianhydride And Asymmetrical 6F-Dianhydride And Polyimides Therefrom";"08/22/2027"
-"NASA Glenn Research Center";"Application";"LEW-18236-2";0;"13/325,626";"Synthesis Of Asymmetrical Benzophenone Dianhydride And Asymmetrical 6F-Dianhydride And Polyimides Therefrom";
-"NASA Glenn Research Center";"Issued";"LEW-18248-1";7791552;"11/871,237";"Cellular Reflectarray Antenna";"10/12/2027"
-"NASA Glenn Research Center";"Issued";"LEW-18248-2";7990327;"12/874,370";"Cellular Reflectarray Antenna";"09/02/2030"
-"NASA Glenn Research Center";"Issued";"LEW-18253-1";8191426;"12/133,743";"Low TCR Nanocomposite Strain Gages";"06/05/2028"
-"NASA Glenn Research Center";"Issued";"LEW-18254-1";7876423;"12/163,382";"Simultaneous Non-Contact Precision Measurement Of Microstructual And Thickness Variation In Dielectric Materials Using Terahertz Energy";"06/27/2028"
-"NASA Glenn Research Center";"Issued";"LEW-18255-1";7630736;"11/541,102";"Autonomous Wireless Sensor Transceiver";"05/09/2028"
-"NASA Glenn Research Center";"Issued";"LEW-18256-1";7688117;"12/081,762";"An N Channel JFET Based Digital Logic Gate Structure Using Resistive Level Shifters And Having Direct Application To High Temperature Silicon Carbide Electronics";"04/21/2028"
-"NASA Glenn Research Center";"Issued";"LEW-18261-1";7933027;"12/326,436";"A Software Platform For Post-Processing Waveform-Based NDE";"12/02/2028"
-"NASA Glenn Research Center";"Application";"LEW-18291-1";0;"12/214,114";"Adaptive Morphological Feature-Based Object Classifier For A Color Imaging System";
-"NASA Glenn Research Center";"Application";"LEW-18296-1";0;"13/193,160";"Modular Battery Charge Controller";
-"NASA Glenn Research Center";"Issued";"LEW-18313-1";7923715;"12/336,503";"A Novel Nanoionics-based Switch For Radiofrequency (RF) Applications";"12/06/2028"
-"NASA Glenn Research Center";"Issued";"LEW-18313-2";8410469;"13/050,229";"A Novel Nanoionics-based Switch For Radiofrequency (RF) Applications";"03/17/2031"
-"NASA Glenn Research Center";"Application";"LEW-18324-1";0;"12/195,358";"Semiconductor Metal Oxide Modified Solid Electrolyte Carbon Dioxide Microsensors With Reduced Operation Temperature";
-"NASA Glenn Research Center";"Issued";"LEW-18325-1";8415839;"12/319,617";"External Magnetic Field Reduction Techniquie For Advanced Stirling Radioisotope Generator";"01/09/2029"
-"NASA Glenn Research Center";"Application";"LEW-18325-2";;"13/859,179";"External Magnetic Field Reduction Techniquie For Advanced Stirling Radioisotope Generator";"01/09/2029"
-"NASA Glenn Research Center";"Issued";"LEW-18338-1";8506787;"12/533/258";"Advancd Lightweight, High-Strength Electrochemical Cell Design and Structures";"07/31/2029"
-"NASA Glenn Research Center";"Issued";"LEW-18340-1";8091445;"12/431,456";"Offset Compound Gear Inline Two-Speed Drive";"04/28/2029"
-"NASA Glenn Research Center";"Issued";"LEW-18340-2";8668613;"13/346,959";"Offset Compound Gear Inline Two-Speed Drive";"01/10/2032"
-"NASA Glenn Research Center";"Issued";"LEW-18356-1";8220989;"12/571,215";"Device for Measuring the Thermal Conductivity of Small, Highly Insulating Materials";"09/30/2029"
-"NASA Glenn Research Center";"Issued";"LEW-18356-2";8573835;"13/492,181";"Device for Measuring the Thermal Conductivity of Small, Highly Insulating Materials";"06/08/2032"
-"NASA Glenn Research Center";"Issued";"LEW-18362-1";7872750;"12/285,173";"Space Radiation Detector with Spherical Geometry";"09/30/2028"
-"NASA Glenn Research Center";"Issued";"LEW-18362-2";8159669;"12/972,624";"Space Radiation Detector with Spherical Geometry";"12/20/2030"
-"NASA Glenn Research Center";"Issued";"LEW-18373-1";8353209;"12/570,841";"A Radio Frequency Tank Eigenmode Sensor For Propellant Quantity Gauging";"02/04/2031"
-"NASA Glenn Research Center";"Issued";"LEW-18426-1";8484980;"12/894,346";"A Free-Jet Dual-Mode Combustor Concept for Wide Operating Range Ramjet Propulsion";"09/30/2030"
-"NASA Glenn Research Center";"Application";"LEW-18426-2";0;"13/941,987";"A Free-Jet Dual-Mode Combustor Concept for Wide Operating Range Ramjet Propulsion";"07/15/2033"
-"NASA Glenn Research Center";"Issued";"LEW-18432-1";7935601;"12/584,497";"Addendum of Self-Aligned Ion Implant to Design and Processing of SiC High Temperature Transistors for Durable Operation Above 400 C";"09/04/2029"
-"NASA Glenn Research Center";"Application";"LEW-18432-2";0;"13/078,510";"Addendum of Self-Aligned Ion Implant to Design and Processing of SiC High Temperature Transistors for Durable Operation Above 400 C";
-"NASA Glenn Research Center";"Issued";"LEW-18458-1";8386121;"12/791,907";"Optimal Tuner Selection For Kalman Filter-Based Aircraft Engine Performance Estimation";"06/02/2030"
-"NASA Glenn Research Center";"Issued";"LEW-18461-1";8159238;"12/570,742";"Method and Circuit for In-Situ Health Monitoring of Solar Cells in Space";"09/30/2029"
-"NASA Glenn Research Center";"Application";"LEW-18461-2";;"13/448,801";"Method and Circuit for In-Situ Health Monitoring of Solar Cells in Space";
-"NASA Glenn Research Center";"Application";"LEW-18466-1";0;"12/616,952";"Spring Tire";
-"NASA Glenn Research Center";"Application";"LEW-18473-1";0;"12/879,713";"Ka-Band Waveguide 2-Way Hybrid Combiner for MMIC Amplifiers With Unequal and Arbitrary Power Output Ratio";
-"NASA Glenn Research Center";"Issued";"LEW-18474-1";8609750;"12/792,380";"Selective Clay Placement Within A Silicate Clay-Epoxy Blend Nanocomposite";"06/02/2030"
-"NASA Glenn Research Center";"Issued";"LEW-18476-1";8182741;"12/544,742";"Ball Bearings Comprising Nickel-Titanium And Methods Of Manufacture Thereof";"08/20/2029"
-"NASA Glenn Research Center";"Application";"LEW-18476-2";0;"12/544,674";"Ball Bearings Comprising Nickel-Titanium And Methods Of Manufacture Thereof";
-"NASA Glenn Research Center";"Application";"LEW-18477-1";0;"13/242,300";"Graphene Based Reversible Nano-Switch/Sensor Schottky Diode (nanoSSSD) Device";
-"NASA Glenn Research Center";"Issued";"LEW-18483-1";8310671;"12/893,627";"Frame-Transfer Gating (FTG) Raman Spectroscopy for Time-Resolved Multiscalar Combustion Diagnostics";"09/29/2030"
-"NASA Glenn Research Center";"Application";"LEW-18486-2";0;"14/168,830";"Polyimide Aerogels With Three Dimensional Cross-Linked Structure";"01/30/2034"
-"NASA Glenn Research Center";"Issued";"LEW-18491-1";8209976;"12/323,091";"Shape Memory Based Actuators and Release Mechanisms";"11/25/2028"
-"NASA Glenn Research Center";"Application";"LEW-18492-1";0;"13/036,887";"Synthesis Methods, Microscopy Characterization and Device Integration of Nanoscale Metal Oxide Semiconductors for Gas Sensing in Aerospace Applications";
-"NASA Glenn Research Center";"Issued";"LEW-18496-1";8283172;"12/711,465";"Process to Produce Iron Nanoparticles - Lunar Dust Simulant Composite";"02/24/2030"
-"NASA Glenn Research Center";"Application";"LEW-18500-1";0;"12/848,903";"Precision Time Protocol Base Trilateration for Planetary Navigation";
-"NASA Glenn Research Center";"Application";"LEW-18516-1";0;"13/542,163";"Hybrid Gear";
-"NASA Glenn Research Center";"Issued";"LEW-18538-1";8373175;"12/791,276";"Ohmic Contact to N- and P-type Silicon Carbide";"06/01/2030"
-"NASA Glenn Research Center";"Application";"LEW-18542-1";0;"12/870,475";"Functionalization of Single Wall Carbon Nanotubes (SWCNTs) by Photooxidation";
-"NASA Glenn Research Center";"Application";"LEW-18554-1";0;"12/845,998";"Internal Limit Sensor (ILS)";
-"NASA Glenn Research Center";"Application";"LEW-18561-1";0;"12/726,926";"NASA PS400: A New High Temperature Solid Lubricant Coating for High Temperature Wear Applications";
-"NASA Glenn Research Center";"Application";"LEW-18565-1";0;"13/646,100";"Catalytic Microtube Rocket Igniter";"10/05/2032"
-"NASA Glenn Research Center";"Application";"LEW-18566-1";0;"12/829,663";"Low Density, High Creep Resistant Single Crystal Superalloy with Lower Manufacturing Cost";
-"NASA Glenn Research Center";"Application";"LEW-18586-1";;"13/030,342";"Shock Sensing Apparatus";
-"NASA Glenn Research Center";"Issued";"LEW-18593-1";8653693;"13/014,849";"Integrated Exciter/Igniter";"01/27/2031"
-"NASA Glenn Research Center";"Issued";"LEW-18594-1";8409372;"12/874,523";"Thermomechanical Methodology for Stabilizing Shape Memory Alloy (SMA) Response";"09/02/2030"
-"NASA Glenn Research Center";"Application";"LEW-18594-2";;"13/845,526";"Thermomechanical Methodology for Stabilizing Shape Memory Alloy (SMA) Response";
-"NASA Glenn Research Center";"Issued";"LEW-18601-1";8577504;"12/954,009";"Inductive Power Device (IDP)";"11/24/2030"
-"NASA Glenn Research Center";"Application";"LEW-18604-1";;"12/894,444";"Shock Resistant, Debris Tolerant, Lightweight, Corrosion Proof Bearings, Mechanical Components and Mechanisms Made From Hard, Highly Elastic Materials";
-"NASA Glenn Research Center";"Issued";"LEW-18605-1";8468794;"12/894,565";"Dual-Mode Hybrid-Engine (DMH-Engine): A Next-Generation Electric Propulsion Thruster";"09/30/2030"
-"NASA Glenn Research Center";"Application";"LEW-18605-2";;"13/713,907";"Dual-Mode Hybrid-Engine (DMH-Engine): A Next-Generation Electric Propulsion Thruster";
-"NASA Glenn Research Center";"Application";"LEW-18605-3";;"14/152,125";"Dual-Mode Hybrid-Engine (DMH-Engine): A Next-Generation Electric Propulsion Thruster";
-"NASA Glenn Research Center";"Application";"LEW-18608-1";;"12/892,339";"Liquid Tin Electrodes for Directo Conversion of JP-8 Fuel using the NASA BSC Solid Oxide Fuel Cell";
-"NASA Glenn Research Center";"Application";"LEW-18614-1";;"13/303,292";"High-Temperature Thermometer Using Cr-Doped GdAlO3 Broadband Luminescence";
-"NASA Glenn Research Center";"Application";"LEW-18615-1";;"12/892,278";"Purify Nanomaterials By Dissolving Excess Reactants And Catalysts In Ferric Chloride";
-"NASA Glenn Research Center";"Application";"LEW-18629-1";;"13/731,314";"Electrospray Collection of Lunar Dust";
-"NASA Glenn Research Center";"Application";"LEW-18631-1";;"13/218,847";"Circuit for Communication Over Power Lines";
-"NASA Glenn Research Center";"Application";"LEW-18632-1";;"13/311,987";"Method For Fabricating Diamond-Dispersed Fiber-Reinforced Composite Coating On Low Temperature Sliding Thrust Bearing Interfaces";
-"NASA Glenn Research Center";"Application";"LEW-18634-1";;"13/134,959";"Multi-Parameter Aerosol Scattering Sensor";
-"NASA Glenn Research Center";"Issued";"LEW-18636-1";8416007;"13/098,918";"A Source Coupled N Channel JFET Based Digital Logic Gate Structure Using Resistive Level Shifters and Having Direct Application to High Temperature Silicon Carbide Electronics";"05/02/2031"
-"NASA Glenn Research Center";"Application";"LEW-18639-1";;"13/112,293";"Atomic Oxygen Fluence Monitor";
-"NASA Glenn Research Center";"Application";"LEW-18649-1";;"12/870,443";"Ultracapacitor Based Uninterruptible Power Supply (UPS) System";
-"NASA Glenn Research Center";"Application";"LEW-18652-1";;"13/476,470";"Polarization Dependent Whispering Gallery Modes in Microspheres";
-"NASA Glenn Research Center";"Application";"LEW-18658-1";;"13/250,300";"Levitated Ducted Fan (LDF) Aircraft Auxiliary Generator";
-"NASA Glenn Research Center";"Application";"LEW-18674-1";;"13/552,760";"Polymer Electrolyte Based Ambient Temperature Oxygen Microsensors with Extremely Low Power Consumption for Enviromental Monitoring Applications";
-"NASA Johnson Space Center";"Application";"MSC-25349-1";0;"13/922036";"Robonaut Teleoperation System";
-"NASA Glenn Research Center";"Issued";"LEW-18691-1";7588746;"11/431,815";"Process and Apparatus for Hydrogen and Carbon Production via Carbon Aerosol-Catalyzed Dissociation of Hydrocarbons";"05/10/2026"
-"NASA Glenn Research Center";"Issued";"LEW-18692-1";7332146;"11/148,778";"Method For Zero Emission Liquid Hydrogen Production From Methane & Landfill Gas";"06/08/2025"
-"NASA Glenn Research Center";"Application";"LEW-18693-1";;"/";"Process For Hydrogen Production via Integrated Processing of Landfill Gas and Biomass";
-"NASA Glenn Research Center";"Application";"LEW-18694-1";;"13/075,879";"Discrete Data Qualification System and Method Comprising Noise Series Fault Detection";
-"NASA Glenn Research Center";"Application";"LEW-18704-1";;"13/531,763";"A Hybrid Power Management (HPM) Based Vehicle Architecture";
-"NASA Glenn Research Center";"Application";"LEW-18714-1";;"13/361,220";"High Strength Nanocomposite Glass Fibers";
-"NASA Glenn Research Center";"Issued";"LEW-18717-1";8476979;"13/178,101";"A Novel Wideband GaN MMIC Distributed Amplifier Based Microwave Power Module for Space Communications, Navigation, and Radar";"07/07/2031"
-"NASA Glenn Research Center";"Application";"LEW-18717-2";;"13/847,779";"A Novel Wideband GaN MMIC Distributed Amplifier Based Microwave Power Module for Space Communications, Navigation, and Radar";
-"NASA Glenn Research Center";"Application";"LEW-18724-1";;"13/339,521";"VESGEN Software for Mapping and Quantification of Vascular Remodeling in Botanical Plant Leaves";
-"NASA Glenn Research Center";"Application";"LEW-18732-1";;"13/514,582";"Water Purification by High Voltage, Nanosecond, Non-Equilibrium Plasma: Applications to Human Spaceflight and Terrestrial Point-of-Use";"08/16/2032"
-"NASA Glenn Research Center";"Application";"LEW-18736-1";;"13/534,745";"Iridium Interfacial Stack (IrIS) Final";
-"NASA Glenn Research Center";"Application";"LEW-18738-1";;"13/474,948";"Atmospheric Turbulence Modeling for Aero Vehicles";
-"NASA Glenn Research Center";"Application";"LEW-18752-1";;"13/686,000";"Large Strain Transparent Magneto-active Polymer Nanocomposites";"11/28/2031"
-"NASA Glenn Research Center";"Application";"LEW-18754-1";;"13/534,870";"Method For Making Measurements Of The Post-Combustion Residence Time In A Gas Turbine Engine";
-"NASA Glenn Research Center";"Application";"LEW-18761-1";;"13/247,601";"Temperature Sensitive Coating Sensor Based On Hematite";
-"NASA Glenn Research Center";"Application";"LEW-18762-1";;"13/364691";"Selenium Interlayer for High-efficiency Multijunction Solar Cell";
-"NASA Glenn Research Center";"Application";"LEW-18768-1";;"13/788,041";"Processing of Nanosensors Using a Sacrificial Template Approach";"03/23/2032"
-"NASA Glenn Research Center";"Application";"LEW-18769-1";;"13/537,816";"Compact, Lightweight, CMC (Ceramic Matrix Composite)-Based Acoustic Liner for Subsonic Jet Aircraft Engines--Offering High Temperature Capability, Weight Reduction, and Broadband Acoustic Treatment";
-"NASA Glenn Research Center";"Application";"LEW-18771-1";;"13/301,249";"Integrated Temperature and Capacitive Ablation Recession Rate Sensors";
-"NASA Glenn Research Center";"Application";"LEW-18785-1";;"13/246,440";"Method to Pre-Stress Shock Resistant Mechanical Components and Mechanisms made from Hard, Highly Elastic Materials";
-"NASA Glenn Research Center";"Application";"LEW-18789-1";;"13/771,833";"Method to Increase Performance of Foil Bearings Through Passive Thermal Management";"02/27/2032"
-"NASA Glenn Research Center";"Application";"LEW-18797-1";;"13/714,906";"High Speed, Compliant, Planetary Flywheel Touchdown Bearing";"12/16/2031"
-"NASA Glenn Research Center";"Application";"LEW-18802-1";;"13/534,804";"Alpha-STREAM Convertor - A Stirling Engine with no moving parts, eliminated streaming losses, high efficiency, low cost fabrication, and electronic wave modulation.";
-"NASA Glenn Research Center";"Application";"LEW-18809-1";;"13/410,663";"Sampling and Control Circuit Board for an Inertial Measurement Unit";"08/03/2032"
-"NASA Glenn Research Center";"Application";"LEW-18816-1";;"13/749,773";"High Speed Edge Detecting Circuit For Use With Linear Image Sensor";"06/01/2032"
-"NASA Glenn Research Center";"Application";"LEW-18821-1";;"13/561,359";"Dopant Selective Reactive Ion Etching of Silicon Carbide";"07/30/2032"
-"NASA Glenn Research Center";"Application";"LEW-18822-1";;"13/524,327";"Planar Modular Package";
-"NASA Glenn Research Center";"Application";"LEW-18825-1";0;"13/804,546";"Porous Cross-Linked Polyimide-UREA Networks";"03/14/2033"
-"NASA Glenn Research Center";"Application";"LEW-18837-1";;"13/527,181";"In-Situ Solid Particle Generator";
-"NASA Glenn Research Center";"Application";"LEW-18844-1";;"13/918,333";"Electrospun Nanofiber Coating Of Fiber Materials: A Composite Toughening Approach";"06/14/2033"
-"NASA Glenn Research Center";"Application";"LEW-18849-1";;"13/906,521";"Paired Threaded Film Cooling Holes for Improved Turbine Film Cooling";"05/31/2033"
-"NASA Glenn Research Center";"Application";"LEW-18858-1";;"13/904,513";"V-Cess: A Novel Flow Control Method Using A Shaped Recess";"05/29/2033"
-"NASA Glenn Research Center";"Application";"LEW-18862-1";;"13/474,972";"Cascading TESLA oscillating flow diode for Stirling Engine Gas Bearings";
-"NASA Glenn Research Center";"Application";"LEW-18864-1";;"13/756,855";"Polyimide Aerogel Thin Films";"02/03/2032"
-"NASA Glenn Research Center";"Application";"LEW-18873-1";;"13/968,000";"High Temperature Single Crystal Preloader";"08/15/2033"
-"NASA Glenn Research Center";"Application";"LEW-18887-1";;"13/756,604";"Fuzzy Neuron: Method and Hardware Realization";"02/01/2033"
-"NASA Glenn Research Center";"Application";"LEW-18889-1";;"13/713,846";"High Speed Idle Engine Control Mode";"12/13/2032"
-"NASA Glenn Research Center";"Application";"LEW-18890-1";;"13/871,114";"Suppression Of Unwanted Noise And Howl In A Test Configuration Where A Jet Exhaust Is Discharged Into A Duct";
-"NASA Glenn Research Center";"Application";"LEW-18891-1 with LEW-18611-1 and LEW-18895-1";;"13/723,598";"G6 Flywheel Design";"12/23/2031"
-"NASA Glenn Research Center";"Application";"LEW-18893-1";;"13/653,027";"Novel Aerogel-Based Antennas (ABA) for Aerospace Applications";
-"NASA Glenn Research Center";"Application";"LEW-18900-1";;;"High Efficiency, High Temperature Titanium Heat Pipe Radiator for Space Power and Propulsion Systems";
-"NASA Glenn Research Center";"Application";"LEW-18902-1";;"14/094,006";"Analog Correlator Based on One Bit Digital Correlator";"12/02/2033"
-"NASA Glenn Research Center";"Application";"LEW-18903-1";;"13/923,441";"Modeling and Simulation of a Solar Electric Propulsion Vehicle in Near-Earth Vicinity Including Solar Array Degradation";"06/21/2033"
-"NASA Glenn Research Center";"Application";"LEW-18919-1";;"13/645,799";"Wireless Controlled Chalcogenide Nanoionic Radio Frequency Switch";"04/04/2032"
-"NASA Glenn Research Center";"Application";"LEW-18923-1";;"13/963,060";"New Power Source For Deep Space Missions- Utilizing The Doubly Exothermic Reaction Between Deuterium And Palladium To Produce Electrical Power";"08/09/2033"
-"NASA Glenn Research Center";"Application";"LEW-18928-1";;;"Pt-Ti-Si Simultaneous Ohmic Contacts to N- and P-Type Silicon Carbide";
-"NASA Glenn Research Center";"Application";"LEW-18934-1";;"13/900,642";"Conditionally Active Min-Max Limit Regulators";"05/23/2033"
-"NASA Glenn Research Center";"Application";"LEW-18939-1";;"13/916,797";"Magnetostrictive Alternator - Low cost, No moving part, High Efficiency, Oscillating Acoustic Pressure Wave to Electric Power Transducer";"06/13/2033"
-"NASA Glenn Research Center";"Application";"LEW-18942-1";;"13/771,920";"Adaptive Phase Delay Generator";"02/20/2033"
-"NASA Glenn Research Center";"Application";"LEW-18949-1";;"13/923,450";"Advanced High Temperature and Fatigue Resistant Environmental Barrier Coating Bond Coat Systems for SiC/SiC Ceramic Matrix Composites";"06/21/2033"
-"NASA Glenn Research Center";"Application";"LEW-18952-1";;;"A Novel Real Time Adaptive Filter For The Reduction Of Artifacts In Functional Near Infrared Spectroscopy Signals";
-"NASA Glenn Research Center";"Application";"LEW-18957-1";;"14/048,895";"Dynamic Range Enhancement Of High-Speed Data Acquisition Systems By Reversible Non-Linear Amplitude Compression";"10/08/2033"
-"NASA Glenn Research Center";"Application";"LEW-18960-1";;"13/891,461";"Dry Snorkel Cold Immersion Suit for Hypothermia Prevention";"05/11/2032"
-"NASA Glenn Research Center";"Application";"LEW-18963-1";;"13/853,308";"Flywheel Pulse & Glide System for Vehicles";
-"NASA Glenn Research Center";"Application";"LEW-18964-1";;"13/905,333";"High Temperature Lightweight Self-Healing Ceramic Composites for Aircraft Engine Applications";"05/30/2033"
-"NASA Glenn Research Center";"Application";"LEW-18970-1";;"14/158,080";"Methods for Intercalating and Exfoliating Hexagonal Boron Nitride";"01/17/2034"
-"NASA Glenn Research Center";"Application";"LEW-18986-1";;;"Generation Of High Pressure Oxygen Via Electrochemical Pumping In A Multi-Stage Electrolysis Stack";
-"NASA Glenn Research Center";"Application";"LEW-19013-1";;"14/095,442";"Spoked Wheel Assembly With Two Rotational Modes";"12/03/2033"
-"NASA Glenn Research Center";"Application";"LEW-19029-1";;"14/191,708";"Superelastic Ternary Ordered Intermetallic Compounds";"02/27/2034"
-"NASA Glenn Research Center";"Application";"LEW-19040-1";;"14/193,024";"Fast, Large Area, Wide Band Gap UV Photodetector for Cherenkov Light Detection";"02/28/2034"
-"NASA Glenn Research Center";"Application";"LEW-19045-1";;"13/968,531";"Multimode Directional Coupler for Measurement and Utilization of Harmonic Frequencies from Traveling Wave Tube Amplifiers";"08/16/2033"
-"NASA Glenn Research Center";"Application";"LEW-19053-1";;"14/193,719";"Process for Preparing Aerogels from Polyamides";"02/28/2034"
-"NASA Glenn Research Center";"Application";"LEW-19067-1";;;"Plasma Spray-Physical Vapor Deposition (PS-PVD) of Advanced Environmental Barrier Coatings";
-"NASA Glenn Research Center";"Application";"LEW-19077-1";;;"Improved Composite Damage Tolerance and Through Thickness Conductivity By Interleaving Carbon Fiber Veil Nanocomposites";
-"NASA Glenn Research Center";"Application";"LEW-19080-1";;;"Crosslinked Polyethylene Aerogels from Low Density Polyethylene, Linear Low Density Polyethylene, and Repurposed Polyethylene";
-"NASA Glenn Research Center";"Application";"LEW-19098-1";;"61/866,585";"High Temperature, Flexible Composite Seals for Aeronautics and Space Environments Incorporating Aerogel Insulation";
-"NASA Glenn Research Center";"Application";"LEW-19171-1";;"61/931,189";"Low Power Charged Particle Counter for Space Radiation Monitoring";
-"NASA Marshall Space Flight Center";"Issued";"MFS-28402-2";5780594;"08/448,196";"Biologically Active Protein Fragments Containing Specific Binding Regions Of Serum Albumin Or Related Proteins";"07/14/2015"
-"NASA Marshall Space Flight Center";"Issued";"MFS-28985-1";5641681;"08/422,963";"Device And Method For Screening Crystallization Conditions In Solution Crystal Growth";"04/17/2015"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31175-2-CIP";6578851;"09/693,098";"Gasket Assembly For Sealing Mating Surfaces";"10/16/2020"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31243-1";6459822;" 09/364,919";"Video Image Stabilization And Registration (VISAR)";"07/26/2019"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31243-2-CON";6560375;"10/143,539";"Video Image Stabilization And Registration";"05/10/2022"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31258-1";6135255;"09/207,710";"Releasable Conical Roller Clutch";"12/09/2018"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31294-2-CIP2";6592687;"10/196,389";"Aluminum Alloy And Article Cast Therefrom";"07/11/2022"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31294-5-CIP";6399020;"09/688,729";"Aluminum-Silicon Alloy Having Improved Properties At Elevated Temperatures And Articles Cast Therefrom";"10/11/2020"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31294-6-CIP";6419769;"09/749,503";"Aluminum-Silicon Alloy Having Improved Properties At Elevated Temperatures And Process For Producing Cast Articles Therefrom";"12/22/2020"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31294-7-CIP";6669792;"09/800,312";"Process For Producing A Cast Article From A Hypereutectic Aluminum-Silicon Alloy";"03/02/2021"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31303-1";6748349;"09/313,576";"Generalized Fluid System Simulation Program (GFSSP) Version 2.01c";"05/07/2019"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31387-1";6361961;"09/560,532";"GRAVITY RESPONSIVE NADH OXIDASE OF THE PLASMA MEMBRANE";"04/25/2020"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31399-1";6658329;"10/138,887";"Addition Of Rangefinder To The Video Guidance Sensor";"06/05/2022"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31413-1";6497355;"09/690,035";"Precision Penetration Control System For The Friction Stir Welding (FSW) Retractable Pin Tool";"10/19/2020"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31475-1";6424470;"09/616,624";"Panoramic Refracting Optic (PRO)";"07/28/2020"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31475-2-DIV";6580567;"10/173,410";"Panoramic Refracting Conical Optic";"06/17/2022"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31488-1";6028693;"09/7,124";"Microresonator And Associated Method For Producing And Controlling Photonic Signals With A Photonic Bandgap Delay Apparatus";"01/14/2018"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31490-1";7118074;"10/690,161";"Electrodynamic Tether System Design For Spacecraft Deorbit";"10/17/2023"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31529-1";7081730;"10/857,375";"Micro-Commanding Servo Motor Controller With Greater Than Fifty Million To One Dynamic Rate Range";"06/19/2024"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31559-1-CON";8127977;"13/157,895";"Phase/Matrix Transformation Weld Process And Apparatus";"11/27/2021"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31559-1-DIV";7980449;"10/385,168";"Phase/Matrix Transformation Weld Process And Apparatus";"11/27/2021"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31559-2-DIV";8225984;"13/157988";"Phase/Matrix Transformation Weld Process And Apparatus";"11/27/2021"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31565-1";6885779;"09/877,801";"Full-Cycle, Low Loss, Low Distortion Phase Modulation From Multi-Layered Dielectric Stack With Terahertz Optical Bandwidth";"08/17/2022"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31584-1";6497091;"09/877,800";"Hypergolic Ignitor Assembly";"06/06/2021"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31584-1-CIP";6845605;"10/288,800";"Hypergolic Ignitor";"01/26/2023"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31593-1";6939610;"10/212,564";"Smart Thermal Management Coating";"09/20/2022"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31596-1";6873762;"10/118,626";"Fabrication Of Fiber-Optic Gratings Over A Wide Range Of Bragg Wavelength And Bandwidth Using A Single Phase Mask";"10/12/2022"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31616-1";6540426;"09/949,408";"Passive Ball Capture Latch Docking Mechanism";"09/04/2021"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31646-1";6860099;"10/263,297";"Liquid Propellant Tracing Impingement Injector";"05/24/2023"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31649-1";7446860;"11/527,648";"Nonintrusive, Remote, Micron Accuracy, Laser Fresnel Ranging System";"10/19/2026"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31698-1";6802999;"10/173,536";"Method Of Fabricating A Protective Crucible Wall Coating Incorporating Designed Multi-Use Channels";"05/02/2023"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31706-1";6886392;"10/622,174";"Single Ball Bearing Lubricant And Material Evaluator";"07/17/2023"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31727-1";6953129;"10/231,428";"Impact And Fire Resistant Coating For Pressure Vessels";"11/07/2022"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31761-1";6802488;"10/232,974";"Electro-Mechanically Actuated Propellant Valve";"01/29/2023"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31768-1";6745942;"10/214,482";"Magnetic Symbology Reader";"08/05/2022"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31776-1";7735265;"11/780,610";"Foam-Rigidized Inflatable Tubular Space Booms";"07/20/2027"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31785-1";7006203;"10/646,000";"Integrated Rangefinding Measurement In Video Guidance Sensor";"08/21/2023"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31789-1";7265476;"10/975,121";"MEMS- Micro-Translation Stage With Indefinite Linear Travel Capability";"11/01/2025"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31807-1";7050161;"10/637,085";"Global Radius Of Curvature Estimation And Control System For Segmented Mirrors (GRoCECS)";"01/07/2025"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31813-1";7802799;"11/527,653";"Joining Metallic To Composite Components";"07/29/2029"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31815-1";7325749;"10/738,352";"Distributed Solid State Programmable Thermostat / Power Controller";"01/29/2026"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31817-1";7515257;"11/14,455";"Short-Range / Long-Range Integrated Target (SLIT) For Video Guidance Sensor Rendezvous And Docking";"06/07/2027"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31823-1-DIV";7095000;"10/943,827";"Radio-Frequency Driven Dielectric Heaters For Non-Nuclear Testing In Nuclear Core Development";"11/27/2024"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31828-1";6918970;"10/120,226";"High Strength Aluminum Alloy For High Temperature Applications";"04/12/2023"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31838-1";7641949;"10/857,379";"Improved Pressure Vessel Impact Resistance Utilizing Filament Wound Hybrid Fibers";"10/15/2025"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31842-1";7347089;"11/215,749";"Gas Volume Contents Within A Container, Smart Volume Instrument";"11/26/2025"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31843-1";7174077;"10/631,220";"Fiber-Coupled Laser Diodes With Even Illumination Pattern";"07/30/2023"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31852-1";7106457;"10/857,372";"Achromatic Shearing Phase Sensor For Phase Alignment Of A Segmented Telescope";"01/21/2025"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31865-1";6888476;"10/615,369";"Advanced Video Guidance Sensor Software";"07/21/2023"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31886-1";6850592;"10/321,873";"Digital Equivalent System (DEDS) For X-Ray Flourescent Spectral Output";"01/08/2023"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31891-1";7375801;"11/108,140";"Video Sensor With Range Measurement Capability";"11/06/2025"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31918-1";7275675;"10/928,876";"Optimal Design Geometry For All Friction Stir Weld Tools";"01/15/2025"
-"NASA Marshall Space Flight Center";"Issued";"MFS-31944-1";7017812;"10/730,191";"Variable Distance Angular Symbology Reader";"11/26/2023"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32024-1";8297468;"10/857,380";"Liquefied Natural Gas Fuel Tank";"07/13/2021"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32031-1";7738084;"11/543,284";"Fiber Optic Liquid Mass Flow Sensor - Improved Prototype Design";"09/29/2026"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32099-1-CON";8561829;"13/544,066";"Composite Pressure Vessel Including Crack Arresting Barrier";"10/23/2029"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32102-1";7540143;"11/172,665";"Heated Pressure Balls Monopropellant Thermal Rocket Engine Cycle";"12/12/2026"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32105-1-DIV";7568608;"11/700,972";"Ultrasonic Stir Welding Process And Apparatus";"01/29/2027"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32115-1";7686202;"11/543,287";"Gimbling Shoulder For Friction Stir Welding";"06/18/2027"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32136-1";7595841;"11/174,210";"Video Image Stabilization And Registration - Plus (VISAR+)";"12/03/2027"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32137-1";7177164;"11/376,632";"Multi-loop High Voltage Power Supply with Fast Rise/Fall Time";"03/10/2026"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32175-1";7228241;"11/152,810";"An Extended Lee-Kesler Equation-of-State (ELK-EoS) For The Volumetric And Thermodynamic Properties Of Propellant Fluids, Including The Non-Polar Quantum And Polar Fluids";"06/13/2025"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32192-1";7116098;"11/357,454";"Absolute Limit Sensor (ALS)";"02/16/2026"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32208-1";7259981;"11/296,719";"Analog Nonvolatile Computer Memory";"12/14/2025"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32214-1";7418814;"11/172,666";"Dual Expander Cycle Rocket Engine Cycle with an Intermediate Brayton Cycle Heat Exchanger";"12/19/2026"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32228-1";8290435;"12/241,322";"Short Range Antenna / Close Proximity Transmitter and Receiver";"08/17/2031"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32253-1";7469878;"11/518,733";"Magnetorestrictive Valves";"10/17/2026"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32307-1";7908079;"11/527,658";"Portable Runway Intersection Display And Monitoring System";"01/13/2030"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32311-1";7623621;"12/47,686";"Identification And Authentication System Using Integrated Optical And X-ray Fluorescene Spectral Methods";"03/13/2028"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32318-1";8098060;"12/173,318";"SCAPS(Single Coil Absolute Position Sensor) GAPSYN (Inductive Gap Sensor) Digital Signal Conditioning Electronics";"09/29/2030"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32323-1";8169620;"12/563,819";"Sub-Pixel Spatial Resolution Interferometry With Interlaced Stitching";"10/15/2030"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32324-1";7594530;"11/942,322";"Orbital Foamed Metal Extruder";"06/09/2028"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32341-1";8550468;"12/210,843";"High Load Fully Retained Dynamic Cryogenic Seal";"01/09/2032"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32364-1";7808353;"11/513,433";"Plasmoid Thruster for Electrode-less, High Specific Impulse Propulsion";"07/22/2029"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32390-1";7867589;"11/780,561";"Hybrid composite cryogenic tank structure";"10/14/2029"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32400-1";7900436;"11/780,626";"Gas Generator Augmented Expander Cycle Rocket Engine";"01/04/2030"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32402-1";7911174;"12/39,506";"Inexpensive, Rate Insensitive, Linear, Load Compensating System for Hybrid Stepper Motors";"01/25/2029"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32429-1";7807097;"12/123,170";"Orbital Batch Process Foamed Aluminum Facility";"07/11/2028"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32438-1";8004364;"11/828,563";"16-Kilowatt (KW) 2-30MHz Solid State Power Amplifier using innovative combining methods";"11/03/2028"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32439-1";7831225;"11/828,590";"H2O-NaCl based radio frequency power load";"04/07/2029"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32497-1";7848606;"12/047,805";"Reprocessing Non-Oxide Optical Fiber Preforms Utilizing an Axial Magnetic Field";"05/26/2029"
-"NASA Marshall Space Flight Center";"Application";"MFS-32518-1-CIP";;"13/452,303";"Liquid Propellant Injection Elements with Self-Adjusted Inlet Area for Rocket and Other Combustor-Type Engines Applications";"10/03/2028"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32521-1";7804600;"12/44,740";"Dispersive Filter For Enhancement Of Laser Gyroscopes";"06/10/2029"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32548-1";7409875;"11/862,793";"Optical Hotspot Conductive Fluid Flow Sensor";"09/27/2027"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32558-1";8490470;"12/569,555";"True Shear Parallel Plate Viscometer";"12/04/2031"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32584-1";7929144;"12/336,260";"Local Leak Detection and Health Monitoring of Pressurized Tanks in a Space Environment";"11/17/2029"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32588-1";8052860;"11/957,051";"ELECTROCHEMICALLY-ENHANCED MECHANICAL POLISHING OF OPTICS";"09/06/2030"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32605-1";8309944;"12/240,626";"Grazing Incidence Optics for Neutron Analysis and Imaging";"12/07/2030"
-"NASA Marshall Space Flight Center";"Application";"MFS-32605-1-CIP";0;"12/717,450";"Novel Grazing Incidence Neutron Optics";"09/29/2028"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32605-1-DIV";8575577;"13/534,951";"Novel Grazing Incidence Neutron Optics";"09/29/2028"
-"NASA Marshall Space Flight Center";"Application";"MFS-32612-1-CIP";;"13/796,693";"Protective Safety Cover for Pool and Spa Drains";"03/24/2029"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32614-1";464750;"12/826,887";"Magnetostrictive Regulator";"04/03/2031"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32615-1";8132772;"12/567,451";"Avionics/Electronics Box Rail Mount System";"11/27/2030"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32638-1";8291776;"12/827,515";"Magnetostrictive Force-to-Angle Sensor";"03/12/2031"
-"NASA Marshall Space Flight Center";"Application";"MFS-32642-1";0;"12/827,598";"Cryogenic and Non-Cryogenic Optical Liquid Level Instrument for Stratified Conditions";"04/05/2031"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32651-1";8090484;"12/403,096";"A Planar Translation Device for Solar Sail Spacecraft Attitude Control and Maneuvering";"07/03/2030"
-"NASA Marshall Space Flight Center";"Application";"MFS-32655-1";0;"12/862,510";"AEROSPACE LASER IGNITION/ABLATION VARIABLE, HIGH PRECISION THRUSTER";
-"NASA Marshall Space Flight Center";"Issued";"MFS-32667-1";8357884;"12/839,848";"Extraction of Water from the Soil of Space Bodies Using Microwave processes";"04/22/2031"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32697-1";8252734;"12/634,502";"Multi Layered or Mixed Element Aqueous Ionic Fluids As Fuel or Lubrication Friction Modifiers";"08/26/2030"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32697-1-CIP";8563487;"13/525,623";"Multi Layered or Mixed Element Aqueous Ionic Fluids As Fuel or Lubrication Friction Modifiers";"12/09/2029"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32715-1";8535440;"12/758169";"Improvement of Crystalline Quality during Melt Growth of Semiconductors by Mechanically Induced Nucleation";"07/18/2032"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32719-1";8564770;"13/150832";"Field-Deployable Spectral Estimator of Trichloroacetic Acid (TCAA) in Plants";"05/18/2032"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32733-1";7621670;"12/392,867";"Unbalanced Flow Distribution Mixer with Flow Metering Capability";"02/25/2029"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32737-1";8448498;"12/870,468";"Hermetic Seal Leak Detection Apparatus";"06/06/2031"
-"NASA Marshall Space Flight Center";"Application";"MFS-32737-1-CIP";;"13/874182";"Hermetic Seal Leak Detection Apparatus";"08/27/2030"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32748-1";8132961;"12/397,973";"Optimized Length-to-Diameter Ratio Flow Meter";"08/16/2030"
-"NASA Marshall Space Flight Center";"Application";"MFS-32757-1";0;"13/118086";"Compliant Mechanical Motor";
-"NASA Marshall Space Flight Center";"Application";"MFS-32761-1-CIP";;"13/673,309";"Multi-Channel Flow Plug with Eddy Current Minimization for Metering, Mixing, and Conditioning";"07/23/2029"
-"NASA Marshall Space Flight Center";"Application";"MFS-32761-1-CON";;"13/729,861";"Multi-Channel Flow Plug with Eddy Current Minimization for Meeting, Mixing, and Conditioning";"07/23/2029"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32777-1";8425751;"13/020144";"Electrodeposited Nickel-Cobalt Alloy Development";"05/31/2031"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32797-1";8330961;"12/837,173";"A compact sensor for in-situ measurements of gas leaks";"08/24/2031"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32803-1";8133768;"12/560,371";"Method of Manufacturing Light Emmitting, Photovoltaic or other Electronic Apparatus";"05/31/2027"
-"NASA Marshall Space Flight Center";"Application";"MFS-32809-1";0;"13/369,704";"Telemetry encoder/decoder";
-"NASA Marshall Space Flight Center";"Issued";"MFS-32817-1";8290006;"13/281,025";"Variable Power Handheld Laser Torch for Joining Processes";"10/25/2031"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32826-1";8316884;"12/846,429";"Drain System for Pools, Spas, and Tanks. (Reference MFS 32612-1)";"03/23/2031"
-"NASA Marshall Space Flight Center";"Application";"MFS-33054-1";;"14/020,326";"Multi-spacecraft Autonomous Positioning System / Network-Based Navigation";"09/06/2033"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32830-1";8420582;"13/027472";"FRICTION MANAGEMENT USING SOLVENT PARTITIONING OF SINGLE ELEMENT AND MULTI-ELEMENT HYDROPHILIC SURFACE-INTERACTIVE CHEMICALS CONTAINED IN HYDROPHILIC TARGETED EMULSIONS";"02/15/2031"
-"NASA Marshall Space Flight Center";"Application";"MFS-32830-1-CIP";;"13/900,452";"Friction and Wear Management Using Solvent Partioning of Hydrophilic Surface-Interactive Chemicals contains in Boundary Layer-Targeted Emulsions";"03/07/2033"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32840-1";8322685;"12/842,218";"Non-collinear Valve Actuator";"04/02/2031"
-"NASA Marshall Space Flight Center";"Application";"MFS-32841-1";;"13/424,754";"DUPLICATE of Telemetry encoder/decoder";
-"NASA Marshall Space Flight Center";"Application";"MFS-32853-1";;"14/196,203";"Particle Damping for Vibration Mitigation of Circuit Cards";"03/04/2034"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32857-1";8668168;"13/326,513";"Rocket Vent Design with Variable Flow Control and Rain Protection";"01/21/2032"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32859-1";8393520;"13/240,075";"Variably Pulsed High Power Ultrasonic (HPU) Energy for Ultrasonic Stir Welding (USW)";"11/07/2031"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32859-1-DIV";8393523;"13/523,310";"Pulsed Ultrasonic Stir Welding Method";"09/22/2031"
-"NASA Marshall Space Flight Center";"Application";"MFS-32865-1";;"13/302,734";"Easily Installed, In-situ Adaptable Flow Measurement Device and Method.";
-"NASA Marshall Space Flight Center";"Issued";"MFS-32865-2";8555731;"13/302,773";"Easily Installed, In-situ Adaptable Flow Measurement Device and Method.";"06/04/2032"
-"NASA Marshall Space Flight Center";"Application";"MFS-32865-3";;"13/302,817";"Easily Installed, In-situ Adaptable Flow Measurement Device and Method.";
-"NASA Marshall Space Flight Center";"Application";"MFS-32865-4";;"13/302,845";"Easily Installed, In-situ Adaptable Flow Measurement Device and Method.";"08/23/2032"
-"NASA Marshall Space Flight Center";"Issued";"MFS-32871-1";8577519;"13/424,898";"Low Cost Telemetry System for Small/micro satellites";"06/13/2032"
-"NASA Marshall Space Flight Center";"Application";"MFS-32873-1";;"13/523210";"High-current, high-voltage switch using non-hazardous liquid metals";"11/29/2032"
-"NASA Marshall Space Flight Center";"Application";"MFS-32889-1";;"13/174,084";"Pyrotechnic Pipe Plug and Variable Area Flow Meter";
-"NASA Marshall Space Flight Center";"Application";"MFS-32895-1";;"13/242,734";"High Powered Ultrasonically Assisted Thermal Stir Welding";
-"NASA Marshall Space Flight Center";"Application";"MFS-32912-1";;"13/299,930";"Salt Water Power Load - Part II";
-"NASA Marshall Space Flight Center";"Application";"MFS-32916-1";;"13/333283";"Improved Impact Toughness and Heat Treatment for Cast Aluminum Wheels";
-"NASA Marshall Space Flight Center";"Application";"MFS-32924-1";;"13/312,481";"Partial Automated Alignment & Integration System";"07/09/2032"
-"NASA Marshall Space Flight Center";"Application";"MFS-32934-1";;"12/833,894";"Methods, Devices, and Systems Relating to a Sensing Device";
-"NASA Marshall Space Flight Center";"Issued";"MFS-32940-1";8657179;"13/430,268";"Closed Loop Temperature Control for the Thermal Stir Welding Process";"03/26/2032"
-"NASA Marshall Space Flight Center";"Application";"MFS-32944-1";;"13/896,137";"Mitigation of Sonic Boom from Supersonic Vehicles by means of Long Penetration Mode (LPM) Counter-Flowing Cold Gas Jets";"05/16/2033"
-"NASA Marshall Space Flight Center";"Application";"MFS-32945-1";;"14/082,956";"Piezoelectric Gravity Gradient and Multiple Purpose Sensor Detection System";"11/18/2033"
-"NASA Marshall Space Flight Center";"Application";"MFS-32986-1";;"13/961,573";"Non-Explosively-Actuated Pressurization Start Valve";"08/07/2033"
-"NASA Marshall Space Flight Center";"Application";"MFS-33007-1";;"14/192,350";"Carbon Nanotube Tape Vibrating Gyroscope Update";"02/27/2034"
-"NASA Marshall Space Flight Center";"Application";"MFS-33022-1";;"14/192,395";"A Design Technology to Eliminate Dribble Volume in Rocket Engine Manifolds for Swirl-Coaxial Injectors";"02/27/2034"
-"NASA Marshall Space Flight Center";"Application";"MFS-33031-1";;"13/949,361";"An aerodynamic design concept for rocket nozzle side load reduction";"07/24/2033"
-"NASA Marshall Space Flight Center";"Application";"MFS-33060-1";;"14/104,881";"Carbon Nanotube Tape Single Axis Accelerometer";"12/12/2033"
-"NASA Johnson Space Center";"Issued";"MSC-21715-2";5869238;"08/390,904";"Quantitative Method Of Measuring Cancer Cell Urokinase And Metastatic Potential";"02/09/2016"
-"NASA Johnson Space Center";"Issued";"MSC-21947-1";7541159;"10/828,531";"MOLECULAR SPECIFIC ANTIBODIES AGAINST UROKINASE";"08/28/2025"
-"NASA Johnson Space Center";"Issued";"MSC-22119-1";5851816;"08/172,962";"A PROCESS FOR DEVELOPING HIGH-FIDELITY THREE-DIMENSIONAL TUMOR MODELS OF HUMAN PROSTATE CARCINOMA";"12/22/2015"
-"NASA Johnson Space Center";"Issued";"MSC-22122-1";6117674;"08/366,065";"HORIZONTAL ROTATING-WALL VESSEL PROPAGATION IN IN VITRO HUMAN TISSUE MODELS";"09/12/2017"
-"NASA Johnson Space Center";"Issued";"MSC-22489-1";5827531;"08/349,169";"Multi-Lamellar, Immiscible-Phase Microencapsulation of Drugs";"10/27/2015"
-"NASA Johnson Space Center";"Issued";"MSC-22616-2";6133036;"09/7,239";"Preservation Of Liquid Biological Samples";"12/12/2015"
-"NASA Johnson Space Center";"Issued";"MSC-22616-3";6716392;"09/630,979";"Preservation Of Liquid Biological Samples";"01/14/2018"
-"NASA Johnson Space Center";"Issued";"MSC-22633-1";6485963;"09/587,028";"Electrically Potentiated Growth Of Mammalian Neuronal Tissue Facilitated By Rotating Wall Vessel Culture";"06/02/2020"
-"NASA Johnson Space Center";"Issued";"MSC-22633-2";6673597;"09/798,854";"Growth Stimulation Of Biological Cells And Tissue By Electromagnetic Fields And Uses Thereof";"02/28/2021"
-"NASA Johnson Space Center";"Issued";"MSC-22695-1";6261844;"09/213,988";"A Unique Urine Preservative With Combined Antibacterial And Antioxidant Properties";"12/17/2018"
-"NASA Johnson Space Center";"Issued";"MSC-22721-2";6254359;"09/354,915";"Blood Pump Bearing System";"07/09/2019"
-"NASA Johnson Space Center";"Issued";"MSC-22724-1";6047216;"09/129,832";"Millimeter Wave/Microwave Ablation For Treatment Of Atherosclerotic Lesions";"08/05/2018"
-"NASA Johnson Space Center";"Issued";"MSC-22724-2";6226553;"09/501,150";"Endothelium Preserving Microwave Treatment For Atherosclerosis";"02/09/2020"
-"NASA Johnson Space Center";"Issued";"MSC-22724-3";6223086;"09/504,768";"Endothelium Preserving Microwave Treatment For Atherosclerosis";"02/09/2020"
-"NASA Johnson Space Center";"Issued";"MSC-22724-5";6496736;"09/500,538";"Endothelium Preserving Microwave Treatment For Atherosclerosis";"02/09/2020"
-"NASA Johnson Space Center";"Issued";"MSC-22757-1";5879079;"08/917,581";"Automated Propellant Blending Machine";"08/20/2017"
-"NASA Johnson Space Center";"Issued";"MSC-22797-1";6312398;"08/786,842";"A Method Of Applying External Power To Assist In The Operation Of Joints In Pressure Suits And Inflatable Structures2283";"12/19/2016"
-"NASA Johnson Space Center";"Issued";"MSC-22839-1";6501414;"09/826,402";"Locating Concealed Objects Using Spectral Signatures";"04/02/2021"
-"NASA Johnson Space Center";"Issued";"MSC-22859-1";6730498;"09/56,363";"Production Of 1-25diOH Vitamin D3, Erythropoietin And Other Products By Epithelial And Interstitial Cells In Response To Shear Stress";"04/08/2017"
-"NASA Johnson Space Center";"Issued";"MSC-22859-2";6946246;"09/532,001";"Production Of Functional Proteins: Balance Of Shear Stress And Gravity";"03/21/2020"
-"NASA Johnson Space Center";"Issued";"MSC-22859-3";7198947;"10/734,759";"Production Of Functional Proteins: Balance Of Shear Stress And Gravity";"12/22/2023"
-"NASA Johnson Space Center";"Issued";"MSC-22859-5";7972821;"12/174,221";"Production of Functional Proteins: Balance of Shear Stress and Gravity";"02/11/2029"
-"NASA Johnson Space Center";"Issued";"MSC-22863-1";7122071;"10/263,280";"Centrifugal Adsorption Cartridge System (CACS)";"12/21/2022"
-"NASA Johnson Space Center";"Issued";"MSC-22866-1";6099864;"09/79,741";"INSITU Activation Of Microcapsules";"05/15/2018"
-"NASA Johnson Space Center";"Issued";"MSC-22900-1";6231010;"09/236,785";"Advanced Structural/Inflatable Hybrid Spacecraft Habitation Module";"01/25/2019"
-"NASA Johnson Space Center";"Issued";"MSC-23563-2";8039099;"11/848,332";"Nanoencapsulated Aerogels Produced By Monomer Vapor Deposition And Polymerization";"08/13/2028"
-"NASA Johnson Space Center";"Issued";"MSC-22931-1";6354540;"09/405,301";"Electro-Mechanically Actuated Magnetic Ring With Load Sensing Feedback And Closed Loop Control Docking/Berthing System For Alignment And Mating Of Multiple Vehicles, Structures, And/or Assemblies";"09/20/2019"
-"NASA Johnson Space Center";"Issued";"MSC-22936-1";6387399;"09/79,766";"Protein Crystal Encapsulation Process";"05/15/2018"
-"NASA Johnson Space Center";"Issued";"MSC-22936-2";6558698;"09/733,391";"Microencapsulated Bioactive Agents And Method Of Making";"12/06/2020"
-"NASA Johnson Space Center";"Issued";"MSC-22936-3";6676964;"09/774,168";"Method For Determining The Three-Dimensional Structure Of A Protein";"01/26/2021"
-"NASA Johnson Space Center";"Issued";"MSC-22936-4";6599449;"09/774,169";"X-Ray Crystallography Reagent";"01/24/2021"
-"NASA Johnson Space Center";"Issued";"MSC-22937-1";6214300;"09/79,833";"Microencapsulation And Electrostatic Processing Device (MEPS)";"05/15/2018"
-"NASA Johnson Space Center";"Issued";"MSC-22938-1";6103271;"09/79,770";"Low-Shear Microencapsulation & Electrostatic Coating Process";"05/15/2018"
-"NASA Johnson Space Center";"Issued";"MSC-22939-4";7968117;"12/100,009";"Externally Triggered Microcapsules";"07/09/2029"
-"NASA Johnson Space Center";"Issued";"MSC-22970-1";6253563;"09/337,208";"Solar-Powered Refrigeration System";"06/03/2019"
-"NASA Johnson Space Center";"Issued";"MSC-22970-2";6469487;"09/838,679";"Solar Powered Refrigeration System";"06/03/2019"
-"NASA Johnson Space Center";"Issued";"MSC-22970-3";6453693;"09/838,680";"Solar Powered Refrigeration System";"06/03/2019"
-"NASA Johnson Space Center";"Issued";"MSC-23029-1";6651739;"09/793,817";"Medium Frequency Pseudo Noise Geological Radar";"07/20/2021"
-"NASA Johnson Space Center";"Issued";"MSC-23037-1";6864473;"09/988,855";"Variable Shadow Screen For Optical Devices";"11/14/2021"
-"NASA Johnson Space Center";"Issued";"MSC-23041-1";6334302;"09/351,152";"Variable Specific Impulse Magnetoplasma Rocket (VASIMR)";"06/28/2019"
-"NASA Johnson Space Center";"Issued";"MSC-23049-3";6592579;"09/746,542";"Method For Selective Thermal Ablation";"06/28/2021"
-"NASA Johnson Space Center";"Issued";"MSC-23049-4";6675050;"09/746,533";"Computer Program For Microwave Antenna";"05/07/2021"
-"NASA Johnson Space Center";"Issued";"MSC-23076-1";6321746;"09/574,758";"Collapsable, Light, Portable Human Hyperbaric Chamber/Airlock System";"05/17/2020"
-"NASA Johnson Space Center";"Issued";"MSC-23092-1";6547189;"09/826,403";"Advanced, Large Volume, Highly Loaded, Hybrid Inflatable Pressure Vessel";"05/26/2021"
-"NASA Johnson Space Center";"Issued";"MSC-23153-1";6995572;"09/803,613";"Coplanar Waveguide Ice Detection Sensor";"11/04/2023"
-"NASA Johnson Space Center";"Issued";"MSC-23154-1";7113820;"09/906,013";"A Real-Time, High Frequency QRS Electrocardiograph.";"05/03/2023"
-"NASA Johnson Space Center";"Issued";"MSC-23154-2";7539535;"11/345,687";"A Real-Time, High Frequency QRS Electrocardiograph";"07/13/2027"
-"NASA Johnson Space Center";"Issued";"MSC-23178-1";6997637;"10/5,820";"Deceleration Limiting Safety Crash Wall";"05/19/2022"
-"NASA Johnson Space Center";"Issued";"MSC-23193-1";6618010;"09/994,989";"Passive Noncoherent Tracking Of A Data-Modulated Signal";"11/14/2021"
-"NASA Johnson Space Center";"Issued";"MSC-23277-1";7295309;"10/734,753";"Microcapsule Flow Sensor";"11/12/2024"
-"NASA Johnson Space Center";"Issued";"MSC-23303-1";7397774;"10/446,283";"Downlink Data Multiplexer";"01/16/2026"
-"NASA Johnson Space Center";"Issued";"MSC-23307-1";6559645;"10/28,962";"Detection Of Subterranean Metal Objects Using Differential Spectral Processing";"11/17/2020"
-"NASA Johnson Space Center";"Issued";"MSC-23309-1";7040319;"10/87,866";"Oxygen Partial Pressure Monitoring Device For Aircraft Oxygen Masks.";"04/27/2022"
-"NASA Johnson Space Center";"Issued";"MSC-23311-1";6650280;"09/953,612";"Mass Measurement During Fluid Flow Using An Integrated Sonic/Microwave Detector.";"09/14/2021"
-"NASA Johnson Space Center";"Issued";"MSC-23314-1";6899009;"09/892,355";"Flexshield (Flexible Multi-Shock Shield Technology)";"06/26/2021"
-"NASA Johnson Space Center";"Issued";"MSC-23349-1";7415005;"10/283,354";"MCC Voice Over Internet Protocol (VOIP)";"08/08/2026"
-"NASA Johnson Space Center";"Application";"MSC-23349-2-SB";0;"12/170,614";"Ad Hoc Selection of Voice Over Internet Streams";
-"NASA Johnson Space Center";"Issued";"MSC-23424-1";6985606;"10/212,579";"Global Distribution Of Large Fluvial Fans/Potential Hydrocarbon Exploration Guide";"06/12/2024"
-"NASA Johnson Space Center";"Issued";"MSC-23427-1";6944504;"10/302,323";"Microwave Ablation Of Prostatic Cells Using A Separated Antenna Array";"07/23/2023"
-"NASA Johnson Space Center";"Issued";"MSC-23436-1";7126553;"10/679,688";"Tri-Sector Deployable Array Antenna";"08/11/2024"
-"NASA Johnson Space Center";"Issued";"MSC-23443-1";6647855;"10/263,293";"Method And Apparatus For Deploying A Hypervelocity Shield";"09/30/2022"
-"NASA Johnson Space Center";"Issued";"MSC-23444-1";6932090;"10/361,046";"A Simple Countermeasure For Management Of Motion Sickness And Vestibular/Sensory-Motor Problems Associated With Space Flight And Terrestial Motion Sickness";"07/01/2023"
-"NASA Johnson Space Center";"Issued";"MSC-23449-1";7386340;"10/402,866";"Method For Diagnosis Of Coronary Artery Disease And Related Conditions Using 12-Lead High Frequency QRS Electrocardiography";"12/30/2025"
-"NASA Johnson Space Center";"Issued";"MSC-23510-1";6851647;"10/417,377";"Portable Catapult Launcher For Small Aircraft";"04/03/2023"
-"NASA Johnson Space Center";"Issued";"MSC-23518-1";7168935;"10/637,086";"Low Voltage Electron Beam Solid Freeform Fabrication System";"09/29/2024"
-"NASA Johnson Space Center";"Issued";"MSC-23538-1";6943619;"10/443,233";"Practical Active Capacitor Filter";"05/21/2023"
-"NASA Johnson Space Center";"Issued";"MSC-23539-1";6943621;"10/443,234";"Auto-Routable, Configurable, Daisy Chainable Data Acquisition System";"08/16/2023"
-"NASA Johnson Space Center";"Issued";"MSC-23563-1";7270851;"10/985,081";"Nano-Encapsulated Aerogel";"05/14/2025"
-"NASA Johnson Space Center";"Issued";"MSC-23594-1";7125370;"10/845,608";"Articulating Subject Support For Resistive Exercise In The Horizontal Position";"02/22/2025"
-"NASA Johnson Space Center";"Issued";"MSC-23623-1";7212934;"11/370,379";"String Resistance Detector Concept";"03/06/2026"
-"NASA Johnson Space Center";"Issued";"MSC-23659-1";7094045;"10/734,754";"Pulse-Flow Microencapsulation System";"06/09/2024"
-"NASA Johnson Space Center";"Issued";"MSC-23659-2";7588703;"11/428,465";"Microencapsulation System And Method";"03/14/2027"
-"NASA Johnson Space Center";"Issued";"MSC-23668-1";7250075;"10/874,004";"Water Outlet Control Mechanism For Fuel Cell System Operation In Variable Gravity Environments";"11/04/2025"
-"NASA Johnson Space Center";"Issued";"MSC-23695-1";7249540;"11/177,652";"Torquing Tool Attachment For Round Connectors With Attached Cables";"08/27/2025"
-"NASA Johnson Space Center";"Issued";"MSC-23781-1";7410485;"11/40,613";"Directional Microwave Applicator/Antenna";"10/16/2026"
-"NASA Johnson Space Center";"Issued";"MSC-23805-1";7462141;"11/31,942";"Advanced Resistive Exercise Device (ARED)";"01/10/2027"
-"NASA Johnson Space Center";"Issued";"MSC-23881-1";7686529;"11/958,908";"Low Friction, Low Profile, High Moment Two-Axis Joint";"12/18/2027"
-"NASA Johnson Space Center";"Application";"MSC-23882-1";0;"12/899654";"Analog Strain Gage Conditioning System for Space Environment";
-"NASA Johnson Space Center";"Issued";"MSC-23906-1";7295884;"11/158,354";"Method for the Design and Analysis of the Primary Load Bearing Layer of an Inflatable Vessel";"07/20/2026"
-"NASA Johnson Space Center";"Issued";"MSC-23933-1";7543779;"11/625,066";"Low Impact Docking System (LIDS) A.k.a, International Berthing Docking Mechanism (IBDM)";"02/22/2028"
-"NASA Johnson Space Center";"Issued";"MSC-23954-1";7357606;"11/357,461";"Self-Advancing Step-Tap Drill";"08/14/2026"
-"NASA Johnson Space Center";"Issued";"MSC-23988-1";8343740;"12/58,227";"Micro-Organ Device";"10/31/2031"
-"NASA Johnson Space Center";"Issued";"MSC-23988-2";8580546;"13/688982";"Micro-Organ Device";"11/29/2032"
-"NASA Johnson Space Center";"Issued";"MSC-23997-2";7815149;"12/388,345";"Magnetic Capture Docking Mechanism";"04/01/2025"
-"NASA Johnson Space Center";"Issued";"MSC-24000-1";8076136;"/0";"Development And Characterization Of A Three-Dimensional Tissue Culture Model Of Bone";"10/31/2021"
-"NASA Johnson Space Center";"Issued";"MSC-24042-1";7411198;"11/421,174";"New Architecture for Space Radiation Detection";"02/01/2027"
-"NASA Johnson Space Center";"Issued";"MSC-24106-1";7577482;"11/683,770";"Network System Plug And Play Through Positional And Functional Connectivity Identification";"04/21/2028"
-"NASA Johnson Space Center";"Issued";"MSC-24115-1";8022307;"11/772,999";"Method and Apparatus for Fabric Circuits and Antennas";"06/19/2030"
-"NASA Johnson Space Center";"Issued";"MSC-24149-1";8122646;"12/402,986";"A Description Of An Improved Method For Folding, Assembling, And Weight Relief Of An Inflatable Shell";"02/04/2030"
-"NASA Johnson Space Center";"Issued";"MSC-24149-2";8266866;"13/346137";"A Description Of An Improved Method For Folding, Assembling, And Weight Relief Of An Inflatable Shell";"03/12/2029"
-"NASA Johnson Space Center";"Issued";"MSC-24164-1";8338114;"11/789,117";"Methods For Growing Tissue-Like 3D Assemblies (TLA) Of Human Broncho-Epithelial Cells";"05/04/2030"
-"NASA Johnson Space Center";"Issued";"MSC-24169-1";7862946;"11/671,210";"Self-Regulating Control of Parasitic Electric Loads in Fuel Cell Power Systems";"11/05/2029"
-"NASA Johnson Space Center";"Issued";"MSC-24180-1";7935259;"12/167,332";"Water Filtering Device, 100% Effective";"09/14/2029"
-"NASA Johnson Space Center";"Issued";"MSC-24184-1";8116350;"12/353,755";"Ultra-Wideband (UWB) Two-Cluster Angle Of Arrival (AOA) Passive Tracking System Design";"07/22/2030"
-"NASA Johnson Space Center";"Issued";"MSC-24201-1";7509774;"11/610,295";"A Description Of An Improved Method For Attaching An Inflatable Shell To A Rigid Interface";"06/13/2027"
-"NASA Johnson Space Center";"Issued";"MSC-24207-1";7604782;"11/625,670";"X-38 Advanced Sublimator";"04/12/2028"
-"NASA Johnson Space Center";"Issued";"MSC-24215-1";8070105;"11/956,826";"A Description Of A Concentric Nested Torroidal Inflatable Habitat";"10/04/2030"
-"NASA Johnson Space Center";"Issued";"MSC-24216-1";8047473;"12/240,537";"A Description Of An Octonode Connecting Node Concept And Method";"01/10/2030"
-"NASA Johnson Space Center";"Issued";"MSC-24228-1";7521682;"11/421,196";"New Architecture For Space Radiation Detection";"03/07/2027"
-"NASA Johnson Space Center";"Issued";"MSC-24238-1";8388613;"12/757657";"Microwave Tissue Welding For Wound Closure";"11/17/2031"
-"NASA Johnson Space Center";"Issued";"MSC-24263-1";7805276;"11/958,937";"Impact Detection System";"02/12/2029"
-"NASA Johnson Space Center";"Issued";"MSC-24273-1";7840387;"11/778,858";"Method For The Design And Analysis Of The Primary Load Bearing Layer That Interfaces To The Structural Pass-through Of An Inflatable Vessel";"07/31/2029"
-"NASA Johnson Space Center";"Application";"MSC-24314-1";0;"12/880602";"HDSS - High Density Spot Seeding";
-"NASA Johnson Space Center";"Issued";"MSC-24346-1";8466776;"12/828558";"Extended Range RFID and Sensor Tag";"09/05/2031"
-"NASA Johnson Space Center";"Issued";"MSC-24387-1";8011229;"12/323,912";"Artificial Intelligence Algorithm For Assessing Postural Stability During Normal Daily Activities Using Shoe Insert Pressure Sensors";"11/26/2028"
-"NASA Johnson Space Center";"Issued";"MSC-24441-1";7905946;"12/190,364";"A Capillary-based Static Phase Separator For Highly Variable Wetting Conditions";"07/02/2029"
-"NASA Johnson Space Center";"Issued";"MSC-24444-1";8577120;"12/900644";"Flash Infrared (IR) Thermography Contrast Computer Simulation And Data Analysis Software";"04/22/2031"
-"NASA Johnson Space Center";"Application";"MSC-24451-1";0;"13/057399";"Rapid Detection Of The Varicella Zoster Virus (VZV) In Saliva Samples";
-"NASA Johnson Space Center";"Issued";"MSC-24464-1";7859292;"12/502,575";"Reconfigurable SEU/SET Tolerance for FPGAs";"07/14/2029"
-"NASA Johnson Space Center";"Issued";"MSC-24466-1";8183870;"12/370,021";"Battery cell voltage sensing and balancing using addressable transformers with electrical isolation and minimal additional connector pins and circuitry.";"07/01/2030"
-"NASA Johnson Space Center";"Application";"MSC-24490-1";0;"12/612,171";"High Altitude Hydration System";
-"NASA Johnson Space Center";"Application";"MSC-24506-1";0;"12/971919";"A Method to Measure and Estimate Normalized contrast In Infrared Flash Thermography";"01/08/2030"
-"NASA Johnson Space Center";"Issued";"MSC-24508-1";8343403;"12/174,380";"METHOD FOR MAKING A MICROPOROUS MEMBRANE";"12/31/2030"
-"NASA Johnson Space Center";"Issued";"MSC-24509-1";8570047;"12/855384";"Battery Fault Detection with Saturating Transformers";"02/02/2032"
-"NASA Johnson Space Center";"Issued";"MSC-24525-1";8384614;"12/894749";"Deployable Fresnel Rings";"10/11/2031"
-"NASA Johnson Space Center";"Application";"MSC-24541-1";0;"12/899815";"Electromagnetic Time-Variance Magnetic Fields (TVMF) to generate, and re-grow Cartilage Cells by a Noninvasive Method";
-"NASA Johnson Space Center";"Issued";"MSC-24569-1";8176809;"12/331844";"Planar Torsion Spring";
-"NASA Johnson Space Center";"Issued";"MSC-24570-1";8276958;"12/269579";"Bidirectional Tendon Terminator";
-"NASA Johnson Space Center";"Issued";"MSC-24571-1";8371177;"12/241309";"Tendon Tension Sensor";
-"NASA Johnson Space Center";"Application";"MSC-24685-1";8056423;"12/269,552";"Sensing the Tendon Tension through the Conduit Reaction Forces";"11/12/2028"
-"NASA Johnson Space Center";"Application";"MSC-24686-1";8060250;"12/335,153";"Joint Space Impedance Control for Tendon-Driven Manipulators";"12/15/2028"
-"NASA Johnson Space Center";"Issued";"MSC-24687-1";8170718;"12/338697";"Multiple Priority Operational Space Impedance Control";
-"NASA Johnson Space Center";"Issued";"MSC-24688-1";8280837;"12/474068";"CONTACT STATE ESTIMATION FOR MULTI-FINGER ROBOT HANDS USING PARTICLE FILTERS";
-"NASA Johnson Space Center";"Issued";"MSC-24689-1";7784363;"12/241320";"PHALANGE TACTILE LOAD CELL";"09/30/2028"
-"NASA Johnson Space Center";"Issued";"MSC-24732-1";8364314;"12/624445";"METHOD AND APPARATUS FOR AUTOMATIC CONTROL OF A HUMANOID ROBOT";
-"NASA Johnson Space Center";"Application";"MSC-24733-1";0;"13/349265";"Pyrometer";
-"NASA Johnson Space Center";"Application";"MSC-24734-1";8498741;"12/564088";"Dexterous Humanoid Robotic Wrist";
-"NASA Johnson Space Center";"Application";"MSC-24735-1";8467903;"12/564086";"Tendon Driven Finger Actuation System";
-"NASA Johnson Space Center";"Issued";"MSC-24736-1";8291788;"12/564090";"Rotary Series Elastic Actuator";
-"NASA Johnson Space Center";"Issued";"MSC-24737-1";8401700;"12/564124";"ACTUATOR AND ELECTRONICS PACKAGING FOR EXTRINSIC HUMANOID HAND";
-"NASA Johnson Space Center";"Application";"MSC-24738-1";0;"12/564094";"FRAMEWORK AND METHOD FOR CONTROLLING A ROBOTIC SYSTEM USING A DISTRIBUTED COMPUTER NETWORK";
-"NASA Johnson Space Center";"Application";"MSC-24739-1";8511964;"12/564084";"Dexterous Humanoid Robot";
-"NASA Johnson Space Center";"Application";"MSC-24740-1";0;"12/564078";"Dexterous Humanoid Robotic Finger";
-"NASA Johnson Space Center";"Issued";"MSC-24741-1";8255079;"12/564095";"Human Grasp Assist";"09/23/2029"
-"NASA Johnson Space Center";"Application";"MSC-24742-1";8442684;"12/564076";"Integrated High Speed FPGA Based Torque Controller";
-"NASA Johnson Space Center";"Application";"MSC-24743-1";8250901;"12/564092";"Rotary Absolute Position Sensor Calibration";
-"NASA Johnson Space Center";"Application";"MSC-24744-1";8369992;"12/564083";"Diagnostics, prognostics & health management for humanoid robotics and method thereof";
-"NASA Johnson Space Center";"GM";"MSC-24745-1";8424941;"12/564085";"ROBOTIC THUMB ASSEMBLY";
-"NASA Johnson Space Center";"Application";"MSC-24746-1";8260460;"12/564096";"Interactive Robot Control System";
-"NASA Johnson Space Center";"Issued";"MSC-24747-1";8244402;"12/564074";"VISUAL PERCEPTION SYSTEM AND METHOD FOR A HUMANOID ROBOT";
-"NASA Johnson Space Center";"Issued";"MSC-24750-1";8483882;"12/686512";"HIERARCHICAL ROBOT CONTROL SYSTEM AND METHOD FOR CONTROLLING SELECT DEGREES OF FREEDOM OF AN OBJECT USING MULTIPLE MANIPULATORS";
-"NASA Johnson Space Center";"Issued";"MSC-24751-1";8412376;"12/720725";"TENSION DISTRIBUTION IN A TENDON-DRIVEN ROBOTIC FINGER";
-"NASA Johnson Space Center";"Issued";"MSC-24752-1";8033876;"12/706744";"CONNECTOR PIN AND METHOD";
-"NASA Johnson Space Center";"Application";"MSC-24753-1";0;"12/720727";"UNDERACTUATED DESIGN AND CONTROL OF A TENDON-DRIVEN FINGER";
-"NASA Johnson Space Center";"Application";"MSC-24755-1";0;"12/698832";"Architecture For Robust Force and Impedance Control Of Series Elastic Actuators";
-"NASA Johnson Space Center";"Application";"MSC-24758-1";0;"14/184278";"RFID Cavity";"03/11/2033"
-"NASA Johnson Space Center";"Application";"MSC-24798-1";0;"13/789903";"Soft Decision Analyzer (SDA)";"03/08/2033"
-"NASA Johnson Space Center";"Application";"MSC-24811-1";0;"13/461,487";"Self-enclosed and pipette free DNA/RNA Isolation device";
-"NASA Johnson Space Center";"Application";"MSC-24813-1";0;"13/791290";"Pre-Polymerase Chain Reaction Preparation Kit";"08/06/2032"
-"NASA Johnson Space Center";"Application";"MSC-24817-1";8265792;"12/760954";"Method and Apparatus for Calibrating Multi-Axis Load Cells in a Dexterous Robot";
-"NASA Johnson Space Center";"Application";"MSC-24837-1";0;"12/787479";"Applying Workspace Limitations in a Velocity-Controlled Robotic Mechanism";
-"NASA Johnson Space Center";"Application";"MSC-24919-1";0;"13/790591";"RFID Waveguide, Antenna, and Cavity Sensors";"07/13/2032"
-"NASA Johnson Space Center";"Issued";"MSC-24926-1";8412378;"12/629637";"IN-VIVO TENSION CALIBRATION IN TENDON-DRIVEN MANIPULATORS";
-"NASA Johnson Space Center";"Issued";"MSC-24930-1";8489239;"12/916803";"ROBUST OPERATION OF TENDON-DRIVEN ROBOT FINGERS USING FORCE AND POSITION-BASED CONTROL LAWS";
-"NASA Johnson Space Center";"Application";"MSC-25026-1";0;"13/354552";"Battery Charge Equalizer with transformer array";
-"NASA Johnson Space Center";"Issued";"MSC-25053-1";"D628,609";"29/359105";"ROBOT";"04/06/2030"
-"NASA Johnson Space Center";"Application";"MSC-25056-1";0;"13/014901";"SYSTEM AND METHOD FOR TENSIONING A ROBOTICALLY ACTUATED TENDON";
-"NASA Johnson Space Center";"Issued";"MSC-25084-1";8067909;"12/474430";"METHOD AND APPARATUS FOR ELECTROMAGNETICALLY BRAKING A MOTOR";"05/29/2029"
-"NASA Johnson Space Center";"Application";"MSC-25084-DE";0;"12/474430";"Method and Apparatus for Electromagnetically Braking a Motor";
-"NASA Johnson Space Center";"Application";"MSC-25084-JP";0;"12/474430";"Method and Apparatus for Electromagnetically Braking a Motor";
-"NASA Johnson Space Center";"Application";"MSC-25091-1";0;"13/199484";"FRET-Aptamer Assays for C-Telopeptide, Creatinine and Vitamin D";"08/31/2031"
-"NASA Johnson Space Center";"Issued";"MSC-25121-1";8483877;"12/875254";"WORKSPACE SAFE OPERATION OF A FORCE- OR IMPEDANCE-CONTROLLED ROBOT";
-"NASA Johnson Space Center";"Application";"MSC-25149-1";0;"13/196252";"Controlling Execution Sequence Using Tactile-Classification during manipulation by a humanoid robot";
-"NASA Johnson Space Center";"Application";"MSC-25216-1";0;"13/439,546";"METHOD AND COMPOSITION FOR AMELIORATING THE EFFECTS FOR A SUBJECT EXPOSED TO RADIATION OR OTHER SOURCES OF OXIDATIVE STRESS";
-"NASA Johnson Space Center";"Application";"MSC-25217-1";0;"13/272442";"METHOD FOR DYNAMIC OPTIMIZATION OF A ROBOT CONTROL INTERFACE";
-"NASA Johnson Space Center";"Application";"MSC-25219";0;"13/207911";"FAST GRASP CONTACT COMPUTATION FOR A SERIAL ROBOT";
-"NASA Johnson Space Center";"Application";"MSC-25265-1";0;"13/851778";"New method and device for digital to analog transformations and reconstructions of multichannel electrocardiograms";"10/30/2032"
-"NASA Johnson Space Center";"Application";"MSC-25286-1";0;"14/252660";"A chemical formulation to stabilize urine and minimize the precipitation potential of minerals during distillation of urine";"03/11/2033"
-"NASA Johnson Space Center";"Application";"MSC-25313-1";0;"13/774835";"Hydrostatic Hyperbaric Chamber";"02/22/2033"
-"NASA Johnson Space Center";"Application";"MSC-25318";0;"13/408668";"HUMAN GRASP ASSIST SOFT";
-"NASA Johnson Space Center";"Application";"MSC-25319";0;"13/408656";"HUMAN GRASP ASSIST ";
-"NASA Johnson Space Center";"Application";"MSC-25320";0;"13/408675";"HUMAN GRASP ASSIST CONTROLS";
-"NASA Johnson Space Center";"Application";"MSC-25327-1";0;"13/459557";"COMMUNICATION SYSTEM AND METHOD";
-"NASA Johnson Space Center";"Application";"MSC-25386-1";0;"13/951671";"Active Response Gravity Offload System - Vertical Software Release";"07/26/2033"
-"NASA Johnson Space Center";"Application";"MSC-25590-1";0;"13/790927";"Systems and Methods for RFID-Enabled Information Collection";
-"NASA Johnson Space Center";"Application";"MSC-25604-1";0;"13/791584";"Systems and Methods for RFID-Enabled Dispenser";
-"NASA Johnson Space Center";"Application";"MSC-25605-1";0;"13/790721";"Switch Using Radio Frequency Identification";
-"NASA Johnson Space Center";"Application";"MSC-25626-1";0;"14/200,122";"RFID Torque-Sensing Tag System for Fasteners";"03/07/2034"
-"NASA Johnson Space Center";"Application";"MSC-25632-1";0;"13/803017";"ROBOT TASK COMMANDER WITH EXTENSIBLE PROGRAMMING ENVIRONMENT
-";"03/14/2033"
-"NASA Johnson Space Center";"Application";"MSC-25758-1";0;"14/184303";"Methods, Systems and Apparatuses for Radio Frequency Identification";"03/11/2033"
-"NASA Johnson Space Center";"Application";"MSC-25759-1";0;"14/184337";"Methods, Systems and Apparatuses for Radio Frequency Identification";"03/11/2033"
-"NASA Johnson Space Center";"Application";"MSC-25760-1";0;"14/184365";"Methods, Systems and Apparatuses for Radio Frequency Identification";"03/11/2033"
-"NASA Jet Propulsion Laboratory";"Application";"NPO-17734-1";0;"07/700,830";"Formation Of Self-Aligned Guard Ring For Silicide Schottky-Barrier Diodes Used For Infrared Detection";
-"NASA Jet Propulsion Laboratory";"Issued";"NPO-19289-1";6513023;"09/412,199";"On-Chip Learning In VLSI Hardware";"10/01/2019"
-"NASA Jet Propulsion Laboratory";"Application";"NPO-19769-1";0;"08/868,175";"Automated Cargo Inventory Identification Transponder";
-"NASA Jet Propulsion Laboratory";"Issued";"NPO-19855-1";6374630;"09/853,931";"Champagne Heat Pump";"05/09/2021"
-"NASA Jet Propulsion Laboratory";"Issued";"NPO-20031-1";6828935;"10/176,761";"Receiver Controlled Phased Array Antenna";"07/19/2022"
-"NASA Jet Propulsion Laboratory";"Issued";"NPO-20837-1";6526556;"09/591,386";"MORPHING TECHNIQUE FOR ACCELERATED EVOLUTIONARY SYNTHESIS OF ELECTRONIC CIRCUITS";"06/07/2020"
-"NASA Jet Propulsion Laboratory";"Application";"NPO-21136-1";0;"10/219,384";"A CMOS ACTIVE PIXEL SENSOR (APS) FOR READING COMPACT DISCS";
-"NASA Jet Propulsion Laboratory";"Issued";"NPO-30703-1";7240208;"10/424,287";"ENCRYPTING DIGITAL CAMERA";"04/23/2023"
-"NASA Jet Propulsion Laboratory";"Issued";"NPO-40040-1";7480984;"40/863,835";"A Concept For Suppressing Sublimation In Advanced Thermoelectric Devices";"06/07/2024"
-"NASA Jet Propulsion Laboratory";"Issued";"NPO-40407-1";7592747;"11/056,633";"Piezoelectrically Enhanced PhotoCathode (PEPC)";"02/09/2025"
-"NASA Jet Propulsion Laboratory";"Issued";"NPO-40827-1";7156189;"11/1,465";"SELF-MOUNTABLE AND EXTRACTABLE ULTRASONIC/SONIC ANCHOR (U/S-Anchor)";"12/01/2024"
-"NASA Jet Propulsion Laboratory";"Issued";"NPO-41446-1";8358723;"11/602,440";"Architecture Of An Autonomous Radio";"09/12/2031"
-"NASA Jet Propulsion Laboratory";"Issued";"NPO-41506-2";8492160;"12/720,103";"BIOMARKER SENSOR SYSTEM AND METHOD FOR MULTI-COLOR IMAGING AND PROCESSING OF SINGLE-MOLECULE LIFE SIGNATURES";"04/09/2031"
-"NASA Jet Propulsion Laboratory";"Issued";"NPO-41511-1";7385462;"11/376,638";"Wideband (31 To 36 GHz) 24-Way Radial Power Combiner/Divider Fed By A Marie Transducer";"03/14/2026"
-"NASA Jet Propulsion Laboratory";"Issued";"NPO-41982-1";8078309;"12/415,206";"Inverse Tomographic Approach To Create Arbitrary Sidewall Geometries In 3D Using LiGA Technologies";"03/03/2021"
-"NASA Jet Propulsion Laboratory";"Issued";"NPO-42131-1";7824247;"11/756,819";"PORTABLE RAPID AND QUIET DRILL (PRAQD)";"11/02/2027"
-"NASA Jet Propulsion Laboratory";"Issued";"NPO-42312-1";7184624;"11/422,147";"Slow light in chains of vertically coupled whispering gallery mode resonators";"06/05/2026"
-"NASA Jet Propulsion Laboratory";"Issued";"NPO-42466-1";7764384;"11/924,766";"Swept frequency laser metrology system";"10/26/2027"
-"NASA Jet Propulsion Laboratory";"Issued";"NPO-42563-1";7353768;"11/456,441";"Submersible Vehicle Propulsion and Power Generation";"07/10/2026"
-"NASA Jet Propulsion Laboratory";"Issued";"NPO-42672-1";7996112;"11/756,793";"Micro Robot Explorer (SpiderBot) Mesh Crawler";"06/08/2030"
-"NASA Jet Propulsion Laboratory";"Issued";"NPO-43213-1";7850861;"11/764,359";"Patterning packing materials for Fluidic Channels";"10/13/2029"
-"NASA Jet Propulsion Laboratory";"Issued";"NPO-43348-1";7809521;"12/40,459";"Precise delay measurement circuit on FPGAs";"01/31/2029"
-"NASA Jet Propulsion Laboratory";"Issued";"NPO-43361-1";7773121;"11/741,213";"High Resolution, Continuous Field of View, Non-Rotating Imaging Sensor Head";"10/15/2028"
-"NASA Jet Propulsion Laboratory";"Issued";"NPO-43524-1";7773362;"11/683,007";"Dusty Plasma Thruster";"01/03/2029"
-"NASA Jet Propulsion Laboratory";"Issued";"NPO-44079-1";8022860;"11/781,022";"Enhanced Interference Cancellation and Telemetry Reception with a Single Parabolic Dish Antenna using a Focal Plane Array";"04/30/2030"
-"NASA Jet Propulsion Laboratory";"Issued";"NPO-44765-1";7740088;"11/928,069";"Ultrasonic/Sonic Rotary-Hammer Drill (USRoHD)";"04/15/2028"
-"NASA Jet Propulsion Laboratory";"Issued";"NPO-44914-1";8407979;"11/926,279";"Magnetically-Conformed, Variable Area Discharge Chamber for Hall Thruster Plasma Accelerators";"06/08/2031"
-"NASA Jet Propulsion Laboratory";"Issued";"NPO-45053-1";8057283;"12/119,989";"The process of significant improving of optical quality factor of whispering gallery mode resonator.";"09/15/2030"
-"NASA Jet Propulsion Laboratory";"Issued";"NPO-45911-1";8163094;"12/508,006";"Method to Improve Indium Bump Bonding Via Indium Oxide Removal Using a Two Step Plasma Process";"08/16/2030"
-"NASA Jet Propulsion Laboratory";"Issued";"NPO-45948-1";7843650;"12/490,422";"Monolithic Afocal Telescope";"06/24/2029"
-"NASA Jet Propulsion Laboratory";"Application";"NPO-46253-1";0;"12/237,159";"Generation of optical combs in a whispering gallery mode resonator from a bichromatic pump";
-"NASA Jet Propulsion Laboratory";"Issued";"NPO-46843-1";8169371;"12/541,725";"A single-layer, all-metal patch antenna element with wide bandwidth";"09/25/2030"
-"NASA Jet Propulsion Laboratory";"Issued";"NPO-46938-1";8026768;"12/691,070";"A 201Hg+ co-magnetometer for 199Hg+ trapped ion space atomic clocks";"04/03/2030"
-"NASA Jet Propulsion Laboratory";"Application";"NPO-47300-1";0;"13/017,174";"Textured Si Anode for High Capacity, Rapid Charge Rate Li Ion Batteries";
-"NASA Jet Propulsion Laboratory";"Application";"NPO-47300-2";0;"13/895,499";"Textured Si Anode for High Capacity, Rapid Charge Rate Li Ion Batteries";"01/31/2031"
-"NASA Jet Propulsion Laboratory";"Issued";"NPO-47310-1";8502987;"13/018,672";"Coherent Detector for Near-Angle Scattering and Polarization Characterization of Telescope Mirror Coatings";"03/24/2032"
-"NASA Jet Propulsion Laboratory";"Issued";"NPO-47604-1";8649000;"13/277,954";"Surface Enhanced Raman Scattering using Silica Whispering-Gallery Mode Resonators";"07/10/2032"
-"NASA Jet Propulsion Laboratory";"Application";"NPO-47717-1";;"13/281,683";"360-Degree Camera Head for Unmanned Surface Sea Vehicles";
-"NASA Jet Propulsion Laboratory";"Issued";"NPO-47869-1";8649609;"13/071,299";"FPGA Vision Data Architecture";"04/17/2032"
-"NASA Jet Propulsion Laboratory";"Application";"NPO-47881-1";;"14/151,684";"Pulsed Plasma Lubricator (PPL) Technology for the In Situ Replenishment of Dry Lubricants in Extreme Environments";
-"NASA Jet Propulsion Laboratory";"Application";"NPO-48140-1";;"13/456,451";"Probabilistic Surface Characterization for Safe Landing Hazard Detection and Avoidance";
-"NASA Jet Propulsion Laboratory";"Application";"NPO-48413-1";;"13/757,929";"Simple Laser-Communications Terminal for Downlink from Earth-Orbit at Rates Exceeding 10 Gb/s";"02/04/2033"
-"NASA Jet Propulsion Laboratory";"Application";"NPO-48539-1";;"13/858,267";"Neutral mounting of whispering gallery mode resonators for suppression of acceleration-induced frequency fluctuations";"04/08/2033"
-"NASA Jet Propulsion Laboratory";"Application";"NPO-49086-1";;"14/101,547";"Electride Mediated Surface Enhanced Raman Spectroscopy";"12/10/2033"
-"NASA Stennis Space Center";"Issued";"SSC-00040";5726632;"08/622,178";"HANDHELD HYDROGEN FIRE IMAGER";"03/14/2016"
-"NASA Stennis Space Center";"Issued";"SSC-00050";6020587;"09/3,212";"A HAND HELD PLANT STRESS DETECTION SYSTEM";"01/06/2018"
-"NASA Stennis Space Center";"Issued";"SSC-00247";8618933;"11/866,042";"Valve Health Monitoring System Utilizing Smart Instrumentation for Real Time and Historical Data Tracking";"05/03/2032"
-"NASA Stennis Space Center";"Issued";"SSC-00264";8336849;"12/704193";"Conical Seat Shut Off Valve";"01/13/2031"
-"NASA Stennis Space Center";"Issued";"SSC-00327";8401820;"12/566,111";"IN SITU HEALTH MONITORING OF PIEZOELECTRIC SENSORS";"07/31/2030"
+"Center"\"Status"\"Case Number"\"Patent Number"\"Application SN"\"Title"\"Patent Expiration Date"
+"NASA Kennedy Space Center"\"Application"\"KSC-12871"\0\"13/033,085"\"Polyimide Wire Insulation Repair System"\
+"NASA Ames Research Center"\"Issued"\"ARC-14048-1"\5694939\"08/543,093"\"Autogenic-Feedback Training Exercise Method & System"\"10/03/2015"
+"NASA Ames Research Center"\"Issued"\"ARC-14231-1"\6109270\"09/017,519"\"Multimodality Instrument For Tissue Characterization"\"02/04/2017"
+"NASA Ames Research Center"\"Issued"\"ARC-14231-2DIV"\6976013\"10/874,003"\"Metrics For Body Sensing System"\"06/16/2024"
+"NASA Ames Research Center"\"Issued"\"ARC-14231-3"\6718196\"09/652,299"\"Multimodality Instrument For Tissue Characterization"\"02/04/2017"
+"NASA Ames Research Center"\"Issued"\"ARC-14275-1"\6445390\"09/226,673"\"Automated Triangle Geometry Processing For Surface Modeling And Cartesian Grid Generation (CART3D)"\"12/24/2018"
+"NASA Ames Research Center"\"Issued"\"ARC-14281-1"\6606612\"09/374,491"\"Aerodynamic Design Using Neural Networks"\"08/13/2019"
+"NASA Ames Research Center"\"Issued"\"ARC-14281-3"\7191161\"10/637,087"\"Method For Constructing Composite Response Surfaces By Combining Neural Networks With Polynomial Interpolation Or Estimation Techniques"\"11/18/2020"
+"NASA Ames Research Center"\"Issued"\"ARC-14359-1"\6314362\"09/498,123"\"A Direct-To Controller Tool (A Component Of The CTAS Software Suite)"\"02/02/2020"
+"NASA Ames Research Center"\"Issued"\"ARC-14494-1"\6720984\"09/606,107"\"Bio-Electric Keyboard/Mouse/Joystick Interface Software/Algorithm"\"06/13/2020"
+"NASA Ames Research Center"\"Issued"\"ARC-14512-1"\6823333\"09/800,309"\"Keyword-in-context Search Method And Software For Information Retrieval From Collections Of Text Documents (Quorum/Perilog)"\"03/02/2021"
+"NASA Ames Research Center"\"Issued"\"ARC-14513-1"\6741981\"09/800,311"\"Model-based Phrase Search Method And Software For Information Retrieval From Collections Of Text Documents (Quorum/Perilog)"\"09/14/2021"
+"NASA Ames Research Center"\"Issued"\"ARC-14514-1"\6697793\"09/800,313"\"Method And Software For Using Implicit Phrase Models To Generate Prominent Phrases Contained In Collections Of Text Documents (Quorum/Perilog)"\"03/02/2021"
+"NASA Ames Research Center"\"Issued"\"ARC-14515-1"\6721728\"09/800,310"\"Method And Software For Extracting And Distilling Topically And Situationally Relevant Phrases From Collections Of Text Documents (Quorum/Perilog)"\"07/26/2021"
+"NASA Ames Research Center"\"Issued"\"ARC-14556-1"\7346172\"09/822470"\"Spatially-modulated Auditory Alert Having Enhanced Detection"\"08/24/2022"
+"NASA Ames Research Center"\"Issued"\"ARC-14569-1"\7783130\"11/045,041"\"Spatial Standard Observer"\"03/26/2028"
+"NASA Ames Research Center"\"Issued"\"ARC-14569-2"\8139892\"12/807,375"\"Spatial Standard Observer"\"01/24/2025"
+"NASA Ames Research Center"\"Issued"\"ARC-14586-1DIV"\7293001\"11/274,744"\"A Hybrid Neural Network And Support Vector Machine Method For Optimization"\"01/07/2022"
+"NASA Ames Research Center"\"Issued"\"ARC-14613-1"\6858197\"10/099,247"\"A Novel Technique That Allows For The Deposition And Patterning Of A Catalyst Onto A Surface For The Growth Of Single-Walled Carbon Nanotubes"\"11/30/2019"
+"NASA Ames Research Center"\"Issued"\"ARC-14652-1"\7375826\"10/956,517"\"3D Laser Scanner"\"03/25/2026"
+"NASA Ames Research Center"\"Issued"\"ARC-14653-1"\7702427\"10/914,783"\"Future ATM (Air Traffic Management) Concepts Evaluation Tool (FACET)"\"07/30/2024"
+"NASA Ames Research Center"\"Issued"\"ARC-14653-2"\8290696\"12/694,966"\"Future ATM (Air Traffic Management) Concepts Evaluation Tool (FACET)"\"07/30/2024"
+"NASA Ames Research Center"\"Issued"\"ARC-14661-1"\7276266\"10/320,698"\"A Plasma Apparatus And Process For Functionalization Of Carbon Nanotubes"\"12/13/2022"
+"NASA Ames Research Center"\"Issued"\"ARC-14661-2"\7473436\"10/828,524"\"Improved Functionalization Of Carbon Nanotubes"\"12/13/2022"
+"NASA Ames Research Center"\"Issued"\"ARC-14661-3"\7767270\"11/387,503"\"Selective Functionalization Of Carbon Nanotubes Based Upon Distance Traveled"\"11/05/2025"
+"NASA Ames Research Center"\"Issued"\"ARC-14662-1"\6968338\"10/232,975"\"Advanced XML Database Integration Technique For Managing Unstructured Documents (NETMARK) (Part of NTTS Suite)"\"07/18/2023"
+"NASA Ames Research Center"\"Issued"\"ARC-14682-2"\7333735\"10/885,533"\"Communication Using VCSEL Laser Array"\"11/03/2023"
+"NASA Ames Research Center"\"Issued"\"ARC-14710-1"\7231329\"10/706,478"\"Elimination Of Parameter Input Requirement For Elliptic Grid Generation Methods In Engineering"\"03/11/2025"
+"NASA Ames Research Center"\"Issued"\"ARC-14733-1"\6972056\"10/135,013"\"An Environmentally Compatible Method To Purify Carbon Nanotubes"\"01/03/2023"
+"NASA Ames Research Center"\"Issued"\"ARC-14743-1"\7767305\"10/758611"\"High-Efficiency Tantalum-Based Ceramics (HETC)"\"01/14/2024"
+"NASA Armstrong Flight Research Center"\"Issued"\"DRC-008-014"\8047472\"12/45,970"\"IMPROVED RAM BOOSTER"\"03/11/2028"
+"NASA Ames Research Center"\"Issued"\"ARC-14744-1US"\7816491\"10/494,853"\"Ordered Biological Nanostructures Formed From Chaperonin Polypeptides"\"05/06/2024"
+"NASA Ames Research Center"\"Issued"\"ARC-14744-2"\7795388\"11/194,991"\"A Versatile Platform For Nanotechnology Based On Circular Permutations Of Chaperonin Protein"\"05/06/2024"
+"NASA Ames Research Center"\"Issued"\"ARC-14940-1"\7135172\"10/238,515"\"Bucky Paper As An Artificial Support Membrane In Retinal Cell Transplantation"\"06/12/2024"
+"NASA Ames Research Center"\"Issued"\"ARC-14941-1"\6755530\"10/198,672"\"Carbon Nanotubes As A Prototype Interface For Retinal Cell Recording And Stimulation (Vision Chip)"\"10/18/2022"
+"NASA Ames Research Center"\"Issued"\"ARC-14950-1"\7596416\"10/928,874"\"Program Management Tool (PMT) Also Known As Business Intelligence (BI)"\"07/22/2027"
+"NASA Ames Research Center"\"Issued"\"ARC-14950-2"\8224472\"12/211,439"\"Enhanced Project Management Tool"\"10/20/2026"
+"NASA Ames Research Center"\"Issued"\"ARC-14970-1"\7129857\"10/789,049"\"Intelligent Weather Agent"\"07/20/2024"
+"NASA Ames Research Center"\"Issued"\"ARC-15040-1"\8200486\"10/457,696"\"Sub Auditory Speech Recognition Based On Electromyographic Signals"\"09/14/2025"
+"NASA Ames Research Center"\"Issued"\"ARC-15041-2"\7206674\"10/923,156"\"Information Display System For Atypical Flight Phase"\"05/21/2024"
+"NASA Ames Research Center"\"Issued"\"ARC-15042-2"\7217650\"10/816,576"\"Metallic Nanowire Interconnections For Integrated Circuit Fabrication"\"03/11/2023"
+"NASA Ames Research Center"\"Issued"\"ARC-15058-1"\7383238\"10/789,029"\"Inductive Monitoring System - System Health Monitoring Software That Learns System Behavior From Data (IMS)"\"03/12/2025"
+"NASA Ames Research Center"\"Issued"\"ARC-15073-1"\7590606\"10/703,039"\"InvestigationOrganizer: Information Storage, Modeling And Visualization Support For Accident/Mishap Investigations (Part Of A Suite Of Software That Includes ARC-15069, ARC-15070 And ARC-15073) "\"04/30/2026"
+"NASA Ames Research Center"\"Issued"\"ARC-15088-1"\7070923\"10/608,884"\"Carbon Nanotube Bucky Paper Cages For Immune Shielding Of Cells And Tissue For Transplantation"\"09/20/2023"
+"NASA Ames Research Center"\"Issued"\"ARC-15101-1"\7113265\"10/808,704"\"Sample Handling Device For X-ray Diffraction Instruments"\"03/17/2024"
+"NASA Ames Research Center"\"Issued"\"ARC-15157-1"\7286573\"10/923,160"\"A Method Of Converting Quantum Wells From Type-II To Type-I And Of Enhancing Interband Optical Gain "\"03/11/2025"
+"NASA Ames Research Center"\"Issued"\"ARC-15171-1"\7650232\"11/239,456"\"Trajectory Specification For High-Capacity Air Traffic Control"\"05/25/2027"
+"NASA Ames Research Center"\"Issued"\"ARC-15173-1"\7273095\"10/825,795"\"Embedded Carbon Nanotube Array As High Performance Thermal Conductors"\"03/11/2023"
+"NASA Ames Research Center"\"Issued"\"ARC-15173-2"\7784531\"11/900,131"\"Nanoengineered Thermal Materials Based On Carbon Nanotube Array Composites"\"02/16/2024"
+"NASA Ames Research Center"\"Issued"\"ARC-15201-1"\7381459\"10/779,504"\"Toughened Uni-piece Fibrous Reduced Oxidation Ceramic (TUFROC) Light-Weight Thermal Protection System For Use On Space Vehicles During Atmospheric Entry At Hypersonic Speed"\"02/12/2024"
+"NASA Ames Research Center"\"Issued"\"ARC-15201-2"\7314648\"10/911,747"\"Toughened Uni-piece Fibrous Reinforced Oxidation-Resistant Composite (TUFROC)"\"02/12/2024"
+"NASA Ames Research Center"\"Issued"\"ARC-15204-1"\7949472\"10/885,537"\"Nanopore Pipetts For Structural Characterization Of Single Polymeric Biomelecules"\"01/14/2026"
+"NASA Ames Research Center"\"Issued"\"ARC-15204-1DIV"\8494782\"13/092,048"\"Nanopore Pipetts For Structural Characterization Of Single Polymeric Biomelecules"\"06/24/2024"
+"NASA Ames Research Center"\"Issued"\"ARC-15205-1"\7939734\"10/873,996"\"The Electrochemical Biosensors Using Carbon Nanotube Nanoelectrode Arrays"\"06/14/2024"
+"NASA Ames Research Center"\"Issued"\"ARC-15312-1"\7672969\"11/513,429"\"Context Based Configuration Management Concept"\"08/25/2026"
+"NASA Ames Research Center"\"Issued"\"ARC-15314-1"\7718223\"11/007,913"\"Provision Of Carbon Nanotube Arrays Of Variable Density For IC Hot Spot Control"\"02/12/2027"
+"NASA Ames Research Center"\"Issued"\"ARC-15314-2"\7704547\"11/472,516"\"Carbon Nanotube Growth Density Control"\"12/07/2024"
+"NASA Ames Research Center"\"Issued"\"ARC-15315-1"\7378963\"11/239,449"\"Reconfigurable Auditory-visual Display For Multi-channel Control Center And Rescue Communications"\"01/06/2026"
+"NASA Ames Research Center"\"Issued"\"ARC-15356-2"\7161501\"11/66,650"\"Display Of Aircraft Energy State For Flight Operations Quality Assurance (FOQA) Programs"\"09/22/2024"
+"NASA Ames Research Center"\"Issued"\"ARC-15356-3"\7212135\"11/066649"\"Real-Time Analysis And Display Of Aircraft Approach Maneuvers "\"09/22/2024"
+"NASA Ames Research Center"\"Issued"\"ARC-15370-1"\7698274\"10/956,524"\"Selective Access And Editing In A Database (Part of NTTS Suite)"\"03/18/2027"
+"NASA Ames Research Center"\"Issued"\"ARC-15392-1"\7313475\"11/053,713"\"Delay Banking: Collaborative Decision Making For Airspace-user Priority In Tactical Flow Restrictions"\"04/04/2025"
+"NASA Ames Research Center"\"Issued"\"ARC-15404-1"\7288490\"11/009,854"\"Use Of A Single Electrode To Orient Carbon Nanotube Growth"\"12/07/2024"
+"NASA Ames Research Center"\"Issued"\"ARC-15437-1"\7438422\"11/340,816"\"Low Cost Portable Planetarium Imaging System"\"05/14/2027"
+"NASA Ames Research Center"\"Issued"\"ARC-15443-1"\7531775\"11/251,006"\"A Tracking Sunphotometer Without Moving Parts "\"01/31/2026"
+"NASA Ames Research Center"\"Issued"\"ARC-15460-1"\7426848\"11/203,576"\"Discharge Based Gas Sensor Array Using Self-Oriented Regular Vertical Array Of Carbon Nanotubes"\"08/05/2025"
+"NASA Ames Research Center"\"Issued"\"ARC-15462-1"\7574338\"11/340002"\"Finite-Difference Simulation And Visualization Of Elastodynamics In Time-Evolving Generalized Curvilinear Coordinates "\"07/29/2026"
+"NASA Ames Research Center"\"Issued"\"ARC-15487-1"\7796026\"11/111,620"\"Electronic Firefighter Escape Trail"\"06/04/2028"
+"NASA Ames Research Center"\"Issued"\"ARC-15506-1"\7529633\"11/203,589"\"Applications Of Carbon Nanotube Hold-Off Voltages"\"10/22/2026"
+"NASA Ames Research Center"\"Issued"\"ARC-15519-1"\7574357\"11/169,265"\"Security Applications For Subvocal Speech"\"11/09/2026"
+"NASA Ames Research Center"\"Issued"\"ARC-15566-1"\7801687\"11/178,079"\"Gas Sensors Based on Coated and Doped Carbon Nanotubes"\"05/26/2029"
+"NASA Ames Research Center"\"Issued"\"ARC-15566-2"\8000903\"11/416,505"\"Coated Or Doped Carbon Nanotube Network Sensors As Affected By Environmental Parameters And Elapsed Time"\"09/15/2029"
+"NASA Ames Research Center"\"Issued"\"ARC-15566-3"\7875455\"11/489,803"\"Nanotechnology Sensors For Determination Of Chemical Substances In An Oil Reservoir"\"12/17/2028"
+"NASA Ames Research Center"\"Issued"\"ARC-15566-5"\7623972\"11/591,630"\"Detection Of Presence Of Chemical Precursors"\"07/08/2025"
+"NASA Ames Research Center"\"Issued"\"ARC-15575-1"\7473930\"11/173,053"\"Use Of Carbon Nanotube Arrays For Display Purposes"\"10/24/2026"
+"NASA Ames Research Center"\"Issued"\"ARC-15578-2"\7873181\"11/525,600"\"Visual Signal Sensor Organ Replacement: Implementation"\"05/19/2028"
+"NASA Ames Research Center"\"Issued"\"ARC-15606-1"\7431242\"11/265,324"\"Aero Assist Capsule Vehicle Geometry For Atmospheric Entry"\"04/01/2026"
+"NASA Ames Research Center"\"Issued"\"ARC-15684-1"\7516890\"11/444,807"\"InterIssued Inventory Monitoring"\"05/25/2026"
+"NASA Ames Research Center"\"Issued"\"ARC-15714-1"\7869029\"11/398,733"\"Light Collimator And Monitor"\"11/11/2029"
+"NASA Ames Research Center"\"Issued"\"ARC-15782-1"\7549338\"11/973998"\"Nanotechnology Sensor Of Presence And Concentration Of A Target Molecule"\"09/28/2027"
+"NASA Ames Research Center"\"Issued"\"ARC-15796-1"\8675922\"13/444,777"\"Motion Blur Evaluation Techniques"\"08/31/1932"
+"NASA Ames Research Center"\"Issued"\"ARC-15870-1"\7655497\"11/513,431"\"Growth Method For Phase Change Nanostructures"\"08/16/2027"
+"NASA Ames Research Center"\"Issued"\"ARC-15890-1"\7655145\"11/543,275"\"Water Treatment Systems For Long Space Flight Use"\"11/05/2027"
+"NASA Ames Research Center"\"Issued"\"ARC-15900-1"\7490367\"11/526,175"\"Wet Waste Drying Bag"\"09/20/2026"
+"NASA Ames Research Center"\"Issued"\"ARC-15903-1DIV"\8409491\"13/215,206"\"In-situ Formation Of Reinforcement Phases In Ceramic Composites And Ultra High Temperature Ceramic Composites For Advanced TPS Applications"\"09/28/2027"
+"NASA Ames Research Center"\"Issued"\"ARC-15967-1"\7635420\"11/645,267"\"Dielectrophoresis-Based Particle Sensor Using Nanoelectrode Arrays"\"06/06/2028"
+"NASA Ames Research Center"\"Application"\"ARC-15977-1"\0\"12/100,378"\"Artificial Immune System Based Approach For Air Combat Maneuvering"\
+"NASA Ames Research Center"\"Application"\"ARC-15981-4"\\"13/463,780"\"Chaperonin-based Templates for Pseudo-cellulosomes with Multiple Enzymes Present"\"07/19/2027"
+"NASA Ames Research Center"\"Issued"\"ARC-15983-1"\7923709\"12/273,502"\"Radiation Shielding System Using A Composite Of Hydrogen-Rich Polymers Loaded With Carbon Nanotubes"\"09/30/2029"
+"NASA Ames Research Center"\"Application"\"ARC-16478-1"\\"14/191,246"\"Real Time PIREPs Using Audio Twitter"\"02/26/1934"
+"NASA Ames Research Center"\"Issued"\"ARC-15995-1"\8290246\"11/958,296"\"A Method To Measure The Recession Of Ablative Materials In Arc-jet Testing Using Digital Stereo-photogrammetry And Image Cross-correlation"\"07/01/1931"
+"NASA Ames Research Center"\"Issued"\"ARC-16013-1"\7968054\"11/715,785"\"Wireless Chemical Sensor Data Transmission System Based On Nanotechnology"\"10/03/2029"
+"NASA Ames Research Center"\"Issued"\"ARC-16018-1"\7662459\"12/175,379"\"Atmospheric Entry Heat Shield Employing Cured Thermal Protection Material Blocks Bonded In A Large-Cell Honeycomb Matrix"\"07/17/2028"
+"NASA Ames Research Center"\"Application"\"ARC-16132-1"\0\"14/091,250"\"Surface Densification Of Phenolic Impregnated Carbon Ablator (PICA)"\"11/26/1933"
+"NASA Ames Research Center"\"Issued"\"ARC-16133-1"\8069001\"12/319,918"\"Hollow AErothermal Ablation And Temperature (HEAT) Isotherm Sensor For Tracking Isotherm Through The TPS Material"\"10/09/2029"
+"NASA Ames Research Center"\"Application"\"ARC-16211-1"\0\"13/896,284"\"Low Cost Optical Fiber Solar Cell Configurations"\"05/16/1933"
+"NASA Ames Research Center"\"Issued"\"ARC-16235-1"\8285659\"12/543,411"\"Modeling-Error-Driven Performance-Seeking Direct Adaptive Control"\"11/18/1930"
+"NASA Ames Research Center"\"Application"\"ARC-16273-1"\0\"12/454,024"\"Decomposition Technique for Remaining Useful Life Prediction"\"11/18/1930"
+"NASA Ames Research Center"\"Issued"\"ARC-16280-1"\8409845\"12/316,557"\"Offshore membrane enclosures for dewatering Algae (OMEDA)"\"10/15/1931"
+"NASA Ames Research Center"\"Issued"\"ARC-16298-1"\8333810\"12/398,854"\"Nanotechnology-Based Supercapacitor"\"06/29/1930"
+"NASA Ames Research Center"\"Issued"\"ARC-16320-1"\8332342\"12/622,407"\"Battery Prognostics using Particle Filtering Techniques"\"02/05/1931"
+"NASA Ames Research Center"\"Issued"\"ARC-16331-1"\8408707\"12/428,441"\"System to estimate visual acuity from wavefront aberrations"\"05/29/2029"
+"NASA Ames Research Center"\"Issued"\"ARC-16334-1"\8244477\"12/478,667"\"Estimation of Growth Stage and Growth Rate for Algae"\"06/04/2029"
+"NASA Ames Research Center"\"Application"\"ARC-16337-1"\0\"13/793,998"\"Method and Device for Biometric Subject Verification and Identification Based Upon electrocardiographic signals"\"03/11/1933"
+"NASA Ames Research Center"\"Application"\"ARC-16340-1"\0\"13/645,284"\"Method for formation and manufacture of carbon nanotube mesh bucky paper capsules for transplantation of cells and tissue and implantation of medical devices"\"10/04/1932"
+"NASA Ames Research Center"\"Issued"\"ARC-16342-1"\8412469\"12/698,996"\"Advanced Sensor Technology for Algal Biotechnology (ASTAB) "\"12/16/1930"
+"NASA Ames Research Center"\"Application"\"ARC-16348-1"\\"13/109,954"\"Co-Optimized Blunt-Body ReEntry Vehicle Aerothermodynamic Parametric Shape and Multi-Discipline Optimization Design Process"\
+"NASA Ames Research Center"\"Issued"\"ARC-16351-1"\8498756\"13/213,022"\"Hovercraft Landing System"\"12/07/1931"
+"NASA Ames Research Center"\"Issued"\"ARC-16370-1"\8375675\"12/574,493"\"Self Aligning Lug for adapting carbon fiber rods to a bolted metallic connection"\"05/07/1931"
+"NASA Ames Research Center"\"Application"\"ARC-16372-1"\0\"13/794,061"\"Inexpensive Cooling Systems for Devices"\"03/11/1933"
+"NASA Ames Research Center"\"Issued"\"ARC-16373-1"\8489181\"12/319,220"\"Heart Electrical Actions as Biometric Indicia"\"04/29/1932"
+"NASA Ames Research Center"\"Application"\"ARC-16405-1"\0\"14/091,236"\"Nanowire based piezoelectric power generation"\"11/26/1933"
+"NASA Ames Research Center"\"Issued"\"ARC-16407-1"\8337208\"12/622,374"\"Content Analysis to Detect High Stress in Oral Interviews and Text Documents"\"05/26/1931"
+"NASA Ames Research Center"\"Application"\"ARC-16419-1"\0\"13/317,034"\"Strobing to Mitigate Vibration for Display Legibility"\"10/05/1932"
+"NASA Ames Research Center"\"Application"\"ARC-16450-1CIP"\0\"13/720,898"\"Distributed Prognostics and Health Management with a Wireless Network Architecture "\"05/05/2029"
+"NASA Ames Research Center"\"Application"\"ARC-16456-1"\\"13/480,917"\"FABRICATION OF NANOPIPETTE ARRAY FOR BIOSENSING"\
+"NASA Ames Research Center"\"Application"\"ARC-16461-1"\\"13/956,218"\"Solar Powered CO2 Conversions with Thin Film Devices"\"07/31/1933"
+"NASA Ames Research Center"\"Application"\"ARC-16466-1"\\"14/010,322"\"Combined HETC/ROCCI TPS Material for Temperatures Up To T=3200 F "\"08/26/1933"
+"NASA Ames Research Center"\"Application"\"ARC-16467-1"\\"13/615,202"\"ODVEC: Outlier Detection Via Estimating Clusters"\
+"NASA Ames Research Center"\"Application"\"ARC-16607-1"\\"13/658,749"\"An Approach to Make Flexible Ablators that are Flexible Char Formers"\"10/23/1932"
+"NASA Ames Research Center"\"Application"\"ARC-16621-1"\\"13/472,283"\"Transformable Hypersonic Aerodynamic Decelerator"\"12/04/1932"
+"NASA Ames Research Center"\"Application"\"ARC-16644-1"\\"13/648,197"\"Variable Camber Continuous Aerodynamic Control Surfaces and Methods for Active Wing Shaping Control "\"10/09/1932"
+"NASA Ames Research Center"\"Application"\"ARC-16646-1"\\"13/485,721"\"A method to produce copper nanowires for interconnect applications"\
+"NASA Ames Research Center"\"Application"\"ARC-16661-1"\\"13/444,789"\"Video acuity measurement system"\
+"NASA Ames Research Center"\"Application"\"ARC-16697-1"\\"13/956,929"\"NTTS Search and Reporting (Part of NTTS Suite)"\"08/01/1933"
+"NASA Ames Research Center"\"Application"\"ARC-16707-1"\\"13/438,793"\"Ectomycorrhizal mediated remediaiton of phenolic-based contamination through use of specifically adapted ectomycorrhizal fungi and enzyme enhancement through partial defoliation of the host."\
+"NASA Ames Research Center"\"Application"\"ARC-16707-1CIP"\\"13/854,620"\"Ectomycorrhizal mediated remediaiton of phenolic-based contamination through use of specifically adapted ectomycorrhizal fungi and enzyme enhancement through partial defoliation of the host."\"04/03/1932"
+"NASA Ames Research Center"\"Application"\"ARC-16732-1"\\"13/573,924"\"NanoSat Launch Adapter System (NLAS)"\"03/14/1933"
+"NASA Ames Research Center"\"Application"\"ARC-16733-1"\\"13/535,884"\"Habitat Water Wall for Water, Solids, and Atmosphere Recycle and Reuse "\
+"NASA Ames Research Center"\"Application"\"ARC-16752-1"\\"14/179,401"\"Fuel-Efficient, Airport-Friendly, Multi-Speed Transport Aircraft Configuration with Novel Structural Approach"\"02/12/1934"
+"NASA Ames Research Center"\"Application"\"ARC-16811-1"\\"13/544,752"\"Compliant electrode and composite materials for piezoelectric wind and mechanical energy conversions"\
+"NASA Ames Research Center"\"Application"\"ARC-16812-1"\\"13/783,112"\"Graphene composite materials for supercapacitor electrodes "\"03/01/1933"
+"NASA Ames Research Center"\"Application"\"ARC-16833-1"\\"13/747,875"\"Flight Deck Predictive Weather Display and Decision Support Interface "\"01/23/1933"
+"NASA Ames Research Center"\"Application"\"ARC-16844-1"\\"13/662,346"\"Adaptive control and disturbance rejection of non-minimum phase plants using residual mode filters"\"10/26/1932"
+"NASA Ames Research Center"\"Application"\"ARC-16846-1"\\"13/707,546"\"Dynamic Weather Routes Tool"\"12/06/1932"
+"NASA Ames Research Center"\"Application"\"ARC-16892-1A"\\"13/929,646"\"The Surface-Adhering Bioreactor (SABR): A novel microbial cell cultivation platform"\"06/27/1933"
+"NASA Ames Research Center"\"Application"\"ARC-16902-1"\\"13/725,475"\"Nanosensors for medical diagnosis"\"12/21/1932"
+"NASA Ames Research Center"\"Application"\"ARC-16916-1"\\"13/956,736"\"A Method for Improving Control Systems with Normalized Adaptation by Optimal Control Modification"\"08/01/1933"
+"NASA Ames Research Center"\"Application"\"ARC-16924-1"\\"14/010,355"\"Aluminoborosilicate Supplement for Thermal Protection of a Re-entrant Vehicle"\"08/26/1933"
+"NASA Ames Research Center"\"Application"\"ARC-16942-2"\\"13/659,739"\"A new family of low density flexible ablators"\"10/24/1932"
+"NASA Armstrong Flight Research Center"\"Issued"\"DRC-001-049"\7180943\"10/113,637"\"Adaptive Lossless Data Compression"\"03/26/2022"
+"NASA Armstrong Flight Research Center"\"Issued"\"DRC-005-031"\7407131\"11/288,052"\"Sound Shield"\"10/31/2025"
+"NASA Armstrong Flight Research Center"\"Issued"\"DRC-006-001"\7431243\"11/227,325"\"Algorithms For Autonomous Soaring"\"02/27/2026"
+"NASA Armstrong Flight Research Center"\"Application"\"DRC-006-002"\0\"11/422,554"\"Air Breathing,Reusable, Vertical Launch, Vertical Landing, First Stage Launch System with Off-the-Shelf Second Stage - Ram Booster"\
+"NASA Armstrong Flight Research Center"\"Issued"\"DRC-006-005"\7711455\"11/463,485"\"Propulsion Controlled Aircraft Computer (PCAC)"\"08/09/2026"
+"NASA Armstrong Flight Research Center"\"Issued"\"DRC-006-024"\7520176\"11/567,118"\"Method for Real-Time Structure Shape Sensing"\"12/05/2026"
+"NASA Armstrong Flight Research Center"\"Application"\"DRC-006-045"\0\"11/682,969"\"METHOD FOR REDUCING THE REFRESH RATE OF FIBER BRAGG GRATING SENSORS"\
+"NASA Armstrong Flight Research Center"\"Issued"\"DRC-008-001"\8145366\"12/138,747"\"Real-time Interactive Sonic Boom Display"\"04/28/2030"
+"NASA Armstrong Flight Research Center"\"Issued"\"DRC-008-023"\7715994\"12/191,734"\"IMPROVED PROCESS FOR USING SURFACE STRAIN MEASUREMENTS TO OBTAIN OPERATIONAL LOADS FOR COMPLEX STRUCTURES"\"08/14/2028"
+"NASA Armstrong Flight Research Center"\"Application"\"DRC-009-008"\0\"12/718034"\"Continental Digital Elevation Map Compression and Decompression Software"\
+"NASA Armstrong Flight Research Center"\"Issued"\"DRC-009-026"\8447443\"13/367990"\"A New Peak-Seeking Control Method"\"02/07/2032"
+"NASA Armstrong Flight Research Center"\"Application"\"DRC-010-042"\\"13/463246"\"An apparatus and a method to eliminate polarization-induced fading from multiple fiber-optics strain sensors via signal-processing under polarization diversity detection scheme"\
+"NASA Armstrong Flight Research Center"\"Application"\"DRC-011-002"\\"13/759,847"\"OPTICAL WAVEGUIDE BRAGG GRATING WAVELENGTH SHIFT BY LIGHT INTERACTION WITH ACTIVE MATERIAL"\"02/05/2033"
+"NASA Armstrong Flight Research Center"\"Application"\"DRC-011-015"\\"14/106947"\"In-situ three-dimensional shape rendering from strain values obtained through optical fiber sensors"\"05/31/2032"
+"NASA Armstrong Flight Research Center"\"Application"\"DRC-012-005"\\"13/759210"\"Method and apparatus of multiplexing and acquiring data from multiple optical fibers using a single data channel of an optical frequency-domain reflectrometry (OFDR) system (Revised)"\"02/05/2033"
+"NASA Armstrong Flight Research Center"\"Application"\"DRC-012-006"\\"13/733364"\"A Novel Approach to Liquid Level Sensing Using Fiber Bragg Grating Technology"\"01/03/2033"
+"NASA Armstrong Flight Research Center"\"Application"\"DRC-012-011"\\"13/573920"\"Air Launch From A Towed Aircraft"\"07/05/2032"
+"NASA Armstrong Flight Research Center"\"Issued"\"DRC-096-055"\6126111\"09/112,067"\"Emergency Flight Control System Using One Engine And Fuel Transfer"\"07/08/2018"
+"NASA Armstrong Flight Research Center"\"Issued"\"DRC-097-021"\6102330\"08/905,777"\"Emergency Aircraft Lateral Controller Using Existing (non-modified) Digital Engine Computers During A System Failure For The Purpose Of Safe Landing"\"07/29/2017"
+"NASA Armstrong Flight Research Center"\"Issued"\"DRC-098-001"\6216063\"09/74,024"\"A Flutterometer Flight Test Tool"\"05/06/2018"
+"NASA Goddard Space Flight Center"\"Application"\"GSC-13378-1"\0\"07/710,633"\"SPLINE-LOCKING PAYLOAD FASTENER"\
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-13802-1"\6584874\"08/673,859"\"USING A 3-D SPRAG IN RACHETING TOOLS BASED ON PAT. NO. 5,482-144"\"07/02/2016"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-13817-1"\5983162\"08/872,586"\"Empirical Mode Decomposition Method And Hilbert Spectral Analysis Algorithms"\"06/10/2017"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-13817-2"\6631325\"09/82,523"\"COMPUTER IMPLEMENTED EMPIRICAL MODE DECOMPOSITION METHOD APPARATUS AND ARTICLE OF MANUFACTURE UTILIZING CURVATURE EXTREMA"\"06/10/2017"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-13817-3"\6381559\"09/282,424"\"Empirical Mode Decomposition Apparatus, Method, And Article Of Manufacture For Analyzing Biological Signals And Performing Curve Fitting"\"03/31/2019"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-13817-4"\6862558\"10/73,957"\"Empirical Mode Decomposition For Analyzing Acoustical Signals"\"02/13/2022"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-13817-5"\6738734\"10/11,206"\"Empirical Mode Decomposition Apparatus, Method And Article Of Manufacture For Analyzing Biological Signals And Performing Curve Fitting"\"06/10/2017"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-13905-1"\6640949\"10/95,343"\"1-Way Bearing"\"03/01/2022"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-13909-1"\6311130\"09/150,671"\"Computer Implemented Empirical Mode Decomposition Method, Apparatus, And Article Of Manufacture For Two-Dimensional Signals"\"09/10/2018"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-13985-1"\6566854\"09/646,161"\"Active Antenna Combined With Non-Ferrous Current Probe."\"09/12/2020"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14064-1"\6648522\"09/804,646"\"Universal Fiber Optic Connector Polishing Fixture With Precision Alignment Capability"\"03/13/2021"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14207-1"\6626792\"09/799,872"\"Gear Bearings"\"03/03/2021"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14209-1"\6293803\"09/501,412"\"Stress Relieved Zee Electrical Interconnect"\"02/09/2020"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14213-1"\6760487\"09/550,254"\"Estimated Spectrum Adaptive Postfilter (ESAP) And The Iterative Prepost Filtering (IPF) Algorithms"\"04/14/2020"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14236-1"\6538796\"09/541,680"\"MEMS Devices For Spacecraft Thermal Control Applications"\"03/31/2020"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14302-1"\6782124\"09/729,138"\"Extension Of The Empirical Mode Decomposition Method To A Time Series Of 2-Dimensional Grid Maps"\"11/29/2020"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14305-1"\6895115\"09/839,147"\"Method For Recursive Implementation Of Hierarchical Segmentation"\"04/23/2021"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14389-1"\7543274\"10/789,028"\"Deriving Formal Specifications And Code From Scenarios"\"02/25/2024"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14393-1"\7145739\"10/385,166"\"Light Weight Optical Mirrors Formed In Single Crystal Silicon"\"03/06/2023"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14413-1"\7255483\"10/93,621"\"Thrust Rollers"\"03/01/2022"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14435-1"\6740224\"10/173,533"\"Innovative Manufacturing Procedure For Low Cost And High Quality Carbon Nanotubes"\"06/11/2022"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14480-2"\7762155\"11/444,808"\"Gear Bearings"\"05/25/2026"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14561-1"\7207245\"11/174,454"\"Screw-Locking Wrench"\"06/30/2025"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14562-1"\7504921\"11/543,278"\"Stepping Flextures"\"09/29/2026"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14601-1"\7008605\"10/292,952"\"Method For Manufacturing High Quality Carbon Nanotubes"\"11/08/2022"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14603-1"\7544146\"11/122,201"\"Anti-Backlash Gear-Bearings"\"05/02/2025"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14608-1"\6990436\"10/729,579"\"Time Frequency Analysis Based On Extrema Sifting"\"11/28/2023"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14616-1"\7248342\"10/730,195"\"Conceptual Design Of A 3D Imaging Lidar For High-Resolution Mapping Of The Surface Topography Of Moons Or Planets From Space"\"12/05/2023"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14657-1"\7512568\"11/109,400"\"Evolvable Neural Software System"\"04/08/2025"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14666-1"\6775600\"10/267,092"\"Systems And Methods For Determining Spacecraft Orientation"\"10/07/2022"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14673-1"\6901353\"10/615,365"\"Normalized Amplitude Hilbert Transform (NAHT): A New Algorithm For Computing Instantaneous Frequency"\"07/08/2023"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14683-1"\8480826\"11/736,874"\"Specular Coatings For Composite Structures"\"04/18/2027"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14762-1"\7769488\"11/108,627"\"SMART Solar Sail"\"04/08/2025"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14777-1"\7341932\"11/251,531"\"Large Area Vacuum Ultra-Violet Sensors"\"09/30/2025"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14793-1"\7548199\"11/239,458"\"Pivot 2.0: Radiation Hardened, Fast Acquisition/Weak Signal Tracking GPS Receiver"\"09/20/2025"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14807-1"\7464006\"10/963,470"\"Application Of HHT To Financial Data Analysis For Define Volatility And Trend"\"10/07/2024"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14833-1"\7346461\"11/251,004"\"Stability Spectrum Through Hilbert-Huang Transform"\"09/30/2025"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14845-1"\7290737\"11/251,537"\"Demiseable Reaction Wheel Assembly"\"09/29/2025"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14871-1"\7935297\"11/370,396"\"Template For Deposition Of Micron And Sub-micron Pointed Structures"\"03/06/2026"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14873-1"\8357211\"12/872,445 "\"ADR Salt Pill Design And Crystal Growth Process For Hydrated Magnetic Salts"\"08/31/2030"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14879-1"\7635832\"11/469,105"\"Iterative-Transform Phase-Retrieval Utilizing Adaptive Diversity"\"08/31/2026"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14941-1"\7739671\"11/203,590"\"A Method And System For Direct Implementation Of Formal Specifications Derived Mechanically From Informal Requirements"\"08/12/2025"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14942-1"\7752608\"11/203,586"\"A Method And System For Formal Analysis, Simulation, And Verification Of Knowledge-Based Systems, Rule-Based Systems, And Expert Systems"\"08/12/2025"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14952-1"\7513546\"11/689,161"\"Conformal Gripper"\"03/21/2027"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14960-1"\7992760\"11/357,458"\"Hardware And Technique For Dead End Welding Of All Types Of Tubing"\"02/08/2026"
+"NASA Goddard Space Flight Center"\"Application"\"GSC-16700-1"\\"14/041407"\"SpaceCube v2.0 Flight Processor Card"\"09/30/2033"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14968-1"\7627538\"11/251,538"\"Apoptosis And Self-destruct: Mechanisms For Management Of Autonomic Systems"\"09/29/2025"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14968-2"\7925600\"12/603,140"\"SWARM AUTONOMIC AGENTS WITH SELF-DESTRUCT CAPABILITY"\"10/21/2029"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14979-1"\7601091\"11/426,134"\"Modular Gear Bearing"\"06/23/2026"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-14994-1"\7697759\"11/251,530"\"A Split-Remerge Method For Eliminating Processing Window Artifacts In Recursive Hierarchical Segmentation"\"09/30/2025"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15001-1"\7924415\"12/389,097"\"Light Direction Sensor"\"02/19/2029"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15002-1"\7240879\"11/124,592"\"Space Robotic System For In Space Servicing Of Unmanned Spacecraft Applications"\"05/06/2025"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15002-2"\7513459\"11/670,653"\"Method And Associated Apparatus For Capturing, Servicing, And De-Orbiting Earth Satellites Using Robotics"\"05/06/2025"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15002-3"\7293743\"11/670,270"\"Method And Associated Apparatus For Capturing, Servicing, And De-Orbiting Earth Satellites Using Robotics"\"11/13/2025"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15002-4"\7438264\"11/670,781"\"Method And Associated Apparatus For Capturing, Servicing And De-Orbiting Earth Satellites Using Robotics"\"05/06/2025"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15002-5"\7513460\"11/671,062"\"Method And Associated Apparatus For Capturing, Servicing, And De-Orbiting Earth Satellites Using Robotics"\"05/06/2025"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15027-1"\7412175\"11/425,352"\"Millimeter Wave Polarization Transformer"\"06/20/2026"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15027-2"\7609978\"12/056,964"\"INTERFEROMETRIC POLARIZATION CONTROL"\"03/27/2028"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15027-3"\7616903\"12/057,060"\"INTERFEROMETRIC POLARIZATION CONTROL"\"03/27/2028"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15030-1"\7907333\"11/460,482"\"A Pulsed, 1 Micron, Single Frequency, Diode-Seeded Ytterbium-doped Fiber Amplifier With Variable Output Parameters, P"\"07/27/2026"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15038-1"\7765171\"11/426,853"\"SPAACE: Self Properties For An Autonomous & Autonomic Computing Environment"\"06/27/2026"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15039-1"\7762523\"11/861,038"\"Miniaturized Double Latching Solenoid Valve"\"09/25/2027"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15042-1"\7622907\"11/535,872"\"Driven Ground"\"09/27/2026"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15055-1"\7746190\"11/748,969"\"Broadband High Spurious-suppression Microwave Waveguide Filter For Polarization-preserving And Transformer"\"05/15/2027"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15077-1"\8068556\"12/147,100"\"Low Cost TDRSS Tranceiver (LCT2)"\"06/26/2028"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15079-1"\7886273\"11/532,800"\"Generation And Verification Of Policies For Autonomic Systems"\"09/18/2026"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15080-1"\7979848\"11/533,837"\"A Method Of Deriving Process Based Specifications From Scenarios Via Pattern Matching"\"09/21/2026"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15115-1"\7465926\"11/537,280"\"Miniaturized Radiation Spectrometer Development"\"09/29/2026"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15136-1"\8093094\"12/137,844"\"Blocking Contacts For N-Type Cadmium Zinc Cadmium Zinc Telluride (CdZnTe)"\"06/12/2028"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15148-1"\7668796\"11/536,132"\"Enhancing R2D2C Requirements Based Programming With Automata Learning"\"09/28/2026"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15162-1"\7796726\"11/706,693"\"Instrument And Method For X-Ray Diffraction, Fluorescence, And Crystal Texture Analysis Without Sample Preparation"\"02/14/2027"
+"NASA Goddard Space Flight Center"\"Application"\"GSC-15163-2"\0\"13/092198"\"AIGaN Ultraviolet Detectors For Dual Band UV Detection"\
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15176-1"\7899760\"11/533,855"\"Autonomic Quiescence"\"09/21/2026"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15177-1"\8082538\"11/536378"\"A Method For Developing And Maintaining Evolving Systems With Software Product Lines"\"09/28/2026"
+"NASA Goddard Space Flight Center"\"Application"\"GSC-15177-2"\0\"13/305932"\"A Method For Developing And Maintaining Evolving Systems With Software Product Lines"\
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15178-1"\7992134\"11/536,969"\"Modeling, Specifying And Deploying Policies In Autonomous And Autonomic Systems Using An AOSE Methodology"\"09/29/2026"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15179-1"\7904396\"11/533,895"\"An Autonomic Smoke Detector"\"09/21/2026"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15184-1"\7978312\"11/933,492"\"An Active, Solid-state, 3-Dimensional Range Imaging System"\"11/01/2027"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15206-1"\8041655\"11/836,352"\"Otoacoustic Protection In Biologically-Inspired Systems"\"08/09/2027"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15206-2"\8140452\"13/230915"\"Otoacoustic Protection In Biologically-Inspired Systems"\"09/13/2031"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15206-3"\8140453\"13/230922"\"Otoacoustic Protection In Biologically-Inspired Systems"\"09/13/2031"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15206-4"\8275725\"13/230920"\"Otoacoustic Protection In Biologically-Inspired Systems"\"09/13/2031"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15206-5"\8165976\"13/230922"\"Otoacoustic Protection In Biologically-Inspired Systems"\"09/13/2031"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15206-6"\8165977\"13/230923"\"Otoacoustic Protection In Biologically-Inspired Systems"\"09/13/2031"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15217-1"\8139674\"12/173,243"\"Spaceflight Ka-Band High Rate Rad Hard Modulator"\"07/15/2028"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15301-1"\7673089\"11/935,572"\"An Extendibe USB Drive That Accepts External Media"\"11/06/2027"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15302-1"\7673089\"11/935,572"\"An Double-Headed USB Drive"\"11/06/2027"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15328-1"\8499779\"12/014,889"\"Non-Pyrotechnic Zero-Leak Normally-Closed Valve"\"01/16/2028"
+"NASA Goddard Space Flight Center"\"Application"\"GSC-15333-1"\0\"11/860,830"\"Improved, Flexure-Base Linear Bearing"\
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15341-1"\7922920\"11/862,550"\"Low Conductance Silicon Micro-leak for Mass Spectrometer Inlet"\"09/27/2027"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15341-3"\8455926\"12/889,014 "\"Low Conductance Silicon Micro-leak for Mass Spectrometer Inlet"\"09/23/2030"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15349-1"\7830527\"12/102,240"\"Method And Apparatus For Second Harmonic Generation And Other Frequency Convertion With Multiple Frequency Channels"\"04/14/2028"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15353-1"\7830224\"11/877,102"\"Compact Low-loss Planar Magic-T With Broadband Phase And Amplitude Responses"\"10/23/2027"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15357-1"\8041661\"11/861,687"\"Stability Algorithm For Neural Entities (SANE)"\"09/26/2027"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15364-1"\8155939\"12/170,683"\"Hughes Particle – Surface Interaction Model"\"07/10/2028"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15377-1"\7811406\"12/249,265"\"Advanced Adhesive Bond Shape Tailoring for Large Composite Primary Structures Subjected to Cryogenic and Ambient Loading Environments"\"10/10/2028"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15416-1"\7999427\"12/188,039"\"Directed Flux Motor Utilizing Concentric Magnets and Interwoven Flux Channels"\"08/07/2028"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15417-1"\7735385\"12/187,562"\"Actuated Ball and Socket Joint"\"08/07/2028"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15419-1"\8030873\"12/187,926"\"Improvements to the Walk and Roll Robot"\"08/07/2028"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15421-1"\7968812\"12/353,009"\"Spring Joint Package with Overstrain Sensor ( OS Sensor Joint )"\"01/13/2029"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15431-1"\7921731\"12/327,514"\"A two-axis direct fluid shear stress sensor suited for aerodynamic applications"\"12/03/2028"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15445-1"\7982861\"12/183,820"\"Pseudo-Noise Code Modulation using Return to Zero pulses for Ranging, Altimetry and Communications"\"07/31/2028"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15458-1"\8094731\"12/357,081"\"Space Link Extension Return Channel Frames (SLE-RCF) Service (User side) Software Library"\"01/21/2029"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15483-1"\7817087\"12/116,518"\"Relative Spacecraft Navigation using Reflected GPS Signals"\"05/07/2028"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15520-1"\8547531\"12/873373"\"Non-scanning laser 3D imager"\"09/01/2030"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15527-1"\8160728\"12/558,672"\"Sensor Complete Requirements Algorithm For Autonomous Mobility"\"09/14/2029"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15538-1"\8198956\"12/535,954"\"Compact planar microwave blocking filter"\"08/05/2029"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15550-1"\8275724\"12/569,422"\"A biologically-inspired method of improving system performance and survivability through self-sacrifice"\"09/29/2029"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15552-1"\7924126\"12/555,634"\"Small, High Field Superconducting Magnets"\"09/08/2029"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15557-1"\8095485\"12/353,637"\"Formulation for Emotion Embedding in Logic Systems (FEELS)"\"01/14/2029"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15583-1"\7970025\"12/496,954"\"Tunable Frequency-stabilized Laser via Offset Sideband Locking"\"07/02/2029"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15584-1"\8144331\"12/487,454"\"Hilbert-Transform-Based Phase Referencing Algorithm for Wide-Field Imaging Interferometry."\"06/18/2029"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15655-1"\8138961\"12/561,644"\"Low Frequency Wideband Step Frequency Inverse Synthetic Aperture Radar For 3-D Imaging of Interior of Near Earth Objects/Planetary Bodies"\"09/17/2029"
+"NASA Goddard Space Flight Center"\"Application"\"GSC-15660-1"\0\"13/247416"\"Extreme Environment Low Temperature Transistor Models"\
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15662-1"\8092031\"12/569,090"\"Flight Mirror Mount and Flight Mounting Procedure for an Ultra-Lightweight High-Precision Glass Mirror"\"09/29/2029"
+"NASA Goddard Space Flight Center"\"Application"\"GSC-15672-1"\0\"13/211413"\"Multicolor detectors for ultrasensitive long-wave imaging cameras"\
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15678-1"\8484274\"12/549,159"\"Optimal Padding for the Two-Dimensional Fast Fourier Transform"\"08/27/2029"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15684-1"\8285401\"12/549,898"\"Discrete Fourier Transform (DFT) Analysis in a Complex Vector Space"\"08/28/2029"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15685-1"\8331733\"12/550,141"\"Sampling Theorem in Terms of the Bandwidth and Sampling Interval"\"08/28/2029"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15692-1"\8330644\"12/835,958 "\"Expandable Reconfigurable Instrument Node - Web Sensor Strand Demonstration"\"07/19/2030"
+"NASA Goddard Space Flight Center"\"Application"\"GSC-15693-1"\0\"12/570,224"\"Variable Sampling Mapping: A novel supplement to iterative-transform phase retrieval algorithms for undersampled images, broadband illumination, and noisy detection environments"\
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15699-1"\8480296\"12/560,535"\"A Low Cost, Low Temperature Radiometer for Thermal Measurements."\"09/16/2029"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15724-1"\8275015\"12/551,212"\"Passively Q-switched side pumped Monolithic Ring Laser"\"08/31/2029"
+"NASA Goddard Space Flight Center"\"Application"\"GSC-15727-1"\0\"13/222575"\"An All-metal, Solderless Circularly Polarized Microwave Antenna Element with Very Low Off-Axis Cross-Polarization"\
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15729-1"\8674302\"12/789,937"\"Novel Superconducting Transition Edge Sensor Design"\"05/28/2030"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15729-2"\8393786\"12/789,954 "\"Novel Superconducting Transition Edge Sensor Design"\"05/28/2030"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15730-1"\8355579\"12/783054"\"Automatic Extraction of Planetary Image Features"\"05/19/2030"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15732-1"\8093565\"12/695478"\"Crossed Small Deflection Energy Analyzer (SDEA) for Wind/Temperature Spectrometer (WTS)"\"01/28/2030"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15758-1"\8044332\"12/553,613"\"Hybrid Architecture Active Wavefront Sensing and Control"\"09/03/2029"
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15771-1"\8035081\"12/570,166"\"High Precision Electric Gate (HPEG) for Time of Flight Mass Spectrometers"\"09/30/2029"
+"NASA Goddard Space Flight Center"\"Application"\"GSC-15774-1"\0\"13/154599"\"Ensemble Detector"\
+"NASA Goddard Space Flight Center"\"Application"\"GSC-15782-1"\0\"13/216479"\"Ultra-low Power (< 100mW), 64-Channel Pulse Data Collection System"\
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15792-1"\8406469\"12/838600"\"Progressive Band Selection for Hyperspectral Images"\"07/19/2030"
+"NASA Goddard Space Flight Center"\"Application"\"GSC-15815-1"\0\"12/887988"\"LIDAR Luminance Quantizer"\
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15826-1"\8134130\"12/839207"\"The Corner Cathode: Making Collimated Electron Beams with a Small Number of Electrodes"\"07/19/2030"
+"NASA Goddard Space Flight Center"\"Application"\"GSC-15829-1"\0\"13/601293"\"Resolution enhanced pseudo random code technique"\"08/31/2032"
+"NASA Goddard Space Flight Center"\"Application"\"GSC-15839-1"\0\"12/840787"\"Low threshold, narrow linewidth optical parametric generator"\
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15856-1"\8196853\"12/779494"\"Aerodynamically Stabilized Instrument Platform for Kites and Tethered Blimps ( AeroPod )"\"05/13/2030"
+"NASA Goddard Space Flight Center"\"Application"\"GSC-15886-1"\0\"12/838963"\"Automated Beam Balance Scale Logger"\
+"NASA Goddard Space Flight Center"\"Application"\"GSC-15911-1"\0\"13/217965"\"Graphite Composite Panel Polishing Fixture"\
+"NASA Goddard Space Flight Center"\"Application"\"GSC-15934-1"\0\"12/839125"\"Determining Phase Retrieval Sampling from the Modulation Transfer Function"\
+"NASA Goddard Space Flight Center"\"Application"\"GSC-15935-1"\0\"13/043257"\"New Variables for Iterative Transform Phase Retrieval"\
+"NASA Goddard Space Flight Center"\"Application"\"GSC-15936-1"\0\"12/854490"\"SpaceCube Version 1.5"\
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15947-1"\8274726\"12/839171"\"Sampling and Reconstruction of the Sinc(x) Function"\"07/19/2030"
+"NASA Goddard Space Flight Center"\"Application"\"GSC-15948-1"\0\"13/204767"\"Lateral Kevlar Suspension Device (LKSD)"\
+"NASA Goddard Space Flight Center"\"Application"\"GSC-15949-1"\0\"13/600992"\"Vectorized Rebinning Algorithm for Fast Data Down-Sampling"\"08/31/2032"
+"NASA Goddard Space Flight Center"\"Application"\"GSC-15951-1"\0\"13/222839"\"An Improved Method of Fabricating Single Crystal Silicon Light Weight Mirrors"\
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15953-1"\8484509\"12/854546"\"SpaceCube Demonstration Platform"\"08/11/2030"
+"NASA Goddard Space Flight Center"\"Application"\"GSC-15953-2"\0\"13/903357"\"SpaceCube Demonstration Platform"\"09/30/2029"
+"NASA Goddard Space Flight Center"\"Application"\"GSC-15957-1"\0\"13/211526"\"Imaging System Aperture Masks for Image Plane Exit Pupil Characterization"\
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15964-1"\8525110\"13/247,168 "\"An Instrument Suite for the Vertical Characterization of the Ionosphere-Thermosphere System from 100 km to 700km Altitude"\"09/28/2031"
+"NASA Goddard Space Flight Center"\"Application"\"GSC-15970-1"\0\"13/034125"\"Electrospray Ionization for Chemical Analysis of Organic Molecules for Mass Spectrometry"\
+"NASA Goddard Space Flight Center"\"Application"\"GSC-15976-1"\0\"12/872366"\"Phase Retrieval System for Assessing Diamond-Turning and other Optical Surface Artifacts"\
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-15977-1"\8354952\"12/839060"\"Phase Retrieval for Radio Telescope and Antenna Control"\"07/19/2030"
+"NASA Goddard Space Flight Center"\"Application"\"GSC-15979-1"\0\"12/839187"\"Multi-Scale Image Reconstruction using Wavelets"\
+"NASA Goddard Space Flight Center"\"Application"\"GSC-15994-1"\\"13/104538"\"Photonic Choke-Joints for Dual-Polarization Waveguides"\
+"NASA Goddard Space Flight Center"\"Application"\"GSC-16006-1"\\"13/216671"\"Programmable High-Rate Multi-Mission Receiver for Space Communication"\
+"NASA Goddard Space Flight Center"\"Application"\"GSC-16008-1"\\"13/600826"\"Phase controlled magnetic mirror for wavefront correction"\"08/31/2032"
+"NASA Goddard Space Flight Center"\"Application"\"GSC-16016-1"\\"13/193272"\"Carbon Nanotubes on titanium substrates for stray light suppression"\
+"NASA Goddard Space Flight Center"\"Issued"\"GSC-16024-1"\8526733\"13/150,316"\"Refinement of the HSEG Algorithm for Improved Computational Processing Efficiency"\"06/01/2031"
+"NASA Goddard Space Flight Center"\"Application"\"GSC-16789-1"\\"14/ 033725"\"LEARNS (Logic Expansion for Autonomously Reconfigurable Neural Systems)"\
+"NASA Goddard Space Flight Center"\"Application"\"GSC-16029-1"\\"13/193249"\"Nanostructure secondary mirror apodization mask for transmitter signal suppression in a duplex telescope."\
+"NASA Goddard Space Flight Center"\"Application"\"GSC-16096-1"\\"13/211432"\"Prototype Genomics Based keyed-Hash Message Authentication Code Protocol"\
+"NASA Goddard Space Flight Center"\"Application"\"GSC-16100-1"\\"12/881587"\"Lunar Reconnaissance Orbiter (LRO) Command and Data Handling Flight Electronics Subsystem"\
+"NASA Goddard Space Flight Center"\"Application"\"GSC-16105-1"\\"13/197214"\"Molecular Adsorber Coating"\
+"NASA Goddard Space Flight Center"\"Application"\"GSC-16109-1"\\"13/240180"\"HEXPANDO expanding head for fastener retention hexagonal wrench"\
+"NASA Goddard Space Flight Center"\"Application"\"GSC-16122-1"\\"13/474053"\"Apparatuses and Methods to Enable Sub-MHz Precision in Fast Laser Frequency Tuning"\
+"NASA Goddard Space Flight Center"\"Application"\"GSC-16135-1"\\"13/534427"\"A cryptographic approach to microRNA target binding analysis"\
+"NASA Goddard Space Flight Center"\"Application"\"GSC-16146-1"\\"13/601194"\"Wafer Level Microchannel Fabrication Process for Lap-on-a-Chip Devices"\"08/31/2032"
+"NASA Goddard Space Flight Center"\"Application"\"GSC-16182-1"\\"13/595604"\"A High Event Rate, Zero Dead Time, Multi-Stop Time-to-digital Converter Application Specific Integrated Circuit"\"08/27/2032"
+"NASA Goddard Space Flight Center"\"Application"\"GSC-16193-1"\\"13/720175"\"Fine Control and Maintenance Algorithm for Visible Nulling Coronagraphy"\"12/19/2032"
+"NASA Goddard Space Flight Center"\"Application"\"GSC-16223-1"\\"13/551649"\"SpaceCube Mini"\
+"NASA Goddard Space Flight Center"\"Application"\"GSC-16247-1"\\"13/570100"\"Enhanced adhesion multiwalled carbon nanotubes on titanium substrates for stray light control"\
+"NASA Goddard Space Flight Center"\"Application"\"GSC-16250-1"\\"13/150316"\"Further Refinement of the Computationally Efficient HSEG Algorithm"\
+"NASA Goddard Space Flight Center"\"Application"\"GSC-16259-1"\\"13/050617"\"Spaceflight Refuiling Tools"\
+"NASA Goddard Space Flight Center"\"Application"\"GSC-16299-1"\\"13/622465"\"V-Assembly Dual Head Efficiency Resonator (VADER) Laser Transmitter"\"09/19/2032"
+"NASA Goddard Space Flight Center"\"Application"\"GSC-16301-1"\\"13/771815"\"Impedance matched to vacuum, invisible-edge diffraction suppressed mirror"\"02/20/2033"
+"NASA Goddard Space Flight Center"\"Application"\"GSC-16327-1"\\"13/545173"\"Miniaturized laser heterodyne radiometer for carbon dioxide (CO2), methane (CH4), and carbon monoxide (CO) measurements in the atmospheric column."\
+"NASA Goddard Space Flight Center"\"Application"\"GSC-16328-1"\\"13/474367"\"Development of the Hilbert-Huang Transform Real-Time Data Processing System with 2-D Capabilities"\
+"NASA Goddard Space Flight Center"\"Application"\"GSC-16438-1"\\"13/606174"\"Power provision based on self-sacrificing spacecraft"\
+"NASA Goddard Space Flight Center"\"Application"\"GSC-16460-1"\\"13/592409"\"Autonomic Autopoiesis"\"08/23/2032"
+"NASA Goddard Space Flight Center"\"Application"\"GSC-16461-1"\\"13/592412"\"Autonomic and Apoptotic Cloud, Autonomic and Apoptotic Grid, Autonomic and Apoptotic Highly Distributed System"\
+"NASA Goddard Space Flight Center"\"Application"\"GSC-16485-1"\\"14/038381"\"Broadband planar impedance transformer"\"09/26/2033"
+"NASA Goddard Space Flight Center"\"Application"\"GSC-16516-1"\\"14/021812"\"Muti-function microposters inside of microfluidic channel for Lab-On-A-Chip device"\"09/09/2033"
+"NASA Kennedy Space Center"\"Application"\"KSC-12866"\0\"12/843,353"\"In-Situ Wire Damage Detection System"\
+"NASA Goddard Space Flight Center"\"Application"\"GSC-16545-1"\\"13/534442"\"INTEGRATED GENOMIC AND PROTEOMIC INFORMATION SECURITY PROTOCOL"\
+"NASA Goddard Space Flight Center"\"Application"\"GSC-16555-1"\\"14/023847"\"Green Precision Cleaning System"\"09/11/2033"
+"NASA Goddard Space Flight Center"\"Application"\"GSC-16569-1"\\"14/041,720"\"Mirrorlet array for Integral Field Spectrometers (IFS)"\
+"NASA Goddard Space Flight Center"\"Application"\"GSC-16674-1"\\"14/041224"\"MISSE-7 Control Center"\"09/30/2033"
+"NASA Goddard Space Flight Center"\"Application"\"GSC-16795-1"\\"13/781,121 "\"Wallops Flight Facility 6U Advanced CubeSat Ejector (ACE)"\"01/04/2033"
+"NASA Goddard Space Flight Center"\"Application"\"GSC-16805-1"\\"14/040924"\"SpaceCube v2.0 Micro"\"09/30/2033"
+"NASA Goddard Space Flight Center"\"Application"\"GSC-16808-1"\\"14/040848"\"SpaceCube v. 2.0 Flight Power Card"\"09/30/2033"
+"NASA Goddard Space Flight Center"\"Application"\"GSC-16859-1"\\"14/037484"\"Chemical sensors based on 2-dimensional materials"\"09/26/2033"
+"NASA Goddard Space Flight Center"\"Application"\"GSC-16887-1"\\"14/037458"\"Propellant Transfer Assembly Design and Development"\"09/26/2033"
+"NASA Headquarters"\"Issued"\"HQN-11248-1"\6223143\"09/143,969"\"Quantitative Risk Assessment Software (QRAS) System"\"08/31/2018"
+"NASA Kennedy Space Center"\"Issued"\"KSC-11641"\5730806\"08/437,859"\"Gas-Liquid Supersonic Cleaning And Cleaning Verification Spray System"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-11751"\5710377\"08/540,616"\"Improved Portable Ultrasonic Leak Detector (Combined With KSC-11751-2)"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-11804"\5693871\"08/695,071"\"Low-Differential Pressure Generator For Evaluating Low Differential Pressure Transducers"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-11866-1"\5977773\"08/912,035"\"Non-Intrusive Impedance-Based Cable Tester - Standing Wave Reflectometer"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-11884"\6039783\"08/772,057"\"A New Process And Equipment For Conversion Of NOx Scrubber Liquor To Fertilizer (related To KSC-11994)"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-11884-2"\6641638\"09/511,634"\"Process And Equipment For Nitrogen Oxide Waste Conversion To Fertilizer - Continuation-In-Part Filed 2/17/00"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-11937-2"\7209567\"10/390,259"\"Communication System With Adaptive Noise Suppression"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12035-1"\6552521\"09/906,014"\"Improved Single-Station Accurate Location Of Lightning Strikes (Combined With KSC-12276 & KSC-12173)"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12049"\6627065\"09/977,531"\"Liquid Galvanic Coatings For Protection Of Imbedded Metals"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12056"\6676912\"09/698,607"\"New Air Pollution Control Technology For Removal Of Nitrogen Oxides From Stationary Combustion Sources"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12092-2"\6967051\"09/939,286"\"Thermal Insulation System And Method (Continuing Patent Application) (Combined With KSC-12092)"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12107"\6742926\"09/906,018"\"Thermal Insulation Test Apparatus With Sleeve (Related To KSC-12108)"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12108"\6487866\"09/906,011"\"Multipurpose Thermal Insulation Test Apparatus (Related To 12107)"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12168"\6452510\"09/802,535"\"Personal Cabin Pressure Monitor And Altitude Warning System"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12190"\6764617\"09/994,996"\"A Novel Ferromagnetic Conducting Lignosulfonic Acid-Doped Polyaniline (Related To KSC-11940, KSC-11940-1, KSC-11940-2, KSC-12154, KSC-12191)"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12191-2"\7179404\"11/215,205"\"Corrosion Prevention Of Cold Rolled Steel Using Water Dispersible Lignosulfonic Acid Doped Polyaniline"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12205"\6715914\"10/185,378"\"Apparatus And Method For Thermal Performance Testing Of Pipelines And Piping Systems"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12220"\6917203\"10/235,020"\"Current Signature Sensor (Combined With KSC-12152)"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12221"\6757641\"10/185,830"\"Multisensor Transducer And Weight Factor (Combined With KSC-12359 and KSC-13139)"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12235"\6793903\"10/014,140"\"High-Temperature Decomposition Of Hydrogen Peroxide"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12235-2"\6955799\"10/923,152"\"Temperature Decomposition Of Hydrogen Peroxide"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12235-3"\8029736\"10/923,163"\"High Temperature Decomposition Of Hydrogen Peroxide"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12236"\8511396\"10/476,175"\"Non-Toxic Environmentally Safe Halon Replacement (HABx)"\
+"NASA Kennedy Space Center"\"Application"\"KSC-12236-2-PCT"\0\"/0"\"Flame Suppression Agent, System And Users"\
+"NASA Kennedy Space Center"\"Application"\"KSC-12236-CIP"\\"13/428,736"\"Non-Toxic Environmentally Safe Halon Replacement (HABx)"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12246"\6664298\"09/972,296"\"Zero-Valent Metal Emulsion For Reductive Dehalogenation Of DNAPLs"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12246-2"\7037946\"10/701,412"\"Zero-Valent Metal Emulsion For Reductive Dehalogenation Of DNAPLs"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12278"\7400766\"10/783,295"\"Image Edge Extraction Via Fuzzy Reasoning (FRED) (combined With KSC-12272)"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12386"\7274907\"10/748,915"\"Modular Wireless Data Acquisition System (combined With KSC-12479, KSC-12486)"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12390"\6824306\"10/318,665"\"Thermal Insulation Test Apparatus For Flat Specimens"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12394"\7239751\"10/750,629"\"Hypothesis Support Mechanism For Mid-Level Visual Pattern Recognition (PIPR)"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12458"\7156957\"10/440,543"\"UV Induced Oxidation Of Nitric Oxide"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12490"\7298897\"10/779,551"\"Noniterative Optimal Binarization Of Gray-Scaled Digital Images Via Fuzzy Reasoning (FRAT) (combined With KSC-12272)"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12518"\7790128\"10/641,581"\"Hydrogen Peroxide Catalytic Decomposition"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12539"\7285306\"10/684,064"\"Self-Healing Wire Insulation"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12539-2"\8119238\"11/856,218"\"Self-Healing Wire Insulation"\
+"NASA Kennedy Space Center"\"Application"\"KSC-12539-3"\0\"13/348,861"\"Self-Healing Wire Insulation"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12540"\6958085\"10/666,821"\"High Performance Immobilized Liquid Membranes For Carbon Dioxide Separations"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12630"\7496237\"11/010,698"\"Image Processing For Binarization Enhancement Via Fuzzy Reasoning"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12631"\7582147\"11/208,122"\"Metallic Pigment Powder Particle For Use In A Liquid Coating System To Protect Reinforcing Steel In Concrete Structures"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12637"\7271199\"10/977,622"\"Micro-scale Particle Emulsion And Their Application For Removal Of PCBs And Metals Found In Ex Situ Structures"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12664"\7404938\"10/845,418"\"Emission Control System"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12664-3-CIP"\7582271\"11/40,294"\"Emission Control System"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12666"\7122166\"10/845,607"\"Hydrogen Peroxide Concentrator"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12669"\7302364\"11/83,420"\"Integrated Spaceport Automated Data Management Architecture (Combine With KSC-12581, KSC-12583, KSC-12671and KSC-12582)"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12697"\7309738\"10/962,827"\"A New Approach For Achieving Fire Retardancy While Retaining Physical Properties In A Compatible Polymer Matrix"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12697-3"\7968648\"11/935,093"\"A New Approach For Achieving Flame Retardancy While Retaining Physical Properties In A Compatible Polymer Matrix"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12703"\8031449\"12/485,979"\"Integral Battery Power Limiting Circuit For Intrinsically Safe Applications"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12723"\7790225\"11/239,445"\"Coating For Corrosion Detection And Prevention"\
+"NASA Kennedy Space Center"\"Application"\"KSC-12723-DIV"\\"12/792,238"\"Coating For Corrosion Detection And Prevention"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12848"\7781492\"11/759,672"\"New Organic/inorganic Polymeric Thermal Insulators"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12848-DIV"\7977411\"12/835,233"\"New Organic/inorganic Polymeric Thermal Insulators"\
+"NASA Kennedy Space Center"\"Application"\"KSC-12871-CIP"\0\"13/915,407"\"Polyimide Wire Insulation Repair System"\
+"NASA Kennedy Space Center"\"Application"\"KSC-12871-DIV1"\0\"14/093,701"\"Polyimide Wire Insulation Repair System"\
+"NASA Kennedy Space Center"\"Application"\"KSC-12871-DIV2"\0\"14/093,680"\"Polyimide Wire Insulation Repair System"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12875"\7841771\"11/777,711"\"Self Validating Thermocouple (Combined With KSC-12865)"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12878-2-CIP"\8163972\"12/465,457"\"Bimetallic Treatment System and it's application for Removal of PCBs Found in Ex Situ Structures without the Use of a Catalized Agent"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12890"\7790787\"11/740,357"\"New Organic/Inorganic Polymeric Materials"\
+"NASA Kennedy Space Center"\"Application"\"KSC-12890-2-DIV"\0\"12/834,416"\"New Organic/Inorganic Polymeric Materials"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12899"\8425866\"11/466,624"\"Gas Phase Oxidation Of NO To NO2"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12978"\7842639\"11/749,767"\"Preparation of a Bimetal Using Mechanical Alloying for the Dehalogenation of Compounds"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12978-DIV"\8288307\"12/909,219"\"Preparation of a Bimetal Using Mechanical Alloying for the Dehalogenation of Compounds"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-12983"\8409534\"11/692,557"\"Mercury Emission Control System"\
+"NASA Kennedy Space Center"\"Application"\"KSC-13047"\0\"12/813,864"\"Insulation Test Cryostat with Lift Mechanism (Combined with KSC-13048)"\
+"NASA Kennedy Space Center"\"Application"\"KSC-13047-DIV"\0\"14/090,193"\"Insulation Test Cryostat with Lift Mechanism (Combined with KSC-13048)"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-13088"\8293178\"11/935,545"\"Improved Thermal Reactivity Of Hydrogen Sensing Pigments In Manufactured Polymer Composites"\
+"NASA Kennedy Space Center"\"Application"\"KSC-13088-CON"\0\"13/611,856"\"Improved Thermal Reactivity Of Hydrogen Sensing Pigments In Manufactured Polymer Composites"\
+"NASA Kennedy Space Center"\"Application"\"KSC-13088-DIV"\0\"13/615,850"\"Improved Thermal Reactivity Of Hydrogen Sensing Pigments In Manufactured Polymer Composites"\
+"NASA Kennedy Space Center"\"Application"\"KSC-13161"\0\"12/855,791"\"PH Sensitive Microcapsule With Corrosion Indicator"\
+"NASA Kennedy Space Center"\"Application"\"KSC-13167"\0\"12/856,849"\"Watercore PH Sensitive Microcapsule"\
+"NASA Kennedy Space Center"\"Application"\"KSC-13265-CIP2"\0\"14/150,502"\"An Inductive Non-Contact Position Sensor"\
+"NASA Kennedy Space Center"\"Application"\"KSC-13278"\0\"13/354,576"\"A Method for Making Elongated Microcapsules Under Simple Shear Conditions"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-13285"\8593153\"12/843,382"\"An improved Online Diagnostic Device (ODD) for Wiring Evaluation"\
+"NASA Kennedy Space Center"\"Issued"\"KSC-13331"\8577639\"13/031,182"\"A Method for Accurately Calibrating a Spectrometer Using Broadband Light"\
+"NASA Kennedy Space Center"\"Application"\"KSC-13336"\0\"12/843,487"\"Sputter Coated wire for in-situ wire damage detection"\
+"NASA Kennedy Space Center"\"Application"\"KSC-13343"\0\"13/278,710"\"Conductive Carbon Nanotube for use with Desktop Inkjet Printing"\
+"NASA Kennedy Space Center"\"Application"\"KSC-13366"\0\"13/523,806"\"High Performance Self Healing Film"\
+"NASA Kennedy Space Center"\"Application"\"KSC-13579"\\"13/895,717"\"Green PCB Removal From Sediment Systems (GPRSS)"\
+"NASA Kennedy Space Center"\"Application"\"KSC-13588"\\"13/495,862"\"Multi-Dimensional Damage Detection For Flat Surfaces"\
+"NASA Kennedy Space Center"\"Application"\"KSC-13592"\\"13/542,155"\"pH sensitive microparticles"\
+"NASA Kennedy Space Center"\"Application"\"KSC-13595"\\"14/192,784"\"Aerogel insulation and composites integrated into unique lay-ups (Incorporates Embodiments from KSC-13702)"\
+"NASA Kennedy Space Center"\"Application"\"KSC-13636"\\"13/546,880"\"Incorporation of Chemochromic Indicator for the Presence of Hypergolic Fuels into a Variety of Manufactured Parts"\
+"NASA Kennedy Space Center"\"Application"\"KSC-13638"\\"14/176,824"\"A Two Dimensional Inductive Position Sensor"\
+"NASA Kennedy Space Center"\"Application"\"KSC-13664"\\"13/896,896"\"Regolith Advanced Surface Systems Operations Robot (RASSOR) Excavator"\
+"NASA Kennedy Space Center"\"Application"\"KSC-13689"\\"13/961,521"\"Coherence Multiplexing of Wireless Surface Acoustic Wave Sensors"\
+"NASA Langley Research Center"\"Issued"\"LAR-14673-1"\5736642\"08/778,066"\"Nonlinear Ultrasonic Scanning To Detect Material Defects"\"01/08/2017"
+"NASA Langley Research Center"\"Issued"\"LAR-14840-1"\5841032\"08/792,909"\"Variable And Fixed Frequency Pulsed Phase-Locked Loop"\"01/24/2017"
+"NASA Langley Research Center"\"Issued"\"LAR-15205-1"\5741883\"08/359,752"\"Tough, Soluble, Aromatic, Thermoplastic Copolyimides"\"04/21/2015"
+"NASA Langley Research Center"\"Issued"\"LAR-15282-1"\5755571\"08/712,984"\"Ultrasonic Periodontal Structures Mapping Device"\"09/09/2016"
+"NASA Langley Research Center"\"Issued"\"LAR-15318-1"\5798521\"08/806,732"\"Distributed Fiber-optic Strain Sensor"\"02/27/2017"
+"NASA Langley Research Center"\"Issued"\"LAR-15348-1"\5632841\"08/416,598"\"Thin Layer Composite Unimorph Ferroelectric Driver And Sensor, THUNDER"\"04/04/2015"
+"NASA Langley Research Center"\"Issued"\"LAR-15348-2"\6734603\"08/797,553"\"Thin Layer Composite Unimorph Ferroelectric Driver And Sensor"\"04/04/2015"
+"NASA Langley Research Center"\"Issued"\"LAR-15351-1-CU"\5585083\"08/414,661"\"Catalyst For Formaldehyde Oxidation"\"03/30/2015"
+"NASA Langley Research Center"\"Issued"\"LAR-15370-1-SB"\5640408\"08/593,438"\"Quasi Four-Level TM:LuAG Laser (Tm:LuAG Laser)"\"01/27/2016"
+"NASA Langley Research Center"\"Issued"\"LAR-15376-1"\5771204\"08/754,642"\"Relative Phase Measurement Instrument For Multiple-Echo Systems"\"11/21/2016"
+"NASA Langley Research Center"\"Issued"\"LAR-15406-1"\5617873\"08/449,473"\"Noninvasive Meth/Apparatus For Monitoring Intracranial Pressure & Pressure Vols Index In Humans"\"05/23/2015"
+"NASA Langley Research Center"\"Issued"\"LAR-15412-1"\5606014\"08/511,422"\"Imide Oligomers And Co-Oligomers Containing Pendent Phenylethynyl Groups And Polymers Therefrom"\"08/04/2015"
+"NASA Langley Research Center"\"Issued"\"LAR-15412-2"\5689004\"08/747,472"\"Imide Oligomers And Co-Oligomers Containing Pendent Phenylethynyl Groups And Polymers Therefrom"\"08/04/2015"
+"NASA Langley Research Center"\"Issued"\"LAR-15449-1"\6133401\"09/342,462"\"A Method To Prepare Processable Polyimides With Reactive Endgroups Using 1,3 Bis (3-Aminophenoxyl) Benzene"\"06/29/2019"
+"NASA Langley Research Center"\"Issued"\"LAR-15449-2"\6288209\"09/667,426"\"Method To Prepare Processable Polyimides With Reactive Endgroups Using 1,3-Bix(3-Aminophenoxyl)Benzene"\"06/29/2019"
+"NASA Langley Research Center"\"Issued"\"LAR-15507-1"\6475147\"09/493,044"\"Ultrasonic Technique To Measure Intracranial Pressure"\"01/27/2020"
+"NASA Langley Research Center"\"Issued"\"LAR-15508-1"\6545760\"09/535,659"\"Distributed Rayleigh Scatter Fiber Optic Strain Sensor"\"03/24/2020"
+"NASA Langley Research Center"\"Issued"\"LAR-15514-1-SB"\5991456\"08/654,840"\"Method Of Improving A Digital Image"\"05/29/2016"
+"NASA Langley Research Center"\"Issued"\"LAR-15524-1"\6000844\"08/810,058"\"A Method And Apparatus For The Portable Identification Of Material Thickness Of Layers Using A Scanning Linear Heat Source And Infrared Detectorcramer"\"03/04/2017"
+"NASA Langley Research Center"\"Issued"\"LAR-15525-1-CU"\5948965\"08/845,899"\"Solid State Carbon Monoxide Sensor"\"04/28/2017"
+"NASA Langley Research Center"\"Issued"\"LAR-15637-1"\6015272\"08/673,627"\"Magnetically Suspended Miniature Fluid Pump And Method Of Making Same"\"06/26/2016"
+"NASA Langley Research Center"\"Issued"\"LAR-15637-2"\6447265\"09/398,878"\"Magnetically Suspended Miniature Fluid Pump And Method Of Designing The Same"\"06/26/2019"
+"NASA Langley Research Center"\"Issued"\"LAR-15652-1-CU"\6132694\"08/991,075"\"Catalyst For Oxidation Of Hydro-Carbons And Volatile Organic Compounds"\"12/16/2017"
+"NASA Langley Research Center"\"Application"\"LAR-15665-1-CU"\0\"08/838,596"\"Catalyst For Carbon Monoxide Oxidation"\
+"NASA Langley Research Center"\"Issued"\"LAR-15745-1"\6222007\"09/093,826"\"Prepreg And Composites Made From Polyimide Salt-Like Solution"\"05/29/2018"
+"NASA Langley Research Center"\"Issued"\"LAR-15747-1-CU"\6200539\"09/357,403"\"One-Atmosphere Uniform Glow Discharge Plasma Gas Flow Acceleration"\"07/20/2019"
+"NASA Langley Research Center"\"Issued"\"LAR-15767-1"\6180746\"09/316,428"\"Polyimide Foam From Ether-Containing Monomeric Solutions"\"05/21/2019"
+"NASA Langley Research Center"\"Issued"\"LAR-15816-1"\6629341\"09/430,677"\"Macro-Fiber Composite Actuator With Interdigitated Electrodes"\"10/29/2019"
+"NASA Langley Research Center"\"Issued"\"LAR-15816-2"\7197798\"10/653,824"\"A Method For Fabricating A Piezoelectric Composite Apparatus"\"06/30/2020"
+"NASA Langley Research Center"\"Issued"\"LAR-15817-1"\6450820\"09/612,412"\"A Method Of Encouraging Physiological Self-Regulation Through Modulation Of An Operator's Control Input To A Video Game Or Training Simulator"\"07/12/2020"
+"NASA Langley Research Center"\"Issued"\"LAR-15818-3"\6922242\"10/465,386"\"Optical Path Switching Based Differential Absorption Radiometry For Substance Detection"\"06/21/2019"
+"NASA Langley Research Center"\"Issued"\"LAR-15831-1"\5994418\"09/316,865"\"Hollow Polyimide Microspheres"\"05/21/2019"
+"NASA Langley Research Center"\"Issued"\"LAR-15831-2"\6235803\"09/408,652"\"Hollow Polyimide Microspheres"\"05/21/2019"
+"NASA Langley Research Center"\"Issued"\"LAR-15831-3"\6084000\"09/394,534"\"Hollow Polyimide Microsphere"\"05/21/2019"
+"NASA Langley Research Center"\"Issued"\"LAR-15834-1"\6359107\"09/575,826"\"High Performance / High Temperature Resins For Infusion And Transfer Molding Processes"\"05/18/2020"
+"NASA Langley Research Center"\"Issued"\"LAR-15851-1-CU"\6753293\"09/607,211"\"Process For Coating Substrates With Catalyst Materials"\"05/11/2021"
+"NASA Langley Research Center"\"Issued"\"LAR-15854-1"\6761695\"10/94,023"\"Technique For Non-Invasive Absolute Measurement Of Intra-Cranial Pressure In Humans"\"07/28/2022"
+"NASA Langley Research Center"\"Issued"\"LAR-15927-1"\6584848\"10/263,292"\"Dielectric Electrostatic Ultrasonic Transducer (DEUT)"\"09/30/2022"
+"NASA Langley Research Center"\"Issued"\"LAR-15934-1"\6566648\"09/535,661"\"Edge Triggered Apparatus And Method For Measuring Strain In Bragg Gratings"\"03/24/2020"
+"NASA Langley Research Center"\"Issued"\"LAR-15943-1"\6746410\"10/121,932"\"Transducer Assembly To Measure Changes In Circumferential Expansion Of The Human Skull Due To Changes In Intracranial Pressure"\"11/16/2022"
+"NASA Langley Research Center"\"Issued"\"LAR-15954-1"\6376830\"09/606,120"\"Single Laser Sweep Full S-Parameter Characterization Of Fiber Bragg Gratings"\"06/15/2020"
+"NASA Langley Research Center"\"Issued"\"LAR-15959-1"\7019621\"09/753,370"\"Structural Tailored High Displacement Ferro-Electric Sensors And Actuators"\"01/02/2021"
+"NASA Langley Research Center"\"Issued"\"LAR-15977-1"\6133330\"09/337,475"\"Polyimide Foam From Monomeric Solutions"\"05/21/2019"
+"NASA Langley Research Center"\"Issued"\"LAR-15990-1"\6551251\"09/784,413"\"Dual Transmission Interface For Passive Fetal Heart Monitoring"\"02/13/2021"
+"NASA Langley Research Center"\"Issued"\"LAR-16001-1"\7371358\"10/975,117"\"Catalyst For Treatment And Control Of Post-Combustion Emissions"\"10/25/2024"
+"NASA Langley Research Center"\"Issued"\"LAR-16005-1"\6426496\"09/648,529"\"High Precision Solid State Wavelength Monitor"\"11/26/2020"
+"NASA Langley Research Center"\"Issued"\"LAR-16012-1-CU"\6834125\"09/888,701"\"Improvement To The Multiscale Retinex With Color Restoration"\"06/25/2021"
+"NASA Langley Research Center"\"Issued"\"LAR-16020-1"\6629446\"09/758,115"\"Single Vector Force Balance Calibration System"\"01/26/2022"
+"NASA Langley Research Center"\"Issued"\"LAR-16079-1"\6939940\"09/757,398"\"Liquid Crystalline Thermosets From Oligo-Esters, Ester-Imides And Ester-Amides"\"01/05/2021"
+"NASA Langley Research Center"\"Issued"\"LAR-16083-1"\8062129\"11/536,811"\"A Method And System For Multi-Player Game Playing Where Physiological Characteristics Of The Players Modulate Their Relative Advantage Over Opponents Or Competitors"\"05/22/2030"
+"NASA Langley Research Center"\"Issued"\"LAR-16116-1"\6888346\"10/21,683"\"Giant Magnetoresistive Based Self-Nulling Probe For Deep Flaw Detection"\"11/28/2021"
+"NASA Langley Research Center"\"Issued"\"LAR-16176-2"\7109287\"10/988,407"\"Space Environmentally Durable Polyimides And Copolyimides"\"03/03/2025"
+"NASA Langley Research Center"\"Issued"\"LAR-16220-1"\6867533\"09/696,527"\"Shaping, Tuning, And Positioning Membrane Structures Using Electroactive Polymer Actuators"\"10/23/2020"
+"NASA Langley Research Center"\"Issued"\"LAR-16231-1-CU"\7092539\"09/997,113"\"MEMS Based Acoustic Array"\"11/28/2021"
+"NASA Langley Research Center"\"Issued"\"LAR-16256-1"\8628333\"11/129,756"\"Method And System For Training Psychophysiological Skills Conducive To Optimal Performance Through Perturbation Of Training Tasks, Environments And Devices"\"08/27/2029"
+"NASA Langley Research Center"\"Application"\"LAR-16256-1-CON"\0\"14/153,434"\"Method And System For Training Psychophysiological Skills Conducive To Optimal Performance Through Perturbation Of Training Tasks, Environments And Devices"\"05/13/2025"
+"NASA Langley Research Center"\"Issued"\"LAR-16299-1"\7871682\"10/956,520"\"Composite Roll Press And Processes"\"12/07/2025"
+"NASA Langley Research Center"\"Issued"\"LAR-16307-1-SB"\7390768\"10/056,845"\"Methodology For The Effective Stabilization Of Tin-Oxide-Based Oxidation/Reduction Catalysts"\"01/22/2022"
+"NASA Langley Research Center"\"Issued"\"LAR-16307-2"\7985709\"10/956,515"\"Methodology For The Effective Stabilization Of Tin-Oxide-Based Oxidation/Reduction Catalysts"\"04/16/2027"
+"NASA Langley Research Center"\"Application"\"LAR-16308-2"\0\"12/726,403"\"Catalyst For Decomposition Of Nitrogen Oxides (Divisional of LAR 16308-1-CU)"\
+"NASA Langley Research Center"\"Issued"\"LAR-16311-1"\6777525\"10/115,812"\"Heat, Moisture, Chemical Resistant Polyimide Compositions And Methods For Making And Using The Same"\"04/01/2022"
+"NASA Langley Research Center"\"Issued"\"LAR-16323-1"\7253903\"11/27,930"\"Method To Linearize Non-Linear Physical Measurements"\"06/24/2025"
+"NASA Langley Research Center"\"Issued"\"LAR-16324-1"\6714132\"10/011,229"\"Proximity Sensor"\"11/27/2021"
+"NASA Langley Research Center"\"Issued"\"LAR-16324-2"\7106203\"10/783,486"\"Self-Activating System And Method For Alerting When An Object Or Person Is Left Unattended"\"11/27/2021"
+"NASA Langley Research Center"\"Issued"\"LAR-16326-1"\7060991\"10/410,605"\"Method For Measuring Thickness Of Small Radius Of Curvature Structures Using A Thermal Line Scanner"\"04/10/2023"
+"NASA Langley Research Center"\"Issued"\"LAR-16332-1-CU"\6842543\"09/888,816"\"Method Of Improving A Digital Image Having White Zones"\"06/25/2021"
+"NASA Langley Research Center"\"Issued"\"LAR-16363-1"\6856073\"10/390,675"\"Radial Electric Field Piezo-Diaphragm Fluidic Control Systems"\"03/13/2023"
+"NASA Langley Research Center"\"Issued"\"LAR-16383-1-NP"\7588699\"10/288,797"\"Electrically Conductive, Optically Transparent Polymer/Carbon Nanotube Composites And Process For Preparation Thereof"\"07/02/2023"
+"NASA Langley Research Center"\"Issued"\"LAR-16383-2"\7972536\"12/546,724"\"Electrically Conductive, Optically Transparent Polymer/Carbon Nanotube Composites And Process For Preparation Thereof"\"10/12/2029"
+"NASA Langley Research Center"\"Issued"\"LAR-16390-1-SB"\7318915\"10/342,660"\"Ruthenium Stabilization Mechanism For Next Generation Oxidation And Reduction Catalyst Systems"\"01/13/2023"
+"NASA Langley Research Center"\"Issued"\"LAR-16393-1"\6919669\"10/392,491"\"Sonic Transducers And Sensors Using Radial Field Diaphragms"\"05/31/2023"
+"NASA Langley Research Center"\"Issued"\"LAR-16406-1-CU"\7491169\"10/805,816"\"Ultrasonic Method And Means To Assess Compartment Syndrome (Hyper Pressure States In Arm, Leg Muscle/Tendon Compartments)"\"09/20/2025"
+"NASA Langley Research Center"\"Issued"\"LAR-16409-1"\8015819\"11/536,790"\"Wet Active Chevron Nozzle For Controllable Jet Noise Reduction"\"09/17/2028"
+"NASA Langley Research Center"\"Issued"\"LAR-16432-1"\7692116\"10/188,525"\"Synthesis Of Carbon Nanotubes Using High Average Power Ultrafast Laser Ablation"\"07/03/2022"
+"NASA Langley Research Center"\"Issued"\"LAR-16437-1-NP"\7169374\"11/129,751"\"Templated Growth Of Carbon Nanotubes"\"05/11/2025"
+"NASA Langley Research Center"\"Issued"\"LAR-16440-1"\6740048\"10/263,285"\"Method Of Determining Intracranial Pressure From Skull Expansion Measurements"\"09/25/2022"
+"NASA Langley Research Center"\"Issued"\"LAR-16475-1"\7194912\"10/890,843"\"Carbon Nanotube-Based Structural Health Monitoring Sensor"\"08/07/2024"
+"NASA Langley Research Center"\"Issued"\"LAR-16496-1"\7104498\"10/867,114"\"Blown Channel-Wing System For Thrust Deflection And Force/Moment Generation"\"10/03/2024"
+"NASA Langley Research Center"\"Issued"\"LAR-16499-1"\7491428\"10/730,188"\"Method for the controlled deposition and alignment of single walled carbon nanotubes"\"11/15/2025"
+"NASA Langley Research Center"\"Issued"\"LAR-16510-1"\6773407\"10/263,286"\"Non-Invasive Method Of Determining Absolute Intracranial Pressure"\"12/25/2022"
+"NASA Langley Research Center"\"Issued"\"LAR-16516-1"\6879893\"10/675,502"\"Autonomous Health Monitoring Architecture Hardware"\"09/30/2023"
+"NASA Langley Research Center"\"Issued"\"LAR-16517-1"\7048228\"10/678,474"\"Partial-Span Slotted Wing For Transonic Aircraft"\"10/03/2023"
+"NASA Langley Research Center"\"Issued"\"LAR-16532-1"\7334998\"11/5,624"\"Low-Noise Fan Exit Guide Vanes"\"12/06/2024"
+"NASA Langley Research Center"\"Issued"\"LAR-16538-1"\7675619\"12/129,967"\"Micro-LiDAR For In-Flight Flow Velocimetry And Boundary Layer Control"\"11/11/2028"
+"NASA Langley Research Center"\"Issued"\"LAR-16549-1"\7262543\"10/943,655"\"Inductor (L)-Capacitor ( C ) (aka, LC) Sensor Circuit For Piezo Material Monitoring"\"04/17/2025"
+"NASA Langley Research Center"\"Application"\"LAR-16565-1"\0\"13/020,025"\"e-Sensor: Quantitative Imaging of Electric Fields and Electric Potentials"\
+"NASA Langley Research Center"\"Issued"\"LAR-16566-1"\7285932\"10/975,119"\"Method And Apparatus For Loss Of Control Inhibitor Systems"\"10/27/2024"
+"NASA Langley Research Center"\"Issued"\"LAR-16571-1"\7075295\"10/839,448"\"LC Sensing Element For Closed Cavities Having Low Radio Frequency Transmissivity"\"04/30/2024"
+"NASA Langley Research Center"\"Issued"\"LAR-16571-2"\7589525\"11/421,886"\"Magnetic Field Response Sensor For Conductive Media"\"09/26/2024"
+"NASA Langley Research Center"\"Issued"\"LAR-16571-3"\7759932\"12/533,520"\"Magnetic Field Response Sensor For Conductive Media"\"07/31/2029"
+"NASA Langley Research Center"\"Issued"\"LAR-16573-1"\7129467\"10/943,831"\"Carbon Nanotube Based Light Sensor"\"09/29/2024"
+"NASA Langley Research Center"\"Issued"\"LAR-16575-1"\7181942\"10/943,649"\"Instrumented Crimping Tool For Critical Wiring Applications"\"11/24/2024"
+"NASA Langley Research Center"\"Issued"\"LAR-16605-1"\7623993\"10/731,742"\"Energy-extraction-based active noise control system"\"11/27/2026"
+"NASA Langley Research Center"\"Issued"\"LAR-16615-1"\6956066\"10/779,552"\"Polyimide Foams"\"02/11/2024"
+"NASA Langley Research Center"\"Issued"\"LAR-16615-2"\7541388\"11/124,640"\"Polyimide Foams"\"05/05/2025"
+"NASA Langley Research Center"\"Issued"\"LAR-16616-1"\7758927\"10/956,704"\"Laser-Induced Fabrication Of Metallic Interlayers And Patterns In Polyimide Films"\"09/30/2024"
+"NASA Langley Research Center"\"Issued"\"LAR-16640-1"\8089677\"12/135,180"\"Programmable Smart Grating Device With Quantum Aperture Array"\"08/05/2029"
+"NASA Langley Research Center"\"Issued"\"LAR-16696-1"\7048235\"10/678,397"\"Slotted Aircraft Wing (a.k.a. Full Span Slotted Wing)"\"10/03/2023"
+"NASA Langley Research Center"\"Issued"\"LAR-16698-1"\7394181\"11/76,824"\"High Performance High Efficiency Hybrid Actuator Systems (HYBAS)"\"03/04/2025"
+"NASA Langley Research Center"\"Issued"\"LAR-16736-1"\7962252\"11/422,984"\"Semi Autonomous Flight System With Avionics Sensor Board, Processing Board, And Flight Control Board"\"04/07/2027"
+"NASA Langley Research Center"\"Issued"\"LAR-16845-1"\8083986\"12/315,520"\"Advanced Thermo-Electric Materials with Nano-Voids"\"12/04/2028"
+"NASA Langley Research Center"\"Issued"\"LAR-16854-1"\7381186\"10/911,755"\"Ultrasonic Method And Means To Assess Compartment Syndrome Part B"\"08/02/2024"
+"NASA Langley Research Center"\"Issued"\"LAR-16858-1"\7667847\"11/533,921"\"Thin, High-Contrast Targets for Ultralightweight Structures"\"12/15/2026"
+"NASA Langley Research Center"\"Issued"\"LAR-16867-1"\7402264\"11/076,460"\"Electroactive polymer-carbon nanotube-ceramic nanocomposites"\"02/27/2026"
+"NASA Langley Research Center"\"Issued"\"LAR-17548-1"\8236413\"12/166,852"\"Fail Safe High-Temperature Composite Structure"\"07/07/2030"
+"NASA Langley Research Center"\"Issued"\"LAR-16867-2"\7527751\"12/109,490"\"Sensing/Actuating Materials Made From Carbon Nanotube Polymer Composites And Methods For Making Same"\"04/25/2028"
+"NASA Langley Research Center"\"Issued"\"LAR-16868-1"\7341883\"11/242,415"\"Lattice Matched SiGe Layer On Single Crystalline Sapphire Substrate"\"09/27/2025"
+"NASA Langley Research Center"\"Issued"\"LAR-16871-1"\6413227\"09/459,384"\"Optimization Of Ultrasonic Method For Assessment Of Changes In Intracranial Pressure Through Measurement Of Skull Expansion"\"12/02/2019"
+"NASA Langley Research Center"\"Issued"\"LAR-16872-1"\7514726\"11/387,086"\"Graded Indexed SiGe Layers on Lattice Matched SiGe Layers on Sapphire"\"06/10/2027"
+"NASA Langley Research Center"\"Issued"\"LAR-16874-1"\7723464\"11/674,321"\"Novel Aromatic/Aliphatic Diamine Derivatives For Advanced Compositions And Polymers"\"02/13/2027"
+"NASA Langley Research Center"\"Issued"\"LAR-16877-1"\7186367\"11/110,996"\"Double-Vacuum Bag (DVB) Process For Volatile Management In Resin Matrix Composite Manufacturing"\"07/08/2025"
+"NASA Langley Research Center"\"Issued"\"LAR-16885-1"\7890311\"11/177,664"\"Method Of Simulating Flow-Through Area Of A Pressure Regulator"\"12/15/2029"
+"NASA Langley Research Center"\"Issued"\"LAR-16886-1"\7375808\"11/536,120"\"Dual Sensing Capable Germ Or Toxic Chemical (GTC) Sensor Using Quantum Aperture Array With Surface Plasmon Polariton (SPP)"\"09/28/2026"
+"NASA Langley Research Center"\"Issued"\"LAR-16900-1"\7278324\"11/155,923"\"CNT based crack growth detector and strain field monitor"\"08/07/2024"
+"NASA Langley Research Center"\"Issued"\"LAR-16906-1"\8529825\"12/928,128"\"Fabrication of Nanovoid-imbedded Bismuth Telluride with Low Dimensional System"\"02/01/2028"
+"NASA Langley Research Center"\"Issued"\"LAR-16907-1"\7783060\"11/126,518"\"A Deconvolution Approach For The Mapping Of Acoustic Sources (DAMAS) Determined From Phased Microphone Arrays"\"03/27/2029"
+"NASA Langley Research Center"\"Issued"\"LAR-16908-1"\7086593\"10/839,445"\"Magnetic Field Response Measurement Acquisition System (Includes LAR-16138-1, LAR-16554-1, LAR-16591-1, LAR-16614-1, LAR-16617-1, & LAR-16908-1)"\"05/04/2024"
+"NASA Langley Research Center"\"Issued"\"LAR-16946-1"\7484930\"11/169,256"\"Blowing Flap Side Edge"\"07/01/2025"
+"NASA Langley Research Center"\"Issued"\"LAR-16950-1"\7379231\"11/470,771"\"Ferroelectric Light Control Device"\"09/07/2026"
+"NASA Langley Research Center"\"Issued"\"LAR-16958-1"\7510802\"11/371,575"\"Fabrication of Multilayer Ferritin Array for Bionanobattery"\"08/24/2027"
+"NASA Langley Research Center"\"Issued"\"LAR-16970-1"\7231832\"11/229,439"\"Method For Determining Cracks On And Within Composite Panels"\"12/02/2025"
+"NASA Langley Research Center"\"Issued"\"LAR-16974-1"\7047807\"11/203,583"\"Methods Of Mounting Erectable, Flexible And Fixed Magnetic Field Response Sensors"\"08/08/2025"
+"NASA Langley Research Center"\"Issued"\"LAR-17003-1"\7467921\"11/239,436"\"Rotor Blade Vortex Management Via Boundary Layer Separation Control"\"09/22/2025"
+"NASA Langley Research Center"\"Issued"\"LAR-17013-1"\7647771\"11/374,480"\"Thermally Driven Miniature Piston Actuator"\"11/12/2026"
+"NASA Langley Research Center"\"Issued"\"LAR-17017-1"\7537182\"11/250,700"\"Enhanced Separation Control Via Simultaneous Multiple-Location Forcing"\"06/18/2027"
+"NASA Langley Research Center"\"Issued"\"LAR-17032-1"\7321185\"11/370,377"\"A New Concept For Active Bistable Twisting Structures"\"03/06/2026"
+"NASA Langley Research Center"\"Issued"\"LAR-17044-1"\7558371\"12/254,150"\"Applications Of Twin-Detection XRD Methods On SiGe (111) Layers On Sapphire (0001) Substrate"\"10/20/2028"
+"NASA Langley Research Center"\"Issued"\"LAR-17073-1"\7580323\"11/419,818"\"Interdigitated Electrode Actuators For Straining Optical Fibers (IDEAS)"\"05/27/2026"
+"NASA Langley Research Center"\"Application"\"LAR-17088-1"\0\"13/032,045"\"Nanotubular Toughening Inclusions For Improved Mechanical Reinforcement"\
+"NASA Langley Research Center"\"Issued"\"LAR-17112-1"\7507472\"11/81,888"\"Multi-Layer Electroactive Devices"\"09/08/2025"
+"NASA Langley Research Center"\"Issued"\"LAR-17116-1"\7506541\"11/328,468"\"Wireless Fuel Volume Measurement Techniques"\"10/18/2026"
+"NASA Langley Research Center"\"Issued"\"LAR-17126-1"\7666939\"11/432,201"\"A Method For Producing Stable Dispersions Of Single Walled Carbon Nanotubes In Polymer Matrices Using Noncovalent Interactions"\"05/11/2026"
+"NASA Langley Research Center"\"Issued"\"LAR-17128-1"\7285933\"11/188,227"\"Method And Apparatus For Loss Of Control Inhibitor Systems"\"07/20/2025"
+"NASA Langley Research Center"\"Issued"\"LAR-17135-1"\8217143\"11/827,567"\"Fabrication of Metal Nanoshells Derived by a Biotemplate"\"11/17/2030"
+"NASA Langley Research Center"\"Issued"\"LAR-17149-2"\8608993\"13/053,633"\"A Method For Producing Multifunctional Structural Thermally Stable Nanocomposites With Aligned Carbon Nanotubes"\"05/20/2026"
+"NASA Langley Research Center"\"Issued"\"LAR-17154-1"\7655595\"11/421,924"\"Sprayable Low Temperature Oxidation Catalyst Coating Based on Sol-Gel Technology"\"08/11/2027"
+"NASA Langley Research Center"\"Issued"\"LAR-17154-2"\7781366\"12/369,932"\"Sol-Gel Based Oxidation Catalyst And Coating System Using Same (Divisional of -1)"\"02/12/2029"
+"NASA Langley Research Center"\"Issued"\"LAR-17155-1"\7255004\"11/229,438"\"Wireless Fluid-Lead Measuring Dipstick Assembly (Broken Out Of LAR-16974-1)"\"03/22/2026"
+"NASA Langley Research Center"\"Issued"\"LAR-17157-1"\7507784\"11/124,508"\"Liquid Crystalline Thermosets From Ester, Ester-Imide, And Ester-Amide Oligomers"\"01/05/2021"
+"NASA Langley Research Center"\"Issued"\"LAR-17163-1"\7467536\"11/428,017"\"Multi-axis Accelerometer Calibration System Using a Cuboidal Attitude Positioning Device"\"08/18/2027"
+"NASA Langley Research Center"\"Issued"\"LAR-17165-1"\7595112\"11/461,150"\"Method To Prepare Hybrid Metal/Composite Laminates By Resin Infusion"\"02/01/2028"
+"NASA Langley Research Center"\"Issued"\"LAR-17168-1"\7732998\"11/462,114"\"Cylindrical Shaped Micro Fiber Composite (CMFC) Actuators"\"09/24/2027"
+"NASA Langley Research Center"\"Issued"\"LAR-17169-1"\7446459\"11/486,200"\"Hybrid Force/Stress Amplified Piezoelectric Energy Harvesting Transducer System"\"07/13/2026"
+"NASA Langley Research Center"\"Application"\"LAR-17211-1"\0\"13/557,250"\"Floating Ultrasonic Transducer Inspection System For Nondestructive Evaluation"\
+"NASA Langley Research Center"\"Issued"\"LAR-17213-1"\8020805\"11/831,233"\"New Configuration and Power Technology for Application-Specific Scenarios of High Altitude Airships"\"03/25/2030"
+"NASA Langley Research Center"\"Issued"\"LAR-17224-1"\7998368\"12/272,826"\"Effective Dispersion of Carbon Nanotubes in an Aqueous Solution and Their Application on Bionanotechnology"\"06/04/2029"
+"NASA Langley Research Center"\"Issued"\"LAR-17229-1"\7760778\"11/670,044"\"Thin-film evaporative cooling concept for a solid-state laser diode crystal"\"02/01/2027"
+"NASA Langley Research Center"\"Issued"\"LAR-17235-1"\7414708\"11/461,569"\"Multi-Point, Multi-Component Interferometric Rayleigh/Mie Doppler Velocimeter"\"08/01/2026"
+"NASA Langley Research Center"\"Issued"\"LAR-17237-1"\8294989\"12/512,344"\"Photonic DART (Densely Accumulated Ray-point by micro-zone-plaTe)"\"04/25/2031"
+"NASA Langley Research Center"\"Issued"\"LAR-17240-1"\8111943\"12/423,907"\"Computational Visual Servo:Automatic Measurement and Control for Smart Image Enhancement"\"09/14/2030"
+"NASA Langley Research Center"\"Issued"\"LAR-17241-1"\8018815\"12/490,747"\"Optical Data Storage System with Micro Zone Plate"\"12/05/2029"
+"NASA Langley Research Center"\"Issued"\"LAR-17242-1"\8174695\"12/508,018"\"MICRO-RING THIN-FILM SPECTROMETER ARRAY"\"09/03/2030"
+"NASA Langley Research Center"\"Issued"\"LAR-17243-1"\8411214\"12/144,937"\"Variable Visibility Glasses for Flight Training"\"02/01/2032"
+"NASA Langley Research Center"\"Issued"\"LAR-17245-1"\8344281\"12/751,075"\"Use of Beam Deflection to Control Electron Beam Wire Deposition Processes"\"04/26/2031"
+"NASA Langley Research Center"\"Issued"\"LAR-17257-1"\7590904\"11/531,703"\"Detecting the loss of configuration access of reprogrammable Field Programmable Gate Array (FPGA) without external circuitry"\"10/07/2027"
+"NASA Langley Research Center"\"Issued"\"LAR-17267-1"\7704553\"11/710,386"\"Method of Depositing Metals onto Carbon Allotropes and Compositions Therefrom"\"06/26/2028"
+"NASA Langley Research Center"\"Issued"\"LAR-17268-1"\7647543\"11/535,574"\"Integrated mitigation for single event upset (SEU) of reprogrammable field programmable gate arrays (FPGA) operating in radiation environments"\"09/27/2026"
+"NASA Langley Research Center"\"Issued"\"LAR-17280-1"\7159774\"11/305,854"\"Magnetic Field Response Measurement Acquisition System"\"04/30/2024"
+"NASA Langley Research Center"\"Issued"\"LAR-17286-1"\8081734\"12/628,446"\"Miniature, Low-Power X-Ray Tube Using A Microchannel Electron Generator Electron Source"\"02/26/2030"
+"NASA Langley Research Center"\"Issued"\"LAR-17290-1"\7737867\"11/696,333"\"Advance Display Media for Improved Airport Surface Operations"\"06/11/2028"
+"NASA Langley Research Center"\"Issued"\"LAR-17293-1"\7991491\"11/559,420"\"Control Device And Method For Generating Control Signals For Technical Devices"\"03/04/2030"
+"NASA Langley Research Center"\"Issued"\"LAR-17294-1"\8430327\"11/671,089"\"Low Profile Sensors Using Self-Resonating Inductors"\"08/22/2028"
+"NASA Langley Research Center"\"Issued"\"LAR-17295-1"\7683797\"11/671,131"\"System For Providing Damage Detection And Thermal Protection"\"02/15/2028"
+"NASA Langley Research Center"\"Issued"\"LAR-17300-1"\7538860\"11/840,363"\"A Method and Apparatus for Determination of the Reflection Wavelength of Multiple Low-Reflectivity Bragg Gratings in a Single Fiber"\"12/31/2027"
+"NASA Langley Research Center"\"Application"\"LAR-17307-1"\0\"11/466,569"\"Low Mass Free Piston Space Radiator"\
+"NASA Langley Research Center"\"Issued"\"LAR-17317-1"\8401217\"11/780,500"\"Extreme Low Frequency Acoustic Measurement Portable System"\"11/29/2030"
+"NASA Langley Research Center"\"Application"\"LAR-17317-2"\\"13/771,735"\"Extreme Low Frequency Acoustic Measurement System"\"07/20/2027"
+"NASA Langley Research Center"\"Application"\"LAR-17318-1"\0\"13/082,734"\"Preparation of Metal Nanowire Decorated Carbon Allotropes"\"08/29/2027"
+"NASA Langley Research Center"\"Issued"\"LAR-17321-1"\8545986\"12/043,276"\"Ultra High-Temperature, Lightweight Insulation Material Compositions And Methods For Making And Using Them"\"06/27/2030"
+"NASA Langley Research Center"\"Application"\"LAR-17323-1"\0\"11/757,780"\"Concept And Design Of Oxygen Band Radar For Surface Air Pressure Remote Sensing"\
+"NASA Langley Research Center"\"Issued"\"LAR-17325-1"\8060350\"12/56,686"\"Unsteady aerodynamic reduced-order models (ROMs) for efficient aeroelastic analysis"\"03/04/2030"
+"NASA Langley Research Center"\"Issued"\"LAR-17327-1"\8117013\"12/002,857"\"Standardized Radiation Shield Design Method: 2005 HZETRN"\"07/05/2030"
+"NASA Langley Research Center"\"Application"\"LAR-17330-1"\0\"11/946,207"\"Multi Functional Composite And Honeycomb Panels"\
+"NASA Langley Research Center"\"Issued"\"LAR-17332-1"\7958733\"11/762,827"\"Active Flow Effectors by Embedded Shape Memory Alloy Actuation"\"11/04/2029"
+"NASA Langley Research Center"\"Application"\"LAR-17332-2"\\"13/096,305"\"Jet Engine Exhaust Nozzle Flow Effector"\"07/05/2027"
+"NASA Langley Research Center"\"Issued"\"LAR-17335-1"\8170234\"12/108,562"\"Extension Of DAMAS Phased Array Processing For Spatial Coherence Determination (DAMAS-C)"\"03/02/2031"
+"NASA Langley Research Center"\"Issued"\"LAR-17346-1"\7649439\"11/465,503"\"Thermoelectric Devices From Thin Metal System To Include Flexible Substrate And Method Of Making Same"\"04/28/2027"
+"NASA Langley Research Center"\"Issued"\"LAR-17355-1"\8164485\"11/863,964"\"A Method of Providing a Synthetic Vision System Flight Management Visualization Display for Aiding Pilot Preview, Rehearsal and/or Review and Real-Time Visual Acquisition of Flight Mission Progress"\"06/24/2029"
+"NASA Langley Research Center"\"Application"\"LAR-17361-1"\0\"12/138,709"\"Airfoil/ Wing Flow Control Using Flexible Extended Trailing Edge"\
+"NASA Langley Research Center"\"Issued"\"LAR-17365-1"\7784732\"11/958,673"\"Boundary-Layer-Ingesting S-Duct Diffusing Inlet Flow Control Using Hybrid Vane/Jet Approach at Transonic Flow Conditions"\"04/26/2029"
+"NASA Langley Research Center"\"Issued"\"LAR-17381-1"\8044294\"12/254,016"\"Thermoelectric material made with highly oriented twinned alloy of Si, Ge, C, and Sn on the basal plane of trigonal substrate and thermoelectric device made with the same material"\"10/11/2029"
+"NASA Langley Research Center"\"Issued"\"LAR-17382-1"\8052069\"12/393,238"\"Advanced High Performance Vertical Hybrid Electroactive Synthetic Jet Actuator (ASJA-V)"\"10/18/2029"
+"NASA Langley Research Center"\"Issued"\"LAR-17384-1"\8662412\"12/354,808"\"Advanced Modified High Performance Synthetic Jet Actuator With Optimized Curvature Shape Chamber (ASJA-M)"\"10/27/2031"
+"NASA Langley Research Center"\"Issued"\"LAR-17385-1"\7671306\"11/589,011"\"Apparatus For Free Electron Laser Ablative Synthesis Of Carbon Nanotubes"\"03/10/2028"
+"NASA Langley Research Center"\"Application"\"LAR-17386-1"\0\"12/851,584"\"Fine-Grained Targets For Free Electron Laser Synthesis Of Carbon Nanotubes"\
+"NASA Langley Research Center"\"Issued"\"LAR-17387-1"\7663077\"11/589,010"\"Process For Optimizing The Yield And Production Rate Of Single-Walled Carbon Nanotubes Using Free Electron Laser Synthesis"\"01/23/2028"
+"NASA Langley Research Center"\"Issued"\"LAR-17390-1"\8235309\"12/355,782"\"Advanced High Performance Horizontal Piezoelectric Hybrid Synthetic Jet Actuator (ASJA-H)"\"04/02/2031"
+"NASA Langley Research Center"\"Issued"\"LAR-17391-1"\7792015\"12/187,458"\"A Byzantine-Fault Tolerant Self-Stabilizing Protocol for Distributed Clock Synchronization Systems"\"08/14/2028"
+"NASA Langley Research Center"\"Issued"\"LAR-17402-1"\7964698\"11/935,036"\"Wholly Aromatic Liquid Crystalline Polyetherimide (LC-PEI) Resin for manufacturing high modulus fibers, films, injection molded articles and foams"\"09/27/2029"
+"NASA Langley Research Center"\"Issued"\"LAR-17405-1"\8226767\"12/254,134"\"Hybrid Bandgap Engineering for Rhombohedral Super-Hetero-Epitaxy"\"05/11/2031"
+"NASA Langley Research Center"\"Application"\"LAR-17413-2"\0\"12/641,603"\"Nanoparticle-Containing Thermoplastic Composites and Methods of Preparing Same"\
+"NASA Langley Research Center"\"Issued"\"LAR-17425-1"\8059273\"12/496,788"\"Micro Spectrometer for Parallel Light"\"08/19/2029"
+"NASA Langley Research Center"\"Application"\"LAR-17427-1"\0\"12/174,360"\"Tailorable Dielectric Materials with Complex Permittivity Characteristics providing High Dielectric Constants and Low Loss Factors"\
+"NASA Langley Research Center"\"Issued"\"LAR-17432-1"\8112243\"12/118,172"\"Forward Voltage Short Pulse (FVSP) Technique for Measuring High Power Laser Diode Array (LDA) Junction Temperature"\"11/27/2030"
+"NASA Langley Research Center"\"Issued"\"LAR-17433-1"\7902815\"11/856,807"\"A Multi-Measurement Wheel Sensor"\"06/19/2029"
+"NASA Langley Research Center"\"Issued"\"LAR-17440-1"\7845215\"11/844,571"\"Resonant Difference-Frequency Atomic Force Ultrasonic Microscope"\"02/03/2029"
+"NASA Langley Research Center"\"Issued"\"LAR-17444-1"\8042739\"11/864,012"\"Wireless Tamper Detection Sensor Requiring No Electrical Connection"\"11/08/2029"
+"NASA Langley Research Center"\"Issued"\"LAR-17447-1"\8002219\"11/941,119"\"Multifunctional Boost Protective Cover (MBPC) For A Launch Abort System (LAS)"\"01/16/2030"
+"NASA Langley Research Center"\"Application"\"LAR-17455-3"\\"13/938,622"\"A Nanotube Film Electrode and an Electroactive Device Fabricated with the Nanotube Film Electrode and Methods for Making Same"\"10/28/2031"
+"NASA Langley Research Center"\"Issued"\"LAR-17469-1"\8094306\"12/487,735"\"Micro Ring Grating Spectrometer with Moveable Aperture Slit"\"08/27/2030"
+"NASA Langley Research Center"\"Issued"\"LAR-17477-1"\7993567\"12/131,420"\"Auxiliary Electrode For Electrospinning Process"\"10/02/2029"
+"NASA Langley Research Center"\"Issued"\"LAR-17478-1"\7883052\"11/954,452"\"Integration Of A Turbo-Fan Engine Above An Aircraft's Wing Which Reduces Drag And Community Noise"\"09/24/2029"
+"NASA Langley Research Center"\"Issued"\"LAR-17480-1"\7711509\"11/930,222"\"A Method To Calibrate Magnetic Response Fluid-Level Sensors Using Complete Sensor Immersion In Fluid"\"03/18/2028"
+"NASA Langley Research Center"\"Issued"\"LAR-17485-1"\7851062\"12/124,273"\"Composition of and Method to Prepare Hybrid Laminates from Metal Plasma Coated Fibers and Polymer Matrix Resins"\"09/09/2028"
+"NASA Langley Research Center"\"Issued"\"LAR-17485-2"\8017190\"12/906,633"\"Metal/Fiber Laminate and Fabrication Using A Porous Metal/Fiber Preform"\"05/21/2028"
+"NASA Langley Research Center"\"Issued"\"LAR-17487-1"\8157207\"11/836,517"\"Jet Engine Nozzle Exit Configurations And Associated Systems And Methods"\"04/15/2029"
+"NASA Langley Research Center"\"Issued"\"LAR-17488-1"\7814786\"12/015,626"\"Thin-Film Sensor For Measuring Liquid-Level And Temperature Having No Electrical Connections"\"08/26/2028"
+"NASA Langley Research Center"\"Issued"\"LAR-17493-1"\8424200\"12/098,000"\"Conducting Nanotubes Or Nanostructures Based Composites, Method Of Making Them And Applications"\"05/16/2031"
+"NASA Langley Research Center"\"Issued"\"LAR-17502-1"\8529249\"11/860,703"\"Quick Change Ceramic Flame Holder for High Output Torch"\"03/14/2030"
+"NASA Langley Research Center"\"Application"\"LAR-17502-1-CON"\\"14/021,325"\"Flame Holder System"\"09/25/2027"
+"NASA Langley Research Center"\"Issued"\"LAR-17514-1"\8196858\"12/721,833"\"Mars Airplane"\"02/15/2031"
+"NASA Langley Research Center"\"Issued"\"LAR-17526-1"\7991595\"12/138,768"\"Adaptive Refinement Tools (ARTs) for Tetrahedral Unstructured Grids"\"06/07/2029"
+"NASA Langley Research Center"\"Issued"\"LAR-17528-1"\7878348\"12/248,339"\"Lightweight Lunar Surface Remote Manipulator System (LSRMS)"\"10/09/2028"
+"NASA Langley Research Center"\"Issued"\"LAR-17535-1"\8206674\"12/152,414"\"High Pressure Boron Vaporization Synthesis Of Few-Walled Boron Nitride Nanotube Fibers"\"04/13/2030"
+"NASA Langley Research Center"\"Issued"\"LAR-17539-1"\8164328\"12/493,573"\"Development Of Eddy Current Techniques For The Detection Of Stress Corrosion Cracking In Space Shuttle Primary Reaction Control Thrusters"\"01/08/2030"
+"NASA Langley Research Center"\"Issued"\"LAR-17547-1"\7848381\"12/366,722"\"Line Tunable Visible and Ultraviolet Laser"\"07/05/2029"
+"NASA Langley Research Center"\"Issued"\"LAR-17553-1"\8257491\"12/288,379"\"NEW RHOMBOHEDRAL ALIGNMENT OF CUBIC SEMICONDUCTOR ON TRIGONAL SUBSTRATE AT A HIGH TEMPERATURE"\"07/06/2031"
+"NASA Langley Research Center"\"Issued"\"LAR-17554-1"\7769135\"12/288,380"\"X-ray Diffraction Wafer Mapping Method for Rhombohedral Super-Hetero-Epitaxy"\"10/20/2028"
+"NASA Langley Research Center"\"Application"\"LAR-17555-1"\0\"13/020,194"\"Front-Flight-Path Turbulence & Vortex Detection System"\
+"NASA Langley Research Center"\"Issued"\"LAR-17573-1"\7855368\"12/178,173"\"Air Coupled Acoustic Thermography Nondestructive Evaluation System And Method"\"10/09/2028"
+"NASA Langley Research Center"\"Issued"\"LAR-17576-1"\7742663\"12/261,376"\"Innovative Structural Design And Materials For Transmission To And Protection Of Ultraviolet And Infrared Radiation Sensors"\"10/30/2028"
+"NASA Langley Research Center"\"Issued"\"LAR-17579-1"\8673649\"12/463,475"\"Wireless Chemical Sensing Using Changes To An Electrically Conductive Reactant Within Sensor's Magnetic Field"\"01/04/2031"
+"NASA Langley Research Center"\"Issued"\"LAR-17593-1"\8167204\"12/253,422"\"Open Circuit Damage Location Sensor Having No Electrical Connections"\"10/30/2030"
+"NASA Langley Research Center"\"Issued"\"LAR-17608-1"\7901611\"12/274,652"\"Methodology for calculating fiber distribution during electrospinning"\"01/12/2029"
+"NASA Langley Research Center"\"Issued"\"LAR-17609-1"\8255732\"12/429,603"\"A Self-Stabilizing Byzantine-Fault-Tolerant Clock Synchronization Protocol"\"12/30/2030"
+"NASA Langley Research Center"\"Issued"\"LAR-17629-1"\7813599\"12/390,606"\"A Method for Shape Determination of Multi-Core Optical Fiber"\"02/23/2029"
+"NASA Langley Research Center"\"Issued"\"LAR-17634-1"\7893602\"12/328,162"\"Distributed transducer capable of generating or sensing a transverse point load"\"03/14/2029"
+"NASA Langley Research Center"\"Application"\"LAR-17636-1"\0\"13/752,495"\"PICA on Edge: Edgewise strips of PICA ablator to eliminate gaps in capsule heat shield"\"01/29/2033"
+"NASA Langley Research Center"\"Issued"\"LAR-17638-1"\8508413\"13/082,839"\"Fractal Dielectric Microstrip Antenna using Patterned Substrate Material Geometries"\"03/02/2032"
+"NASA Langley Research Center"\"Issued"\"LAR-17651-1"\8259104\"12/493,666"\"Domain Decomposition By the Advancing-Partition Method for Parallel Unstructured Grid Generation"\"03/09/2031"
+"NASA Langley Research Center"\"Issued"\"LAR-17655-1"\8111832\"12/424,793"\"Local Intelligence Based Impedance Optimization Scheme for Adaptive Noise Reduction"\"06/25/2030"
+"NASA Langley Research Center"\"Issued"\"LAR-17656-1"\8108178\"12/467,475"\"DIRECTED DESIGN OF EXPERIMENTS FOR VALIDATING PROBABILITY OF DETECTION CAPABILITY OF NDE SYSTEMS (DOEPOD)"\"05/05/2030"
+"NASA Langley Research Center"\"Application"\"LAR-17668-1"\0\"12/322,591"\"Device for the Large-Scale synthesis of High-Quality Boron Nitride Nanotubes"\"02/04/2029"
+"NASA Langley Research Center"\"Issued"\"LAR-17681-1"\8347479\"12/849,906"\"Thermally-Activated Crack Healing Mechanism for Metallic Materials"\"04/30/2031"
+"NASA Langley Research Center"\"Application"\"LAR-17681-2"\\"13/719,740"\"System for Repairing Cracks in Structures"\"08/04/2030"
+"NASA Langley Research Center"\"Issued"\"LAR-17681-3"\8679642\"14/037,850"\"System for Repairing Cracks in Structures"\"08/04/2030"
+"NASA Langley Research Center"\"Application"\"LAR-17689-1"\0\"12/393,289"\"Negative Dielectric Constant Material Based on Ion Conducting Materials"\"08/20/2031"
+"NASA Langley Research Center"\"Application"\"LAR-17694-1"\0\"12/974,359"\"A Synthetic Quadrature Phase Detector/Demodulator for Fourier Transform Spectrometers"\"03/09/2032"
+"NASA Langley Research Center"\"Issued"\"LAR-17695-1"\8658004\"12/470,689"\"Vapor-Barrier Vacuum Isolation System"\"08/01/2032"
+"NASA Langley Research Center"\"Application"\"LAR-17696-1"\0\"12/543,686"\"Asymmetric Dielectric Elastomer Composite Material"\"03/16/2031"
+"NASA Langley Research Center"\"Issued"\"LAR-17705-1"\8672107\"13/042,655"\"Tunable damper capable of tailoring the structural damping for individual modes of vibration using minimal space and minimal impact on the system frequencies and mode shapes."\"11/28/2031"
+"NASA Langley Research Center"\"Issued"\"LAR-17709-1"\7912101\"12/628,423"\"Increased Efficiency Nonlinear Optical Interactions"\"12/01/2029"
+"NASA Langley Research Center"\"Issued"\"LAR-17711-1"\8179203\"12/569,984"\"Wireless Electrical Applications/Devices Using floating Electrodes Electromagnetically Coupled to Open-Circuit Devices"\"07/09/2030"
+"NASA Langley Research Center"\"Application"\"LAR-17723-1"\0\"12/699,334"\"Novel material for wound healing applications."\
+"NASA Langley Research Center"\"Issued"\"LAR-17724-1"\8378659\"12/703,221"\"Electroactive polymer fibers for structural health monitoring."\"01/22/2031"
+"NASA Langley Research Center"\"Issued"\"LAR-17735-1"\8490463\"12/881,431"\"Assessment and Calibration of Crimp Tool Equipped with Ultrasonic Analysis, including Phantom Construction"\"10/22/2031"
+"NASA Langley Research Center"\"Issued"\"LAR-17736-1"\8147920\"12/370,755"\"Controlled Deposition And Alignment Of Carbon Nanotubes (Continuation of LAR 16499-1)"\"02/13/2029"
+"NASA Langley Research Center"\"Application"\"LAR-17738-1"\0\"12/685,280"\"Sensory Metallic Materials"\
+"NASA Langley Research Center"\"Issued"\"LAR-17743-1"\8473663\"13/011,198"\"Reconfigurable Peripheral Component Interconnect local bus controller and target design."\"10/07/2031"
+"NASA Langley Research Center"\"Issued"\"LAR-17745-1"\7906043\"12/550,431"\"Electrically Conductive, Optically Transparent Polymer/Carbon Nanotube Composites And Process For Preparation Thereof"\"11/01/2022"
+"NASA Langley Research Center"\"Application"\"LAR-17877-1"\\"13/277,859"\"Autonomous Leading-Edge Slat Device for Reduction of Aeroacoustic Noise Associated with Aircraft Wings"\
+"NASA Langley Research Center"\"Application"\"LAR-17747-1"\0\"13/029,471"\"Temperature Sensing Using Temperature Sensitive Dielectric Material in Proximity to Open-Circuit Sensors Having No Electrical Connections"\
+"NASA Langley Research Center"\"Application"\"LAR-18090-1"\\"13/786,608"\"No Moving Part - Variable Frequency Fluidic Oscillator"\"03/06/2033"
+"NASA Langley Research Center"\"Application"\"LAR-17747-1-CON"\\"14/193,861"\"Wireless Temperature Sensor Having No Electrical Connections and Sensing Method for Use Therewith"\"02/17/2031"
+"NASA Langley Research Center"\"Issued"\"LAR-17748-1"\8303922\"12/546,185"\"Exfoliation of Hexagonal Boron Nitride"\"11/19/2030"
+"NASA Langley Research Center"\"Issued"\"LAR-17759-1"\7935414\"12/406,315"\"Multilayer Electroactive Polymer Composite Material (Continuation of LAR 17112-1)"\"03/18/2029"
+"NASA Langley Research Center"\"Issued"\"LAR-17766-1"\8452073\"12/750,991"\"Method for Closed Loop Process Control for Electron Beam Freeform Fabrication and Deposition Processes"\"10/02/2031"
+"NASA Langley Research Center"\"Application"\"LAR-17769-1"\0\"12/894,279"\"Modifying Surface Energy via Laser Ablative Surface Patterning"\
+"NASA Langley Research Center"\"Application"\"LAR-17777-1"\\"13/443,940"\"Process to Fabricate Specific Sized Monodisperse Polystryene Microparticles"\
+"NASA Langley Research Center"\"Application"\"LAR-17780-1"\0\"12/387,703"\"Boron Nitride Nanotube Fibrils and Yarns (Filed by JLabs, their ref: ID 1248/Docket 2025(JSA)"\
+"NASA Langley Research Center"\"Application"\"LAR-17786-1"\0\"12/964,381"\"Smart Optics Material Characterization System"\
+"NASA Langley Research Center"\"Application"\"LAR-17789-1"\0\"12/969,076"\"Electroactive scaffold"\
+"NASA Langley Research Center"\"Application"\"LAR-17791-1"\0\"13/070,552"\"Apparatus and Method for Selective Enhancement of Surface Plasmon Polaritons to Initiate and Sustain Low Energy Nuclear Reactions in Metal Hydride Systems"\
+"NASA Langley Research Center"\"Issued"\"LAR-17799-1"\8655513\"13/046,030"\"Realtime 3-D Image Processing and Enhancement"\"05/25/2031"
+"NASA Langley Research Center"\"Application"\"LAR-17800-1"\0\"13/527,638"\"Method for generating laser linear frequency modulation waveform"\
+"NASA Langley Research Center"\"Application"\"LAR-17801-1"\0\"13/566,077"\"Coherent Doppler lidar for measuring altitude, ground velocity, and air velocity of aircraft and spaceborne vehicles"\"08/03/2032"
+"NASA Langley Research Center"\"Application"\"LAR-17813-1"\0\"13/198,817"\"Durable Joining Technology for Uniformly-Curved Composite Sandwich Structures"\"08/17/2032"
+"NASA Langley Research Center"\"Application"\"LAR-17813-1-CON"\\"14/200,708"\"Systems, Apparatuses, and Methods for Using Durable Adhesively Bonded Joints for Sandwich Structures"\"08/05/2031"
+"NASA Langley Research Center"\"Application"\"LAR-17830-1"\0\"12/925,047"\"Actuators and Sensors Fabricated with Boron Nitride Nanotubes (BNNTs) and BNNT Polymer Composites"\
+"NASA Langley Research Center"\"Issued"\"LAR-17831-1"\8651429\"13/214,453"\"Blended Cutout Flap Design for the Reduction of Jet-Flap Interaction Noise"\"08/22/2031"
+"NASA Langley Research Center"\"Application"\"LAR-17832-1"\0\"13/214,469"\"Aircraft Engine Nozzle Systems for Jet Noise Reduction by Acoustic Shielding"\
+"NASA Langley Research Center"\"Application"\"LAR-17833-1"\0\"13/214,481"\"Active Aircraft Pylon Noise Control System"\
+"NASA Langley Research Center"\"Issued"\"LAR-17836-1"\8671763\"12/850,708"\"Sub-Surface Windscreen for Outdoor Measurement of Infrasound"\"02/18/2031"
+"NASA Langley Research Center"\"Application"\"LAR-17841-1"\0\" 14/202,699"\"High Mobility Transport Layer Structures for Rhombohedral Si/Ge/SiGe Devices"\"03/10/2034"
+"NASA Langley Research Center"\"Application"\"LAR-17848-1"\0\"13/796,626"\"Spectroscopy using Electric Permittivity, Magnetic Permeability and Electrical Conductivity Spatial Profiles"\"03/12/2033"
+"NASA Langley Research Center"\"Issued"\"LAR-17856-1"\8198976\"12/688,309"\"Flexible Thin Metal Film Thermal Sensing System (CIP of LAR 17346-1)"\"09/20/2030"
+"NASA Langley Research Center"\"Application"\"LAR-17857-1"\0\"12/967,690"\"A GPS-Based Pitot-Static Calibration Method Using Global Output-Error Optimization"\
+"NASA Langley Research Center"\"Application"\"LAR-17869-1"\\"13/166,226"\"Team Electronic Gameplay Combining Different Means of Control"\
+"NASA Langley Research Center"\"Application"\"LAR-17886-1"\\"13/324,527"\"Method and Apparatus to Detect Wire Pathologies Near Crimped Connector"\
+"NASA Langley Research Center"\"Application"\"LAR-17887-1"\\"13/743,750"\"Interrogations Leading to Recertification of Wire Crimps and Other Joining Technologies."\"01/17/2033"
+"NASA Langley Research Center"\"Issued"\"LAR-17888-1"\8605262\"13/167,093"\"Time Shifted PN Codes for CW LIDAR, RADAR, and SONAR"\"12/28/2031"
+"NASA Langley Research Center"\"Issued"\"LAR-17894-1"\8494687\"13/166,121"\"3-D Super Resolution Algorithm for Flash LIDAR Image Enhancement"\"12/11/2031"
+"NASA Langley Research Center"\"Application"\"LAR-17895-1"\\"13/166,166"\"Method and System for Physiologically Modulating Videogames or Simulations Which Use Motion-Sensing Input Devices"\
+"NASA Langley Research Center"\"Application"\"LAR-17902-1"\\"13/068,329"\"Neutron and Ultraviolet Radiation Shielding Films Fabricated Using Boron Nitride Nanotubes and Boron Nitride Nanotube Composites"\
+"NASA Langley Research Center"\"Application"\"LAR-17906-1"\\"13/272,027"\"Abnormal Grain Growth Suppression in Aluminum Alloys"\
+"NASA Langley Research Center"\"Issued"\"LAR-17908-1"\8655094\"13/105,004"\"New Photogrammetry System to Measure Relative 6-Degree-of-Freedom Motion Between Two Bodies Using Heterogeneous Cameras Having Arbitrary Wide-Angle Lenses with Non-Overlapping Fields of View"\"04/23/2032"
+"NASA Langley Research Center"\"Application"\"LAR-17918-1"\\"13/136,216"\"High Kinetic Energy Penetrator Shielding and High Wear Resistance Materials Fabricated with Boron Nitride Nanotubes (BNNTs) and BNNT Polymer Composites"\
+"NASA Langley Research Center"\"Issued"\"LAR-17919-1"\8661653\"13/191,882"\"Z-Shields from Fiber Metal Laminate"\"07/27/2031"
+"NASA Langley Research Center"\"Application"\"LAR-17919-2"\\"13/963,484"\"Z-Shields from Fiber Metal Laminate"\"07/27/2031"
+"NASA Langley Research Center"\"Application"\"LAR-18097-1"\\"13/591,320"\"Arbitrary Shape Initialization of Fiber Optic Shape Sensing Systems"\"08/22/2032"
+"NASA Langley Research Center"\"Application"\"LAR-17923-1"\\"13/411,793"\"A Method of Creating Micro-scale Silver Telluride Grains Covered with Bismuth Nanospheres as Nano-bridges for Thermoelectric Application"\"11/14/2032"
+"NASA Langley Research Center"\"Application"\"LAR-17947-1"\\"13/775,809"\"Linear Fresnel Spectrometer Chip with Gradient Line Grating"\"02/25/2033"
+"NASA Langley Research Center"\"Application"\"LAR-17952-1"\\"13/411,891"\"Multi-Point Interferometric Phase Change Detection Algorithm"\
+"NASA Langley Research Center"\"Application"\"LAR-17958-1"\\"13/195,251"\"Wireless Open-Circuit In-Plane Strain and Displacement Sensors Having No Electrical Connections"\"07/16/2032"
+"NASA Langley Research Center"\"Issued"\"LAR-17959-1"\8087494\"12/894,326"\"Method of Making a Composite Panel Having Subsonic Transverse Wave Speed Characteristics (Continuation of LAR 16535-1)"\"09/30/2030"
+"NASA Langley Research Center"\"Application"\"LAR-17966-1"\\"13/457,687"\"Wide Bandwidth Magneto-Resistive Sensor Based Eddy Current Probe"\
+"NASA Langley Research Center"\"Application"\"LAR-17967-1"\\"13/293,846"\"Relaxor Piezoelectric Single Crystal Multilayer Stacks for Energy Harvesting Transducers (RPSEHT)"\
+"NASA Langley Research Center"\"Application"\"LAR-17972-1"\\"13/200,314"\"BxCyNz Nanotube Formation via the Pressurized Vapor/Condenser"\
+"NASA Langley Research Center"\"Application"\"LAR-17973-1"\\"13/200,316"\"Efficient Boron Nitride Nanotube (BNNT) and BxCyNz Nanotube Formation via Combined Laser-Gas Flow Levitation (JLab's ref: 2010-09-13-RRW)"\
+"NASA Langley Research Center"\"Application"\"LAR-17977-1"\\"13/447,513"\"Variable Stiffness Shape Adaptive Multi-Layered Polymer Composite"\
+"NASA Langley Research Center"\"Application"\"LAR-17980-1"\\"13/457,540"\"Space Utilization Optimization Tools"\
+"NASA Langley Research Center"\"Application"\"LAR-17984-1"\\"13/326,779"\"FLEXible Side Edge Link (FLEXSEL) for Trailing-Edge Flap Aeroacoustic Noise Reduction"\"12/15/2031"
+"NASA Langley Research Center"\"Application"\"LAR-17985-1"\\"13/231,386"\"An Acoustic Beamforming Array Using Feedback-Controlled Microphones for Tuning and Self-Matching of Frequency Response (Michigan State University's ref: TEC2011-0045)"\
+"NASA Langley Research Center"\"Application"\"LAR-17987-1"\\"13/364,814"\"A Self-Stabilizing Distributed Clock Synchronization Protocol For Arbitrary Digraphs"\
+"NASA Langley Research Center"\"Application"\"LAR-17991-1"\\"13/200,315"\"Production Rig for the Synthesis of BNNTs via the PVC Method"\
+"NASA Langley Research Center"\"Issued"\"LAR-17993-1"\8662213\"13/342,264"\"Locomotion of Amorphous Surface Robots"\"05/06/2032"
+"NASA Langley Research Center"\"Application"\"LAR-17993-2"\\"14/189,019"\"Locomotion of Amorphous Surface Robots"\"01/03/2033"
+"NASA Langley Research Center"\"Application"\"LAR-17994-1"\\"13/273,516"\"Manufacturing of Low Mass, Large-Scale Hierarchical Thin Film Structural Systems"\
+"NASA Langley Research Center"\"Application"\"LAR-17996-1"\\"14/202,289"\"Nanostructure Neutron Converter Layer Development"\"03/10/2034"
+"NASA Langley Research Center"\"Issued"\"LAR-18006-1"\8671551\"13/363,413"\"Crimp Quality Assessment from Jaw Position-Ultrasonic Transmission Analysis"\"02/01/2032"
+"NASA Langley Research Center"\"Application"\"LAR-18006-2"\\"14/193,086"\"Crimp Quality Assessment from Jaw Position-Ultrasonic Transmission Analysis"\"02/01/2032"
+"NASA Langley Research Center"\"Issued"\"LAR-18016-1"\8636407\"13/029,426"\"Wireless Temperature Sensor Having No Electrical Connections and Sensing Method For Use Therewith"\"11/23/2031"
+"NASA Langley Research Center"\"Application"\"LAR-18021-1"\\"13/417,347"\"Flap Side Edge Liners for Airframe Noise Reduction"\"07/31/2032"
+"NASA Langley Research Center"\"Application"\"LAR-18023-1"\\"13/417,349"\"Landing Gear Door Liners for Airframe Noise Reduction"\"03/12/2032"
+"NASA Langley Research Center"\"Application"\"LAR-18024-1"\\"13/417,351"\"External Acoustic Liners for Multi-Functional Aircraft Noise Reduction"\
+"NASA Langley Research Center"\"Application"\"LAR-18026-1"\\"13/286,715"\"Synthesis of Novel Copoly(imide oxetane)s with Unique Surface Properties"\
+"NASA Langley Research Center"\"Application"\"LAR-18257-1"\\"14/105,757"\"A Structural Joint With Multi-Axis Load Carrying Capacity"\"12/13/2033"
+"NASA Langley Research Center"\"Issued"\"LAR-18032-1"\8229716\"12/981,432"\"Fast Tracking Methods and Systems for Air Traffic Modeling Using a Monotonic Lagrangian Grid (US Naval Research Laboratory ref: 100148-US2)"\"12/29/2030"
+"NASA Langley Research Center"\"Application"\"LAR-18034-1"\\"13/291,372"\"Compact Active Vibration Control System"\
+"NASA Langley Research Center"\"Application"\"LAR-18037-1"\\"13/453,717"\"A Multifunctional Lightning Protection and Detection System for Aerospace Vehicles"\
+"NASA Langley Research Center"\"Application"\"LAR-18040-1"\\"13/986,089"\"Multi-Functional BN-BN Composite"\"03/29/2033"
+"NASA Langley Research Center"\"Application"\"LAR-18065-1"\\"13/860,697"\"Variable Acceleration Force Calibration System"\"04/11/2033"
+"NASA Langley Research Center"\"Application"\"LAR-18070-1"\\"13/923,307"\"Transparent and Ubiquitous Sensing Technology"\"06/20/2033"
+"NASA Langley Research Center"\"Application"\"LAR-18071-1"\\"13/923,312"\"Using Ubiquitous Conductor to Power and Interrogate Wireless Passive Sensors and Construct Sensor Network"\
+"NASA Langley Research Center"\"Application"\"LAR-18073-1"\\"13/941,441"\"Doped Chiral Polymer Negative Index Materials (DCPNIM)"\"07/12/2033"
+"NASA Langley Research Center"\"Application"\"LAR-18077-1"\\"13/630,459"\"Flight Deck Technology and Procedure for Pilots to Generate Flight-Optimizing Trajectory Requests that Avoid Nearby Traffic"\"09/28/2032"
+"NASA Langley Research Center"\"Application"\"LAR-18089-1"\\"13/786,713"\"Synchronized Sweeping Jet Actuators"\"03/06/2033"
+"NASA Langley Research Center"\"Application"\"LAR-18127-1"\\"13/913,782"\"Synergistic Chemical and Topographical Surface Modifications and Articles of Manufacture for Dynamic Insect Adhesion Mitigation"\"06/10/2033"
+"NASA Langley Research Center"\"Application"\"LAR-18131-1"\\"13/774,422"\"Puncture- healing Thermoplastic Resin Carbon Fiber Reinforced Composites towards More Damage/Impact Tolerant Systems"\
+"NASA Langley Research Center"\"Application"\"LAR-18132-1"\\"13/673,360"\"Modeling of Laser Ablation and Plume Chemistry in a Boron Nitride Nanotube Production Rig"\"11/09/2032"
+"NASA Langley Research Center"\"Application"\"LAR-18143-1"\\"13/694,286"\"In-situ Mechanical Property Measurements of Amorphous Carbon-boron Nitride Nanotube"\"11/15/2032"
+"NASA Langley Research Center"\"Application"\"LAR-18144-1"\\"13/836,609"\"Method and System for Physiologically Modulating Videogames and Simulations Which Use Gesture and Body Image Sensing Control Input Devices"\"03/15/2033"
+"NASA Langley Research Center"\"Application"\"LAR-18160-1"\\"13/864,396"\"Tension Stiffened and Tendon Actuated Space Manipulators"\"04/17/2033"
+"NASA Langley Research Center"\"Application"\"LAR-18166-1"\\"13/764,062"\"Reactive Orthotropic Lattice Diffuser (ROLD) for Reducing Aerodynamic Noise from Aircraft Flap Tips"\"03/12/2032"
+"NASA Langley Research Center"\"Application"\"LAR-18179-1"\\"13/792,489"\"Extreme Reduced Instruction Set Computing (xRISC) for High Speed Execution of Computing Algorithms"\"03/11/2033"
+"NASA Langley Research Center"\"Application"\"LAR-18183-1"\\"13/834,294"\"Height Control and Deposition Measurement for the Electron Beam Free Form Fabrication (EBF3) Process"\"03/15/2033"
+"NASA Langley Research Center"\"Application"\"LAR-18184-1"\\"13/987,706"\"Conductive Polymer/Carbon Nanotube Structural Materials and Methods for Making Same"\"08/23/2033"
+"NASA Langley Research Center"\"Application"\"LAR-18186-1"\\"12/482,503"\"Flexible Volumetric Structure"\
+"NASA Langley Research Center"\"Application"\"LAR-18202-1"\\"13/713,033"\"Ground-to-Space Laser Calibration System"\"12/13/2032"
+"NASA Langley Research Center"\"Application"\"LAR-18204-1"\\"13/800,379"\"Quasi-Static Electric Field Generator"\"03/13/2033"
+"NASA Langley Research Center"\"Application"\"LAR-18211-1"\\"13/781,918"\"A Statistically Based Approach to Broadband Liner Design and Assessment"\"03/01/2033"
+"NASA Langley Research Center"\"Application"\"LAR-18217-1"\\"13/771,116"\"A Graphical Acoustic Liner Design and Analysis Tool"\"02/20/2033"
+"NASA Langley Research Center"\"Application"\"LAR-18246-1"\\"13/765,714"\"Tethered Vehicle Control and Tracking System"\"02/13/2033"
+"NASA Langley Research Center"\"Application"\"LAR-18266-1"\\"14/079,914"\"Airborne Wind Profiling Algorithm for Doppler Wind Lidar (APOLO)"\"11/14/2033"
+"NASA Langley Research Center"\"Application"\"LAR-18267-1"\\"13/838,260"\"Method and System for Physiologically Modulating Action Role-playing Open World Video Games and Simulations Which Use Gesture and Body Image Sensing Control Input Devices"\
+"NASA Langley Research Center"\"Application"\"LAR-18270-1"\\"14/079,965"\"Airborne Doppler Wind Lidar Post Data Processing Software DAPS-LV"\"11/14/2033"
+"NASA Langley Research Center"\"Application"\"LAR-18301-1"\\"13/838,163"\"Flap Edge Noise Reduction Fins (FENoRFins)"\"03/15/2033"
+"NASA Langley Research Center"\"Application"\"LAR-18318-1"\\"14/191,898"\"In-Situ Load System (ILS) for Calibrating and Validating Aerodynamic Properties of Scaled Aircraft in Ground-based Aerospace Testing Applications"\"02/27/2034"
+"NASA Langley Research Center"\"Application"\"LAR-18374-1"\\"14/072,019"\"Modulated Sine Waves for Differential Absorption Measurements Using a CW Laser System"\"06/23/2031"
+"NASA Glenn Research Center"\"Issued"\"LEW-16183-1"\5866518\"08/786,360"\"PS300 - Self Lubricating Readily Polished High Temperature Composite"\"01/16/2017"
+"NASA Glenn Research Center"\"Issued"\"LEW-16519-2"\6291838\"09/448,406"\"Gas Sensing Diode"\"11/15/2019"
+"NASA Glenn Research Center"\"Issued"\"LEW-16901-1"\7190741\"10/274,756"\"A Real-Time Signal-To-Noise Ratio Estimation Technique For BPSK And QPSK Modulation Using The Active Communications Channel"\"10/21/2022"
+"NASA Glenn Research Center"\"Issued"\"LEW-17153-1"\6550696\"09/794,794"\"Lean Direct Injection Combustor/Multi Point Integrate Module Fuel-Air Mixer"\"02/27/2021"
+"NASA Glenn Research Center"\"Issued"\"LEW-17157-1"\6869480\"10/198,668"\"Method For Production Of Atomic Scale Step Height Reference Specimens With Atomically Flat Surfaces"\"07/17/2022"
+"NASA Glenn Research Center"\"Issued"\"LEW-17166-1"\7497443\"11/121,850"\"Resilient, Flexible, Pressure-Activated Seal"\"05/03/2025"
+"NASA Glenn Research Center"\"Issued"\"LEW-17167-1"\6667725\"10/196,391"\"Radio Frequency (RF) Telemetry System For Sensors And Actuators"\"07/11/2022"
+"NASA Glenn Research Center"\"Issued"\"LEW-17170-1"\6706549\"10/124,689"\"Common-Layered Architecture For Semiconductor Silicon Carbide (CLASSiC) Bulk Fabrication"\"04/12/2022"
+"NASA Glenn Research Center"\"Issued"\"LEW-17182-1"\7086648\"10/652,088"\"Acoustic Seal"\"08/22/2023"
+"NASA Glenn Research Center"\"Issued"\"LEW-17240-1"\7427428\"10/601,657"\"Mechanically Improved Interphase Coating For Silicon-Carbide Fiber-Reinforced Silicon-Carbide Matrix Composites"\"06/24/2023"
+"NASA Glenn Research Center"\"Issued"\"LEW-17256-1"\6845664\"10/263,980"\"MEMS Direct Chip Attach (MEMS-DCA) Packaging Methodologies For Harsh Environments"\"10/03/2022"
+"NASA Glenn Research Center"\"Issued"\"LEW-17256-2"\7518234\"10/926,206"\"MEMS Direct Chip Attach Packaging Methodologies And Apparatus For Harsh Environments"\"08/25/2024"
+"NASA Glenn Research Center"\"Issued"\"LEW-17269-2"\8212138\"11/696,441"\"Reverse-Bias Protected Solar Array With Integrated ByPass Battery"\"04/04/2027"
+"NASA Glenn Research Center"\"Application"\"LEW-17269-3"\0\"13/482,493"\"Reverse-Bias Protected Solar Array With Integrated ByPass Battery"\
+"NASA Glenn Research Center"\"Issued"\"LEW-17291-1"\6784276\"10/202,643"\"Improved Processing For Polyimdes Via Concentrated Solid Monomer Reactants Approach"\"07/25/2022"
+"NASA Glenn Research Center"\"Issued"\"LEW-17293-1"\7023118\"10/390,256"\"A Comprehensive C++ Controller For A Magnetically Supported Vertical Rotor: Version 1.0"\"03/12/2023"
+"NASA Glenn Research Center"\"Issued"\"LEW-17293-2"\6809450\"10/729,580"\"Software For System For Controlling A Magnetically Levitated Rotor"\"12/04/2023"
+"NASA Glenn Research Center"\"Issued"\"LEW-17299-1"\6881820\"10/147,477"\"Polyimide Rod-Coil Block Copolymers As Membrane Materials For Ion Conduction"\"05/13/2022"
+"NASA Glenn Research Center"\"Issued"\"LEW-17317-1"\7687016\"10/777,630"\"Process For Improving Properties Of Silicon Carbide (SiC) Fibers And SiC Fiber-Reinforced Ceramic Matrix Composites"\"02/13/2024"
+"NASA Glenn Research Center"\"Application"\"LEW-17317-2"\0\"12/709,086"\"Process For Improving Properties Of Silicon Carbide (SiC) Fibers And SiC Fiber-Reinforced Ceramic Matrix Composites"\
+"NASA Glenn Research Center"\"Issued"\"LEW-17345-2"\7813406\"11/402,997"\"Temporal Laser Pulse Manipulation Using Multiple Optical Ring Cavities"\"04/13/2026"
+"NASA Glenn Research Center"\"Issued"\"LEW-17383-1"\6967462\"10/455,139"\"Wireless Consumer Power"\"06/05/2023"
+"NASA Glenn Research Center"\"Application"\"LEW-17458-2"\0\"13/113,458"\"Compact Solid-state Entangled Photon Source"\
+"NASA Glenn Research Center"\"Issued"\"LEW-17483-1"\7191013\"10/983,230"\"Hand Held Device For Wireless Powering And Interrogation Of BioMEMS Sensors And Actuators"\"11/08/2024"
+"NASA Glenn Research Center"\"Issued"\"LEW-17484-5"\7268939\"11/363,300"\"Tracking Of Cells With A Compact Microscope Imaging System Using Intelligent Controls"\"02/24/2026"
+"NASA Glenn Research Center"\"Issued"\"LEW-17494-1"\7458221\"10/693,850"\"Self-Sealing, Smart, Variable Area Nozzle (S3VAN) For Dynamic Flow Control In Gas Turbine Engines"\"10/23/2023"
+"NASA Glenn Research Center"\"Issued"\"LEW-17498-1"\7187835\"11/44,063"\"Selective Wavelength Filtering"\"01/28/2025"
+"NASA Glenn Research Center"\"Issued"\"LEW-17510-1"\7416062\"10/693,853"\"Torsional Magnetorheological Fluid Resistant Device (TMRFRD)"\"10/23/2023"
+"NASA Glenn Research Center"\"Issued"\"LEW-17517-1"\7326027\"10/856,361"\"Flow-Field Control-Rods To Stabilize Flow In A Centrifugal Compressor"\"05/25/2024"
+"NASA Glenn Research Center"\"Issued"\"LEW-17520-1"\7259692\"10/931,205"\"Hybrid Power Management (HPM) Upgrade"\"09/01/2024"
+"NASA Glenn Research Center"\"Issued"\"LEW-17551-1"\7410714\"10/891,599"\"Unitized Regenerative Fuel Cell System"\"07/15/2024"
+"NASA Glenn Research Center"\"Issued"\"LEW-17561-1"\7400096\"10/894,225"\"Large Area Permanent Magnet ECR Plasma Source"\"07/19/2024"
+"NASA Glenn Research Center"\"Issued"\"LEW-17589-1"\7305935\"10/925,499"\"Slotted Antenna Rectangular Waveguide Plasma Source For Ion Beam And Electron Beam Production"\"08/25/2024"
+"NASA Glenn Research Center"\"Issued"\"LEW-17592-1"\7704622\"10/926,457"\"New Ion Conducting Organic/Inorganic Hybrid Polymers"\"08/26/2024"
+"NASA Glenn Research Center"\"Application"\"LEW-17595-1"\0\"13/018,611"\"A Method Of Improving The Thermo-Mechanical Properties Of Fiber-Reinforced Silicon Carbide Matrix Composites"\
+"NASA Glenn Research Center"\"Issued"\"LEW-17605-1"\8394492\"10/974,991"\"Skin Modified Aerogel Monoliths For Improved Ruggedness And Lower Hydrophylicity"\"10/28/2024"
+"NASA Glenn Research Center"\"Issued"\"LEW-17618-1"\7015304\"10/897,279"\"High Tg Polyimides For Resin Transfer Molding (RTM)"\"07/23/2024"
+"NASA Glenn Research Center"\"Issued"\"LEW-17618-1-REIS"\"RE43,880"\"11/429,639"\"Solvent-Free Low Melt Viscosity Imide Oligomers and Thermosetting Polyimide Composites"\"05/08/2026"
+"NASA Glenn Research Center"\"Application"\"LEW-17618-3"\\"13/952,872"\"High Tg Polyimides For Resin Transfer Molding (RTM)"\"07/29/2033"
+"NASA Glenn Research Center"\"Issued"\"LEW-17630-1"\7534519\"11/228,185"\"Bi-Electrode Supported Cell For High Power Density Solid Oxide Fuel Cells"\"09/16/2025"
+"NASA Glenn Research Center"\"Application"\"LEW-17634-1"\0\"11/228,184"\"Solid Oxide Fuel Cell Stack Design With Bi-Electrode Supported Cells"\
+"NASA Glenn Research Center"\"Application"\"LEW-17634-2"\0\"12/860,210"\"Solid Oxide Fuel Cell Stack Design With Bi-Electrode Supported Cells"\
+"NASA Glenn Research Center"\"Issued"\"LEW-17642-2"\7308164\"11/398,734"\"Energetic Atomic And Ionic Oxygen Textured Optical Surfaces For Blood Glucose Monitoring"\"03/23/2026"
+"NASA Glenn Research Center"\"Issued"\"LEW-17642-4"\7305154\"11/483,887"\"Energetic Atomic And Ionic Oxygen Textured Optical Surfaces For Blood Glucose Monitoring"\"07/11/2026"
+"NASA Glenn Research Center"\"Issued"\"LEW-17661-1 with LEW-17765-1"\7438030\"11/213,604"\"Method of Fabricating Silicon Carbide Corrugated Diaphragms and Modular Actuator"\"08/26/2025"
+"NASA Glenn Research Center"\"Issued"\"LEW-17664-1"\7500350\"11/44,471"\"Elimination Of Lifetime Limiting Mechanism Of Hall Thrusters"\"01/28/2025"
+"NASA Glenn Research Center"\"Issued"\"LEW-17671-1"\7493869\"11/311,183"\"Very Large Area/Volume Microwave ECR Plasma And Ion Source"\"12/16/2025"
+"NASA Glenn Research Center"\"Issued"\"LEW-17672-1"\7261783\"10/946,286"\"Low Density High Creep Resistant Single Crystal Superalloy For Turbine Airfoils"\"09/22/2024"
+"NASA Glenn Research Center"\"Issued"\"LEW-17678-1"\7624566\"11/40,304"\"Magnetic Circuit For Hall Effect Plasma Accelerator"\"01/18/2025"
+"NASA Glenn Research Center"\"Issued"\"LEW-17694-1"\7397978\"11/180,990"\"Carrier Structure For Packaging Microphotonic Millimeter-Wave Receiver Based On Lithium Niobate Electro-Optic Resonator Disk Technology"\"07/13/2025"
+"NASA Glenn Research Center"\"Issued"\"LEW-17704-1"\7250723\"11/16,735"\"Cathode Luminescence Light Source For Broad Band Application In The Visible"\"12/21/2024"
+"NASA Glenn Research Center"\"Issued"\"LEW-17765-1 with LEW-17661-1"\7438030\"11/213,604"\"Side Sliding Microactuator"\"10/21/2025"
+"NASA Glenn Research Center"\"Issued"\"LEW-17786-1"\8197249\"11/412,935"\"Fully-Premixed Low-Emissions High-Pressure Multi-fuel Burner"\"04/28/2026"
+"NASA Glenn Research Center"\"Issued"\"LEW-17814-1"\7574137\"11/418,304"\"Multi-wavelength Time-coincident Optical Communications System"\"05/05/2026"
+"NASA Glenn Research Center"\"Issued"\"LEW-17820-1"\7755292\"11/625,545"\"Method For Ultraminiature Fiber Light Source"\"01/22/2027"
+"NASA Glenn Research Center"\"Issued"\"LEW-17820-2"\8264134\"12/795,356"\"Method For Ultraminiature Fiber Light Source"\"09/11/2032"
+"NASA Glenn Research Center"\"Issued"\"LEW-17825-1"\8163243\"11/517,555"\"Zero G Condensing Heat Exchanger With Integral Disinfection"\"09/07/2026"
+"NASA Glenn Research Center"\"Issued"\"LEW-17826-1"\7385692\"11/412,924"\"Method And System For Fiber Optic Determination Of Nitrogen And Oxygen Concentrations In Ullage Of Liquid Fuel Tanks"\"04/28/2026"
+"NASA Glenn Research Center"\"Issued"\"LEW-17859-1"\7389675\"11/434,578"\"Miniaturized Metal (Metal Alloy)/PdOx/SiC Schottky Diode Gas Sensors For Hydrogen And Hydrocarbons Detection At High Temperatures"\"05/12/2026"
+"NASA Glenn Research Center"\"Issued"\"LEW-17859-2"\8001828\"12/143,139"\"Miniaturized Metal (Metal Alloy) PdOx/Sic Hydrogen And Hydrocarbon Gas Sensors"\"06/20/2028"
+"NASA Glenn Research Center"\"Issued"\"LEW-17877-1"\7876276\"11/499,982"\"Antenna Near-Field Probe Station Scanner"\"08/02/2026"
+"NASA Glenn Research Center"\"Application"\"LEW-17877-2"\\"12/857,004"\"Antenna Near-Field Probe Station Scanner"\
+"NASA Glenn Research Center"\"Issued"\"LEW-17904-1"\7425650\"11/378,553"\"Syntheis Of Asymmetric Dianhydrides"\"03/15/2026"
+"NASA Glenn Research Center"\"Issued"\"LEW-17904-2"\7381849\"11/890,104"\"Synthesis Of Asymmetrical Benzophenone Dianhydride And Asymmetrical 6F-Dianhydride And Polyimides Therefrom (ALSO See LEW 18236-1)"\"07/19/2027"
+"NASA Glenn Research Center"\"Application"\"LEW-17915-1"\0\"12/536,969"\"Secure Optical Communications Using Quantum Two-Photon Transparency Modulation Spectroscopy"\
+"NASA Glenn Research Center"\"Issued"\"LEW-17916-1"\8052854\"11/754,255"\"Miniature Amperometric Solid Electrolyte Carbon Dioxide Sensor"\"05/25/2027"
+"NASA Glenn Research Center"\"Application"\"LEW-17916-2"\\"13/267,978"\"Miniature Amperometric Solid Electrolyte Carbon Dioxide Sensor"\
+"NASA Glenn Research Center"\"Application"\"LEW-17945-1"\0\"11/677,654"\"Portable Unit For Metabolic Analysis PUMA"\
+"NASA Glenn Research Center"\"Issued"\"LEW-17951-1"\8545786\"10/621,752"\"Manufacture Of Porous Net-Shaped Materials Comprising Alpha Or Beta Tricalcium Phosphate Or Mixtures Thereof"\"07/16/2023"
+"NASA Glenn Research Center"\"Issued"\"LEW-17954-1"\8016543\"11/695,435"\"Composite Case Armor"\"04/02/2027"
+"NASA Glenn Research Center"\"Application"\"LEW-17963-1"\0\"11/860,661"\"Passive Gas/Liquid Separation Within a Fuel Cell or Electrolysis Cell Using A Conductive Porous Separator"\
+"NASA Glenn Research Center"\"Issued"\"LEW-17975-1"\7382944\"11/489,813"\"Aluminization And Hyperthermal Atomic Oxygen Texturing Of Polymethylmethacralate Optical Fibers For Blood Glucose Monitoring"\"07/14/2026"
+"NASA Glenn Research Center"\"Issued"\"LEW-17991-1"\7390161\"/0"\"Toughened Composite Structures"\"06/24/2025"
+"NASA Glenn Research Center"\"Issued"\"LEW-18003-1"\7583169\"11/689,770"\"RF MEMS Switches Utilizing Non-Metallic Thin Film Cantilevers/Bridges With Controlled Stress And Conductivity"\"03/22/2027"
+"NASA Glenn Research Center"\"Issued"\"LEW-18042-1"\8067478\"11/582,693"\"A Method of Crosslinking Aerogels Using a One-pot Reaction Scheme"\"10/16/2026"
+"NASA Glenn Research Center"\"Application"\"LEW-18042-2"\0\"13/242,425"\"A Method of Crosslinking Aerogels Using a One-pot Reaction Scheme"\
+"NASA Glenn Research Center"\"Application"\"LEW-18043-1"\7341040\"11/486,460"\"Supercharged Two-Cycle Engines Employing Novel Single Element Reciprocating Shuttle Inlet Valve Mechanisms And With A Variable Compression Ratio"\"07/14/2026"
+"NASA Glenn Research Center"\"Application"\"LEW-18048-1"\0\"12/285,157"\"Two And Three Dimensional Near Infrared Subcutaneous Structure Imager Using Adaptive Nonlinear Video Processing"\
+"NASA Glenn Research Center"\"Issued"\"LEW-18049-1"\7909897\"11/946,079"\"Direct Fuel Impingement Planar-Array-Microreactor"\"11/28/2028"
+"NASA Glenn Research Center"\"Issued"\"LEW-18054-1"\7501032\"11/364,283"\"High Work Output Ni-Ti-Pt High Temperature Shape Memory Alloys And Associated Processing Methods"\"02/28/2026"
+"NASA Glenn Research Center"\"Issued"\"LEW-18059-1"\8242162\"11/956,848"\"Fluorescent On-Off Chemical Sensors"\"11/30/2019"
+"NASA Glenn Research Center"\"Issued"\"LEW-18076-1"\7999173\"11/689,431"\"Dust removal from solar cells"\"03/21/2027"
+"NASA Glenn Research Center"\"Application"\"LEW-18076-2"\\"13/198,896"\"Dust Removal from Solar Cells"\
+"NASA Glenn Research Center"\"Issued"\"LEW-18089-1"\8077103\"11/774,574"\"Cup Cylindrical Waveguide Antenna"\"07/06/2027"
+"NASA Glenn Research Center"\"Issued"\"LEW-18138-1"\7904282\"11/689,874"\"In-Flight Fault Accommodation Through Automated Control Parameter Changes"\"03/22/2027"
+"NASA Glenn Research Center"\"Application"\"LEW-18205-1"\0\"12/317,232"\"Branched Rod-Coil Polyimide-poly(ethylene Oxide) (PEO) Copolymers That Are Cured In The Solid State At Ambient Temperatures"\
+"NASA Glenn Research Center"\"Application"\"LEW-18207-1"\0\"11/759,570"\"Circuit For Communication Over DC Power Line Using High Temperature Electronics"\
+"NASA Glenn Research Center"\"Issued"\"LEW-18221-1"\7763325\"11/864,607"\"A Method For Thermal Spraying Of Coatings Using Resonant Pulsed Combustion"\"09/28/2027"
+"NASA Glenn Research Center"\"Application"\"LEW-18221-2"\\"12/835,345"\"A Method For Thermal Spraying Of Coatings Using Resonant Pulsed Combustion"\
+"NASA Glenn Research Center"\"Issued"\"LEW-18236-1"\8093348\"11/894,290"\"Synthesis Of Asymmetrical Benzophenone Dianhydride And Asymmetrical 6F-Dianhydride And Polyimides Therefrom"\"08/22/2027"
+"NASA Glenn Research Center"\"Application"\"LEW-18236-2"\0\"13/325,626"\"Synthesis Of Asymmetrical Benzophenone Dianhydride And Asymmetrical 6F-Dianhydride And Polyimides Therefrom"\
+"NASA Glenn Research Center"\"Issued"\"LEW-18248-1"\7791552\"11/871,237"\"Cellular Reflectarray Antenna"\"10/12/2027"
+"NASA Glenn Research Center"\"Issued"\"LEW-18248-2"\7990327\"12/874,370"\"Cellular Reflectarray Antenna"\"09/02/2030"
+"NASA Glenn Research Center"\"Issued"\"LEW-18253-1"\8191426\"12/133,743"\"Low TCR Nanocomposite Strain Gages"\"06/05/2028"
+"NASA Glenn Research Center"\"Issued"\"LEW-18254-1"\7876423\"12/163,382"\"Simultaneous Non-Contact Precision Measurement Of Microstructual And Thickness Variation In Dielectric Materials Using Terahertz Energy"\"06/27/2028"
+"NASA Glenn Research Center"\"Issued"\"LEW-18255-1"\7630736\"11/541,102"\"Autonomous Wireless Sensor Transceiver"\"05/09/2028"
+"NASA Glenn Research Center"\"Issued"\"LEW-18256-1"\7688117\"12/081,762"\"An N Channel JFET Based Digital Logic Gate Structure Using Resistive Level Shifters And Having Direct Application To High Temperature Silicon Carbide Electronics"\"04/21/2028"
+"NASA Glenn Research Center"\"Issued"\"LEW-18261-1"\7933027\"12/326,436"\"A Software Platform For Post-Processing Waveform-Based NDE"\"12/02/2028"
+"NASA Glenn Research Center"\"Application"\"LEW-18291-1"\0\"12/214,114"\"Adaptive Morphological Feature-Based Object Classifier For A Color Imaging System"\
+"NASA Glenn Research Center"\"Application"\"LEW-18296-1"\0\"13/193,160"\"Modular Battery Charge Controller"\
+"NASA Glenn Research Center"\"Issued"\"LEW-18313-1"\7923715\"12/336,503"\"A Novel Nanoionics-based Switch For Radiofrequency (RF) Applications"\"12/06/2028"
+"NASA Glenn Research Center"\"Issued"\"LEW-18313-2"\8410469\"13/050,229"\"A Novel Nanoionics-based Switch For Radiofrequency (RF) Applications"\"03/17/2031"
+"NASA Glenn Research Center"\"Application"\"LEW-18324-1"\0\"12/195,358"\"Semiconductor Metal Oxide Modified Solid Electrolyte Carbon Dioxide Microsensors With Reduced Operation Temperature"\
+"NASA Glenn Research Center"\"Issued"\"LEW-18325-1"\8415839\"12/319,617"\"External Magnetic Field Reduction Techniquie For Advanced Stirling Radioisotope Generator"\"01/09/2029"
+"NASA Glenn Research Center"\"Application"\"LEW-18325-2"\\"13/859,179"\"External Magnetic Field Reduction Techniquie For Advanced Stirling Radioisotope Generator"\"01/09/2029"
+"NASA Glenn Research Center"\"Issued"\"LEW-18338-1"\8506787\"12/533/258"\"Advancd Lightweight, High-Strength Electrochemical Cell Design and Structures"\"07/31/2029"
+"NASA Glenn Research Center"\"Issued"\"LEW-18340-1"\8091445\"12/431,456"\"Offset Compound Gear Inline Two-Speed Drive"\"04/28/2029"
+"NASA Glenn Research Center"\"Issued"\"LEW-18340-2"\8668613\"13/346,959"\"Offset Compound Gear Inline Two-Speed Drive"\"01/10/2032"
+"NASA Glenn Research Center"\"Issued"\"LEW-18356-1"\8220989\"12/571,215"\"Device for Measuring the Thermal Conductivity of Small, Highly Insulating Materials"\"09/30/2029"
+"NASA Glenn Research Center"\"Issued"\"LEW-18356-2"\8573835\"13/492,181"\"Device for Measuring the Thermal Conductivity of Small, Highly Insulating Materials"\"06/08/2032"
+"NASA Glenn Research Center"\"Issued"\"LEW-18362-1"\7872750\"12/285,173"\"Space Radiation Detector with Spherical Geometry"\"09/30/2028"
+"NASA Glenn Research Center"\"Issued"\"LEW-18362-2"\8159669\"12/972,624"\"Space Radiation Detector with Spherical Geometry"\"12/20/2030"
+"NASA Glenn Research Center"\"Issued"\"LEW-18373-1"\8353209\"12/570,841"\"A Radio Frequency Tank Eigenmode Sensor For Propellant Quantity Gauging"\"02/04/2031"
+"NASA Glenn Research Center"\"Issued"\"LEW-18426-1"\8484980\"12/894,346"\"A Free-Jet Dual-Mode Combustor Concept for Wide Operating Range Ramjet Propulsion"\"09/30/2030"
+"NASA Glenn Research Center"\"Application"\"LEW-18426-2"\0\"13/941,987"\"A Free-Jet Dual-Mode Combustor Concept for Wide Operating Range Ramjet Propulsion"\"07/15/2033"
+"NASA Glenn Research Center"\"Issued"\"LEW-18432-1"\7935601\"12/584,497"\"Addendum of Self-Aligned Ion Implant to Design and Processing of SiC High Temperature Transistors for Durable Operation Above 400 C"\"09/04/2029"
+"NASA Glenn Research Center"\"Application"\"LEW-18432-2"\0\"13/078,510"\"Addendum of Self-Aligned Ion Implant to Design and Processing of SiC High Temperature Transistors for Durable Operation Above 400 C"\
+"NASA Glenn Research Center"\"Issued"\"LEW-18458-1"\8386121\"12/791,907"\"Optimal Tuner Selection For Kalman Filter-Based Aircraft Engine Performance Estimation"\"06/02/2030"
+"NASA Glenn Research Center"\"Issued"\"LEW-18461-1"\8159238\"12/570,742"\"Method and Circuit for In-Situ Health Monitoring of Solar Cells in Space"\"09/30/2029"
+"NASA Glenn Research Center"\"Application"\"LEW-18461-2"\\"13/448,801"\"Method and Circuit for In-Situ Health Monitoring of Solar Cells in Space"\
+"NASA Glenn Research Center"\"Application"\"LEW-18466-1"\0\"12/616,952"\"Spring Tire"\
+"NASA Glenn Research Center"\"Application"\"LEW-18473-1"\0\"12/879,713"\"Ka-Band Waveguide 2-Way Hybrid Combiner for MMIC Amplifiers With Unequal and Arbitrary Power Output Ratio"\
+"NASA Glenn Research Center"\"Issued"\"LEW-18474-1"\8609750\"12/792,380"\"Selective Clay Placement Within A Silicate Clay-Epoxy Blend Nanocomposite"\"06/02/2030"
+"NASA Glenn Research Center"\"Issued"\"LEW-18476-1"\8182741\"12/544,742"\"Ball Bearings Comprising Nickel-Titanium And Methods Of Manufacture Thereof"\"08/20/2029"
+"NASA Glenn Research Center"\"Application"\"LEW-18476-2"\0\"12/544,674"\"Ball Bearings Comprising Nickel-Titanium And Methods Of Manufacture Thereof"\
+"NASA Glenn Research Center"\"Application"\"LEW-18477-1"\0\"13/242,300"\"Graphene Based Reversible Nano-Switch/Sensor Schottky Diode (nanoSSSD) Device"\
+"NASA Glenn Research Center"\"Issued"\"LEW-18483-1"\8310671\"12/893,627"\"Frame-Transfer Gating (FTG) Raman Spectroscopy for Time-Resolved Multiscalar Combustion Diagnostics"\"09/29/2030"
+"NASA Glenn Research Center"\"Application"\"LEW-18486-2"\0\"14/168,830"\"Polyimide Aerogels With Three Dimensional Cross-Linked Structure"\"01/30/2034"
+"NASA Glenn Research Center"\"Issued"\"LEW-18491-1"\8209976\"12/323,091"\"Shape Memory Based Actuators and Release Mechanisms"\"11/25/2028"
+"NASA Glenn Research Center"\"Application"\"LEW-18492-1"\0\"13/036,887"\"Synthesis Methods, Microscopy Characterization and Device Integration of Nanoscale Metal Oxide Semiconductors for Gas Sensing in Aerospace Applications"\
+"NASA Glenn Research Center"\"Issued"\"LEW-18496-1"\8283172\"12/711,465"\"Process to Produce Iron Nanoparticles - Lunar Dust Simulant Composite"\"02/24/2030"
+"NASA Glenn Research Center"\"Application"\"LEW-18500-1"\0\"12/848,903"\"Precision Time Protocol Base Trilateration for Planetary Navigation"\
+"NASA Glenn Research Center"\"Application"\"LEW-18516-1"\0\"13/542,163"\"Hybrid Gear"\
+"NASA Glenn Research Center"\"Issued"\"LEW-18538-1"\8373175\"12/791,276"\"Ohmic Contact to N- and P-type Silicon Carbide"\"06/01/2030"
+"NASA Glenn Research Center"\"Application"\"LEW-18542-1"\0\"12/870,475"\"Functionalization of Single Wall Carbon Nanotubes (SWCNTs) by Photooxidation"\
+"NASA Glenn Research Center"\"Application"\"LEW-18554-1"\0\"12/845,998"\"Internal Limit Sensor (ILS)"\
+"NASA Glenn Research Center"\"Application"\"LEW-18561-1"\0\"12/726,926"\"NASA PS400: A New High Temperature Solid Lubricant Coating for High Temperature Wear Applications"\
+"NASA Glenn Research Center"\"Application"\"LEW-18565-1"\0\"13/646,100"\"Catalytic Microtube Rocket Igniter"\"10/05/2032"
+"NASA Glenn Research Center"\"Application"\"LEW-18566-1"\0\"12/829,663"\"Low Density, High Creep Resistant Single Crystal Superalloy with Lower Manufacturing Cost"\
+"NASA Glenn Research Center"\"Application"\"LEW-18586-1"\\"13/030,342"\"Shock Sensing Apparatus"\
+"NASA Glenn Research Center"\"Issued"\"LEW-18593-1"\8653693\"13/014,849"\"Integrated Exciter/Igniter"\"01/27/2031"
+"NASA Glenn Research Center"\"Issued"\"LEW-18594-1"\8409372\"12/874,523"\"Thermomechanical Methodology for Stabilizing Shape Memory Alloy (SMA) Response"\"09/02/2030"
+"NASA Glenn Research Center"\"Application"\"LEW-18594-2"\\"13/845,526"\"Thermomechanical Methodology for Stabilizing Shape Memory Alloy (SMA) Response"\
+"NASA Glenn Research Center"\"Issued"\"LEW-18601-1"\8577504\"12/954,009"\"Inductive Power Device (IDP)"\"11/24/2030"
+"NASA Glenn Research Center"\"Application"\"LEW-18604-1"\\"12/894,444"\"Shock Resistant, Debris Tolerant, Lightweight, Corrosion Proof Bearings, Mechanical Components and Mechanisms Made From Hard, Highly Elastic Materials"\
+"NASA Glenn Research Center"\"Issued"\"LEW-18605-1"\8468794\"12/894,565"\"Dual-Mode Hybrid-Engine (DMH-Engine): A Next-Generation Electric Propulsion Thruster"\"09/30/2030"
+"NASA Glenn Research Center"\"Application"\"LEW-18605-2"\\"13/713,907"\"Dual-Mode Hybrid-Engine (DMH-Engine): A Next-Generation Electric Propulsion Thruster"\
+"NASA Glenn Research Center"\"Application"\"LEW-18605-3"\\"14/152,125"\"Dual-Mode Hybrid-Engine (DMH-Engine): A Next-Generation Electric Propulsion Thruster"\
+"NASA Glenn Research Center"\"Application"\"LEW-18608-1"\\"12/892,339"\"Liquid Tin Electrodes for Directo Conversion of JP-8 Fuel using the NASA BSC Solid Oxide Fuel Cell"\
+"NASA Glenn Research Center"\"Application"\"LEW-18614-1"\\"13/303,292"\"High-Temperature Thermometer Using Cr-Doped GdAlO3 Broadband Luminescence"\
+"NASA Glenn Research Center"\"Application"\"LEW-18615-1"\\"12/892,278"\"Purify Nanomaterials By Dissolving Excess Reactants And Catalysts In Ferric Chloride"\
+"NASA Glenn Research Center"\"Application"\"LEW-18629-1"\\"13/731,314"\"Electrospray Collection of Lunar Dust"\
+"NASA Glenn Research Center"\"Application"\"LEW-18631-1"\\"13/218,847"\"Circuit for Communication Over Power Lines"\
+"NASA Glenn Research Center"\"Application"\"LEW-18632-1"\\"13/311,987"\"Method For Fabricating Diamond-Dispersed Fiber-Reinforced Composite Coating On Low Temperature Sliding Thrust Bearing Interfaces"\
+"NASA Glenn Research Center"\"Application"\"LEW-18634-1"\\"13/134,959"\"Multi-Parameter Aerosol Scattering Sensor"\
+"NASA Glenn Research Center"\"Issued"\"LEW-18636-1"\8416007\"13/098,918"\"A Source Coupled N Channel JFET Based Digital Logic Gate Structure Using Resistive Level Shifters and Having Direct Application to High Temperature Silicon Carbide Electronics"\"05/02/2031"
+"NASA Glenn Research Center"\"Application"\"LEW-18639-1"\\"13/112,293"\"Atomic Oxygen Fluence Monitor"\
+"NASA Glenn Research Center"\"Application"\"LEW-18649-1"\\"12/870,443"\"Ultracapacitor Based Uninterruptible Power Supply (UPS) System"\
+"NASA Glenn Research Center"\"Application"\"LEW-18652-1"\\"13/476,470"\"Polarization Dependent Whispering Gallery Modes in Microspheres"\
+"NASA Glenn Research Center"\"Application"\"LEW-18658-1"\\"13/250,300"\"Levitated Ducted Fan (LDF) Aircraft Auxiliary Generator"\
+"NASA Glenn Research Center"\"Application"\"LEW-18674-1"\\"13/552,760"\"Polymer Electrolyte Based Ambient Temperature Oxygen Microsensors with Extremely Low Power Consumption for Enviromental Monitoring Applications"\
+"NASA Johnson Space Center"\"Application"\"MSC-25349-1"\0\"13/922036"\"Robonaut Teleoperation System"\
+"NASA Glenn Research Center"\"Issued"\"LEW-18691-1"\7588746\"11/431,815"\"Process and Apparatus for Hydrogen and Carbon Production via Carbon Aerosol-Catalyzed Dissociation of Hydrocarbons"\"05/10/2026"
+"NASA Glenn Research Center"\"Issued"\"LEW-18692-1"\7332146\"11/148,778"\"Method For Zero Emission Liquid Hydrogen Production From Methane & Landfill Gas"\"06/08/2025"
+"NASA Glenn Research Center"\"Application"\"LEW-18693-1"\\"/"\"Process For Hydrogen Production via Integrated Processing of Landfill Gas and Biomass"\
+"NASA Glenn Research Center"\"Application"\"LEW-18694-1"\\"13/075,879"\"Discrete Data Qualification System and Method Comprising Noise Series Fault Detection"\
+"NASA Glenn Research Center"\"Application"\"LEW-18704-1"\\"13/531,763"\"A Hybrid Power Management (HPM) Based Vehicle Architecture"\
+"NASA Glenn Research Center"\"Application"\"LEW-18714-1"\\"13/361,220"\"High Strength Nanocomposite Glass Fibers"\
+"NASA Glenn Research Center"\"Issued"\"LEW-18717-1"\8476979\"13/178,101"\"A Novel Wideband GaN MMIC Distributed Amplifier Based Microwave Power Module for Space Communications, Navigation, and Radar"\"07/07/2031"
+"NASA Glenn Research Center"\"Application"\"LEW-18717-2"\\"13/847,779"\"A Novel Wideband GaN MMIC Distributed Amplifier Based Microwave Power Module for Space Communications, Navigation, and Radar"\
+"NASA Glenn Research Center"\"Application"\"LEW-18724-1"\\"13/339,521"\"VESGEN Software for Mapping and Quantification of Vascular Remodeling in Botanical Plant Leaves"\
+"NASA Glenn Research Center"\"Application"\"LEW-18732-1"\\"13/514,582"\"Water Purification by High Voltage, Nanosecond, Non-Equilibrium Plasma: Applications to Human Spaceflight and Terrestrial Point-of-Use"\"08/16/2032"
+"NASA Glenn Research Center"\"Application"\"LEW-18736-1"\\"13/534,745"\"Iridium Interfacial Stack (IrIS) Final"\
+"NASA Glenn Research Center"\"Application"\"LEW-18738-1"\\"13/474,948"\"Atmospheric Turbulence Modeling for Aero Vehicles"\
+"NASA Glenn Research Center"\"Application"\"LEW-18752-1"\\"13/686,000"\"Large Strain Transparent Magneto-active Polymer Nanocomposites"\"11/28/2031"
+"NASA Glenn Research Center"\"Application"\"LEW-18754-1"\\"13/534,870"\"Method For Making Measurements Of The Post-Combustion Residence Time In A Gas Turbine Engine"\
+"NASA Glenn Research Center"\"Application"\"LEW-18761-1"\\"13/247,601"\"Temperature Sensitive Coating Sensor Based On Hematite"\
+"NASA Glenn Research Center"\"Application"\"LEW-18762-1"\\"13/364691"\"Selenium Interlayer for High-efficiency Multijunction Solar Cell"\
+"NASA Glenn Research Center"\"Application"\"LEW-18768-1"\\"13/788,041"\"Processing of Nanosensors Using a Sacrificial Template Approach"\"03/23/2032"
+"NASA Glenn Research Center"\"Application"\"LEW-18769-1"\\"13/537,816"\"Compact, Lightweight, CMC (Ceramic Matrix Composite)-Based Acoustic Liner for Subsonic Jet Aircraft Engines--Offering High Temperature Capability, Weight Reduction, and Broadband Acoustic Treatment"\
+"NASA Glenn Research Center"\"Application"\"LEW-18771-1"\\"13/301,249"\"Integrated Temperature and Capacitive Ablation Recession Rate Sensors"\
+"NASA Glenn Research Center"\"Application"\"LEW-18785-1"\\"13/246,440"\"Method to Pre-Stress Shock Resistant Mechanical Components and Mechanisms made from Hard, Highly Elastic Materials"\
+"NASA Glenn Research Center"\"Application"\"LEW-18789-1"\\"13/771,833"\"Method to Increase Performance of Foil Bearings Through Passive Thermal Management"\"02/27/2032"
+"NASA Glenn Research Center"\"Application"\"LEW-18797-1"\\"13/714,906"\"High Speed, Compliant, Planetary Flywheel Touchdown Bearing"\"12/16/2031"
+"NASA Glenn Research Center"\"Application"\"LEW-18802-1"\\"13/534,804"\"Alpha-STREAM Convertor - A Stirling Engine with no moving parts, eliminated streaming losses, high efficiency, low cost fabrication, and electronic wave modulation."\
+"NASA Glenn Research Center"\"Application"\"LEW-18809-1"\\"13/410,663"\"Sampling and Control Circuit Board for an Inertial Measurement Unit"\"08/03/2032"
+"NASA Glenn Research Center"\"Application"\"LEW-18816-1"\\"13/749,773"\"High Speed Edge Detecting Circuit For Use With Linear Image Sensor"\"06/01/2032"
+"NASA Glenn Research Center"\"Application"\"LEW-18821-1"\\"13/561,359"\"Dopant Selective Reactive Ion Etching of Silicon Carbide"\"07/30/2032"
+"NASA Glenn Research Center"\"Application"\"LEW-18822-1"\\"13/524,327"\"Planar Modular Package"\
+"NASA Glenn Research Center"\"Application"\"LEW-18825-1"\0\"13/804,546"\"Porous Cross-Linked Polyimide-UREA Networks"\"03/14/2033"
+"NASA Glenn Research Center"\"Application"\"LEW-18837-1"\\"13/527,181"\"In-Situ Solid Particle Generator"\
+"NASA Glenn Research Center"\"Application"\"LEW-18844-1"\\"13/918,333"\"Electrospun Nanofiber Coating Of Fiber Materials: A Composite Toughening Approach"\"06/14/2033"
+"NASA Glenn Research Center"\"Application"\"LEW-18849-1"\\"13/906,521"\"Paired Threaded Film Cooling Holes for Improved Turbine Film Cooling"\"05/31/2033"
+"NASA Glenn Research Center"\"Application"\"LEW-18858-1"\\"13/904,513"\"V-Cess: A Novel Flow Control Method Using A Shaped Recess"\"05/29/2033"
+"NASA Glenn Research Center"\"Application"\"LEW-18862-1"\\"13/474,972"\"Cascading TESLA oscillating flow diode for Stirling Engine Gas Bearings"\
+"NASA Glenn Research Center"\"Application"\"LEW-18864-1"\\"13/756,855"\"Polyimide Aerogel Thin Films"\"02/03/2032"
+"NASA Glenn Research Center"\"Application"\"LEW-18873-1"\\"13/968,000"\"High Temperature Single Crystal Preloader"\"08/15/2033"
+"NASA Glenn Research Center"\"Application"\"LEW-18887-1"\\"13/756,604"\"Fuzzy Neuron: Method and Hardware Realization"\"02/01/2033"
+"NASA Glenn Research Center"\"Application"\"LEW-18889-1"\\"13/713,846"\"High Speed Idle Engine Control Mode"\"12/13/2032"
+"NASA Glenn Research Center"\"Application"\"LEW-18890-1"\\"13/871,114"\"Suppression Of Unwanted Noise And Howl In A Test Configuration Where A Jet Exhaust Is Discharged Into A Duct"\
+"NASA Glenn Research Center"\"Application"\"LEW-18891-1 with LEW-18611-1 and LEW-18895-1"\\"13/723,598"\"G6 Flywheel Design"\"12/23/2031"
+"NASA Glenn Research Center"\"Application"\"LEW-18893-1"\\"13/653,027"\"Novel Aerogel-Based Antennas (ABA) for Aerospace Applications"\
+"NASA Glenn Research Center"\"Application"\"LEW-18900-1"\\\"High Efficiency, High Temperature Titanium Heat Pipe Radiator for Space Power and Propulsion Systems"\
+"NASA Glenn Research Center"\"Application"\"LEW-18902-1"\\"14/094,006"\"Analog Correlator Based on One Bit Digital Correlator"\"12/02/2033"
+"NASA Glenn Research Center"\"Application"\"LEW-18903-1"\\"13/923,441"\"Modeling and Simulation of a Solar Electric Propulsion Vehicle in Near-Earth Vicinity Including Solar Array Degradation"\"06/21/2033"
+"NASA Glenn Research Center"\"Application"\"LEW-18919-1"\\"13/645,799"\"Wireless Controlled Chalcogenide Nanoionic Radio Frequency Switch"\"04/04/2032"
+"NASA Glenn Research Center"\"Application"\"LEW-18923-1"\\"13/963,060"\"New Power Source For Deep Space Missions- Utilizing The Doubly Exothermic Reaction Between Deuterium And Palladium To Produce Electrical Power"\"08/09/2033"
+"NASA Glenn Research Center"\"Application"\"LEW-18928-1"\\\"Pt-Ti-Si Simultaneous Ohmic Contacts to N- and P-Type Silicon Carbide"\
+"NASA Glenn Research Center"\"Application"\"LEW-18934-1"\\"13/900,642"\"Conditionally Active Min-Max Limit Regulators"\"05/23/2033"
+"NASA Glenn Research Center"\"Application"\"LEW-18939-1"\\"13/916,797"\"Magnetostrictive Alternator - Low cost, No moving part, High Efficiency, Oscillating Acoustic Pressure Wave to Electric Power Transducer"\"06/13/2033"
+"NASA Glenn Research Center"\"Application"\"LEW-18942-1"\\"13/771,920"\"Adaptive Phase Delay Generator"\"02/20/2033"
+"NASA Glenn Research Center"\"Application"\"LEW-18949-1"\\"13/923,450"\"Advanced High Temperature and Fatigue Resistant Environmental Barrier Coating Bond Coat Systems for SiC/SiC Ceramic Matrix Composites"\"06/21/2033"
+"NASA Glenn Research Center"\"Application"\"LEW-18952-1"\\\"A Novel Real Time Adaptive Filter For The Reduction Of Artifacts In Functional Near Infrared Spectroscopy Signals"\
+"NASA Glenn Research Center"\"Application"\"LEW-18957-1"\\"14/048,895"\"Dynamic Range Enhancement Of High-Speed Data Acquisition Systems By Reversible Non-Linear Amplitude Compression"\"10/08/2033"
+"NASA Glenn Research Center"\"Application"\"LEW-18960-1"\\"13/891,461"\"Dry Snorkel Cold Immersion Suit for Hypothermia Prevention"\"05/11/2032"
+"NASA Glenn Research Center"\"Application"\"LEW-18963-1"\\"13/853,308"\"Flywheel Pulse & Glide System for Vehicles"\
+"NASA Glenn Research Center"\"Application"\"LEW-18964-1"\\"13/905,333"\"High Temperature Lightweight Self-Healing Ceramic Composites for Aircraft Engine Applications"\"05/30/2033"
+"NASA Glenn Research Center"\"Application"\"LEW-18970-1"\\"14/158,080"\"Methods for Intercalating and Exfoliating Hexagonal Boron Nitride"\"01/17/2034"
+"NASA Glenn Research Center"\"Application"\"LEW-18986-1"\\\"Generation Of High Pressure Oxygen Via Electrochemical Pumping In A Multi-Stage Electrolysis Stack"\
+"NASA Glenn Research Center"\"Application"\"LEW-19013-1"\\"14/095,442"\"Spoked Wheel Assembly With Two Rotational Modes"\"12/03/2033"
+"NASA Glenn Research Center"\"Application"\"LEW-19029-1"\\"14/191,708"\"Superelastic Ternary Ordered Intermetallic Compounds"\"02/27/2034"
+"NASA Glenn Research Center"\"Application"\"LEW-19040-1"\\"14/193,024"\"Fast, Large Area, Wide Band Gap UV Photodetector for Cherenkov Light Detection"\"02/28/2034"
+"NASA Glenn Research Center"\"Application"\"LEW-19045-1"\\"13/968,531"\"Multimode Directional Coupler for Measurement and Utilization of Harmonic Frequencies from Traveling Wave Tube Amplifiers"\"08/16/2033"
+"NASA Glenn Research Center"\"Application"\"LEW-19053-1"\\"14/193,719"\"Process for Preparing Aerogels from Polyamides"\"02/28/2034"
+"NASA Glenn Research Center"\"Application"\"LEW-19067-1"\\\"Plasma Spray-Physical Vapor Deposition (PS-PVD) of Advanced Environmental Barrier Coatings"\
+"NASA Glenn Research Center"\"Application"\"LEW-19077-1"\\\"Improved Composite Damage Tolerance and Through Thickness Conductivity By Interleaving Carbon Fiber Veil Nanocomposites"\
+"NASA Glenn Research Center"\"Application"\"LEW-19080-1"\\\"Crosslinked Polyethylene Aerogels from Low Density Polyethylene, Linear Low Density Polyethylene, and Repurposed Polyethylene"\
+"NASA Glenn Research Center"\"Application"\"LEW-19098-1"\\"61/866,585"\"High Temperature, Flexible Composite Seals for Aeronautics and Space Environments Incorporating Aerogel Insulation"\
+"NASA Glenn Research Center"\"Application"\"LEW-19171-1"\\"61/931,189"\"Low Power Charged Particle Counter for Space Radiation Monitoring"\
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-28402-2"\5780594\"08/448,196"\"Biologically Active Protein Fragments Containing Specific Binding Regions Of Serum Albumin Or Related Proteins"\"07/14/2015"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-28985-1"\5641681\"08/422,963"\"Device And Method For Screening Crystallization Conditions In Solution Crystal Growth"\"04/17/2015"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31175-2-CIP"\6578851\"09/693,098"\"Gasket Assembly For Sealing Mating Surfaces"\"10/16/2020"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31243-1"\6459822\" 09/364,919"\"Video Image Stabilization And Registration (VISAR)"\"07/26/2019"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31243-2-CON"\6560375\"10/143,539"\"Video Image Stabilization And Registration"\"05/10/2022"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31258-1"\6135255\"09/207,710"\"Releasable Conical Roller Clutch"\"12/09/2018"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31294-2-CIP2"\6592687\"10/196,389"\"Aluminum Alloy And Article Cast Therefrom"\"07/11/2022"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31294-5-CIP"\6399020\"09/688,729"\"Aluminum-Silicon Alloy Having Improved Properties At Elevated Temperatures And Articles Cast Therefrom"\"10/11/2020"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31294-6-CIP"\6419769\"09/749,503"\"Aluminum-Silicon Alloy Having Improved Properties At Elevated Temperatures And Process For Producing Cast Articles Therefrom"\"12/22/2020"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31294-7-CIP"\6669792\"09/800,312"\"Process For Producing A Cast Article From A Hypereutectic Aluminum-Silicon Alloy"\"03/02/2021"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31303-1"\6748349\"09/313,576"\"Generalized Fluid System Simulation Program (GFSSP) Version 2.01c"\"05/07/2019"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31387-1"\6361961\"09/560,532"\"GRAVITY RESPONSIVE NADH OXIDASE OF THE PLASMA MEMBRANE"\"04/25/2020"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31399-1"\6658329\"10/138,887"\"Addition Of Rangefinder To The Video Guidance Sensor"\"06/05/2022"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31413-1"\6497355\"09/690,035"\"Precision Penetration Control System For The Friction Stir Welding (FSW) Retractable Pin Tool"\"10/19/2020"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31475-1"\6424470\"09/616,624"\"Panoramic Refracting Optic (PRO)"\"07/28/2020"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31475-2-DIV"\6580567\"10/173,410"\"Panoramic Refracting Conical Optic"\"06/17/2022"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31488-1"\6028693\"09/7,124"\"Microresonator And Associated Method For Producing And Controlling Photonic Signals With A Photonic Bandgap Delay Apparatus"\"01/14/2018"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31490-1"\7118074\"10/690,161"\"Electrodynamic Tether System Design For Spacecraft Deorbit"\"10/17/2023"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31529-1"\7081730\"10/857,375"\"Micro-Commanding Servo Motor Controller With Greater Than Fifty Million To One Dynamic Rate Range"\"06/19/2024"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31559-1-CON"\8127977\"13/157,895"\"Phase/Matrix Transformation Weld Process And Apparatus"\"11/27/2021"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31559-1-DIV"\7980449\"10/385,168"\"Phase/Matrix Transformation Weld Process And Apparatus"\"11/27/2021"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31559-2-DIV"\8225984\"13/157988"\"Phase/Matrix Transformation Weld Process And Apparatus"\"11/27/2021"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31565-1"\6885779\"09/877,801"\"Full-Cycle, Low Loss, Low Distortion Phase Modulation From Multi-Layered Dielectric Stack With Terahertz Optical Bandwidth"\"08/17/2022"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31584-1"\6497091\"09/877,800"\"Hypergolic Ignitor Assembly"\"06/06/2021"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31584-1-CIP"\6845605\"10/288,800"\"Hypergolic Ignitor"\"01/26/2023"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31593-1"\6939610\"10/212,564"\"Smart Thermal Management Coating"\"09/20/2022"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31596-1"\6873762\"10/118,626"\"Fabrication Of Fiber-Optic Gratings Over A Wide Range Of Bragg Wavelength And Bandwidth Using A Single Phase Mask"\"10/12/2022"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31616-1"\6540426\"09/949,408"\"Passive Ball Capture Latch Docking Mechanism"\"09/04/2021"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31646-1"\6860099\"10/263,297"\"Liquid Propellant Tracing Impingement Injector"\"05/24/2023"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31649-1"\7446860\"11/527,648"\"Nonintrusive, Remote, Micron Accuracy, Laser Fresnel Ranging System"\"10/19/2026"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31698-1"\6802999\"10/173,536"\"Method Of Fabricating A Protective Crucible Wall Coating Incorporating Designed Multi-Use Channels"\"05/02/2023"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31706-1"\6886392\"10/622,174"\"Single Ball Bearing Lubricant And Material Evaluator"\"07/17/2023"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31727-1"\6953129\"10/231,428"\"Impact And Fire Resistant Coating For Pressure Vessels"\"11/07/2022"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31761-1"\6802488\"10/232,974"\"Electro-Mechanically Actuated Propellant Valve"\"01/29/2023"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31768-1"\6745942\"10/214,482"\"Magnetic Symbology Reader"\"08/05/2022"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31776-1"\7735265\"11/780,610"\"Foam-Rigidized Inflatable Tubular Space Booms"\"07/20/2027"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31785-1"\7006203\"10/646,000"\"Integrated Rangefinding Measurement In Video Guidance Sensor"\"08/21/2023"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31789-1"\7265476\"10/975,121"\"MEMS- Micro-Translation Stage With Indefinite Linear Travel Capability"\"11/01/2025"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31807-1"\7050161\"10/637,085"\"Global Radius Of Curvature Estimation And Control System For Segmented Mirrors (GRoCECS)"\"01/07/2025"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31813-1"\7802799\"11/527,653"\"Joining Metallic To Composite Components"\"07/29/2029"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31815-1"\7325749\"10/738,352"\"Distributed Solid State Programmable Thermostat / Power Controller"\"01/29/2026"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31817-1"\7515257\"11/14,455"\"Short-Range / Long-Range Integrated Target (SLIT) For Video Guidance Sensor Rendezvous And Docking"\"06/07/2027"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31823-1-DIV"\7095000\"10/943,827"\"Radio-Frequency Driven Dielectric Heaters For Non-Nuclear Testing In Nuclear Core Development"\"11/27/2024"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31828-1"\6918970\"10/120,226"\"High Strength Aluminum Alloy For High Temperature Applications"\"04/12/2023"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31838-1"\7641949\"10/857,379"\"Improved Pressure Vessel Impact Resistance Utilizing Filament Wound Hybrid Fibers"\"10/15/2025"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31842-1"\7347089\"11/215,749"\"Gas Volume Contents Within A Container, Smart Volume Instrument"\"11/26/2025"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31843-1"\7174077\"10/631,220"\"Fiber-Coupled Laser Diodes With Even Illumination Pattern"\"07/30/2023"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31852-1"\7106457\"10/857,372"\"Achromatic Shearing Phase Sensor For Phase Alignment Of A Segmented Telescope"\"01/21/2025"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31865-1"\6888476\"10/615,369"\"Advanced Video Guidance Sensor Software"\"07/21/2023"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31886-1"\6850592\"10/321,873"\"Digital Equivalent System (DEDS) For X-Ray Flourescent Spectral Output"\"01/08/2023"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31891-1"\7375801\"11/108,140"\"Video Sensor With Range Measurement Capability"\"11/06/2025"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31918-1"\7275675\"10/928,876"\"Optimal Design Geometry For All Friction Stir Weld Tools"\"01/15/2025"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-31944-1"\7017812\"10/730,191"\"Variable Distance Angular Symbology Reader"\"11/26/2023"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32024-1"\8297468\"10/857,380"\"Liquefied Natural Gas Fuel Tank"\"07/13/2021"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32031-1"\7738084\"11/543,284"\"Fiber Optic Liquid Mass Flow Sensor - Improved Prototype Design"\"09/29/2026"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32099-1-CON"\8561829\"13/544,066"\"Composite Pressure Vessel Including Crack Arresting Barrier"\"10/23/2029"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32102-1"\7540143\"11/172,665"\"Heated Pressure Balls Monopropellant Thermal Rocket Engine Cycle"\"12/12/2026"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32105-1-DIV"\7568608\"11/700,972"\"Ultrasonic Stir Welding Process And Apparatus"\"01/29/2027"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32115-1"\7686202\"11/543,287"\"Gimbling Shoulder For Friction Stir Welding"\"06/18/2027"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32136-1"\7595841\"11/174,210"\"Video Image Stabilization And Registration - Plus (VISAR+)"\"12/03/2027"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32137-1"\7177164\"11/376,632"\"Multi-loop High Voltage Power Supply with Fast Rise/Fall Time"\"03/10/2026"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32175-1"\7228241\"11/152,810"\"An Extended Lee-Kesler Equation-of-State (ELK-EoS) For The Volumetric And Thermodynamic Properties Of Propellant Fluids, Including The Non-Polar Quantum And Polar Fluids"\"06/13/2025"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32192-1"\7116098\"11/357,454"\"Absolute Limit Sensor (ALS)"\"02/16/2026"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32208-1"\7259981\"11/296,719"\"Analog Nonvolatile Computer Memory"\"12/14/2025"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32214-1"\7418814\"11/172,666"\"Dual Expander Cycle Rocket Engine Cycle with an Intermediate Brayton Cycle Heat Exchanger"\"12/19/2026"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32228-1"\8290435\"12/241,322"\"Short Range Antenna / Close Proximity Transmitter and Receiver"\"08/17/2031"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32253-1"\7469878\"11/518,733"\"Magnetorestrictive Valves"\"10/17/2026"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32307-1"\7908079\"11/527,658"\"Portable Runway Intersection Display And Monitoring System"\"01/13/2030"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32311-1"\7623621\"12/47,686"\"Identification And Authentication System Using Integrated Optical And X-ray Fluorescene Spectral Methods"\"03/13/2028"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32318-1"\8098060\"12/173,318"\"SCAPS(Single Coil Absolute Position Sensor) GAPSYN (Inductive Gap Sensor) Digital Signal Conditioning Electronics"\"09/29/2030"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32323-1"\8169620\"12/563,819"\"Sub-Pixel Spatial Resolution Interferometry With Interlaced Stitching"\"10/15/2030"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32324-1"\7594530\"11/942,322"\"Orbital Foamed Metal Extruder"\"06/09/2028"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32341-1"\8550468\"12/210,843"\"High Load Fully Retained Dynamic Cryogenic Seal"\"01/09/2032"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32364-1"\7808353\"11/513,433"\"Plasmoid Thruster for Electrode-less, High Specific Impulse Propulsion"\"07/22/2029"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32390-1"\7867589\"11/780,561"\"Hybrid composite cryogenic tank structure"\"10/14/2029"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32400-1"\7900436\"11/780,626"\"Gas Generator Augmented Expander Cycle Rocket Engine"\"01/04/2030"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32402-1"\7911174\"12/39,506"\"Inexpensive, Rate Insensitive, Linear, Load Compensating System for Hybrid Stepper Motors"\"01/25/2029"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32429-1"\7807097\"12/123,170"\"Orbital Batch Process Foamed Aluminum Facility"\"07/11/2028"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32438-1"\8004364\"11/828,563"\"16-Kilowatt (KW) 2-30MHz Solid State Power Amplifier using innovative combining methods"\"11/03/2028"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32439-1"\7831225\"11/828,590"\"H2O-NaCl based radio frequency power load"\"04/07/2029"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32497-1"\7848606\"12/047,805"\"Reprocessing Non-Oxide Optical Fiber Preforms Utilizing an Axial Magnetic Field"\"05/26/2029"
+"NASA Marshall Space Flight Center"\"Application"\"MFS-32518-1-CIP"\\"13/452,303"\"Liquid Propellant Injection Elements with Self-Adjusted Inlet Area for Rocket and Other Combustor-Type Engines Applications"\"10/03/2028"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32521-1"\7804600\"12/44,740"\"Dispersive Filter For Enhancement Of Laser Gyroscopes"\"06/10/2029"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32548-1"\7409875\"11/862,793"\"Optical Hotspot Conductive Fluid Flow Sensor"\"09/27/2027"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32558-1"\8490470\"12/569,555"\"True Shear Parallel Plate Viscometer"\"12/04/2031"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32584-1"\7929144\"12/336,260"\"Local Leak Detection and Health Monitoring of Pressurized Tanks in a Space Environment"\"11/17/2029"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32588-1"\8052860\"11/957,051"\"ELECTROCHEMICALLY-ENHANCED MECHANICAL POLISHING OF OPTICS"\"09/06/2030"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32605-1"\8309944\"12/240,626"\"Grazing Incidence Optics for Neutron Analysis and Imaging"\"12/07/2030"
+"NASA Marshall Space Flight Center"\"Application"\"MFS-32605-1-CIP"\0\"12/717,450"\"Novel Grazing Incidence Neutron Optics"\"09/29/2028"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32605-1-DIV"\8575577\"13/534,951"\"Novel Grazing Incidence Neutron Optics"\"09/29/2028"
+"NASA Marshall Space Flight Center"\"Application"\"MFS-32612-1-CIP"\\"13/796,693"\"Protective Safety Cover for Pool and Spa Drains"\"03/24/2029"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32614-1"\464750\"12/826,887"\"Magnetostrictive Regulator"\"04/03/2031"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32615-1"\8132772\"12/567,451"\"Avionics/Electronics Box Rail Mount System"\"11/27/2030"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32638-1"\8291776\"12/827,515"\"Magnetostrictive Force-to-Angle Sensor"\"03/12/2031"
+"NASA Marshall Space Flight Center"\"Application"\"MFS-32642-1"\0\"12/827,598"\"Cryogenic and Non-Cryogenic Optical Liquid Level Instrument for Stratified Conditions"\"04/05/2031"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32651-1"\8090484\"12/403,096"\"A Planar Translation Device for Solar Sail Spacecraft Attitude Control and Maneuvering"\"07/03/2030"
+"NASA Marshall Space Flight Center"\"Application"\"MFS-32655-1"\0\"12/862,510"\"AEROSPACE LASER IGNITION/ABLATION VARIABLE, HIGH PRECISION THRUSTER"\
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32667-1"\8357884\"12/839,848"\"Extraction of Water from the Soil of Space Bodies Using Microwave processes"\"04/22/2031"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32697-1"\8252734\"12/634,502"\"Multi Layered or Mixed Element Aqueous Ionic Fluids As Fuel or Lubrication Friction Modifiers"\"08/26/2030"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32697-1-CIP"\8563487\"13/525,623"\"Multi Layered or Mixed Element Aqueous Ionic Fluids As Fuel or Lubrication Friction Modifiers"\"12/09/2029"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32715-1"\8535440\"12/758169"\"Improvement of Crystalline Quality during Melt Growth of Semiconductors by Mechanically Induced Nucleation"\"07/18/2032"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32719-1"\8564770\"13/150832"\"Field-Deployable Spectral Estimator of Trichloroacetic Acid (TCAA) in Plants"\"05/18/2032"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32733-1"\7621670\"12/392,867"\"Unbalanced Flow Distribution Mixer with Flow Metering Capability"\"02/25/2029"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32737-1"\8448498\"12/870,468"\"Hermetic Seal Leak Detection Apparatus"\"06/06/2031"
+"NASA Marshall Space Flight Center"\"Application"\"MFS-32737-1-CIP"\\"13/874182"\"Hermetic Seal Leak Detection Apparatus"\"08/27/2030"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32748-1"\8132961\"12/397,973"\"Optimized Length-to-Diameter Ratio Flow Meter"\"08/16/2030"
+"NASA Marshall Space Flight Center"\"Application"\"MFS-32757-1"\0\"13/118086"\"Compliant Mechanical Motor"\
+"NASA Marshall Space Flight Center"\"Application"\"MFS-32761-1-CIP"\\"13/673,309"\"Multi-Channel Flow Plug with Eddy Current Minimization for Metering, Mixing, and Conditioning"\"07/23/2029"
+"NASA Marshall Space Flight Center"\"Application"\"MFS-32761-1-CON"\\"13/729,861"\"Multi-Channel Flow Plug with Eddy Current Minimization for Meeting, Mixing, and Conditioning"\"07/23/2029"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32777-1"\8425751\"13/020144"\"Electrodeposited Nickel-Cobalt Alloy Development"\"05/31/2031"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32797-1"\8330961\"12/837,173"\"A compact sensor for in-situ measurements of gas leaks"\"08/24/2031"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32803-1"\8133768\"12/560,371"\"Method of Manufacturing Light Emmitting, Photovoltaic or other Electronic Apparatus"\"05/31/2027"
+"NASA Marshall Space Flight Center"\"Application"\"MFS-32809-1"\0\"13/369,704"\"Telemetry encoder/decoder"\
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32817-1"\8290006\"13/281,025"\"Variable Power Handheld Laser Torch for Joining Processes"\"10/25/2031"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32826-1"\8316884\"12/846,429"\"Drain System for Pools, Spas, and Tanks. (Reference MFS 32612-1)"\"03/23/2031"
+"NASA Marshall Space Flight Center"\"Application"\"MFS-33054-1"\\"14/020,326"\"Multi-spacecraft Autonomous Positioning System / Network-Based Navigation"\"09/06/2033"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32830-1"\8420582\"13/027472"\"FRICTION MANAGEMENT USING SOLVENT PARTITIONING OF SINGLE ELEMENT AND MULTI-ELEMENT HYDROPHILIC SURFACE-INTERACTIVE CHEMICALS CONTAINED IN HYDROPHILIC TARGETED EMULSIONS"\"02/15/2031"
+"NASA Marshall Space Flight Center"\"Application"\"MFS-32830-1-CIP"\\"13/900,452"\"Friction and Wear Management Using Solvent Partioning of Hydrophilic Surface-Interactive Chemicals contains in Boundary Layer-Targeted Emulsions"\"03/07/2033"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32840-1"\8322685\"12/842,218"\"Non-collinear Valve Actuator"\"04/02/2031"
+"NASA Marshall Space Flight Center"\"Application"\"MFS-32841-1"\\"13/424,754"\"DUPLICATE of Telemetry encoder/decoder"\
+"NASA Marshall Space Flight Center"\"Application"\"MFS-32853-1"\\"14/196,203"\"Particle Damping for Vibration Mitigation of Circuit Cards"\"03/04/2034"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32857-1"\8668168\"13/326,513"\"Rocket Vent Design with Variable Flow Control and Rain Protection"\"01/21/2032"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32859-1"\8393520\"13/240,075"\"Variably Pulsed High Power Ultrasonic (HPU) Energy for Ultrasonic Stir Welding (USW)"\"11/07/2031"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32859-1-DIV"\8393523\"13/523,310"\"Pulsed Ultrasonic Stir Welding Method"\"09/22/2031"
+"NASA Marshall Space Flight Center"\"Application"\"MFS-32865-1"\\"13/302,734"\"Easily Installed, In-situ Adaptable Flow Measurement Device and Method."\
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32865-2"\8555731\"13/302,773"\"Easily Installed, In-situ Adaptable Flow Measurement Device and Method."\"06/04/2032"
+"NASA Marshall Space Flight Center"\"Application"\"MFS-32865-3"\\"13/302,817"\"Easily Installed, In-situ Adaptable Flow Measurement Device and Method."\
+"NASA Marshall Space Flight Center"\"Application"\"MFS-32865-4"\\"13/302,845"\"Easily Installed, In-situ Adaptable Flow Measurement Device and Method."\"08/23/2032"
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32871-1"\8577519\"13/424,898"\"Low Cost Telemetry System for Small/micro satellites"\"06/13/2032"
+"NASA Marshall Space Flight Center"\"Application"\"MFS-32873-1"\\"13/523210"\"High-current, high-voltage switch using non-hazardous liquid metals"\"11/29/2032"
+"NASA Marshall Space Flight Center"\"Application"\"MFS-32889-1"\\"13/174,084"\"Pyrotechnic Pipe Plug and Variable Area Flow Meter"\
+"NASA Marshall Space Flight Center"\"Application"\"MFS-32895-1"\\"13/242,734"\"High Powered Ultrasonically Assisted Thermal Stir Welding"\
+"NASA Marshall Space Flight Center"\"Application"\"MFS-32912-1"\\"13/299,930"\"Salt Water Power Load - Part II"\
+"NASA Marshall Space Flight Center"\"Application"\"MFS-32916-1"\\"13/333283"\"Improved Impact Toughness and Heat Treatment for Cast Aluminum Wheels"\
+"NASA Marshall Space Flight Center"\"Application"\"MFS-32924-1"\\"13/312,481"\"Partial Automated Alignment & Integration System"\"07/09/2032"
+"NASA Marshall Space Flight Center"\"Application"\"MFS-32934-1"\\"12/833,894"\"Methods, Devices, and Systems Relating to a Sensing Device"\
+"NASA Marshall Space Flight Center"\"Issued"\"MFS-32940-1"\8657179\"13/430,268"\"Closed Loop Temperature Control for the Thermal Stir Welding Process"\"03/26/2032"
+"NASA Marshall Space Flight Center"\"Application"\"MFS-32944-1"\\"13/896,137"\"Mitigation of Sonic Boom from Supersonic Vehicles by means of Long Penetration Mode (LPM) Counter-Flowing Cold Gas Jets"\"05/16/2033"
+"NASA Marshall Space Flight Center"\"Application"\"MFS-32945-1"\\"14/082,956"\"Piezoelectric Gravity Gradient and Multiple Purpose Sensor Detection System"\"11/18/2033"
+"NASA Marshall Space Flight Center"\"Application"\"MFS-32986-1"\\"13/961,573"\"Non-Explosively-Actuated Pressurization Start Valve"\"08/07/2033"
+"NASA Marshall Space Flight Center"\"Application"\"MFS-33007-1"\\"14/192,350"\"Carbon Nanotube Tape Vibrating Gyroscope Update"\"02/27/2034"
+"NASA Marshall Space Flight Center"\"Application"\"MFS-33022-1"\\"14/192,395"\"A Design Technology to Eliminate Dribble Volume in Rocket Engine Manifolds for Swirl-Coaxial Injectors"\"02/27/2034"
+"NASA Marshall Space Flight Center"\"Application"\"MFS-33031-1"\\"13/949,361"\"An aerodynamic design concept for rocket nozzle side load reduction"\"07/24/2033"
+"NASA Marshall Space Flight Center"\"Application"\"MFS-33060-1"\\"14/104,881"\"Carbon Nanotube Tape Single Axis Accelerometer"\"12/12/2033"
+"NASA Johnson Space Center"\"Issued"\"MSC-21715-2"\5869238\"08/390,904"\"Quantitative Method Of Measuring Cancer Cell Urokinase And Metastatic Potential"\"02/09/2016"
+"NASA Johnson Space Center"\"Issued"\"MSC-21947-1"\7541159\"10/828,531"\"MOLECULAR SPECIFIC ANTIBODIES AGAINST UROKINASE"\"08/28/2025"
+"NASA Johnson Space Center"\"Issued"\"MSC-22119-1"\5851816\"08/172,962"\"A PROCESS FOR DEVELOPING HIGH-FIDELITY THREE-DIMENSIONAL TUMOR MODELS OF HUMAN PROSTATE CARCINOMA"\"12/22/2015"
+"NASA Johnson Space Center"\"Issued"\"MSC-22122-1"\6117674\"08/366,065"\"HORIZONTAL ROTATING-WALL VESSEL PROPAGATION IN IN VITRO HUMAN TISSUE MODELS"\"09/12/2017"
+"NASA Johnson Space Center"\"Issued"\"MSC-22489-1"\5827531\"08/349,169"\"Multi-Lamellar, Immiscible-Phase Microencapsulation of Drugs"\"10/27/2015"
+"NASA Johnson Space Center"\"Issued"\"MSC-22616-2"\6133036\"09/7,239"\"Preservation Of Liquid Biological Samples"\"12/12/2015"
+"NASA Johnson Space Center"\"Issued"\"MSC-22616-3"\6716392\"09/630,979"\"Preservation Of Liquid Biological Samples"\"01/14/2018"
+"NASA Johnson Space Center"\"Issued"\"MSC-22633-1"\6485963\"09/587,028"\"Electrically Potentiated Growth Of Mammalian Neuronal Tissue Facilitated By Rotating Wall Vessel Culture"\"06/02/2020"
+"NASA Johnson Space Center"\"Issued"\"MSC-22633-2"\6673597\"09/798,854"\"Growth Stimulation Of Biological Cells And Tissue By Electromagnetic Fields And Uses Thereof"\"02/28/2021"
+"NASA Johnson Space Center"\"Issued"\"MSC-22695-1"\6261844\"09/213,988"\"A Unique Urine Preservative With Combined Antibacterial And Antioxidant Properties"\"12/17/2018"
+"NASA Johnson Space Center"\"Issued"\"MSC-22721-2"\6254359\"09/354,915"\"Blood Pump Bearing System"\"07/09/2019"
+"NASA Johnson Space Center"\"Issued"\"MSC-22724-1"\6047216\"09/129,832"\"Millimeter Wave/Microwave Ablation For Treatment Of Atherosclerotic Lesions"\"08/05/2018"
+"NASA Johnson Space Center"\"Issued"\"MSC-22724-2"\6226553\"09/501,150"\"Endothelium Preserving Microwave Treatment For Atherosclerosis"\"02/09/2020"
+"NASA Johnson Space Center"\"Issued"\"MSC-22724-3"\6223086\"09/504,768"\"Endothelium Preserving Microwave Treatment For Atherosclerosis"\"02/09/2020"
+"NASA Johnson Space Center"\"Issued"\"MSC-22724-5"\6496736\"09/500,538"\"Endothelium Preserving Microwave Treatment For Atherosclerosis"\"02/09/2020"
+"NASA Johnson Space Center"\"Issued"\"MSC-22757-1"\5879079\"08/917,581"\"Automated Propellant Blending Machine"\"08/20/2017"
+"NASA Johnson Space Center"\"Issued"\"MSC-22797-1"\6312398\"08/786,842"\"A Method Of Applying External Power To Assist In The Operation Of Joints In Pressure Suits And Inflatable Structures2283"\"12/19/2016"
+"NASA Johnson Space Center"\"Issued"\"MSC-22839-1"\6501414\"09/826,402"\"Locating Concealed Objects Using Spectral Signatures"\"04/02/2021"
+"NASA Johnson Space Center"\"Issued"\"MSC-22859-1"\6730498\"09/56,363"\"Production Of 1-25diOH Vitamin D3, Erythropoietin And Other Products By Epithelial And Interstitial Cells In Response To Shear Stress"\"04/08/2017"
+"NASA Johnson Space Center"\"Issued"\"MSC-22859-2"\6946246\"09/532,001"\"Production Of Functional Proteins: Balance Of Shear Stress And Gravity"\"03/21/2020"
+"NASA Johnson Space Center"\"Issued"\"MSC-22859-3"\7198947\"10/734,759"\"Production Of Functional Proteins: Balance Of Shear Stress And Gravity"\"12/22/2023"
+"NASA Johnson Space Center"\"Issued"\"MSC-22859-5"\7972821\"12/174,221"\"Production of Functional Proteins: Balance of Shear Stress and Gravity"\"02/11/2029"
+"NASA Johnson Space Center"\"Issued"\"MSC-22863-1"\7122071\"10/263,280"\"Centrifugal Adsorption Cartridge System (CACS)"\"12/21/2022"
+"NASA Johnson Space Center"\"Issued"\"MSC-22866-1"\6099864\"09/79,741"\"INSITU Activation Of Microcapsules"\"05/15/2018"
+"NASA Johnson Space Center"\"Issued"\"MSC-22900-1"\6231010\"09/236,785"\"Advanced Structural/Inflatable Hybrid Spacecraft Habitation Module"\"01/25/2019"
+"NASA Johnson Space Center"\"Issued"\"MSC-23563-2"\8039099\"11/848,332"\"Nanoencapsulated Aerogels Produced By Monomer Vapor Deposition And Polymerization"\"08/13/2028"
+"NASA Johnson Space Center"\"Issued"\"MSC-22931-1"\6354540\"09/405,301"\"Electro-Mechanically Actuated Magnetic Ring With Load Sensing Feedback And Closed Loop Control Docking/Berthing System For Alignment And Mating Of Multiple Vehicles, Structures, And/or Assemblies"\"09/20/2019"
+"NASA Johnson Space Center"\"Issued"\"MSC-22936-1"\6387399\"09/79,766"\"Protein Crystal Encapsulation Process"\"05/15/2018"
+"NASA Johnson Space Center"\"Issued"\"MSC-22936-2"\6558698\"09/733,391"\"Microencapsulated Bioactive Agents And Method Of Making"\"12/06/2020"
+"NASA Johnson Space Center"\"Issued"\"MSC-22936-3"\6676964\"09/774,168"\"Method For Determining The Three-Dimensional Structure Of A Protein"\"01/26/2021"
+"NASA Johnson Space Center"\"Issued"\"MSC-22936-4"\6599449\"09/774,169"\"X-Ray Crystallography Reagent"\"01/24/2021"
+"NASA Johnson Space Center"\"Issued"\"MSC-22937-1"\6214300\"09/79,833"\"Microencapsulation And Electrostatic Processing Device (MEPS)"\"05/15/2018"
+"NASA Johnson Space Center"\"Issued"\"MSC-22938-1"\6103271\"09/79,770"\"Low-Shear Microencapsulation & Electrostatic Coating Process"\"05/15/2018"
+"NASA Johnson Space Center"\"Issued"\"MSC-22939-4"\7968117\"12/100,009"\"Externally Triggered Microcapsules"\"07/09/2029"
+"NASA Johnson Space Center"\"Issued"\"MSC-22970-1"\6253563\"09/337,208"\"Solar-Powered Refrigeration System"\"06/03/2019"
+"NASA Johnson Space Center"\"Issued"\"MSC-22970-2"\6469487\"09/838,679"\"Solar Powered Refrigeration System"\"06/03/2019"
+"NASA Johnson Space Center"\"Issued"\"MSC-22970-3"\6453693\"09/838,680"\"Solar Powered Refrigeration System"\"06/03/2019"
+"NASA Johnson Space Center"\"Issued"\"MSC-23029-1"\6651739\"09/793,817"\"Medium Frequency Pseudo Noise Geological Radar"\"07/20/2021"
+"NASA Johnson Space Center"\"Issued"\"MSC-23037-1"\6864473\"09/988,855"\"Variable Shadow Screen For Optical Devices"\"11/14/2021"
+"NASA Johnson Space Center"\"Issued"\"MSC-23041-1"\6334302\"09/351,152"\"Variable Specific Impulse Magnetoplasma Rocket (VASIMR)"\"06/28/2019"
+"NASA Johnson Space Center"\"Issued"\"MSC-23049-3"\6592579\"09/746,542"\"Method For Selective Thermal Ablation"\"06/28/2021"
+"NASA Johnson Space Center"\"Issued"\"MSC-23049-4"\6675050\"09/746,533"\"Computer Program For Microwave Antenna"\"05/07/2021"
+"NASA Johnson Space Center"\"Issued"\"MSC-23076-1"\6321746\"09/574,758"\"Collapsable, Light, Portable Human Hyperbaric Chamber/Airlock System"\"05/17/2020"
+"NASA Johnson Space Center"\"Issued"\"MSC-23092-1"\6547189\"09/826,403"\"Advanced, Large Volume, Highly Loaded, Hybrid Inflatable Pressure Vessel"\"05/26/2021"
+"NASA Johnson Space Center"\"Issued"\"MSC-23153-1"\6995572\"09/803,613"\"Coplanar Waveguide Ice Detection Sensor"\"11/04/2023"
+"NASA Johnson Space Center"\"Issued"\"MSC-23154-1"\7113820\"09/906,013"\"A Real-Time, High Frequency QRS Electrocardiograph."\"05/03/2023"
+"NASA Johnson Space Center"\"Issued"\"MSC-23154-2"\7539535\"11/345,687"\"A Real-Time, High Frequency QRS Electrocardiograph"\"07/13/2027"
+"NASA Johnson Space Center"\"Issued"\"MSC-23178-1"\6997637\"10/5,820"\"Deceleration Limiting Safety Crash Wall"\"05/19/2022"
+"NASA Johnson Space Center"\"Issued"\"MSC-23193-1"\6618010\"09/994,989"\"Passive Noncoherent Tracking Of A Data-Modulated Signal"\"11/14/2021"
+"NASA Johnson Space Center"\"Issued"\"MSC-23277-1"\7295309\"10/734,753"\"Microcapsule Flow Sensor"\"11/12/2024"
+"NASA Johnson Space Center"\"Issued"\"MSC-23303-1"\7397774\"10/446,283"\"Downlink Data Multiplexer"\"01/16/2026"
+"NASA Johnson Space Center"\"Issued"\"MSC-23307-1"\6559645\"10/28,962"\"Detection Of Subterranean Metal Objects Using Differential Spectral Processing"\"11/17/2020"
+"NASA Johnson Space Center"\"Issued"\"MSC-23309-1"\7040319\"10/87,866"\"Oxygen Partial Pressure Monitoring Device For Aircraft Oxygen Masks."\"04/27/2022"
+"NASA Johnson Space Center"\"Issued"\"MSC-23311-1"\6650280\"09/953,612"\"Mass Measurement During Fluid Flow Using An Integrated Sonic/Microwave Detector."\"09/14/2021"
+"NASA Johnson Space Center"\"Issued"\"MSC-23314-1"\6899009\"09/892,355"\"Flexshield (Flexible Multi-Shock Shield Technology)"\"06/26/2021"
+"NASA Johnson Space Center"\"Issued"\"MSC-23349-1"\7415005\"10/283,354"\"MCC Voice Over Internet Protocol (VOIP)"\"08/08/2026"
+"NASA Johnson Space Center"\"Application"\"MSC-23349-2-SB"\0\"12/170,614"\"Ad Hoc Selection of Voice Over Internet Streams"\
+"NASA Johnson Space Center"\"Issued"\"MSC-23424-1"\6985606\"10/212,579"\"Global Distribution Of Large Fluvial Fans/Potential Hydrocarbon Exploration Guide"\"06/12/2024"
+"NASA Johnson Space Center"\"Issued"\"MSC-23427-1"\6944504\"10/302,323"\"Microwave Ablation Of Prostatic Cells Using A Separated Antenna Array"\"07/23/2023"
+"NASA Johnson Space Center"\"Issued"\"MSC-23436-1"\7126553\"10/679,688"\"Tri-Sector Deployable Array Antenna"\"08/11/2024"
+"NASA Johnson Space Center"\"Issued"\"MSC-23443-1"\6647855\"10/263,293"\"Method And Apparatus For Deploying A Hypervelocity Shield"\"09/30/2022"
+"NASA Johnson Space Center"\"Issued"\"MSC-23444-1"\6932090\"10/361,046"\"A Simple Countermeasure For Management Of Motion Sickness And Vestibular/Sensory-Motor Problems Associated With Space Flight And Terrestial Motion Sickness"\"07/01/2023"
+"NASA Johnson Space Center"\"Issued"\"MSC-23449-1"\7386340\"10/402,866"\"Method For Diagnosis Of Coronary Artery Disease And Related Conditions Using 12-Lead High Frequency QRS Electrocardiography"\"12/30/2025"
+"NASA Johnson Space Center"\"Issued"\"MSC-23510-1"\6851647\"10/417,377"\"Portable Catapult Launcher For Small Aircraft"\"04/03/2023"
+"NASA Johnson Space Center"\"Issued"\"MSC-23518-1"\7168935\"10/637,086"\"Low Voltage Electron Beam Solid Freeform Fabrication System"\"09/29/2024"
+"NASA Johnson Space Center"\"Issued"\"MSC-23538-1"\6943619\"10/443,233"\"Practical Active Capacitor Filter"\"05/21/2023"
+"NASA Johnson Space Center"\"Issued"\"MSC-23539-1"\6943621\"10/443,234"\"Auto-Routable, Configurable, Daisy Chainable Data Acquisition System"\"08/16/2023"
+"NASA Johnson Space Center"\"Issued"\"MSC-23563-1"\7270851\"10/985,081"\"Nano-Encapsulated Aerogel"\"05/14/2025"
+"NASA Johnson Space Center"\"Issued"\"MSC-23594-1"\7125370\"10/845,608"\"Articulating Subject Support For Resistive Exercise In The Horizontal Position"\"02/22/2025"
+"NASA Johnson Space Center"\"Issued"\"MSC-23623-1"\7212934\"11/370,379"\"String Resistance Detector Concept"\"03/06/2026"
+"NASA Johnson Space Center"\"Issued"\"MSC-23659-1"\7094045\"10/734,754"\"Pulse-Flow Microencapsulation System"\"06/09/2024"
+"NASA Johnson Space Center"\"Issued"\"MSC-23659-2"\7588703\"11/428,465"\"Microencapsulation System And Method"\"03/14/2027"
+"NASA Johnson Space Center"\"Issued"\"MSC-23668-1"\7250075\"10/874,004"\"Water Outlet Control Mechanism For Fuel Cell System Operation In Variable Gravity Environments"\"11/04/2025"
+"NASA Johnson Space Center"\"Issued"\"MSC-23695-1"\7249540\"11/177,652"\"Torquing Tool Attachment For Round Connectors With Attached Cables"\"08/27/2025"
+"NASA Johnson Space Center"\"Issued"\"MSC-23781-1"\7410485\"11/40,613"\"Directional Microwave Applicator/Antenna"\"10/16/2026"
+"NASA Johnson Space Center"\"Issued"\"MSC-23805-1"\7462141\"11/31,942"\"Advanced Resistive Exercise Device (ARED)"\"01/10/2027"
+"NASA Johnson Space Center"\"Issued"\"MSC-23881-1"\7686529\"11/958,908"\"Low Friction, Low Profile, High Moment Two-Axis Joint"\"12/18/2027"
+"NASA Johnson Space Center"\"Application"\"MSC-23882-1"\0\"12/899654"\"Analog Strain Gage Conditioning System for Space Environment"\
+"NASA Johnson Space Center"\"Issued"\"MSC-23906-1"\7295884\"11/158,354"\"Method for the Design and Analysis of the Primary Load Bearing Layer of an Inflatable Vessel"\"07/20/2026"
+"NASA Johnson Space Center"\"Issued"\"MSC-23933-1"\7543779\"11/625,066"\"Low Impact Docking System (LIDS) A.k.a, International Berthing Docking Mechanism (IBDM)"\"02/22/2028"
+"NASA Johnson Space Center"\"Issued"\"MSC-23954-1"\7357606\"11/357,461"\"Self-Advancing Step-Tap Drill"\"08/14/2026"
+"NASA Johnson Space Center"\"Issued"\"MSC-23988-1"\8343740\"12/58,227"\"Micro-Organ Device"\"10/31/2031"
+"NASA Johnson Space Center"\"Issued"\"MSC-23988-2"\8580546\"13/688982"\"Micro-Organ Device"\"11/29/2032"
+"NASA Johnson Space Center"\"Issued"\"MSC-23997-2"\7815149\"12/388,345"\"Magnetic Capture Docking Mechanism"\"04/01/2025"
+"NASA Johnson Space Center"\"Issued"\"MSC-24000-1"\8076136\"/0"\"Development And Characterization Of A Three-Dimensional Tissue Culture Model Of Bone"\"10/31/2021"
+"NASA Johnson Space Center"\"Issued"\"MSC-24042-1"\7411198\"11/421,174"\"New Architecture for Space Radiation Detection"\"02/01/2027"
+"NASA Johnson Space Center"\"Issued"\"MSC-24106-1"\7577482\"11/683,770"\"Network System Plug And Play Through Positional And Functional Connectivity Identification"\"04/21/2028"
+"NASA Johnson Space Center"\"Issued"\"MSC-24115-1"\8022307\"11/772,999"\"Method and Apparatus for Fabric Circuits and Antennas"\"06/19/2030"
+"NASA Johnson Space Center"\"Issued"\"MSC-24149-1"\8122646\"12/402,986"\"A Description Of An Improved Method For Folding, Assembling, And Weight Relief Of An Inflatable Shell"\"02/04/2030"
+"NASA Johnson Space Center"\"Issued"\"MSC-24149-2"\8266866\"13/346137"\"A Description Of An Improved Method For Folding, Assembling, And Weight Relief Of An Inflatable Shell"\"03/12/2029"
+"NASA Johnson Space Center"\"Issued"\"MSC-24164-1"\8338114\"11/789,117"\"Methods For Growing Tissue-Like 3D Assemblies (TLA) Of Human Broncho-Epithelial Cells"\"05/04/2030"
+"NASA Johnson Space Center"\"Issued"\"MSC-24169-1"\7862946\"11/671,210"\"Self-Regulating Control of Parasitic Electric Loads in Fuel Cell Power Systems"\"11/05/2029"
+"NASA Johnson Space Center"\"Issued"\"MSC-24180-1"\7935259\"12/167,332"\"Water Filtering Device, 100% Effective"\"09/14/2029"
+"NASA Johnson Space Center"\"Issued"\"MSC-24184-1"\8116350\"12/353,755"\"Ultra-Wideband (UWB) Two-Cluster Angle Of Arrival (AOA) Passive Tracking System Design"\"07/22/2030"
+"NASA Johnson Space Center"\"Issued"\"MSC-24201-1"\7509774\"11/610,295"\"A Description Of An Improved Method For Attaching An Inflatable Shell To A Rigid Interface"\"06/13/2027"
+"NASA Johnson Space Center"\"Issued"\"MSC-24207-1"\7604782\"11/625,670"\"X-38 Advanced Sublimator"\"04/12/2028"
+"NASA Johnson Space Center"\"Issued"\"MSC-24215-1"\8070105\"11/956,826"\"A Description Of A Concentric Nested Torroidal Inflatable Habitat"\"10/04/2030"
+"NASA Johnson Space Center"\"Issued"\"MSC-24216-1"\8047473\"12/240,537"\"A Description Of An Octonode Connecting Node Concept And Method"\"01/10/2030"
+"NASA Johnson Space Center"\"Issued"\"MSC-24228-1"\7521682\"11/421,196"\"New Architecture For Space Radiation Detection"\"03/07/2027"
+"NASA Johnson Space Center"\"Issued"\"MSC-24238-1"\8388613\"12/757657"\"Microwave Tissue Welding For Wound Closure"\"11/17/2031"
+"NASA Johnson Space Center"\"Issued"\"MSC-24263-1"\7805276\"11/958,937"\"Impact Detection System"\"02/12/2029"
+"NASA Johnson Space Center"\"Issued"\"MSC-24273-1"\7840387\"11/778,858"\"Method For The Design And Analysis Of The Primary Load Bearing Layer That Interfaces To The Structural Pass-through Of An Inflatable Vessel"\"07/31/2029"
+"NASA Johnson Space Center"\"Application"\"MSC-24314-1"\0\"12/880602"\"HDSS - High Density Spot Seeding"\
+"NASA Johnson Space Center"\"Issued"\"MSC-24346-1"\8466776\"12/828558"\"Extended Range RFID and Sensor Tag"\"09/05/2031"
+"NASA Johnson Space Center"\"Issued"\"MSC-24387-1"\8011229\"12/323,912"\"Artificial Intelligence Algorithm For Assessing Postural Stability During Normal Daily Activities Using Shoe Insert Pressure Sensors"\"11/26/2028"
+"NASA Johnson Space Center"\"Issued"\"MSC-24441-1"\7905946\"12/190,364"\"A Capillary-based Static Phase Separator For Highly Variable Wetting Conditions"\"07/02/2029"
+"NASA Johnson Space Center"\"Issued"\"MSC-24444-1"\8577120\"12/900644"\"Flash Infrared (IR) Thermography Contrast Computer Simulation And Data Analysis Software"\"04/22/2031"
+"NASA Johnson Space Center"\"Application"\"MSC-24451-1"\0\"13/057399"\"Rapid Detection Of The Varicella Zoster Virus (VZV) In Saliva Samples"\
+"NASA Johnson Space Center"\"Issued"\"MSC-24464-1"\7859292\"12/502,575"\"Reconfigurable SEU/SET Tolerance for FPGAs"\"07/14/2029"
+"NASA Johnson Space Center"\"Issued"\"MSC-24466-1"\8183870\"12/370,021"\"Battery cell voltage sensing and balancing using addressable transformers with electrical isolation and minimal additional connector pins and circuitry."\"07/01/2030"
+"NASA Johnson Space Center"\"Application"\"MSC-24490-1"\0\"12/612,171"\"High Altitude Hydration System"\
+"NASA Johnson Space Center"\"Application"\"MSC-24506-1"\0\"12/971919"\"A Method to Measure and Estimate Normalized contrast In Infrared Flash Thermography"\"01/08/2030"
+"NASA Johnson Space Center"\"Issued"\"MSC-24508-1"\8343403\"12/174,380"\"METHOD FOR MAKING A MICROPOROUS MEMBRANE"\"12/31/2030"
+"NASA Johnson Space Center"\"Issued"\"MSC-24509-1"\8570047\"12/855384"\"Battery Fault Detection with Saturating Transformers"\"02/02/2032"
+"NASA Johnson Space Center"\"Issued"\"MSC-24525-1"\8384614\"12/894749"\"Deployable Fresnel Rings"\"10/11/2031"
+"NASA Johnson Space Center"\"Application"\"MSC-24541-1"\0\"12/899815"\"Electromagnetic Time-Variance Magnetic Fields (TVMF) to generate, and re-grow Cartilage Cells by a Noninvasive Method"\
+"NASA Johnson Space Center"\"Issued"\"MSC-24569-1"\8176809\"12/331844"\"Planar Torsion Spring"\
+"NASA Johnson Space Center"\"Issued"\"MSC-24570-1"\8276958\"12/269579"\"Bidirectional Tendon Terminator"\
+"NASA Johnson Space Center"\"Issued"\"MSC-24571-1"\8371177\"12/241309"\"Tendon Tension Sensor"\
+"NASA Johnson Space Center"\"Application"\"MSC-24685-1"\8056423\"12/269,552"\"Sensing the Tendon Tension through the Conduit Reaction Forces"\"11/12/2028"
+"NASA Johnson Space Center"\"Application"\"MSC-24686-1"\8060250\"12/335,153"\"Joint Space Impedance Control for Tendon-Driven Manipulators"\"12/15/2028"
+"NASA Johnson Space Center"\"Issued"\"MSC-24687-1"\8170718\"12/338697"\"Multiple Priority Operational Space Impedance Control"\
+"NASA Johnson Space Center"\"Issued"\"MSC-24688-1"\8280837\"12/474068"\"CONTACT STATE ESTIMATION FOR MULTI-FINGER ROBOT HANDS USING PARTICLE FILTERS"\
+"NASA Johnson Space Center"\"Issued"\"MSC-24689-1"\7784363\"12/241320"\"PHALANGE TACTILE LOAD CELL"\"09/30/2028"
+"NASA Johnson Space Center"\"Issued"\"MSC-24732-1"\8364314\"12/624445"\"METHOD AND APPARATUS FOR AUTOMATIC CONTROL OF A HUMANOID ROBOT"\
+"NASA Johnson Space Center"\"Application"\"MSC-24733-1"\0\"13/349265"\"Pyrometer"\
+"NASA Johnson Space Center"\"Application"\"MSC-24734-1"\8498741\"12/564088"\"Dexterous Humanoid Robotic Wrist"\
+"NASA Johnson Space Center"\"Application"\"MSC-24735-1"\8467903\"12/564086"\"Tendon Driven Finger Actuation System"\
+"NASA Johnson Space Center"\"Issued"\"MSC-24736-1"\8291788\"12/564090"\"Rotary Series Elastic Actuator"\
+"NASA Johnson Space Center"\"Issued"\"MSC-24737-1"\8401700\"12/564124"\"ACTUATOR AND ELECTRONICS PACKAGING FOR EXTRINSIC HUMANOID HAND"\
+"NASA Johnson Space Center"\"Application"\"MSC-24738-1"\0\"12/564094"\"FRAMEWORK AND METHOD FOR CONTROLLING A ROBOTIC SYSTEM USING A DISTRIBUTED COMPUTER NETWORK"\
+"NASA Johnson Space Center"\"Application"\"MSC-24739-1"\8511964\"12/564084"\"Dexterous Humanoid Robot"\
+"NASA Johnson Space Center"\"Application"\"MSC-24740-1"\0\"12/564078"\"Dexterous Humanoid Robotic Finger"\
+"NASA Johnson Space Center"\"Issued"\"MSC-24741-1"\8255079\"12/564095"\"Human Grasp Assist"\"09/23/2029"
+"NASA Johnson Space Center"\"Application"\"MSC-24742-1"\8442684\"12/564076"\"Integrated High Speed FPGA Based Torque Controller"\
+"NASA Johnson Space Center"\"Application"\"MSC-24743-1"\8250901\"12/564092"\"Rotary Absolute Position Sensor Calibration"\
+"NASA Johnson Space Center"\"Application"\"MSC-24744-1"\8369992\"12/564083"\"Diagnostics, prognostics & health management for humanoid robotics and method thereof"\
+"NASA Johnson Space Center"\"GM"\"MSC-24745-1"\8424941\"12/564085"\"ROBOTIC THUMB ASSEMBLY"\
+"NASA Johnson Space Center"\"Application"\"MSC-24746-1"\8260460\"12/564096"\"Interactive Robot Control System"\
+"NASA Johnson Space Center"\"Issued"\"MSC-24747-1"\8244402\"12/564074"\"VISUAL PERCEPTION SYSTEM AND METHOD FOR A HUMANOID ROBOT"\
+"NASA Johnson Space Center"\"Issued"\"MSC-24750-1"\8483882\"12/686512"\"HIERARCHICAL ROBOT CONTROL SYSTEM AND METHOD FOR CONTROLLING SELECT DEGREES OF FREEDOM OF AN OBJECT USING MULTIPLE MANIPULATORS"\
+"NASA Johnson Space Center"\"Issued"\"MSC-24751-1"\8412376\"12/720725"\"TENSION DISTRIBUTION IN A TENDON-DRIVEN ROBOTIC FINGER"\
+"NASA Johnson Space Center"\"Issued"\"MSC-24752-1"\8033876\"12/706744"\"CONNECTOR PIN AND METHOD"\
+"NASA Johnson Space Center"\"Application"\"MSC-24753-1"\0\"12/720727"\"UNDERACTUATED DESIGN AND CONTROL OF A TENDON-DRIVEN FINGER"\
+"NASA Johnson Space Center"\"Application"\"MSC-24755-1"\0\"12/698832"\"Architecture For Robust Force and Impedance Control Of Series Elastic Actuators"\
+"NASA Johnson Space Center"\"Application"\"MSC-24758-1"\0\"14/184278"\"RFID Cavity"\"03/11/2033"
+"NASA Johnson Space Center"\"Application"\"MSC-24798-1"\0\"13/789903"\"Soft Decision Analyzer (SDA)"\"03/08/2033"
+"NASA Johnson Space Center"\"Application"\"MSC-24811-1"\0\"13/461,487"\"Self-enclosed and pipette free DNA/RNA Isolation device"\
+"NASA Johnson Space Center"\"Application"\"MSC-24813-1"\0\"13/791290"\"Pre-Polymerase Chain Reaction Preparation Kit"\"08/06/2032"
+"NASA Johnson Space Center"\"Application"\"MSC-24817-1"\8265792\"12/760954"\"Method and Apparatus for Calibrating Multi-Axis Load Cells in a Dexterous Robot"\
+"NASA Johnson Space Center"\"Application"\"MSC-24837-1"\0\"12/787479"\"Applying Workspace Limitations in a Velocity-Controlled Robotic Mechanism"\
+"NASA Johnson Space Center"\"Application"\"MSC-24919-1"\0\"13/790591"\"RFID Waveguide, Antenna, and Cavity Sensors"\"07/13/2032"
+"NASA Johnson Space Center"\"Issued"\"MSC-24926-1"\8412378\"12/629637"\"IN-VIVO TENSION CALIBRATION IN TENDON-DRIVEN MANIPULATORS"\
+"NASA Johnson Space Center"\"Issued"\"MSC-24930-1"\8489239\"12/916803"\"ROBUST OPERATION OF TENDON-DRIVEN ROBOT FINGERS USING FORCE AND POSITION-BASED CONTROL LAWS"\
+"NASA Johnson Space Center"\"Application"\"MSC-25026-1"\0\"13/354552"\"Battery Charge Equalizer with transformer array"\
+"NASA Johnson Space Center"\"Issued"\"MSC-25053-1"\"D628,609"\"29/359105"\"ROBOT"\"04/06/2030"
+"NASA Johnson Space Center"\"Application"\"MSC-25056-1"\0\"13/014901"\"SYSTEM AND METHOD FOR TENSIONING A ROBOTICALLY ACTUATED TENDON"\
+"NASA Johnson Space Center"\"Issued"\"MSC-25084-1"\8067909\"12/474430"\"METHOD AND APPARATUS FOR ELECTROMAGNETICALLY BRAKING A MOTOR"\"05/29/2029"
+"NASA Johnson Space Center"\"Application"\"MSC-25084-DE"\0\"12/474430"\"Method and Apparatus for Electromagnetically Braking a Motor"\
+"NASA Johnson Space Center"\"Application"\"MSC-25084-JP"\0\"12/474430"\"Method and Apparatus for Electromagnetically Braking a Motor"\
+"NASA Johnson Space Center"\"Application"\"MSC-25091-1"\0\"13/199484"\"FRET-Aptamer Assays for C-Telopeptide, Creatinine and Vitamin D"\"08/31/2031"
+"NASA Johnson Space Center"\"Issued"\"MSC-25121-1"\8483877\"12/875254"\"WORKSPACE SAFE OPERATION OF A FORCE- OR IMPEDANCE-CONTROLLED ROBOT"\
+"NASA Johnson Space Center"\"Application"\"MSC-25149-1"\0\"13/196252"\"Controlling Execution Sequence Using Tactile-Classification during manipulation by a humanoid robot"\
+"NASA Johnson Space Center"\"Application"\"MSC-25216-1"\0\"13/439,546"\"METHOD AND COMPOSITION FOR AMELIORATING THE EFFECTS FOR A SUBJECT EXPOSED TO RADIATION OR OTHER SOURCES OF OXIDATIVE STRESS"\
+"NASA Johnson Space Center"\"Application"\"MSC-25217-1"\0\"13/272442"\"METHOD FOR DYNAMIC OPTIMIZATION OF A ROBOT CONTROL INTERFACE"\
+"NASA Johnson Space Center"\"Application"\"MSC-25219"\0\"13/207911"\"FAST GRASP CONTACT COMPUTATION FOR A SERIAL ROBOT"\
+"NASA Johnson Space Center"\"Application"\"MSC-25265-1"\0\"13/851778"\"New method and device for digital to analog transformations and reconstructions of multichannel electrocardiograms"\"10/30/2032"
+"NASA Johnson Space Center"\"Application"\"MSC-25286-1"\0\"14/252660"\"A chemical formulation to stabilize urine and minimize the precipitation potential of minerals during distillation of urine"\"03/11/2033"
+"NASA Johnson Space Center"\"Application"\"MSC-25313-1"\0\"13/774835"\"Hydrostatic Hyperbaric Chamber"\"02/22/2033"
+"NASA Johnson Space Center"\"Application"\"MSC-25318"\0\"13/408668"\"HUMAN GRASP ASSIST SOFT"\
+"NASA Johnson Space Center"\"Application"\"MSC-25319"\0\"13/408656"\"HUMAN GRASP ASSIST "\
+"NASA Johnson Space Center"\"Application"\"MSC-25320"\0\"13/408675"\"HUMAN GRASP ASSIST CONTROLS"\
+"NASA Johnson Space Center"\"Application"\"MSC-25327-1"\0\"13/459557"\"COMMUNICATION SYSTEM AND METHOD"\
+"NASA Johnson Space Center"\"Application"\"MSC-25386-1"\0\"13/951671"\"Active Response Gravity Offload System - Vertical Software Release"\"07/26/2033"
+"NASA Johnson Space Center"\"Application"\"MSC-25590-1"\0\"13/790927"\"Systems and Methods for RFID-Enabled Information Collection"\
+"NASA Johnson Space Center"\"Application"\"MSC-25604-1"\0\"13/791584"\"Systems and Methods for RFID-Enabled Dispenser"\
+"NASA Johnson Space Center"\"Application"\"MSC-25605-1"\0\"13/790721"\"Switch Using Radio Frequency Identification"\
+"NASA Johnson Space Center"\"Application"\"MSC-25626-1"\0\"14/200,122"\"RFID Torque-Sensing Tag System for Fasteners"\"03/07/2034"
+"NASA Johnson Space Center"\"Application"\"MSC-25632-1"\0\"13/803017"\"ROBOT TASK COMMANDER WITH EXTENSIBLE PROGRAMMING ENVIRONMENT
+"\"03/14/2033"
+"NASA Johnson Space Center"\"Application"\"MSC-25758-1"\0\"14/184303"\"Methods, Systems and Apparatuses for Radio Frequency Identification"\"03/11/2033"
+"NASA Johnson Space Center"\"Application"\"MSC-25759-1"\0\"14/184337"\"Methods, Systems and Apparatuses for Radio Frequency Identification"\"03/11/2033"
+"NASA Johnson Space Center"\"Application"\"MSC-25760-1"\0\"14/184365"\"Methods, Systems and Apparatuses for Radio Frequency Identification"\"03/11/2033"
+"NASA Jet Propulsion Laboratory"\"Application"\"NPO-17734-1"\0\"07/700,830"\"Formation Of Self-Aligned Guard Ring For Silicide Schottky-Barrier Diodes Used For Infrared Detection"\
+"NASA Jet Propulsion Laboratory"\"Issued"\"NPO-19289-1"\6513023\"09/412,199"\"On-Chip Learning In VLSI Hardware"\"10/01/2019"
+"NASA Jet Propulsion Laboratory"\"Application"\"NPO-19769-1"\0\"08/868,175"\"Automated Cargo Inventory Identification Transponder"\
+"NASA Jet Propulsion Laboratory"\"Issued"\"NPO-19855-1"\6374630\"09/853,931"\"Champagne Heat Pump"\"05/09/2021"
+"NASA Jet Propulsion Laboratory"\"Issued"\"NPO-20031-1"\6828935\"10/176,761"\"Receiver Controlled Phased Array Antenna"\"07/19/2022"
+"NASA Jet Propulsion Laboratory"\"Issued"\"NPO-20837-1"\6526556\"09/591,386"\"MORPHING TECHNIQUE FOR ACCELERATED EVOLUTIONARY SYNTHESIS OF ELECTRONIC CIRCUITS"\"06/07/2020"
+"NASA Jet Propulsion Laboratory"\"Application"\"NPO-21136-1"\0\"10/219,384"\"A CMOS ACTIVE PIXEL SENSOR (APS) FOR READING COMPACT DISCS"\
+"NASA Jet Propulsion Laboratory"\"Issued"\"NPO-30703-1"\7240208\"10/424,287"\"ENCRYPTING DIGITAL CAMERA"\"04/23/2023"
+"NASA Jet Propulsion Laboratory"\"Issued"\"NPO-40040-1"\7480984\"40/863,835"\"A Concept For Suppressing Sublimation In Advanced Thermoelectric Devices"\"06/07/2024"
+"NASA Jet Propulsion Laboratory"\"Issued"\"NPO-40407-1"\7592747\"11/056,633"\"Piezoelectrically Enhanced PhotoCathode (PEPC)"\"02/09/2025"
+"NASA Jet Propulsion Laboratory"\"Issued"\"NPO-40827-1"\7156189\"11/1,465"\"SELF-MOUNTABLE AND EXTRACTABLE ULTRASONIC/SONIC ANCHOR (U/S-Anchor)"\"12/01/2024"
+"NASA Jet Propulsion Laboratory"\"Issued"\"NPO-41446-1"\8358723\"11/602,440"\"Architecture Of An Autonomous Radio"\"09/12/2031"
+"NASA Jet Propulsion Laboratory"\"Issued"\"NPO-41506-2"\8492160\"12/720,103"\"BIOMARKER SENSOR SYSTEM AND METHOD FOR MULTI-COLOR IMAGING AND PROCESSING OF SINGLE-MOLECULE LIFE SIGNATURES"\"04/09/2031"
+"NASA Jet Propulsion Laboratory"\"Issued"\"NPO-41511-1"\7385462\"11/376,638"\"Wideband (31 To 36 GHz) 24-Way Radial Power Combiner/Divider Fed By A Marie Transducer"\"03/14/2026"
+"NASA Jet Propulsion Laboratory"\"Issued"\"NPO-41982-1"\8078309\"12/415,206"\"Inverse Tomographic Approach To Create Arbitrary Sidewall Geometries In 3D Using LiGA Technologies"\"03/03/2021"
+"NASA Jet Propulsion Laboratory"\"Issued"\"NPO-42131-1"\7824247\"11/756,819"\"PORTABLE RAPID AND QUIET DRILL (PRAQD)"\"11/02/2027"
+"NASA Jet Propulsion Laboratory"\"Issued"\"NPO-42312-1"\7184624\"11/422,147"\"Slow light in chains of vertically coupled whispering gallery mode resonators"\"06/05/2026"
+"NASA Jet Propulsion Laboratory"\"Issued"\"NPO-42466-1"\7764384\"11/924,766"\"Swept frequency laser metrology system"\"10/26/2027"
+"NASA Jet Propulsion Laboratory"\"Issued"\"NPO-42563-1"\7353768\"11/456,441"\"Submersible Vehicle Propulsion and Power Generation"\"07/10/2026"
+"NASA Jet Propulsion Laboratory"\"Issued"\"NPO-42672-1"\7996112\"11/756,793"\"Micro Robot Explorer (SpiderBot) Mesh Crawler"\"06/08/2030"
+"NASA Jet Propulsion Laboratory"\"Issued"\"NPO-43213-1"\7850861\"11/764,359"\"Patterning packing materials for Fluidic Channels"\"10/13/2029"
+"NASA Jet Propulsion Laboratory"\"Issued"\"NPO-43348-1"\7809521\"12/40,459"\"Precise delay measurement circuit on FPGAs"\"01/31/2029"
+"NASA Jet Propulsion Laboratory"\"Issued"\"NPO-43361-1"\7773121\"11/741,213"\"High Resolution, Continuous Field of View, Non-Rotating Imaging Sensor Head"\"10/15/2028"
+"NASA Jet Propulsion Laboratory"\"Issued"\"NPO-43524-1"\7773362\"11/683,007"\"Dusty Plasma Thruster"\"01/03/2029"
+"NASA Jet Propulsion Laboratory"\"Issued"\"NPO-44079-1"\8022860\"11/781,022"\"Enhanced Interference Cancellation and Telemetry Reception with a Single Parabolic Dish Antenna using a Focal Plane Array"\"04/30/2030"
+"NASA Jet Propulsion Laboratory"\"Issued"\"NPO-44765-1"\7740088\"11/928,069"\"Ultrasonic/Sonic Rotary-Hammer Drill (USRoHD)"\"04/15/2028"
+"NASA Jet Propulsion Laboratory"\"Issued"\"NPO-44914-1"\8407979\"11/926,279"\"Magnetically-Conformed, Variable Area Discharge Chamber for Hall Thruster Plasma Accelerators"\"06/08/2031"
+"NASA Jet Propulsion Laboratory"\"Issued"\"NPO-45053-1"\8057283\"12/119,989"\"The process of significant improving of optical quality factor of whispering gallery mode resonator."\"09/15/2030"
+"NASA Jet Propulsion Laboratory"\"Issued"\"NPO-45911-1"\8163094\"12/508,006"\"Method to Improve Indium Bump Bonding Via Indium Oxide Removal Using a Two Step Plasma Process"\"08/16/2030"
+"NASA Jet Propulsion Laboratory"\"Issued"\"NPO-45948-1"\7843650\"12/490,422"\"Monolithic Afocal Telescope"\"06/24/2029"
+"NASA Jet Propulsion Laboratory"\"Application"\"NPO-46253-1"\0\"12/237,159"\"Generation of optical combs in a whispering gallery mode resonator from a bichromatic pump"\
+"NASA Jet Propulsion Laboratory"\"Issued"\"NPO-46843-1"\8169371\"12/541,725"\"A single-layer, all-metal patch antenna element with wide bandwidth"\"09/25/2030"
+"NASA Jet Propulsion Laboratory"\"Issued"\"NPO-46938-1"\8026768\"12/691,070"\"A 201Hg+ co-magnetometer for 199Hg+ trapped ion space atomic clocks"\"04/03/2030"
+"NASA Jet Propulsion Laboratory"\"Application"\"NPO-47300-1"\0\"13/017,174"\"Textured Si Anode for High Capacity, Rapid Charge Rate Li Ion Batteries"\
+"NASA Jet Propulsion Laboratory"\"Application"\"NPO-47300-2"\0\"13/895,499"\"Textured Si Anode for High Capacity, Rapid Charge Rate Li Ion Batteries"\"01/31/2031"
+"NASA Jet Propulsion Laboratory"\"Issued"\"NPO-47310-1"\8502987\"13/018,672"\"Coherent Detector for Near-Angle Scattering and Polarization Characterization of Telescope Mirror Coatings"\"03/24/2032"
+"NASA Jet Propulsion Laboratory"\"Issued"\"NPO-47604-1"\8649000\"13/277,954"\"Surface Enhanced Raman Scattering using Silica Whispering-Gallery Mode Resonators"\"07/10/2032"
+"NASA Jet Propulsion Laboratory"\"Application"\"NPO-47717-1"\\"13/281,683"\"360-Degree Camera Head for Unmanned Surface Sea Vehicles"\
+"NASA Jet Propulsion Laboratory"\"Issued"\"NPO-47869-1"\8649609\"13/071,299"\"FPGA Vision Data Architecture"\"04/17/2032"
+"NASA Jet Propulsion Laboratory"\"Application"\"NPO-47881-1"\\"14/151,684"\"Pulsed Plasma Lubricator (PPL) Technology for the In Situ Replenishment of Dry Lubricants in Extreme Environments"\
+"NASA Jet Propulsion Laboratory"\"Application"\"NPO-48140-1"\\"13/456,451"\"Probabilistic Surface Characterization for Safe Landing Hazard Detection and Avoidance"\
+"NASA Jet Propulsion Laboratory"\"Application"\"NPO-48413-1"\\"13/757,929"\"Simple Laser-Communications Terminal for Downlink from Earth-Orbit at Rates Exceeding 10 Gb/s"\"02/04/2033"
+"NASA Jet Propulsion Laboratory"\"Application"\"NPO-48539-1"\\"13/858,267"\"Neutral mounting of whispering gallery mode resonators for suppression of acceleration-induced frequency fluctuations"\"04/08/2033"
+"NASA Jet Propulsion Laboratory"\"Application"\"NPO-49086-1"\\"14/101,547"\"Electride Mediated Surface Enhanced Raman Spectroscopy"\"12/10/2033"
+"NASA Stennis Space Center"\"Issued"\"SSC-00040"\5726632\"08/622,178"\"HANDHELD HYDROGEN FIRE IMAGER"\"03/14/2016"
+"NASA Stennis Space Center"\"Issued"\"SSC-00050"\6020587\"09/3,212"\"A HAND HELD PLANT STRESS DETECTION SYSTEM"\"01/06/2018"
+"NASA Stennis Space Center"\"Issued"\"SSC-00247"\8618933\"11/866,042"\"Valve Health Monitoring System Utilizing Smart Instrumentation for Real Time and Historical Data Tracking"\"05/03/2032"
+"NASA Stennis Space Center"\"Issued"\"SSC-00264"\8336849\"12/704193"\"Conical Seat Shut Off Valve"\"01/13/2031"
+"NASA Stennis Space Center"\"Issued"\"SSC-00327"\8401820\"12/566,111"\"IN SITU HEALTH MONITORING OF PIEZOELECTRIC SENSORS"\"07/31/2030"
|
google__jax-9658 | [QoL] Add copy button in docs code snippets
Since I'm a bit lazy, I'd like to have a "copy to clipboard" button in jax docs to copy over code snippets instead of drag-select-copying it. Like this:

Dupicate Checks:
Nothing relevant comes up when searching for "copy button", "docs copy button" or even "button" for that matter.
| [
{
"content": "# Copyright 2018 Google LLC\n#\n# Licensed under the Apache License, Version 2.0 (the \"License\");\n# you may not use this file except in compliance with the License.\n# You may obtain a copy of the License at\n#\n# https://www.apache.org/licenses/LICENSE-2.0\n#\n# Unless required by applicab... | [
{
"content": "# Copyright 2018 Google LLC\n#\n# Licensed under the Apache License, Version 2.0 (the \"License\");\n# you may not use this file except in compliance with the License.\n# You may obtain a copy of the License at\n#\n# https://www.apache.org/licenses/LICENSE-2.0\n#\n# Unless required by applicab... | diff --git a/docs/conf.py b/docs/conf.py
index c75d97ec95ce..42e5bc261200 100644
--- a/docs/conf.py
+++ b/docs/conf.py
@@ -70,6 +70,7 @@
'sphinx_autodoc_typehints',
'myst_nb',
"sphinx_remove_toctrees",
+ 'sphinx_copybutton',
'jax_extensions',
]
diff --git a/docs/requirements.txt b/docs/requirements.txt
index 09454bb50aff..b62db0316a84 100644
--- a/docs/requirements.txt
+++ b/docs/requirements.txt
@@ -5,6 +5,7 @@ sphinx-book-theme
sphinx-remove-toctrees
# Newer versions cause issues; see https://github.com/google/jax/pull/6449
sphinx-autodoc-typehints==1.11.1
+sphinx-copybutton>=0.5.0
jupyter-sphinx>=0.3.2
myst-nb
|
numpy__numpy-3235 | 2to3 run `itertools_imports` fixer
| [
{
"content": "#!/usr/bin/env python3\n# -*- python -*-\n\"\"\"\n%prog SUBMODULE...\n\nHack to pipe submodules of Numpy through 2to3 and build them in-place\none-by-one.\n\nExample usage:\n\n python3 tools/py3tool.py testing distutils core\n\nThis will copy files to _py3k/numpy, add a dummy __init__.py and\nv... | [
{
"content": "#!/usr/bin/env python3\n# -*- python -*-\n\"\"\"\n%prog SUBMODULE...\n\nHack to pipe submodules of Numpy through 2to3 and build them in-place\none-by-one.\n\nExample usage:\n\n python3 tools/py3tool.py testing distutils core\n\nThis will copy files to _py3k/numpy, add a dummy __init__.py and\nv... | diff --git a/tools/py3tool.py b/tools/py3tool.py
index 9d67bf2c52fc..6fca72ebae45 100755
--- a/tools/py3tool.py
+++ b/tools/py3tool.py
@@ -66,7 +66,7 @@
'intern',
# 'isinstance',
# 'itertools',
-# 'itertools_imports',
+ 'itertools_imports',
# 'long',
'map',
'metaclass',
|
sunpy__sunpy-3973 | We don't close VSO connections
When I run the some of the examples that call the VSO, I see this in the output in my terminal:
```
generating gallery for generated/gallery/acquiring_data... [100%] searching_vso.py
/home/nabil/GitHub/sunpy/.tox/build_docs/lib/python3.8/site-packages/sphinx_gallery/gen_rst.py:692: ResourceWarning: unclosed <socket.socket fd=14, family=AddressFamily.AF_INET, type=SocketKind.SOCK_STREAM, proto=6, laddr=('192.168.1.103', 45712), raddr=('146.5.21.123', 80)>
gc.collect()
/home/nabil/GitHub/sunpy/.tox/build_docs/lib/python3.8/site-packages/sphinx_gallery/gen_rst.py:692: ResourceWarning: unclosed <socket.socket fd=17, family=AddressFamily.AF_INET, type=SocketKind.SOCK_STREAM, proto=6, laddr=('192.168.1.103', 45792), raddr=('146.5.21.123', 80)>
gc.collect()
/home/nabil/GitHub/sunpy/.tox/build_docs/lib/python3.8/site-packages/sphinx_gallery/gen_rst.py:692: ResourceWarning: unclosed <socket.socket fd=16, family=AddressFamily.AF_INET, type=SocketKind.SOCK_STREAM, proto=6, laddr=('192.168.1.103', 45790), raddr=('146.5.21.123', 80)>
gc.collect()
```
We should find out where we aren't closing these connections and close them.
| [
{
"content": "# -*- coding: utf-8 -*-\n\"\"\"\nThis module provides a wrapper around the VSO API.\n\"\"\"\n\nimport os\nimport re\nimport cgi\nimport socket\nimport datetime\nimport warnings\nimport itertools\nfrom functools import partial\nfrom collections import defaultdict\nfrom urllib.error import URLError,... | [
{
"content": "# -*- coding: utf-8 -*-\n\"\"\"\nThis module provides a wrapper around the VSO API.\n\"\"\"\n\nimport os\nimport re\nimport cgi\nimport socket\nimport datetime\nimport warnings\nimport itertools\nfrom functools import partial\nfrom collections import defaultdict\nfrom urllib.error import URLError,... | diff --git a/changelog/3973.bugfix.rst b/changelog/3973.bugfix.rst
new file mode 100644
index 00000000000..a512749c567
--- /dev/null
+++ b/changelog/3973.bugfix.rst
@@ -0,0 +1 @@
+Closed the session in the destructor of VSOClient thus solving the problem of socket being left open
diff --git a/sunpy/net/tests/test_fido.py b/sunpy/net/tests/test_fido.py
index 93d4e3b4c6c..601be7d2d72 100644
--- a/sunpy/net/tests/test_fido.py
+++ b/sunpy/net/tests/test_fido.py
@@ -206,7 +206,7 @@ def test_tables_single_response():
@pytest.mark.remote_data
def test_tables_multiple_response():
results = Fido.search(a.Time('2012/3/4', '2012/3/6'),
- a.Instrument('lyra') | (a.Instrument('rhessi') & a.Physobs("summary_lightcurve")))
+ a.Instrument('lyra') | (a.Instrument('rhessi') & a.Physobs("summary_lightcurve")))
tables = results.tables
assert isinstance(tables, list)
assert all(isinstance(t, Table) for t in tables)
@@ -460,6 +460,14 @@ def test_vso_fetch_hmi(tmpdir):
assert len(files) == 1
+@pytest.mark.remote_data
+def test_unclosedSocket_warning():
+ with pytest.warns(None):
+ attrs_time = a.Time('2005/01/01 00:10', '2005/01/01 00:15')
+ result = Fido.search(attrs_time, a.Instrument('eit'))
+ Fido.fetch(result)
+
+
def test_fido_no_time(mocker):
jsoc_mock = mocker.patch("sunpy.net.jsoc.JSOCClient.search")
jsoc_mock.return_value = jsoc.JSOCResponse()
@@ -468,6 +476,7 @@ def test_fido_no_time(mocker):
jsoc_mock.assert_called_once()
+
@pytest.mark.remote_data
def test_slice_jsoc():
tstart = '2011/06/07 06:32:45'
diff --git a/sunpy/net/vso/vso.py b/sunpy/net/vso/vso.py
index 1076632b3ee..d12cd20eecf 100644
--- a/sunpy/net/vso/vso.py
+++ b/sunpy/net/vso/vso.py
@@ -909,3 +909,6 @@ def _can_handle_query(cls, *query):
@classmethod
def _attrs_module(cls):
return 'vso', 'sunpy.net.vso.attrs'
+
+ def __del__(self):
+ self.api.transport.session.close()
|
Nitrate__Nitrate-603 | Upgrade celery to 4.3.0
As per title. Remove `skipIf` from test `test_uses_celery`.
| [
{
"content": "# -*- coding: utf-8 -*-\n\nfrom setuptools import setup, find_packages\n\n\nwith open('VERSION.txt', 'r') as f:\n pkg_version = f.read().strip()\n\n\ndef get_long_description():\n with open('README.rst', 'r') as f:\n return f.read()\n\n\ninstall_requires = [\n 'beautifulsoup4 >= 4.... | [
{
"content": "# -*- coding: utf-8 -*-\n\nfrom setuptools import setup, find_packages\n\n\nwith open('VERSION.txt', 'r') as f:\n pkg_version = f.read().strip()\n\n\ndef get_long_description():\n with open('README.rst', 'r') as f:\n return f.read()\n\n\ninstall_requires = [\n 'beautifulsoup4 >= 4.... | diff --git a/setup.py b/setup.py
index 566a6623..00700d43 100644
--- a/setup.py
+++ b/setup.py
@@ -61,7 +61,7 @@ def get_long_description():
# Required packages required to run async tasks
'async': [
- 'celery == 4.2.0',
+ 'celery == 4.4.2',
],
'multiauth': [
diff --git a/src/tests/core/test_core.py b/src/tests/core/test_core.py
index 4abc92e3..55255fd6 100644
--- a/src/tests/core/test_core.py
+++ b/src/tests/core/test_core.py
@@ -328,8 +328,6 @@ def test_uses_threading(self, Thread):
self.assertTrue(thread.daemon)
thread.start.assert_called_once()
- @unittest.skipIf(PY37, 'Celery<4.3 does not work with Python 3.7. '
- 'Waiting for 4.3 to be released.')
@patch('celery.shared_task')
def test_uses_celery(self, shared_task):
with patch.object(settings, 'ASYNC_TASK', new=AsyncTask.CELERY.value):
|
cisagov__manage.get.gov-1672 | In the request form, make the behavior for submitting domain requests and alternates the same
### Issue description
In the request form, the "What .gov domain do you want?" and "Alternative domains (optional)" fields behave differently when given input.
* `What .gov...`, the first field, requires a user to click "Check availability" before showing whether the desired domain is available.
* `Alternative domains...` automatically shows the response a few moments after typing has stopped.
Implement the design approach to make the behavior for submitting domain requests and alternates the same. Design approach defined in figma.
### Acceptance criteria
- [ ] In the request form, the behavior for submitting domain requests and alternates are the same
### Additional context
[proto type ](https://www.figma.com/proto/v9EiY4kYfIHVWb8J58vXHS/Registrar%2FRequest%2F.gov-Domain?type=design&node-id=3-4259&t=1FVDm6ht1KQxFJc9-1&scaling=min-zoom&page-id=0%3A1&starting-point-node-id=3%3A4259)
[figma](https://www.figma.com/file/v9EiY4kYfIHVWb8J58vXHS/Registrar%2FRequest%2F.gov-Domain?type=design&node-id=0%3A1&mode=design&t=G0cZ3bAI9gEZck03-1)
### Links to other issues
Reference #1495 (design ticket)
| [
{
"content": "from __future__ import annotations # allows forward references in annotations\nfrom itertools import zip_longest\nimport logging\nfrom typing import Callable\nfrom api.views import DOMAIN_API_MESSAGES\nfrom phonenumber_field.formfields import PhoneNumberField # type: ignore\n\nfrom django import... | [
{
"content": "from __future__ import annotations # allows forward references in annotations\nfrom itertools import zip_longest\nimport logging\nfrom typing import Callable\nfrom api.views import DOMAIN_API_MESSAGES\nfrom phonenumber_field.formfields import PhoneNumberField # type: ignore\n\nfrom django import... | diff --git a/src/registrar/assets/js/get-gov.js b/src/registrar/assets/js/get-gov.js
index de7ef6172..52f88bb1d 100644
--- a/src/registrar/assets/js/get-gov.js
+++ b/src/registrar/assets/js/get-gov.js
@@ -130,7 +130,7 @@ function inlineToast(el, id, style, msg) {
}
}
-function _checkDomainAvailability(el) {
+function checkDomainAvailability(el) {
const callback = (response) => {
toggleInputValidity(el, (response && response.available), msg=response.message);
announce(el.id, response.message);
@@ -154,9 +154,6 @@ function _checkDomainAvailability(el) {
fetchJSON(`available/?domain=${el.value}`, callback);
}
-/** Call the API to see if the domain is good. */
-const checkDomainAvailability = debounce(_checkDomainAvailability);
-
/** Hides the toast message and clears the aira live region. */
function clearDomainAvailability(el) {
el.classList.remove('usa-input--success');
@@ -206,13 +203,33 @@ function handleInputValidation(e) {
}
/** On button click, handles running any associated validators. */
-function handleValidationClick(e) {
+function validateFieldInput(e) {
const attribute = e.target.getAttribute("validate-for") || "";
if (!attribute.length) return;
const input = document.getElementById(attribute);
+ removeFormErrors(input, true);
runValidators(input);
}
+
+function validateFormsetInputs(e, availabilityButton) {
+
+ // Collect input IDs from the repeatable forms
+ let inputs = Array.from(document.querySelectorAll('.repeatable-form input'))
+
+ // Run validators for each input
+ inputs.forEach(input => {
+ runValidators(input);
+ removeFormErrors(input, true);
+ });
+
+ // Set the validate-for attribute on the button with the collected input IDs
+ // Not needed for functionality but nice for accessibility
+ inputs = inputs.map(input => input.id).join(', ');
+ availabilityButton.setAttribute('validate-for', inputs);
+
+}
+
// <<>><<>><<>><<>><<>><<>><<>><<>><<>><<>><<>><<>><<>><<>><<>>
// Initialization code.
@@ -232,14 +249,64 @@ function handleValidationClick(e) {
for(const input of needsValidation) {
input.addEventListener('input', handleInputValidation);
}
+ const alternativeDomainsAvailability = document.getElementById('validate-alt-domains-availability');
const activatesValidation = document.querySelectorAll('[validate-for]');
+
for(const button of activatesValidation) {
- button.addEventListener('click', handleValidationClick);
+ // Adds multi-field validation for alternative domains
+ if (button === alternativeDomainsAvailability) {
+ button.addEventListener('click', (e) => {
+ validateFormsetInputs(e, alternativeDomainsAvailability)
+ });
+ } else {
+ button.addEventListener('click', validateFieldInput);
+ }
}
})();
/**
- * Delete method for formsets that diff in the view and delete in the model (Nameservers, DS Data)
+ * Removes form errors surrounding a form input
+ */
+function removeFormErrors(input, removeStaleAlerts=false){
+ // Remove error message
+ let errorMessage = document.getElementById(`${input.id}__error-message`);
+ if (errorMessage) {
+ errorMessage.remove();
+ }else{
+ return
+ }
+
+ // Remove error classes
+ if (input.classList.contains('usa-input--error')) {
+ input.classList.remove('usa-input--error');
+ }
+
+ // Get the form label
+ let label = document.querySelector(`label[for="${input.id}"]`);
+ if (label) {
+ label.classList.remove('usa-label--error');
+
+ // Remove error classes from parent div
+ let parentDiv = label.parentElement;
+ if (parentDiv) {
+ parentDiv.classList.remove('usa-form-group--error');
+ }
+ }
+
+ if (removeStaleAlerts){
+ let staleAlerts = document.querySelectorAll(".usa-alert--error")
+ for (let alert of staleAlerts){
+ // Don't remove the error associated with the input
+ if (alert.id !== `${input.id}--toast`) {
+ alert.remove()
+ }
+ }
+ }
+}
+
+/**
+ * Prepare the namerservers and DS data forms delete buttons
+ * We will call this on the forms init, and also every time we add a form
*
*/
function removeForm(e, formLabel, isNameserversForm, addButton, formIdentifier){
@@ -460,6 +527,7 @@ function hideDeletedForms() {
let isNameserversForm = document.querySelector(".nameservers-form");
let isOtherContactsForm = document.querySelector(".other-contacts-form");
let isDsDataForm = document.querySelector(".ds-data-form");
+ let isDotgovDomain = document.querySelector(".dotgov-domain-form");
// The Nameservers formset features 2 required and 11 optionals
if (isNameserversForm) {
cloneIndex = 2;
@@ -472,6 +540,8 @@ function hideDeletedForms() {
formLabel = "Organization contact";
container = document.querySelector("#other-employees");
formIdentifier = "other_contacts"
+ } else if (isDotgovDomain) {
+ formIdentifier = "dotgov_domain"
}
let totalForms = document.querySelector(`#id_${formIdentifier}-TOTAL_FORMS`);
@@ -554,6 +624,7 @@ function hideDeletedForms() {
// Reset the values of each input to blank
inputs.forEach((input) => {
input.classList.remove("usa-input--error");
+ input.classList.remove("usa-input--success");
if (input.type === "text" || input.type === "number" || input.type === "password" || input.type === "email" || input.type === "tel") {
input.value = ""; // Set the value to an empty string
@@ -566,22 +637,25 @@ function hideDeletedForms() {
let selects = newForm.querySelectorAll("select");
selects.forEach((select) => {
select.classList.remove("usa-input--error");
+ select.classList.remove("usa-input--success");
select.selectedIndex = 0; // Set the value to an empty string
});
let labels = newForm.querySelectorAll("label");
labels.forEach((label) => {
label.classList.remove("usa-label--error");
+ label.classList.remove("usa-label--success");
});
let usaFormGroups = newForm.querySelectorAll(".usa-form-group");
usaFormGroups.forEach((usaFormGroup) => {
usaFormGroup.classList.remove("usa-form-group--error");
+ usaFormGroup.classList.remove("usa-form-group--success");
});
- // Remove any existing error messages
- let usaErrorMessages = newForm.querySelectorAll(".usa-error-message");
- usaErrorMessages.forEach((usaErrorMessage) => {
+ // Remove any existing error and success messages
+ let usaMessages = newForm.querySelectorAll(".usa-error-message, .usa-alert");
+ usaMessages.forEach((usaErrorMessage) => {
let parentDiv = usaErrorMessage.closest('div');
if (parentDiv) {
parentDiv.remove(); // Remove the parent div if it exists
@@ -592,7 +666,8 @@ function hideDeletedForms() {
// Attach click event listener on the delete buttons of the new form
let newDeleteButton = newForm.querySelector(".delete-record");
- prepareNewDeleteButton(newDeleteButton, formLabel);
+ if (newDeleteButton)
+ prepareNewDeleteButton(newDeleteButton, formLabel);
// Disable the add more button if we have 13 forms
if (isNameserversForm && formNum == 13) {
diff --git a/src/registrar/forms/application_wizard.py b/src/registrar/forms/application_wizard.py
index 85ce28bb6..1ee7e0036 100644
--- a/src/registrar/forms/application_wizard.py
+++ b/src/registrar/forms/application_wizard.py
@@ -420,7 +420,7 @@ def clean_alternative_domain(self):
alternative_domain = forms.CharField(
required=False,
- label="",
+ label="Alternative domain",
)
diff --git a/src/registrar/templates/application_dotgov_domain.html b/src/registrar/templates/application_dotgov_domain.html
index 1838f33f4..f5b31fb15 100644
--- a/src/registrar/templates/application_dotgov_domain.html
+++ b/src/registrar/templates/application_dotgov_domain.html
@@ -50,14 +50,14 @@ <h2>What .gov domain do you want?</h2>
<button
id="check-availability-button"
type="button"
- class="usa-button"
+ class="usa-button usa-button--outline"
validate-for="{{ forms.0.requested_domain.auto_id }}"
>Check availability</button>
</fieldset>
{{ forms.1.management_form }}
- <fieldset class="usa-fieldset margin-top-1">
+ <fieldset class="usa-fieldset margin-top-1 dotgov-domain-form" id="form-container">
<legend>
<h2>Alternative domains (optional)</h2>
</legend>
@@ -66,23 +66,34 @@ <h2>Alternative domains (optional)</h2>
you your first choice?</p>
{% with attr_aria_describedby="alt_domain_instructions" %}
- {# attr_validate / validate="domain" invokes code in get-gov.js #}
- {# attr_auto_validate likewise triggers behavior in get-gov.js #}
- {% with append_gov=True attr_validate="domain" attr_auto_validate=True %}
- {% with add_class="blank-ok alternate-domain-input" %}
- {% for form in forms.1 %}
+ {# Will probably want to remove blank-ok and do related cleanup when we implement delete #}
+ {% with attr_validate="domain" append_gov=True add_label_class="usa-sr-only" add_class="blank-ok alternate-domain-input" %}
+ {% for form in forms.1 %}
+ <div class="repeatable-form">
{% input_with_errors form.alternative_domain %}
- {% endfor %}
- {% endwith %}
+ </div>
+ {% endfor %}
{% endwith %}
{% endwith %}
- <button type="submit" name="submit_button" value="save" class="usa-button usa-button--unstyled">
+ <button type="button" value="save" class="usa-button usa-button--unstyled" id="add-form">
<svg class="usa-icon" aria-hidden="true" focusable="false" role="img" width="24" height="24">
<use xlink:href="{%static 'img/sprite.svg'%}#add_circle"></use>
</svg><span class="margin-left-05">Add another alternative</span>
</button>
- </fieldset>
+ <div class="margin-bottom-3">
+ <button
+ id="validate-alt-domains-availability"
+ type="button"
+ class="usa-button usa-button--outline"
+ validate-for="{{ forms.1.requested_domain.auto_id }}"
+ >Check availability</button>
+ </div>
+
+
+ <p class="margin-top-05">If you’re not sure this is the domain you want, that’s ok. You can change the domain later. </p>
+
+</fieldset>
{% endblock %}
|
pyca__cryptography-3010 | rsa.rsa_recover_prime_factors() should return p > q
The documentation for `rsa_recover_prime_factors()` warns that it returns `p` and `q` such that `p < q`. However, things like OpenSSL and BoringSSL seem to require that `p > q`. Given this, would it be feasible to change the order around in cryptography so that it lines up with OpenSSL?
See also: http://crypto.stackexchange.com/questions/18084/in-rsa-why-does-p-have-to-be-bigger-than-q-where-n-p-times-q. @briansmith can provide more commentary if needed.
| [
{
"content": "# This file is dual licensed under the terms of the Apache License, Version\n# 2.0, and the BSD License. See the LICENSE file in the root of this repository\n# for complete details.\n\nfrom __future__ import absolute_import, division, print_function\n\nimport abc\nfrom fractions import gcd\n\nimpo... | [
{
"content": "# This file is dual licensed under the terms of the Apache License, Version\n# 2.0, and the BSD License. See the LICENSE file in the root of this repository\n# for complete details.\n\nfrom __future__ import absolute_import, division, print_function\n\nimport abc\nfrom fractions import gcd\n\nimpo... | diff --git a/docs/hazmat/primitives/asymmetric/rsa.rst b/docs/hazmat/primitives/asymmetric/rsa.rst
index 4cf9fa78673e..10e48b4a7078 100644
--- a/docs/hazmat/primitives/asymmetric/rsa.rst
+++ b/docs/hazmat/primitives/asymmetric/rsa.rst
@@ -509,7 +509,9 @@ this without having to do the math themselves.
.. note::
When recovering prime factors this algorithm will always return ``p``
- and ``q`` such that ``p < q``.
+ and ``q`` such that ``p > q``. Note: before 1.5, this function always
+ returned ``p`` and ``q`` such that ``p < q``. It was changed because
+ libraries commonly require ``p > q``.
:return: A tuple ``(p, q)``
diff --git a/src/cryptography/hazmat/primitives/asymmetric/rsa.py b/src/cryptography/hazmat/primitives/asymmetric/rsa.py
index d78b1b410f33..3157aed4d71f 100644
--- a/src/cryptography/hazmat/primitives/asymmetric/rsa.py
+++ b/src/cryptography/hazmat/primitives/asymmetric/rsa.py
@@ -257,7 +257,7 @@ def rsa_recover_prime_factors(n, e, d):
# Found !
q, r = divmod(n, p)
assert r == 0
-
+ p, q = sorted((p, q), reverse=True)
return (p, q)
diff --git a/tests/hazmat/primitives/test_rsa.py b/tests/hazmat/primitives/test_rsa.py
index e4e437804e0d..81e3f946046c 100644
--- a/tests/hazmat/primitives/test_rsa.py
+++ b/tests/hazmat/primitives/test_rsa.py
@@ -1985,10 +1985,11 @@ def test_recover_prime_factors(self, vector):
private["private_exponent"]
)
# Unfortunately there is no convention on which prime should be p
- # and which one q. The function we use always makes p < q, but the
+ # and which one q. The function we use always makes p > q, but the
# NIST vectors are not so consistent. Accordingly, we verify we've
# recovered the proper (p, q) by sorting them and asserting on that.
assert sorted([p, q]) == sorted([private["p"], private["q"]])
+ assert p > q
def test_invalid_recover_prime_factors(self):
with pytest.raises(ValueError):
|
ietf-tools__datatracker-5809 | Dev mode PDFization broken
### Describe the issue
The `STATIC_IETF_ORG_INTERNAL` stuff in https://github.com/ietf-tools/datatracker/blob/2bf7e8250c3fc2fcaf9a6223c331a52d1f6d89a4/ietf/doc/models.py#L630 causes a Python error in the dev environment.
CC @NGPixel
### Code of Conduct
- [X] I agree to follow the [IETF's Code of Conduct](https://github.com/ietf-tools/.github/blob/main/CODE_OF_CONDUCT.md)
| [
{
"content": "# Copyright The IETF Trust 2007-2019, All Rights Reserved\n# -*- coding: utf-8 -*-\n\nfrom ietf.settings import * # pyflakes:ignore\n\nALLOWED_HOSTS = ['*']\n\nfrom ietf.settings_postgresqldb import DATABASES # pyflakes:ignore\n\nIDSUBMIT_IDNITS_BINARY = ... | [
{
"content": "# Copyright The IETF Trust 2007-2019, All Rights Reserved\n# -*- coding: utf-8 -*-\n\nfrom ietf.settings import * # pyflakes:ignore\n\nALLOWED_HOSTS = ['*']\n\nfrom ietf.settings_postgresqldb import DATABASES # pyflakes:ignore\n\nIDSUBMIT_IDNITS_BINARY = ... | diff --git a/.devcontainer/devcontainer.json b/.devcontainer/devcontainer.json
index 422e77cf54..14a0d5ea90 100644
--- a/.devcontainer/devcontainer.json
+++ b/.devcontainer/devcontainer.json
@@ -67,7 +67,7 @@
},
// Use 'forwardPorts' to make a list of ports inside the container available locally.
- "forwardPorts": [3000, 5432, 5433, 8000],
+ "forwardPorts": [3000, 5432, 8000],
"portsAttributes": {
"3000": {
@@ -78,10 +78,6 @@
"label": "PostgreSQL",
"onAutoForward": "silent"
},
- "5433": {
- "label": "pgAdmin",
- "onAutoForward": "silent"
- },
"8000": {
"label": "NGINX",
"onAutoForward": "notify"
diff --git a/.devcontainer/docker-compose.extend.yml b/.devcontainer/docker-compose.extend.yml
index 1673e4e618..fa9a412cf2 100644
--- a/.devcontainer/docker-compose.extend.yml
+++ b/.devcontainer/docker-compose.extend.yml
@@ -15,11 +15,5 @@ services:
# Runs app on the same network as the database container, allows "forwardPorts" in devcontainer.json function.
network_mode: service:db
- pgadmin:
- network_mode: service:db
-
- static:
- network_mode: service:db
-
volumes:
datatracker-vscode-ext:
diff --git a/docker-compose.yml b/docker-compose.yml
index f8f933527c..2889bce9b0 100644
--- a/docker-compose.yml
+++ b/docker-compose.yml
@@ -53,9 +53,9 @@ services:
- PGADMIN_DEFAULT_EMAIL=dev@ietf.org
- PGADMIN_DEFAULT_PASSWORD=dev
- PGADMIN_CONFIG_LOGIN_BANNER="Login with dev@ietf.org / dev"
- - PGADMIN_LISTEN_PORT=5433
- PGADMIN_DISABLE_POSTFIX=True
- PGADMIN_CONFIG_MASTER_PASSWORD_REQUIRED=False
+ - SCRIPT_NAME=/pgadmin
volumes:
- ./docker/configs/pgadmin-servers.json:/pgadmin4/servers.json
diff --git a/docker/configs/nginx-502.html b/docker/configs/nginx-502.html
index 9d85600ecb..9e4374f3c0 100644
--- a/docker/configs/nginx-502.html
+++ b/docker/configs/nginx-502.html
@@ -23,7 +23,6 @@
background-color: #222;
border-radius: 10px;
padding: 10px 50px;
- display: inline-block;
}
i {
font-size: 64px;
@@ -54,6 +53,9 @@ <h2>Could not connect to dev server.</h2>
<p class="mt">Using <strong>VS Code</strong>, open the <strong>Run and Debug</strong> tab on the left and click the <i>‣</i> symbol (Run Server) to start the server.</p>
<p>Otherwise, run the command <code>ietf/manage.py runserver 0.0.0.0:8001</code> from the terminal.</p>
</div>
+ <div class="mt">
+ <p>You can manage the database at <a href="/pgadmin">/pgadmin</a>.</p>
+ </div>
<p class="mt">For more information, check out the <a href="https://github.com/ietf-tools/datatracker/blob/main/docker/README.md" target="_blank">Datatracker Development in Docker</a> guide.</p>
</body>
</html>
diff --git a/docker/configs/nginx-proxy.conf b/docker/configs/nginx-proxy.conf
index 02f5208caa..d5681fb239 100644
--- a/docker/configs/nginx-proxy.conf
+++ b/docker/configs/nginx-proxy.conf
@@ -8,7 +8,14 @@ server {
server_name _;
location /_static/ {
- proxy_pass http://localhost:80/;
+ proxy_pass http://static/;
+ }
+
+ location /pgadmin/ {
+ proxy_set_header X-Script-Name /pgadmin;
+ proxy_set_header Host $host;
+ proxy_pass http://pgadmin;
+ proxy_redirect off;
}
location / {
diff --git a/docker/configs/settings_local.py b/docker/configs/settings_local.py
index fc3052ff98..647fcd5b22 100644
--- a/docker/configs/settings_local.py
+++ b/docker/configs/settings_local.py
@@ -57,4 +57,4 @@
DE_GFM_BINARY = '/usr/local/bin/de-gfm'
STATIC_IETF_ORG = "/_static"
-STATIC_IETF_ORG_INTERNAL = "http://localhost:80"
+STATIC_IETF_ORG_INTERNAL = "http://static"
|
svthalia__concrexit-3475 | Switch to cached_db session backend
### What?
Once we have Redis set up (mainly for celery, #3357, #3361) we can use it to cache sessions.
See https://docs.djangoproject.com/en/4.2/topics/http/sessions/#using-cached-sessions
### Why?
A little performance boost for virtually no effort.
| [
{
"content": "\"\"\"Django settings for concrexit.\n\nFor more information on this file, see\nhttps://docs.djangoproject.com/en/dev/topics/settings/\n\nFor the full list of settings and their values, see\nhttps://docs.djangoproject.com/en/dev/ref/settings/\n\"\"\"\n\nimport base64\nimport json\nimport logging\n... | [
{
"content": "\"\"\"Django settings for concrexit.\n\nFor more information on this file, see\nhttps://docs.djangoproject.com/en/dev/topics/settings/\n\nFor the full list of settings and their values, see\nhttps://docs.djangoproject.com/en/dev/ref/settings/\n\"\"\"\n\nimport base64\nimport json\nimport logging\n... | diff --git a/website/thaliawebsite/settings.py b/website/thaliawebsite/settings.py
index 6be42eefe..d06e004be 100644
--- a/website/thaliawebsite/settings.py
+++ b/website/thaliawebsite/settings.py
@@ -744,6 +744,8 @@ def from_env(
},
}
+SESSION_ENGINE = "django.contrib.sessions.backends.cached_db"
+
WSGI_APPLICATION = "thaliawebsite.wsgi.application"
# Login pages
|
gratipay__gratipay.com-1802 | default country on cc form should be USA
Suggested by @toddbranch on [Twitter]().
Can we be less imperialist, somehow? [Maxmind](http://www.maxmind.com/) it?
| [
{
"content": "import locale\nimport time\n\nimport gittip\nfrom aspen import log_dammit, Response\nfrom aspen.utils import typecheck\nfrom tornado.escape import linkify\nfrom postgres.cursors import SimpleCursorBase\n\n\nCOUNTRIES = (\n ('AF', u'Afghanistan'),\n ('AX', u'\\xc5land Islands'),\n ('AL', u... | [
{
"content": "import locale\nimport time\n\nimport gittip\nfrom aspen import log_dammit, Response\nfrom aspen.utils import typecheck\nfrom tornado.escape import linkify\nfrom postgres.cursors import SimpleCursorBase\n\n\nCOUNTRIES = (\n ('US', u'United States'),\n ('AF', u'Afghanistan'),\n ('AX', u'\\x... | diff --git a/gittip/utils/__init__.py b/gittip/utils/__init__.py
index 42aeb18aa5..05327d5046 100644
--- a/gittip/utils/__init__.py
+++ b/gittip/utils/__init__.py
@@ -9,6 +9,7 @@
COUNTRIES = (
+ ('US', u'United States'),
('AF', u'Afghanistan'),
('AX', u'\xc5land Islands'),
('AL', u'Albania'),
|
codespell-project__codespell-3218 | Codespell don't handle KeyboardInterrupt exception
This should be catched and the program should stop gracefully but instead show default stack trace:
```
^CTraceback (most recent call last):
File "/home/kuba/.local/bin/codespell", line 8, in <module>
sys.exit(_script_main())
^^^^^^^^^^^^^^
File "/home/kuba/.local/lib/python3.12/site-packages/codespell_lib/_codespell.py", line 1017, in _script_main
return main(*sys.argv[1:])
^^^^^^^^^^^^^^^^^^^
File "/home/kuba/.local/lib/python3.12/site-packages/codespell_lib/_codespell.py", line 1185, in main
bad_count += parse_file(
^^^^^^^^^^^
File "/home/kuba/.local/lib/python3.12/site-packages/codespell_lib/_codespell.py", line 903, in parse_file
check_matches = extract_words_iter(line, word_regex, ignore_word_regex)
^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
File "/home/kuba/.local/lib/python3.12/site-packages/codespell_lib/_codespell.py", line 793, in extract_words_iter
return list(word_regex.finditer(_ignore_word_sub(text, ignore_word_regex)))
^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
KeyboardInterrupt
```
There is no need to show `KeyboardInterrupt` exception stack trace.
| [
{
"content": "import sys\n\nfrom ._codespell import _script_main\n\nif __name__ == \"__main__\":\n sys.exit(_script_main())\n",
"path": "codespell_lib/__main__.py"
}
] | [
{
"content": "import sys\n\nfrom ._codespell import _script_main\n\nif __name__ == \"__main__\":\n try:\n sys.exit(_script_main())\n except KeyboardInterrupt:\n pass\n",
"path": "codespell_lib/__main__.py"
}
] | diff --git a/codespell_lib/__main__.py b/codespell_lib/__main__.py
index ecc82e092b..0a8630df52 100644
--- a/codespell_lib/__main__.py
+++ b/codespell_lib/__main__.py
@@ -3,4 +3,7 @@
from ._codespell import _script_main
if __name__ == "__main__":
- sys.exit(_script_main())
+ try:
+ sys.exit(_script_main())
+ except KeyboardInterrupt:
+ pass
|
cupy__cupy-1028 | cupy.copyto behaves differently from numpy.copyto when src is a python scalar
Code:
```python
import numpy
import cupy
def copyto_check(xp):
x = xp.zeros(3, dtype=numpy.float32)
# replace first and third items with 1.0
xp.copyto(x, 1.0, where=xp.asarray([True, False, True]))
print(x)
print('numpy', numpy.__version__)
copyto_check(numpy)
print('cupy', cupy.__version__)
copyto_check(cupy)
```
Output:
```
numpy 1.14.0
[1. 0. 1.]
cupy 2.2.0
[1. 1. 1.]
```
| [
{
"content": "import numpy\nimport six\n\nfrom cupy import core\n\n\ndef copyto(dst, src, casting='same_kind', where=None):\n \"\"\"Copies values from one array to another with broadcasting.\n\n This function can be called for arrays on different devices. In this case,\n casting, ``where``, and broadca... | [
{
"content": "import numpy\nimport six\n\nfrom cupy import core\n\n\ndef copyto(dst, src, casting='same_kind', where=None):\n \"\"\"Copies values from one array to another with broadcasting.\n\n This function can be called for arrays on different devices. In this case,\n casting, ``where``, and broadca... | diff --git a/cupy/manipulation/basic.py b/cupy/manipulation/basic.py
index b5dffd3103a..b6f029b1de1 100644
--- a/cupy/manipulation/basic.py
+++ b/cupy/manipulation/basic.py
@@ -39,7 +39,7 @@ def copyto(dst, src, casting='same_kind', where=None):
if dst.size == 0:
return
- if src_is_python_scalar:
+ if src_is_python_scalar and where is None:
dst.fill(src)
return
diff --git a/tests/cupy_tests/manipulation_tests/test_basic.py b/tests/cupy_tests/manipulation_tests/test_basic.py
index 24116781e3f..41d13f2084d 100644
--- a/tests/cupy_tests/manipulation_tests/test_basic.py
+++ b/tests/cupy_tests/manipulation_tests/test_basic.py
@@ -108,7 +108,7 @@ def test_copyto_multigpu_noncontinguous(self, dtype):
@testing.parameterize(
*testing.product(
- {'src': [float(3.2), int(0), int(4), int(-4), True, False],
+ {'src': [float(3.2), int(0), int(4), int(-4), True, False, 1+1j],
'dst_shape': [(), (0,), (1,), (1, 1), (2, 2)]}))
@testing.gpu
class TestCopytoFromScalar(unittest.TestCase):
@@ -119,3 +119,12 @@ def test_copyto(self, xp, dtype):
dst = xp.ones(self.dst_shape, dtype=dtype)
xp.copyto(dst, self.src)
return dst
+
+ @testing.for_all_dtypes()
+ @testing.numpy_cupy_allclose(accept_error=TypeError)
+ def test_copyto_where(self, xp, dtype):
+ dst = xp.ones(self.dst_shape, dtype=dtype)
+ mask = (testing.shaped_arange(
+ self.dst_shape, xp, dtype) % 2).astype(xp.bool_)
+ xp.copyto(dst, self.src, where=mask)
+ return dst
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.