content stringlengths 1 103k ⌀ | path stringlengths 8 216 | filename stringlengths 2 179 | language stringclasses 15
values | size_bytes int64 2 189k | quality_score float64 0.5 0.95 | complexity float64 0 1 | documentation_ratio float64 0 1 | repository stringclasses 5
values | stars int64 0 1k | created_date stringdate 2023-07-10 19:21:08 2025-07-09 19:11:45 | license stringclasses 4
values | is_test bool 2
classes | file_hash stringlengths 32 32 |
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
"""Tornado handlers for security logging."""\n\n# Copyright (c) Jupyter Development Team.\n# Distributed under the terms of the Modified BSD License.\nfrom tornado import web\n\nfrom jupyter_server.auth.decorator import authorized\n\nfrom ...base.handlers import APIHandler\nfrom . import csp_report_uri\n\nAUTH_RESOURCE = "csp"\n\n\nclass CSPReportHandler(APIHandler):\n """Accepts a content security policy violation report"""\n\n auth_resource = AUTH_RESOURCE\n _track_activity = False\n\n def skip_check_origin(self):\n """Don't check origin when reporting origin-check violations!"""\n return True\n\n def check_xsrf_cookie(self):\n """Don't check XSRF for CSP reports."""\n return\n\n @web.authenticated\n @authorized\n def post(self):\n """Log a content security policy violation report"""\n self.log.warning(\n "Content security violation: %s",\n self.request.body.decode("utf8", "replace"),\n )\n\n\ndefault_handlers = [(csp_report_uri, CSPReportHandler)]\n | .venv\Lib\site-packages\jupyter_server\services\security\handlers.py | handlers.py | Python | 1,022 | 0.95 | 0.153846 | 0.074074 | python-kit | 808 | 2024-03-21T21:45:37.614866 | BSD-3-Clause | false | 398582ffc3b402c0d3b7641f477acb56 |
# URI for the CSP Report. Included here to prevent a cyclic dependency.\n# csp_report_uri is needed both by the BaseHandler (for setting the report-uri)\n# and by the CSPReportHandler (which depends on the BaseHandler).\ncsp_report_uri = r"/api/security/csp-report"\n | .venv\Lib\site-packages\jupyter_server\services\security\__init__.py | __init__.py | Python | 263 | 0.8 | 0.5 | 0.75 | react-lib | 406 | 2024-07-04T23:21:51.594776 | MIT | false | 06f95d4fe9d23ddf365f783d2d264595 |
\n\n | .venv\Lib\site-packages\jupyter_server\services\security\__pycache__\handlers.cpython-313.pyc | handlers.cpython-313.pyc | Other | 1,802 | 0.7 | 0.095238 | 0 | python-kit | 71 | 2024-04-02T21:13:13.376494 | MIT | false | 6f92613cae7973e2ccee553b83cce956 |
\n\n | .venv\Lib\site-packages\jupyter_server\services\security\__pycache__\__init__.cpython-313.pyc | __init__.cpython-313.pyc | Other | 257 | 0.7 | 0 | 0 | node-utils | 515 | 2025-06-21T07:03:44.691249 | BSD-3-Clause | false | 3702e586954dacd17fd6cc48331d63ad |
"""Tornado handlers for the sessions web service.\n\nPreliminary documentation at https://github.com/ipython/ipython/wiki/IPEP-16%3A-Notebook-multi-directory-dashboard-and-URL-mapping#sessions-api\n"""\n\n# Copyright (c) Jupyter Development Team.\n# Distributed under the terms of the Modified BSD License.\nimport asyncio\nimport json\n\ntry:\n from jupyter_client.jsonutil import json_default\nexcept ImportError:\n from jupyter_client.jsonutil import date_default as json_default\n\nfrom jupyter_client.kernelspec import NoSuchKernel\nfrom jupyter_core.utils import ensure_async\nfrom tornado import web\n\nfrom jupyter_server.auth.decorator import authorized\nfrom jupyter_server.utils import url_path_join\n\nfrom ...base.handlers import APIHandler\n\nAUTH_RESOURCE = "sessions"\n\n\nclass SessionsAPIHandler(APIHandler):\n """A Sessions API handler."""\n\n auth_resource = AUTH_RESOURCE\n\n\nclass SessionRootHandler(SessionsAPIHandler):\n """A Session Root API handler."""\n\n @web.authenticated\n @authorized\n async def get(self):\n """Get a list of running sessions."""\n sm = self.session_manager\n sessions = await ensure_async(sm.list_sessions())\n self.finish(json.dumps(sessions, default=json_default))\n\n @web.authenticated\n @authorized\n async def post(self):\n """Create a new session."""\n # (unless a session already exists for the named session)\n sm = self.session_manager\n\n model = self.get_json_body()\n if model is None:\n raise web.HTTPError(400, "No JSON data provided")\n\n if "notebook" in model:\n self.log.warning("Sessions API changed, see updated swagger docs")\n model["type"] = "notebook"\n if "name" in model["notebook"]:\n model["path"] = model["notebook"]["name"]\n elif "path" in model["notebook"]:\n model["path"] = model["notebook"]["path"]\n\n try:\n # There is a high chance here that `path` is not a path but\n # a unique session id\n path = model["path"]\n except KeyError as e:\n raise web.HTTPError(400, "Missing field in JSON data: path") from e\n\n try:\n mtype = model["type"]\n except KeyError as e:\n raise web.HTTPError(400, "Missing field in JSON data: type") from e\n\n name = model.get("name", None)\n kernel = model.get("kernel", {})\n kernel_name = kernel.get("name", None)\n kernel_id = kernel.get("id", None)\n\n if not kernel_id and not kernel_name:\n self.log.debug("No kernel specified, using default kernel")\n kernel_name = None\n\n exists = await ensure_async(sm.session_exists(path=path))\n if exists:\n s_model = await sm.get_session(path=path)\n else:\n try:\n s_model = await sm.create_session(\n path=path,\n kernel_name=kernel_name,\n kernel_id=kernel_id,\n name=name,\n type=mtype,\n )\n except NoSuchKernel:\n msg = (\n "The '%s' kernel is not available. Please pick another "\n "suitable kernel instead, or install that kernel." % kernel_name\n )\n status_msg = "%s not found" % kernel_name\n self.log.warning("Kernel not found: %s" % kernel_name)\n self.set_status(501)\n self.finish(json.dumps({"message": msg, "short_message": status_msg}))\n return\n except Exception as e:\n raise web.HTTPError(500, str(e)) from e\n\n location = url_path_join(self.base_url, "api", "sessions", s_model["id"])\n self.set_header("Location", location)\n self.set_status(201)\n self.finish(json.dumps(s_model, default=json_default))\n\n\nclass SessionHandler(SessionsAPIHandler):\n """A handler for a single session."""\n\n @web.authenticated\n @authorized\n async def get(self, session_id):\n """Get the JSON model for a single session."""\n sm = self.session_manager\n model = await sm.get_session(session_id=session_id)\n self.finish(json.dumps(model, default=json_default))\n\n @web.authenticated\n @authorized\n async def patch(self, session_id):\n """Patch updates sessions:\n\n - path updates session to track renamed paths\n - kernel.name starts a new kernel with a given kernelspec\n """\n sm = self.session_manager\n km = self.kernel_manager\n model = self.get_json_body()\n if model is None:\n raise web.HTTPError(400, "No JSON data provided")\n\n # get the previous session model\n before = await sm.get_session(session_id=session_id)\n\n changes = {}\n if "notebook" in model and "path" in model["notebook"]:\n self.log.warning("Sessions API changed, see updated swagger docs")\n model["path"] = model["notebook"]["path"]\n model["type"] = "notebook"\n if "path" in model:\n changes["path"] = model["path"]\n if "name" in model:\n changes["name"] = model["name"]\n if "type" in model:\n changes["type"] = model["type"]\n if "kernel" in model:\n # Kernel id takes precedence over name.\n if model["kernel"].get("id") is not None:\n kernel_id = model["kernel"]["id"]\n if kernel_id not in km:\n raise web.HTTPError(400, "No such kernel: %s" % kernel_id)\n changes["kernel_id"] = kernel_id\n elif model["kernel"].get("name") is not None:\n kernel_name = model["kernel"]["name"]\n\n try:\n kernel_id = await sm.start_kernel_for_session(\n session_id,\n kernel_name=kernel_name,\n name=before["name"],\n path=before["path"],\n type=before["type"],\n )\n changes["kernel_id"] = kernel_id\n except Exception as e:\n # the error message may contain sensitive information, so we want to\n # be careful with it, thus we only give the short repr of the exception\n # and the full traceback.\n # this should be fine as we are exposing here the same info as when we start a new kernel\n msg = "The '%s' kernel could not be started: %s" % (\n kernel_name,\n repr(str(e)),\n )\n status_msg = "Error starting kernel %s" % kernel_name\n self.log.error("Error starting kernel: %s", kernel_name)\n self.set_status(501)\n self.finish(json.dumps({"message": msg, "short_message": status_msg}))\n return\n\n await sm.update_session(session_id, **changes)\n s_model = await sm.get_session(session_id=session_id)\n\n if s_model["kernel"]["id"] != before["kernel"]["id"]:\n # kernel_id changed because we got a new kernel\n # shutdown the old one\n fut = asyncio.ensure_future(ensure_async(km.shutdown_kernel(before["kernel"]["id"])))\n # If we are not using pending kernels, wait for the kernel to shut down\n if not getattr(km, "use_pending_kernels", None):\n await fut\n self.finish(json.dumps(s_model, default=json_default))\n\n @web.authenticated\n @authorized\n async def delete(self, session_id):\n """Delete the session with given session_id."""\n sm = self.session_manager\n try:\n await sm.delete_session(session_id)\n except KeyError as e:\n # the kernel was deleted but the session wasn't!\n raise web.HTTPError(410, "Kernel deleted before session") from e\n self.set_status(204)\n self.finish()\n\n\n# -----------------------------------------------------------------------------\n# URL to handler mappings\n# -----------------------------------------------------------------------------\n\n_session_id_regex = r"(?P<session_id>\w+-\w+-\w+-\w+-\w+)"\n\ndefault_handlers = [\n (r"/api/sessions/%s" % _session_id_regex, SessionHandler),\n (r"/api/sessions", SessionRootHandler),\n]\n | .venv\Lib\site-packages\jupyter_server\services\sessions\handlers.py | handlers.py | Python | 8,432 | 0.95 | 0.151786 | 0.096257 | node-utils | 972 | 2024-06-29T06:27:48.496124 | BSD-3-Clause | false | 391f53d10c2aafe7c5c4ef0cb66731cc |
"""A base class session manager."""\n\n# Copyright (c) Jupyter Development Team.\n# Distributed under the terms of the Modified BSD License.\nimport os\nimport pathlib\nimport uuid\nfrom typing import Any, NewType, Optional, Union, cast\n\nKernelName = NewType("KernelName", str)\nModelName = NewType("ModelName", str)\n\ntry:\n import sqlite3\nexcept ImportError:\n # fallback on pysqlite2 if Python was build without sqlite\n from pysqlite2 import dbapi2 as sqlite3 # type:ignore[no-redef]\n\nfrom dataclasses import dataclass, fields\n\nfrom jupyter_core.utils import ensure_async\nfrom tornado import web\nfrom traitlets import Instance, TraitError, Unicode, validate\nfrom traitlets.config.configurable import LoggingConfigurable\n\nfrom jupyter_server.traittypes import InstanceFromClasses\n\n\nclass KernelSessionRecordConflict(Exception):\n """Exception class to use when two KernelSessionRecords cannot\n merge because of conflicting data.\n """\n\n\n@dataclass\nclass KernelSessionRecord:\n """A record object for tracking a Jupyter Server Kernel Session.\n\n Two records that share a session_id must also share a kernel_id, while\n kernels can have multiple session (and thereby) session_ids\n associated with them.\n """\n\n session_id: Optional[str] = None\n kernel_id: Optional[str] = None\n\n def __eq__(self, other: object) -> bool:\n """Whether a record equals another."""\n if isinstance(other, KernelSessionRecord):\n condition1 = self.kernel_id and self.kernel_id == other.kernel_id\n condition2 = all(\n [\n self.session_id == other.session_id,\n self.kernel_id is None or other.kernel_id is None,\n ]\n )\n if any([condition1, condition2]):\n return True\n # If two records share session_id but have different kernels, this is\n # and ill-posed expression. This should never be true. Raise an exception\n # to inform the user.\n if all(\n [\n self.session_id,\n self.session_id == other.session_id,\n self.kernel_id != other.kernel_id,\n ]\n ):\n msg = (\n "A single session_id can only have one kernel_id "\n "associated with. These two KernelSessionRecords share the same "\n "session_id but have different kernel_ids. This should "\n "not be possible and is likely an issue with the session "\n "records."\n )\n raise KernelSessionRecordConflict(msg)\n return False\n\n def update(self, other: "KernelSessionRecord") -> None:\n """Updates in-place a kernel from other (only accepts positive updates"""\n if not isinstance(other, KernelSessionRecord):\n msg = "'other' must be an instance of KernelSessionRecord." # type:ignore[unreachable]\n raise TypeError(msg)\n\n if other.kernel_id and self.kernel_id and other.kernel_id != self.kernel_id:\n msg = "Could not update the record from 'other' because the two records conflict."\n raise KernelSessionRecordConflict(msg)\n\n for field in fields(self):\n if hasattr(other, field.name) and getattr(other, field.name):\n setattr(self, field.name, getattr(other, field.name))\n\n\nclass KernelSessionRecordList:\n """An object for storing and managing a list of KernelSessionRecords.\n\n When adding a record to the list, the KernelSessionRecordList\n first checks if the record already exists in the list. If it does,\n the record will be updated with the new information; otherwise,\n it will be appended.\n """\n\n _records: list[KernelSessionRecord]\n\n def __init__(self, *records: KernelSessionRecord):\n """Initialize a record list."""\n self._records = []\n for record in records:\n self.update(record)\n\n def __str__(self):\n """The string representation of a record list."""\n return str(self._records)\n\n def __contains__(self, record: Union[KernelSessionRecord, str]) -> bool:\n """Search for records by kernel_id and session_id"""\n if isinstance(record, KernelSessionRecord) and record in self._records:\n return True\n\n if isinstance(record, str):\n for r in self._records:\n if record in [r.session_id, r.kernel_id]:\n return True\n return False\n\n def __len__(self):\n """The length of the record list."""\n return len(self._records)\n\n def get(self, record: Union[KernelSessionRecord, str]) -> KernelSessionRecord:\n """Return a full KernelSessionRecord from a session_id, kernel_id, or\n incomplete KernelSessionRecord.\n """\n if isinstance(record, str):\n for r in self._records:\n if record in (r.kernel_id, r.session_id):\n return r\n elif isinstance(record, KernelSessionRecord):\n for r in self._records:\n if record == r:\n return record\n msg = f"{record} not found in KernelSessionRecordList."\n raise ValueError(msg)\n\n def update(self, record: KernelSessionRecord) -> None:\n """Update a record in-place or append it if not in the list."""\n try:\n idx = self._records.index(record)\n self._records[idx].update(record)\n except ValueError:\n self._records.append(record)\n\n def remove(self, record: KernelSessionRecord) -> None:\n """Remove a record if its found in the list. If it's not found,\n do nothing.\n """\n if record in self._records:\n self._records.remove(record)\n\n\nclass SessionManager(LoggingConfigurable):\n """A session manager."""\n\n database_filepath = Unicode(\n default_value=":memory:",\n help=(\n "The filesystem path to SQLite Database file "\n "(e.g. /path/to/session_database.db). By default, the session "\n "database is stored in-memory (i.e. `:memory:` setting from sqlite3) "\n "and does not persist when the current Jupyter Server shuts down."\n ),\n ).tag(config=True)\n\n @validate("database_filepath")\n def _validate_database_filepath(self, proposal):\n """Validate a database file path."""\n value = proposal["value"]\n if value == ":memory:":\n return value\n path = pathlib.Path(value)\n if path.exists():\n # Verify that the database path is not a directory.\n if path.is_dir():\n msg = "`database_filepath` expected a file path, but the given path is a directory."\n raise TraitError(msg)\n # Verify that database path is an SQLite 3 Database by checking its header.\n with open(value, "rb") as f:\n header = f.read(100)\n\n if not header.startswith(b"SQLite format 3") and header != b"":\n msg = "The given file is not an SQLite database file."\n raise TraitError(msg)\n return value\n\n kernel_manager = Instance("jupyter_server.services.kernels.kernelmanager.MappingKernelManager")\n contents_manager = InstanceFromClasses(\n [\n "jupyter_server.services.contents.manager.ContentsManager",\n "notebook.services.contents.manager.ContentsManager",\n ]\n )\n\n def __init__(self, *args, **kwargs):\n """Initialize a record list."""\n super().__init__(*args, **kwargs)\n self._pending_sessions = KernelSessionRecordList()\n\n # Session database initialized below\n _cursor = None\n _connection = None\n _columns = {"session_id", "path", "name", "type", "kernel_id"}\n\n @property\n def cursor(self):\n """Start a cursor and create a database called 'session'"""\n if self._cursor is None:\n self._cursor = self.connection.cursor()\n self._cursor.execute(\n """CREATE TABLE IF NOT EXISTS session\n (session_id, path, name, type, kernel_id)"""\n )\n return self._cursor\n\n @property\n def connection(self):\n """Start a database connection"""\n if self._connection is None:\n # Set isolation level to None to autocommit all changes to the database.\n self._connection = sqlite3.connect(self.database_filepath, isolation_level=None)\n self._connection.row_factory = sqlite3.Row\n return self._connection\n\n def close(self):\n """Close the sqlite connection"""\n if self._cursor is not None:\n self._cursor.close()\n self._cursor = None\n\n def __del__(self):\n """Close connection once SessionManager closes"""\n self.close()\n\n async def session_exists(self, path):\n """Check to see if the session of a given name exists"""\n exists = False\n self.cursor.execute("SELECT * FROM session WHERE path=?", (path,))\n row = self.cursor.fetchone()\n if row is not None:\n # Note, although we found a row for the session, the associated kernel may have\n # been culled or died unexpectedly. If that's the case, we should delete the\n # row, thereby terminating the session. This can be done via a call to\n # row_to_model that tolerates that condition. If row_to_model returns None,\n # we'll return false, since, at that point, the session doesn't exist anyway.\n model = await self.row_to_model(row, tolerate_culled=True)\n if model is not None:\n exists = True\n return exists\n\n def new_session_id(self) -> str:\n """Create a uuid for a new session"""\n return str(uuid.uuid4())\n\n async def create_session(\n self,\n path: Optional[str] = None,\n name: Optional[ModelName] = None,\n type: Optional[str] = None,\n kernel_name: Optional[KernelName] = None,\n kernel_id: Optional[str] = None,\n ) -> dict[str, Any]:\n """Creates a session and returns its model\n\n Parameters\n ----------\n name: ModelName(str)\n Usually the model name, like the filename associated with current\n kernel.\n """\n session_id = self.new_session_id()\n record = KernelSessionRecord(session_id=session_id)\n self._pending_sessions.update(record)\n if kernel_id is not None and kernel_id in self.kernel_manager:\n pass\n else:\n kernel_id = await self.start_kernel_for_session(\n session_id, path, name, type, kernel_name\n )\n record.kernel_id = kernel_id\n self._pending_sessions.update(record)\n result = await self.save_session(\n session_id, path=path, name=name, type=type, kernel_id=kernel_id\n )\n self._pending_sessions.remove(record)\n return cast(dict[str, Any], result)\n\n def get_kernel_env(\n self, path: Optional[str], name: Optional[ModelName] = None\n ) -> dict[str, str]:\n """Return the environment variables that need to be set in the kernel\n\n Parameters\n ----------\n path : str\n the url path for the given session.\n name: ModelName(str), optional\n Here the name is likely to be the name of the associated file\n with the current kernel at startup time.\n """\n if name is not None:\n cwd = self.kernel_manager.cwd_for_path(path)\n path = os.path.join(cwd, name)\n assert isinstance(path, str)\n return {**os.environ, "JPY_SESSION_NAME": path}\n\n async def start_kernel_for_session(\n self,\n session_id: str,\n path: Optional[str],\n name: Optional[ModelName],\n type: Optional[str],\n kernel_name: Optional[KernelName],\n ) -> str:\n """Start a new kernel for a given session.\n\n Parameters\n ----------\n session_id : str\n uuid for the session; this method must be given a session_id\n path : str\n the path for the given session - seem to be a session id sometime.\n name : str\n Usually the model name, like the filename associated with current\n kernel.\n type : str\n the type of the session\n kernel_name : str\n the name of the kernel specification to use. The default kernel name will be used if not provided.\n """\n # allow contents manager to specify kernels cwd\n kernel_path = await ensure_async(self.contents_manager.get_kernel_path(path=path))\n\n kernel_env = self.get_kernel_env(path, name)\n kernel_id = await self.kernel_manager.start_kernel(\n path=kernel_path,\n kernel_name=kernel_name,\n env=kernel_env,\n )\n return cast(str, kernel_id)\n\n async def save_session(self, session_id, path=None, name=None, type=None, kernel_id=None):\n """Saves the items for the session with the given session_id\n\n Given a session_id (and any other of the arguments), this method\n creates a row in the sqlite session database that holds the information\n for a session.\n\n Parameters\n ----------\n session_id : str\n uuid for the session; this method must be given a session_id\n path : str\n the path for the given session\n name : str\n the name of the session\n type : str\n the type of the session\n kernel_id : str\n a uuid for the kernel associated with this session\n\n Returns\n -------\n model : dict\n a dictionary of the session model\n """\n self.cursor.execute(\n "INSERT INTO session VALUES (?,?,?,?,?)",\n (session_id, path, name, type, kernel_id),\n )\n result = await self.get_session(session_id=session_id)\n return result\n\n async def get_session(self, **kwargs):\n """Returns the model for a particular session.\n\n Takes a keyword argument and searches for the value in the session\n database, then returns the rest of the session's info.\n\n Parameters\n ----------\n **kwargs : dict\n must be given one of the keywords and values from the session database\n (i.e. session_id, path, name, type, kernel_id)\n\n Returns\n -------\n model : dict\n returns a dictionary that includes all the information from the\n session described by the kwarg.\n """\n if not kwargs:\n msg = "must specify a column to query"\n raise TypeError(msg)\n\n conditions = []\n for column in kwargs:\n if column not in self._columns:\n msg = f"No such column: {column}"\n raise TypeError(msg)\n conditions.append("%s=?" % column)\n\n query = "SELECT * FROM session WHERE %s" % (" AND ".join(conditions)) # noqa: S608\n\n self.cursor.execute(query, list(kwargs.values()))\n try:\n row = self.cursor.fetchone()\n except KeyError:\n # The kernel is missing, so the session just got deleted.\n row = None\n\n if row is None:\n q = []\n for key, value in kwargs.items():\n q.append(f"{key}={value!r}")\n\n raise web.HTTPError(404, "Session not found: %s" % (", ".join(q)))\n\n try:\n model = await self.row_to_model(row)\n except KeyError as e:\n raise web.HTTPError(404, "Session not found: %s" % str(e)) from e\n return model\n\n async def update_session(self, session_id, **kwargs):\n """Updates the values in the session database.\n\n Changes the values of the session with the given session_id\n with the values from the keyword arguments.\n\n Parameters\n ----------\n session_id : str\n a uuid that identifies a session in the sqlite3 database\n **kwargs : str\n the key must correspond to a column title in session database,\n and the value replaces the current value in the session\n with session_id.\n """\n await self.get_session(session_id=session_id)\n\n if not kwargs:\n # no changes\n return\n\n sets = []\n for column in kwargs:\n if column not in self._columns:\n raise TypeError("No such column: %r" % column)\n sets.append("%s=?" % column)\n query = "UPDATE session SET %s WHERE session_id=?" % (", ".join(sets)) # noqa: S608\n self.cursor.execute(query, [*list(kwargs.values()), session_id])\n\n if hasattr(self.kernel_manager, "update_env"):\n self.cursor.execute(\n "SELECT path, name, kernel_id FROM session WHERE session_id=?", [session_id]\n )\n path, name, kernel_id = self.cursor.fetchone()\n self.kernel_manager.update_env(kernel_id=kernel_id, env=self.get_kernel_env(path, name))\n\n async def kernel_culled(self, kernel_id: str) -> bool:\n """Checks if the kernel is still considered alive and returns true if its not found."""\n return kernel_id not in self.kernel_manager\n\n async def row_to_model(self, row, tolerate_culled=False):\n """Takes sqlite database session row and turns it into a dictionary"""\n kernel_culled: bool = await ensure_async(self.kernel_culled(row["kernel_id"]))\n if kernel_culled:\n # The kernel was culled or died without deleting the session.\n # We can't use delete_session here because that tries to find\n # and shut down the kernel - so we'll delete the row directly.\n #\n # If caller wishes to tolerate culled kernels, log a warning\n # and return None. Otherwise, raise KeyError with a similar\n # message.\n self.cursor.execute("DELETE FROM session WHERE session_id=?", (row["session_id"],))\n msg = (\n "Kernel '{kernel_id}' appears to have been culled or died unexpectedly, "\n "invalidating session '{session_id}'. The session has been removed.".format(\n kernel_id=row["kernel_id"], session_id=row["session_id"]\n )\n )\n if tolerate_culled:\n self.log.warning(f"{msg} Continuing...")\n return None\n raise KeyError(msg)\n\n kernel_model = await ensure_async(self.kernel_manager.kernel_model(row["kernel_id"]))\n model = {\n "id": row["session_id"],\n "path": row["path"],\n "name": row["name"],\n "type": row["type"],\n "kernel": kernel_model,\n }\n if row["type"] == "notebook":\n # Provide the deprecated API.\n model["notebook"] = {"path": row["path"], "name": row["name"]}\n return model\n\n async def list_sessions(self):\n """Returns a list of dictionaries containing all the information from\n the session database"""\n c = self.cursor.execute("SELECT * FROM session")\n result = []\n # We need to use fetchall() here, because row_to_model can delete rows,\n # which messes up the cursor if we're iterating over rows.\n for row in c.fetchall():\n try:\n model = await self.row_to_model(row)\n result.append(model)\n except KeyError:\n pass\n return result\n\n async def delete_session(self, session_id):\n """Deletes the row in the session database with given session_id"""\n record = KernelSessionRecord(session_id=session_id)\n self._pending_sessions.update(record)\n session = await self.get_session(session_id=session_id)\n await ensure_async(self.kernel_manager.shutdown_kernel(session["kernel"]["id"]))\n self.cursor.execute("DELETE FROM session WHERE session_id=?", (session_id,))\n self._pending_sessions.remove(record)\n | .venv\Lib\site-packages\jupyter_server\services\sessions\sessionmanager.py | sessionmanager.py | Python | 20,193 | 0.95 | 0.199623 | 0.065646 | vue-tools | 543 | 2024-05-14T19:02:58.621744 | Apache-2.0 | false | 22277b96771eb3dd10dd424f753cc3f3 |
\n\n | .venv\Lib\site-packages\jupyter_server\services\sessions\__pycache__\handlers.cpython-313.pyc | handlers.cpython-313.pyc | Other | 10,097 | 0.8 | 0.030612 | 0 | python-kit | 110 | 2024-11-20T08:03:05.556707 | MIT | false | 8a794ccc7d85bd664a9c2e10d7658add |
\n\n | .venv\Lib\site-packages\jupyter_server\services\sessions\__pycache__\sessionmanager.cpython-313.pyc | sessionmanager.cpython-313.pyc | Other | 24,280 | 0.95 | 0.099206 | 0.008584 | python-kit | 750 | 2024-04-21T16:10:17.033185 | MIT | false | ae82dcaf177e591a3b814f3bb507a760 |
\n\n | .venv\Lib\site-packages\jupyter_server\services\sessions\__pycache__\__init__.cpython-313.pyc | __init__.cpython-313.pyc | Other | 207 | 0.7 | 0 | 0 | python-kit | 927 | 2025-01-11T02:39:32.187720 | Apache-2.0 | false | a628493326ae49188371656d983a3a19 |
\n\n | .venv\Lib\site-packages\jupyter_server\services\__pycache__\shutdown.cpython-313.pyc | shutdown.cpython-313.pyc | Other | 1,532 | 0.8 | 0 | 0 | node-utils | 230 | 2025-05-12T22:06:29.219477 | BSD-3-Clause | false | 53d84575bbdebf9366138744cb7e7f23 |
\n\n | .venv\Lib\site-packages\jupyter_server\services\__pycache__\__init__.cpython-313.pyc | __init__.cpython-313.pyc | Other | 198 | 0.7 | 0 | 0 | python-kit | 718 | 2023-09-29T17:24:14.945220 | GPL-3.0 | false | 1ad3f95eb41537d2b735a68788a9e673 |
null | .venv\Lib\site-packages\jupyter_server\static\favicon.ico | favicon.ico | Other | 32,038 | 0.8 | 0 | 0 | vue-tools | 542 | 2025-05-24T09:33:22.436072 | MIT | false | d6f38ed4962e190075e8525410b2afc3 |
null | .venv\Lib\site-packages\jupyter_server\static\favicons\favicon-busy-1.ico | favicon-busy-1.ico | Other | 1,150 | 0.7 | 0 | 0 | react-lib | 944 | 2025-02-14T09:28:56.839918 | BSD-3-Clause | false | 7da8cb53db9617988d7aa4b68d4134c4 |
null | .venv\Lib\site-packages\jupyter_server\static\favicons\favicon-busy-2.ico | favicon-busy-2.ico | Other | 1,150 | 0.7 | 0.1 | 0 | python-kit | 102 | 2024-06-15T00:35:16.404410 | Apache-2.0 | false | 7a2d6055c460b3ed92c90c221d252640 |
null | .venv\Lib\site-packages\jupyter_server\static\favicons\favicon-busy-3.ico | favicon-busy-3.ico | Other | 1,150 | 0.7 | 0 | 0 | python-kit | 913 | 2025-05-23T16:07:11.987879 | MIT | false | 446f12bbebc84abe1ca413fc8c003c3e |
null | .venv\Lib\site-packages\jupyter_server\static\favicons\favicon-file.ico | favicon-file.ico | Other | 1,150 | 0.7 | 0.1 | 0 | vue-tools | 689 | 2025-06-25T03:35:56.424146 | GPL-3.0 | false | e107db695f76ed943509b6db829c25cb |
null | .venv\Lib\site-packages\jupyter_server\static\favicons\favicon-notebook.ico | favicon-notebook.ico | Other | 1,150 | 0.7 | 0.1 | 0 | react-lib | 762 | 2023-08-04T15:27:54.380287 | MIT | false | cbd41311d315cbb96bf64610a4c68f05 |
null | .venv\Lib\site-packages\jupyter_server\static\favicons\favicon-terminal.ico | favicon-terminal.ico | Other | 1,150 | 0.7 | 0.1 | 0 | awesome-app | 913 | 2024-09-02T12:01:34.591356 | BSD-3-Clause | false | 28ccd870a1fbdaef7ee61f0709f9a344 |
null | .venv\Lib\site-packages\jupyter_server\static\favicons\favicon.ico | favicon.ico | Other | 32,038 | 0.8 | 0 | 0 | python-kit | 274 | 2024-07-12T12:27:04.004210 | MIT | false | d6f38ed4962e190075e8525410b2afc3 |
PNG\n\n | .venv\Lib\site-packages\jupyter_server\static\logo\logo.png | logo.png | Other | 5,922 | 0.8 | 0 | 0.023256 | awesome-app | 887 | 2025-06-09T00:15:00.190498 | Apache-2.0 | false | 6bc7ffbb40233ab8c8e2a1b31d38831d |
/*!\n * Bootstrap v3.4.1 (https://getbootstrap.com/)\n * Copyright 2011-2019 Twitter, Inc.\n * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE)\n */.btn-danger,.btn-default,.btn-info,.btn-primary,.btn-success,.btn-warning{text-shadow:0 -1px 0 rgba(0,0,0,.2);-webkit-box-shadow:inset 0 1px 0 rgba(255,255,255,.15),0 1px 1px rgba(0,0,0,.075);box-shadow:inset 0 1px 0 rgba(255,255,255,.15),0 1px 1px rgba(0,0,0,.075)}.btn-danger.active,.btn-danger:active,.btn-default.active,.btn-default:active,.btn-info.active,.btn-info:active,.btn-primary.active,.btn-primary:active,.btn-success.active,.btn-success:active,.btn-warning.active,.btn-warning:active{-webkit-box-shadow:inset 0 3px 5px rgba(0,0,0,.125);box-shadow:inset 0 3px 5px rgba(0,0,0,.125)}.btn-danger.disabled,.btn-danger[disabled],.btn-default.disabled,.btn-default[disabled],.btn-info.disabled,.btn-info[disabled],.btn-primary.disabled,.btn-primary[disabled],.btn-success.disabled,.btn-success[disabled],.btn-warning.disabled,.btn-warning[disabled],fieldset[disabled] .btn-danger,fieldset[disabled] .btn-default,fieldset[disabled] .btn-info,fieldset[disabled] .btn-primary,fieldset[disabled] .btn-success,fieldset[disabled] .btn-warning{-webkit-box-shadow:none;box-shadow:none}.btn-danger .badge,.btn-default .badge,.btn-info .badge,.btn-primary .badge,.btn-success .badge,.btn-warning .badge{text-shadow:none}.btn.active,.btn:active{background-image:none}.btn-default{background-image:-webkit-linear-gradient(top,#fff 0,#e0e0e0 100%);background-image:-o-linear-gradient(top,#fff 0,#e0e0e0 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#fff),to(#e0e0e0));background-image:linear-gradient(to bottom,#fff 0,#e0e0e0 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffffffff', endColorstr='#ffe0e0e0', GradientType=0);filter:progid:DXImageTransform.Microsoft.gradient(enabled=false);background-repeat:repeat-x;border-color:#dbdbdb;text-shadow:0 1px 0 #fff;border-color:#ccc}.btn-default:focus,.btn-default:hover{background-color:#e0e0e0;background-position:0 -15px}.btn-default.active,.btn-default:active{background-color:#e0e0e0;border-color:#dbdbdb}.btn-default.disabled,.btn-default.disabled.active,.btn-default.disabled.focus,.btn-default.disabled:active,.btn-default.disabled:focus,.btn-default.disabled:hover,.btn-default[disabled],.btn-default[disabled].active,.btn-default[disabled].focus,.btn-default[disabled]:active,.btn-default[disabled]:focus,.btn-default[disabled]:hover,fieldset[disabled] .btn-default,fieldset[disabled] .btn-default.active,fieldset[disabled] .btn-default.focus,fieldset[disabled] .btn-default:active,fieldset[disabled] .btn-default:focus,fieldset[disabled] .btn-default:hover{background-color:#e0e0e0;background-image:none}.btn-primary{background-image:-webkit-linear-gradient(top,#337ab7 0,#265a88 100%);background-image:-o-linear-gradient(top,#337ab7 0,#265a88 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#337ab7),to(#265a88));background-image:linear-gradient(to bottom,#337ab7 0,#265a88 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff337ab7', endColorstr='#ff265a88', GradientType=0);filter:progid:DXImageTransform.Microsoft.gradient(enabled=false);background-repeat:repeat-x;border-color:#245580}.btn-primary:focus,.btn-primary:hover{background-color:#265a88;background-position:0 -15px}.btn-primary.active,.btn-primary:active{background-color:#265a88;border-color:#245580}.btn-primary.disabled,.btn-primary.disabled.active,.btn-primary.disabled.focus,.btn-primary.disabled:active,.btn-primary.disabled:focus,.btn-primary.disabled:hover,.btn-primary[disabled],.btn-primary[disabled].active,.btn-primary[disabled].focus,.btn-primary[disabled]:active,.btn-primary[disabled]:focus,.btn-primary[disabled]:hover,fieldset[disabled] .btn-primary,fieldset[disabled] .btn-primary.active,fieldset[disabled] .btn-primary.focus,fieldset[disabled] .btn-primary:active,fieldset[disabled] .btn-primary:focus,fieldset[disabled] .btn-primary:hover{background-color:#265a88;background-image:none}.btn-success{background-image:-webkit-linear-gradient(top,#5cb85c 0,#419641 100%);background-image:-o-linear-gradient(top,#5cb85c 0,#419641 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#5cb85c),to(#419641));background-image:linear-gradient(to bottom,#5cb85c 0,#419641 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff5cb85c', endColorstr='#ff419641', GradientType=0);filter:progid:DXImageTransform.Microsoft.gradient(enabled=false);background-repeat:repeat-x;border-color:#3e8f3e}.btn-success:focus,.btn-success:hover{background-color:#419641;background-position:0 -15px}.btn-success.active,.btn-success:active{background-color:#419641;border-color:#3e8f3e}.btn-success.disabled,.btn-success.disabled.active,.btn-success.disabled.focus,.btn-success.disabled:active,.btn-success.disabled:focus,.btn-success.disabled:hover,.btn-success[disabled],.btn-success[disabled].active,.btn-success[disabled].focus,.btn-success[disabled]:active,.btn-success[disabled]:focus,.btn-success[disabled]:hover,fieldset[disabled] .btn-success,fieldset[disabled] .btn-success.active,fieldset[disabled] .btn-success.focus,fieldset[disabled] .btn-success:active,fieldset[disabled] .btn-success:focus,fieldset[disabled] .btn-success:hover{background-color:#419641;background-image:none}.btn-info{background-image:-webkit-linear-gradient(top,#5bc0de 0,#2aabd2 100%);background-image:-o-linear-gradient(top,#5bc0de 0,#2aabd2 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#5bc0de),to(#2aabd2));background-image:linear-gradient(to bottom,#5bc0de 0,#2aabd2 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff5bc0de', endColorstr='#ff2aabd2', GradientType=0);filter:progid:DXImageTransform.Microsoft.gradient(enabled=false);background-repeat:repeat-x;border-color:#28a4c9}.btn-info:focus,.btn-info:hover{background-color:#2aabd2;background-position:0 -15px}.btn-info.active,.btn-info:active{background-color:#2aabd2;border-color:#28a4c9}.btn-info.disabled,.btn-info.disabled.active,.btn-info.disabled.focus,.btn-info.disabled:active,.btn-info.disabled:focus,.btn-info.disabled:hover,.btn-info[disabled],.btn-info[disabled].active,.btn-info[disabled].focus,.btn-info[disabled]:active,.btn-info[disabled]:focus,.btn-info[disabled]:hover,fieldset[disabled] .btn-info,fieldset[disabled] .btn-info.active,fieldset[disabled] .btn-info.focus,fieldset[disabled] .btn-info:active,fieldset[disabled] .btn-info:focus,fieldset[disabled] .btn-info:hover{background-color:#2aabd2;background-image:none}.btn-warning{background-image:-webkit-linear-gradient(top,#f0ad4e 0,#eb9316 100%);background-image:-o-linear-gradient(top,#f0ad4e 0,#eb9316 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#f0ad4e),to(#eb9316));background-image:linear-gradient(to bottom,#f0ad4e 0,#eb9316 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff0ad4e', endColorstr='#ffeb9316', GradientType=0);filter:progid:DXImageTransform.Microsoft.gradient(enabled=false);background-repeat:repeat-x;border-color:#e38d13}.btn-warning:focus,.btn-warning:hover{background-color:#eb9316;background-position:0 -15px}.btn-warning.active,.btn-warning:active{background-color:#eb9316;border-color:#e38d13}.btn-warning.disabled,.btn-warning.disabled.active,.btn-warning.disabled.focus,.btn-warning.disabled:active,.btn-warning.disabled:focus,.btn-warning.disabled:hover,.btn-warning[disabled],.btn-warning[disabled].active,.btn-warning[disabled].focus,.btn-warning[disabled]:active,.btn-warning[disabled]:focus,.btn-warning[disabled]:hover,fieldset[disabled] .btn-warning,fieldset[disabled] .btn-warning.active,fieldset[disabled] .btn-warning.focus,fieldset[disabled] .btn-warning:active,fieldset[disabled] .btn-warning:focus,fieldset[disabled] .btn-warning:hover{background-color:#eb9316;background-image:none}.btn-danger{background-image:-webkit-linear-gradient(top,#d9534f 0,#c12e2a 100%);background-image:-o-linear-gradient(top,#d9534f 0,#c12e2a 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#d9534f),to(#c12e2a));background-image:linear-gradient(to bottom,#d9534f 0,#c12e2a 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffd9534f', endColorstr='#ffc12e2a', GradientType=0);filter:progid:DXImageTransform.Microsoft.gradient(enabled=false);background-repeat:repeat-x;border-color:#b92c28}.btn-danger:focus,.btn-danger:hover{background-color:#c12e2a;background-position:0 -15px}.btn-danger.active,.btn-danger:active{background-color:#c12e2a;border-color:#b92c28}.btn-danger.disabled,.btn-danger.disabled.active,.btn-danger.disabled.focus,.btn-danger.disabled:active,.btn-danger.disabled:focus,.btn-danger.disabled:hover,.btn-danger[disabled],.btn-danger[disabled].active,.btn-danger[disabled].focus,.btn-danger[disabled]:active,.btn-danger[disabled]:focus,.btn-danger[disabled]:hover,fieldset[disabled] .btn-danger,fieldset[disabled] .btn-danger.active,fieldset[disabled] .btn-danger.focus,fieldset[disabled] .btn-danger:active,fieldset[disabled] .btn-danger:focus,fieldset[disabled] .btn-danger:hover{background-color:#c12e2a;background-image:none}.img-thumbnail,.thumbnail{-webkit-box-shadow:0 1px 2px rgba(0,0,0,.075);box-shadow:0 1px 2px rgba(0,0,0,.075)}.dropdown-menu>li>a:focus,.dropdown-menu>li>a:hover{background-image:-webkit-linear-gradient(top,#f5f5f5 0,#e8e8e8 100%);background-image:-o-linear-gradient(top,#f5f5f5 0,#e8e8e8 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#f5f5f5),to(#e8e8e8));background-image:linear-gradient(to bottom,#f5f5f5 0,#e8e8e8 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff5f5f5', endColorstr='#ffe8e8e8', GradientType=0);background-repeat:repeat-x;background-color:#e8e8e8}.dropdown-menu>.active>a,.dropdown-menu>.active>a:focus,.dropdown-menu>.active>a:hover{background-image:-webkit-linear-gradient(top,#337ab7 0,#2e6da4 100%);background-image:-o-linear-gradient(top,#337ab7 0,#2e6da4 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#337ab7),to(#2e6da4));background-image:linear-gradient(to bottom,#337ab7 0,#2e6da4 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff337ab7', endColorstr='#ff2e6da4', GradientType=0);background-repeat:repeat-x;background-color:#2e6da4}.navbar-default{background-image:-webkit-linear-gradient(top,#fff 0,#f8f8f8 100%);background-image:-o-linear-gradient(top,#fff 0,#f8f8f8 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#fff),to(#f8f8f8));background-image:linear-gradient(to bottom,#fff 0,#f8f8f8 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffffffff', endColorstr='#fff8f8f8', GradientType=0);background-repeat:repeat-x;filter:progid:DXImageTransform.Microsoft.gradient(enabled=false);border-radius:4px;-webkit-box-shadow:inset 0 1px 0 rgba(255,255,255,.15),0 1px 5px rgba(0,0,0,.075);box-shadow:inset 0 1px 0 rgba(255,255,255,.15),0 1px 5px rgba(0,0,0,.075)}.navbar-default .navbar-nav>.active>a,.navbar-default .navbar-nav>.open>a{background-image:-webkit-linear-gradient(top,#dbdbdb 0,#e2e2e2 100%);background-image:-o-linear-gradient(top,#dbdbdb 0,#e2e2e2 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#dbdbdb),to(#e2e2e2));background-image:linear-gradient(to bottom,#dbdbdb 0,#e2e2e2 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffdbdbdb', endColorstr='#ffe2e2e2', GradientType=0);background-repeat:repeat-x;-webkit-box-shadow:inset 0 3px 9px rgba(0,0,0,.075);box-shadow:inset 0 3px 9px rgba(0,0,0,.075)}.navbar-brand,.navbar-nav>li>a{text-shadow:0 1px 0 rgba(255,255,255,.25)}.navbar-inverse{background-image:-webkit-linear-gradient(top,#3c3c3c 0,#222 100%);background-image:-o-linear-gradient(top,#3c3c3c 0,#222 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#3c3c3c),to(#222));background-image:linear-gradient(to bottom,#3c3c3c 0,#222 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff3c3c3c', endColorstr='#ff222222', GradientType=0);background-repeat:repeat-x;filter:progid:DXImageTransform.Microsoft.gradient(enabled=false);border-radius:4px}.navbar-inverse .navbar-nav>.active>a,.navbar-inverse .navbar-nav>.open>a{background-image:-webkit-linear-gradient(top,#080808 0,#0f0f0f 100%);background-image:-o-linear-gradient(top,#080808 0,#0f0f0f 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#080808),to(#0f0f0f));background-image:linear-gradient(to bottom,#080808 0,#0f0f0f 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff080808', endColorstr='#ff0f0f0f', GradientType=0);background-repeat:repeat-x;-webkit-box-shadow:inset 0 3px 9px rgba(0,0,0,.25);box-shadow:inset 0 3px 9px rgba(0,0,0,.25)}.navbar-inverse .navbar-brand,.navbar-inverse .navbar-nav>li>a{text-shadow:0 -1px 0 rgba(0,0,0,.25)}.navbar-fixed-bottom,.navbar-fixed-top,.navbar-static-top{border-radius:0}@media (max-width:767px){.navbar .navbar-nav .open .dropdown-menu>.active>a,.navbar .navbar-nav .open .dropdown-menu>.active>a:focus,.navbar .navbar-nav .open .dropdown-menu>.active>a:hover{color:#fff;background-image:-webkit-linear-gradient(top,#337ab7 0,#2e6da4 100%);background-image:-o-linear-gradient(top,#337ab7 0,#2e6da4 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#337ab7),to(#2e6da4));background-image:linear-gradient(to bottom,#337ab7 0,#2e6da4 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff337ab7', endColorstr='#ff2e6da4', GradientType=0);background-repeat:repeat-x}}.alert{text-shadow:0 1px 0 rgba(255,255,255,.2);-webkit-box-shadow:inset 0 1px 0 rgba(255,255,255,.25),0 1px 2px rgba(0,0,0,.05);box-shadow:inset 0 1px 0 rgba(255,255,255,.25),0 1px 2px rgba(0,0,0,.05)}.alert-success{background-image:-webkit-linear-gradient(top,#dff0d8 0,#c8e5bc 100%);background-image:-o-linear-gradient(top,#dff0d8 0,#c8e5bc 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#dff0d8),to(#c8e5bc));background-image:linear-gradient(to bottom,#dff0d8 0,#c8e5bc 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffdff0d8', endColorstr='#ffc8e5bc', GradientType=0);background-repeat:repeat-x;border-color:#b2dba1}.alert-info{background-image:-webkit-linear-gradient(top,#d9edf7 0,#b9def0 100%);background-image:-o-linear-gradient(top,#d9edf7 0,#b9def0 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#d9edf7),to(#b9def0));background-image:linear-gradient(to bottom,#d9edf7 0,#b9def0 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffd9edf7', endColorstr='#ffb9def0', GradientType=0);background-repeat:repeat-x;border-color:#9acfea}.alert-warning{background-image:-webkit-linear-gradient(top,#fcf8e3 0,#f8efc0 100%);background-image:-o-linear-gradient(top,#fcf8e3 0,#f8efc0 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#fcf8e3),to(#f8efc0));background-image:linear-gradient(to bottom,#fcf8e3 0,#f8efc0 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#fffcf8e3', endColorstr='#fff8efc0', GradientType=0);background-repeat:repeat-x;border-color:#f5e79e}.alert-danger{background-image:-webkit-linear-gradient(top,#f2dede 0,#e7c3c3 100%);background-image:-o-linear-gradient(top,#f2dede 0,#e7c3c3 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#f2dede),to(#e7c3c3));background-image:linear-gradient(to bottom,#f2dede 0,#e7c3c3 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff2dede', endColorstr='#ffe7c3c3', GradientType=0);background-repeat:repeat-x;border-color:#dca7a7}.progress{background-image:-webkit-linear-gradient(top,#ebebeb 0,#f5f5f5 100%);background-image:-o-linear-gradient(top,#ebebeb 0,#f5f5f5 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#ebebeb),to(#f5f5f5));background-image:linear-gradient(to bottom,#ebebeb 0,#f5f5f5 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffebebeb', endColorstr='#fff5f5f5', GradientType=0);background-repeat:repeat-x}.progress-bar{background-image:-webkit-linear-gradient(top,#337ab7 0,#286090 100%);background-image:-o-linear-gradient(top,#337ab7 0,#286090 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#337ab7),to(#286090));background-image:linear-gradient(to bottom,#337ab7 0,#286090 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff337ab7', endColorstr='#ff286090', GradientType=0);background-repeat:repeat-x}.progress-bar-success{background-image:-webkit-linear-gradient(top,#5cb85c 0,#449d44 100%);background-image:-o-linear-gradient(top,#5cb85c 0,#449d44 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#5cb85c),to(#449d44));background-image:linear-gradient(to bottom,#5cb85c 0,#449d44 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff5cb85c', endColorstr='#ff449d44', GradientType=0);background-repeat:repeat-x}.progress-bar-info{background-image:-webkit-linear-gradient(top,#5bc0de 0,#31b0d5 100%);background-image:-o-linear-gradient(top,#5bc0de 0,#31b0d5 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#5bc0de),to(#31b0d5));background-image:linear-gradient(to bottom,#5bc0de 0,#31b0d5 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff5bc0de', endColorstr='#ff31b0d5', GradientType=0);background-repeat:repeat-x}.progress-bar-warning{background-image:-webkit-linear-gradient(top,#f0ad4e 0,#ec971f 100%);background-image:-o-linear-gradient(top,#f0ad4e 0,#ec971f 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#f0ad4e),to(#ec971f));background-image:linear-gradient(to bottom,#f0ad4e 0,#ec971f 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff0ad4e', endColorstr='#ffec971f', GradientType=0);background-repeat:repeat-x}.progress-bar-danger{background-image:-webkit-linear-gradient(top,#d9534f 0,#c9302c 100%);background-image:-o-linear-gradient(top,#d9534f 0,#c9302c 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#d9534f),to(#c9302c));background-image:linear-gradient(to bottom,#d9534f 0,#c9302c 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffd9534f', endColorstr='#ffc9302c', GradientType=0);background-repeat:repeat-x}.progress-bar-striped{background-image:-webkit-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:-o-linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent);background-image:linear-gradient(45deg,rgba(255,255,255,.15) 25%,transparent 25%,transparent 50%,rgba(255,255,255,.15) 50%,rgba(255,255,255,.15) 75%,transparent 75%,transparent)}.list-group{border-radius:4px;-webkit-box-shadow:0 1px 2px rgba(0,0,0,.075);box-shadow:0 1px 2px rgba(0,0,0,.075)}.list-group-item.active,.list-group-item.active:focus,.list-group-item.active:hover{text-shadow:0 -1px 0 #286090;background-image:-webkit-linear-gradient(top,#337ab7 0,#2b669a 100%);background-image:-o-linear-gradient(top,#337ab7 0,#2b669a 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#337ab7),to(#2b669a));background-image:linear-gradient(to bottom,#337ab7 0,#2b669a 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff337ab7', endColorstr='#ff2b669a', GradientType=0);background-repeat:repeat-x;border-color:#2b669a}.list-group-item.active .badge,.list-group-item.active:focus .badge,.list-group-item.active:hover .badge{text-shadow:none}.panel{-webkit-box-shadow:0 1px 2px rgba(0,0,0,.05);box-shadow:0 1px 2px rgba(0,0,0,.05)}.panel-default>.panel-heading{background-image:-webkit-linear-gradient(top,#f5f5f5 0,#e8e8e8 100%);background-image:-o-linear-gradient(top,#f5f5f5 0,#e8e8e8 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#f5f5f5),to(#e8e8e8));background-image:linear-gradient(to bottom,#f5f5f5 0,#e8e8e8 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff5f5f5', endColorstr='#ffe8e8e8', GradientType=0);background-repeat:repeat-x}.panel-primary>.panel-heading{background-image:-webkit-linear-gradient(top,#337ab7 0,#2e6da4 100%);background-image:-o-linear-gradient(top,#337ab7 0,#2e6da4 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#337ab7),to(#2e6da4));background-image:linear-gradient(to bottom,#337ab7 0,#2e6da4 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff337ab7', endColorstr='#ff2e6da4', GradientType=0);background-repeat:repeat-x}.panel-success>.panel-heading{background-image:-webkit-linear-gradient(top,#dff0d8 0,#d0e9c6 100%);background-image:-o-linear-gradient(top,#dff0d8 0,#d0e9c6 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#dff0d8),to(#d0e9c6));background-image:linear-gradient(to bottom,#dff0d8 0,#d0e9c6 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffdff0d8', endColorstr='#ffd0e9c6', GradientType=0);background-repeat:repeat-x}.panel-info>.panel-heading{background-image:-webkit-linear-gradient(top,#d9edf7 0,#c4e3f3 100%);background-image:-o-linear-gradient(top,#d9edf7 0,#c4e3f3 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#d9edf7),to(#c4e3f3));background-image:linear-gradient(to bottom,#d9edf7 0,#c4e3f3 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffd9edf7', endColorstr='#ffc4e3f3', GradientType=0);background-repeat:repeat-x}.panel-warning>.panel-heading{background-image:-webkit-linear-gradient(top,#fcf8e3 0,#faf2cc 100%);background-image:-o-linear-gradient(top,#fcf8e3 0,#faf2cc 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#fcf8e3),to(#faf2cc));background-image:linear-gradient(to bottom,#fcf8e3 0,#faf2cc 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#fffcf8e3', endColorstr='#fffaf2cc', GradientType=0);background-repeat:repeat-x}.panel-danger>.panel-heading{background-image:-webkit-linear-gradient(top,#f2dede 0,#ebcccc 100%);background-image:-o-linear-gradient(top,#f2dede 0,#ebcccc 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#f2dede),to(#ebcccc));background-image:linear-gradient(to bottom,#f2dede 0,#ebcccc 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff2dede', endColorstr='#ffebcccc', GradientType=0);background-repeat:repeat-x}.well{background-image:-webkit-linear-gradient(top,#e8e8e8 0,#f5f5f5 100%);background-image:-o-linear-gradient(top,#e8e8e8 0,#f5f5f5 100%);background-image:-webkit-gradient(linear,left top,left bottom,from(#e8e8e8),to(#f5f5f5));background-image:linear-gradient(to bottom,#e8e8e8 0,#f5f5f5 100%);filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffe8e8e8', endColorstr='#fff5f5f5', GradientType=0);background-repeat:repeat-x;border-color:#dcdcdc;-webkit-box-shadow:inset 0 1px 3px rgba(0,0,0,.05),0 1px 0 rgba(255,255,255,.1);box-shadow:inset 0 1px 3px rgba(0,0,0,.05),0 1px 0 rgba(255,255,255,.1)}\n/*# sourceMappingURL=bootstrap-theme.min.css.map */ | .venv\Lib\site-packages\jupyter_server\static\style\bootstrap-theme.min.css | bootstrap-theme.min.css | Other | 23,411 | 0.8 | 0 | 1 | awesome-app | 711 | 2023-09-23T00:11:49.046005 | Apache-2.0 | false | 2010fa9fb07541adc78a1ec0a8a4fbbf |
{"version":3,"sources":["bootstrap-theme.css","dist/css/bootstrap-theme.css","less/theme.less","less/mixins/vendor-prefixes.less","less/mixins/gradients.less","less/mixins/reset-filter.less"],"names":[],"mappings":"AAAA;;;;ACUA,YCWA,aDbA,UAFA,aACA,aAEA,aCkBE,YAAA,EAAA,KAAA,EAAA,eC2CA,mBAAA,MAAA,EAAA,IAAA,EAAA,qBAAA,CAAA,EAAA,IAAA,IAAA,iBACQ,WAAA,MAAA,EAAA,IAAA,EAAA,qBAAA,CAAA,EAAA,IAAA,IAAA,iBF7CV,mBANA,mBACA,oBCWE,oBDRF,iBANA,iBAIA,oBANA,oBAOA,oBANA,oBAQA,oBANA,oBEmDE,mBAAA,MAAA,EAAA,IAAA,IAAA,iBACQ,WAAA,MAAA,EAAA,IAAA,IAAA,iBFpCV,qBAMA,sBCJE,sBDDF,uBAHA,mBAMA,oBARA,sBAMA,uBALA,sBAMA,uBAJA,sBAMA,uBAOA,+BALA,gCAGA,6BAFA,gCACA,gCAEA,gCEwBE,mBAAA,KACQ,WAAA,KFfV,mBCnCA,oBDiCA,iBAFA,oBACA,oBAEA,oBCXI,YAAA,KDgBJ,YCyBE,YAEE,iBAAA,KAKJ,aEvEI,iBAAA,iDACA,iBAAA,4CACA,iBAAA,qEAAA,iBAAA,+CACA,OAAA,+GClBF,OAAA,0DH8CA,kBAAA,SACA,aAAA,QAyCA,YAAA,EAAA,IAAA,EAAA,KACA,aAAA,KDnBF,mBCrBE,mBAEE,iBAAA,QACA,oBAAA,EAAA,MDuBJ,oBCpBE,oBAEE,iBAAA,QACA,aAAA,QAMA,sBD8BJ,6BANA,4BAGA,6BANA,4BAHA,4BAFA,uBAeA,8BANA,6BAGA,8BANA,6BAHA,6BAFA,gCAeA,uCANA,sCAGA,uCANA,sCAHA,sCCdM,iBAAA,QACA,iBAAA,KAoBN,aE5EI,iBAAA,oDACA,iBAAA,+CACA,iBAAA,wEAAA,iBAAA,kDACA,OAAA,+GClBF,OAAA,0DH8CA,kBAAA,SACA,aAAA,QDgEF,mBC9DE,mBAEE,iBAAA,QACA,oBAAA,EAAA,MDgEJ,oBC7DE,oBAEE,iBAAA,QACA,aAAA,QAMA,sBDuEJ,6BANA,4BAGA,6BANA,4BAHA,4BAFA,uBAeA,8BANA,6BAGA,8BANA,6BAHA,6BAFA,gCAeA,uCANA,sCAGA,uCANA,sCAHA,sCCvDM,iBAAA,QACA,iBAAA,KAqBN,aE7EI,iBAAA,oDACA,iBAAA,+CACA,iBAAA,wEAAA,iBAAA,kDACA,OAAA,+GClBF,OAAA,0DH8CA,kBAAA,SACA,aAAA,QDyGF,mBCvGE,mBAEE,iBAAA,QACA,oBAAA,EAAA,MDyGJ,oBCtGE,oBAEE,iBAAA,QACA,aAAA,QAMA,sBDgHJ,6BANA,4BAGA,6BANA,4BAHA,4BAFA,uBAeA,8BANA,6BAGA,8BANA,6BAHA,6BAFA,gCAeA,uCANA,sCAGA,uCANA,sCAHA,sCChGM,iBAAA,QACA,iBAAA,KAsBN,UE9EI,iBAAA,oDACA,iBAAA,+CACA,iBAAA,wEAAA,iBAAA,kDACA,OAAA,+GClBF,OAAA,0DH8CA,kBAAA,SACA,aAAA,QDkJF,gBChJE,gBAEE,iBAAA,QACA,oBAAA,EAAA,MDkJJ,iBC/IE,iBAEE,iBAAA,QACA,aAAA,QAMA,mBDyJJ,0BANA,yBAGA,0BANA,yBAHA,yBAFA,oBAeA,2BANA,0BAGA,2BANA,0BAHA,0BAFA,6BAeA,oCANA,mCAGA,oCANA,mCAHA,mCCzIM,iBAAA,QACA,iBAAA,KAuBN,aE/EI,iBAAA,oDACA,iBAAA,+CACA,iBAAA,wEAAA,iBAAA,kDACA,OAAA,+GClBF,OAAA,0DH8CA,kBAAA,SACA,aAAA,QD2LF,mBCzLE,mBAEE,iBAAA,QACA,oBAAA,EAAA,MD2LJ,oBCxLE,oBAEE,iBAAA,QACA,aAAA,QAMA,sBDkMJ,6BANA,4BAGA,6BANA,4BAHA,4BAFA,uBAeA,8BANA,6BAGA,8BANA,6BAHA,6BAFA,gCAeA,uCANA,sCAGA,uCANA,sCAHA,sCClLM,iBAAA,QACA,iBAAA,KAwBN,YEhFI,iBAAA,oDACA,iBAAA,+CACA,iBAAA,wEAAA,iBAAA,kDACA,OAAA,+GClBF,OAAA,0DH8CA,kBAAA,SACA,aAAA,QDoOF,kBClOE,kBAEE,iBAAA,QACA,oBAAA,EAAA,MDoOJ,mBCjOE,mBAEE,iBAAA,QACA,aAAA,QAMA,qBD2OJ,4BANA,2BAGA,4BANA,2BAHA,2BAFA,sBAeA,6BANA,4BAGA,6BANA,4BAHA,4BAFA,+BAeA,sCANA,qCAGA,sCANA,qCAHA,qCC3NM,iBAAA,QACA,iBAAA,KD2ON,eC5MA,WCtCE,mBAAA,EAAA,IAAA,IAAA,iBACQ,WAAA,EAAA,IAAA,IAAA,iBFsPV,0BCvMA,0BEjGI,iBAAA,oDACA,iBAAA,+CACA,iBAAA,wEAAA,iBAAA,kDACA,OAAA,+GACA,kBAAA,SFgGF,iBAAA,QAEF,yBD6MA,+BADA,+BGlTI,iBAAA,oDACA,iBAAA,+CACA,iBAAA,wEAAA,iBAAA,kDACA,OAAA,+GACA,kBAAA,SFsGF,iBAAA,QASF,gBEnHI,iBAAA,iDACA,iBAAA,4CACA,iBAAA,qEAAA,iBAAA,+CACA,OAAA,+GACA,kBAAA,SCnBF,OAAA,0DHqIA,cAAA,ICrEA,mBAAA,MAAA,EAAA,IAAA,EAAA,qBAAA,CAAA,EAAA,IAAA,IAAA,iBACQ,WAAA,MAAA,EAAA,IAAA,EAAA,qBAAA,CAAA,EAAA,IAAA,IAAA,iBFuRV,sCCtNA,oCEnHI,iBAAA,oDACA,iBAAA,+CACA,iBAAA,wEAAA,iBAAA,kDACA,OAAA,+GACA,kBAAA,SD6CF,mBAAA,MAAA,EAAA,IAAA,IAAA,iBACQ,WAAA,MAAA,EAAA,IAAA,IAAA,iBD8EV,cDoNA,iBClNE,YAAA,EAAA,IAAA,EAAA,sBAIF,gBEtII,iBAAA,iDACA,iBAAA,4CACA,iBAAA,qEAAA,iBAAA,+CACA,OAAA,+GACA,kBAAA,SCnBF,OAAA,0DHwJA,cAAA,IDyNF,sCC5NA,oCEtII,iBAAA,oDACA,iBAAA,+CACA,iBAAA,wEAAA,iBAAA,kDACA,OAAA,+GACA,kBAAA,SD6CF,mBAAA,MAAA,EAAA,IAAA,IAAA,gBACQ,WAAA,MAAA,EAAA,IAAA,IAAA,gBDoFV,8BDuOA,iCC3NI,YAAA,EAAA,KAAA,EAAA,gBDgOJ,qBADA,kBC1NA,mBAGE,cAAA,EAIF,yBAEI,mDDwNF,yDADA,yDCpNI,MAAA,KEnKF,iBAAA,oDACA,iBAAA,+CACA,iBAAA,wEAAA,iBAAA,kDACA,OAAA,+GACA,kBAAA,UF2KJ,OACE,YAAA,EAAA,IAAA,EAAA,qBC/HA,mBAAA,MAAA,EAAA,IAAA,EAAA,qBAAA,CAAA,EAAA,IAAA,IAAA,gBACQ,WAAA,MAAA,EAAA,IAAA,EAAA,qBAAA,CAAA,EAAA,IAAA,IAAA,gBD0IV,eE5LI,iBAAA,oDACA,iBAAA,+CACA,iBAAA,wEAAA,iBAAA,kDACA,OAAA,+GACA,kBAAA,SFoLF,aAAA,QAKF,YE7LI,iBAAA,oDACA,iBAAA,+CACA,iBAAA,wEAAA,iBAAA,kDACA,OAAA,+GACA,kBAAA,SFoLF,aAAA,QAMF,eE9LI,iBAAA,oDACA,iBAAA,+CACA,iBAAA,wEAAA,iBAAA,kDACA,OAAA,+GACA,kBAAA,SFoLF,aAAA,QAOF,cE/LI,iBAAA,oDACA,iBAAA,+CACA,iBAAA,wEAAA,iBAAA,kDACA,OAAA,+GACA,kBAAA,SFoLF,aAAA,QAeF,UEvMI,iBAAA,oDACA,iBAAA,+CACA,iBAAA,wEAAA,iBAAA,kDACA,OAAA,+GACA,kBAAA,SF6MJ,cEjNI,iBAAA,oDACA,iBAAA,+CACA,iBAAA,wEAAA,iBAAA,kDACA,OAAA,+GACA,kBAAA,SF8MJ,sBElNI,iBAAA,oDACA,iBAAA,+CACA,iBAAA,wEAAA,iBAAA,kDACA,OAAA,+GACA,kBAAA,SF+MJ,mBEnNI,iBAAA,oDACA,iBAAA,+CACA,iBAAA,wEAAA,iBAAA,kDACA,OAAA,+GACA,kBAAA,SFgNJ,sBEpNI,iBAAA,oDACA,iBAAA,+CACA,iBAAA,wEAAA,iBAAA,kDACA,OAAA,+GACA,kBAAA,SFiNJ,qBErNI,iBAAA,oDACA,iBAAA,+CACA,iBAAA,wEAAA,iBAAA,kDACA,OAAA,+GACA,kBAAA,SFqNJ,sBExLI,iBAAA,yKACA,iBAAA,oKACA,iBAAA,iKF+LJ,YACE,cAAA,IClLA,mBAAA,EAAA,IAAA,IAAA,iBACQ,WAAA,EAAA,IAAA,IAAA,iBDoLV,wBDiQA,8BADA,8BC7PE,YAAA,EAAA,KAAA,EAAA,QEzOE,iBAAA,oDACA,iBAAA,+CACA,iBAAA,wEAAA,iBAAA,kDACA,OAAA,+GACA,kBAAA,SFuOF,aAAA,QALF,+BD6QA,qCADA,qCCpQI,YAAA,KAUJ,OCvME,mBAAA,EAAA,IAAA,IAAA,gBACQ,WAAA,EAAA,IAAA,IAAA,gBDgNV,8BElQI,iBAAA,oDACA,iBAAA,+CACA,iBAAA,wEAAA,iBAAA,kDACA,OAAA,+GACA,kBAAA,SF+PJ,8BEnQI,iBAAA,oDACA,iBAAA,+CACA,iBAAA,wEAAA,iBAAA,kDACA,OAAA,+GACA,kBAAA,SFgQJ,8BEpQI,iBAAA,oDACA,iBAAA,+CACA,iBAAA,wEAAA,iBAAA,kDACA,OAAA,+GACA,kBAAA,SFiQJ,2BErQI,iBAAA,oDACA,iBAAA,+CACA,iBAAA,wEAAA,iBAAA,kDACA,OAAA,+GACA,kBAAA,SFkQJ,8BEtQI,iBAAA,oDACA,iBAAA,+CACA,iBAAA,wEAAA,iBAAA,kDACA,OAAA,+GACA,kBAAA,SFmQJ,6BEvQI,iBAAA,oDACA,iBAAA,+CACA,iBAAA,wEAAA,iBAAA,kDACA,OAAA,+GACA,kBAAA,SF0QJ,ME9QI,iBAAA,oDACA,iBAAA,+CACA,iBAAA,wEAAA,iBAAA,kDACA,OAAA,+GACA,kBAAA,SF4QF,aAAA,QC/NA,mBAAA,MAAA,EAAA,IAAA,IAAA,eAAA,CAAA,EAAA,IAAA,EAAA,qBACQ,WAAA,MAAA,EAAA,IAAA,IAAA,eAAA,CAAA,EAAA,IAAA,EAAA","sourcesContent":["/*!\n * Bootstrap v3.4.1 (https://getbootstrap.com/)\n * Copyright 2011-2019 Twitter, Inc.\n * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE)\n */\n.btn-default,\n.btn-primary,\n.btn-success,\n.btn-info,\n.btn-warning,\n.btn-danger {\n text-shadow: 0 -1px 0 rgba(0, 0, 0, 0.2);\n -webkit-box-shadow: inset 0 1px 0 rgba(255, 255, 255, 0.15), 0 1px 1px rgba(0, 0, 0, 0.075);\n box-shadow: inset 0 1px 0 rgba(255, 255, 255, 0.15), 0 1px 1px rgba(0, 0, 0, 0.075);\n}\n.btn-default:active,\n.btn-primary:active,\n.btn-success:active,\n.btn-info:active,\n.btn-warning:active,\n.btn-danger:active,\n.btn-default.active,\n.btn-primary.active,\n.btn-success.active,\n.btn-info.active,\n.btn-warning.active,\n.btn-danger.active {\n -webkit-box-shadow: inset 0 3px 5px rgba(0, 0, 0, 0.125);\n box-shadow: inset 0 3px 5px rgba(0, 0, 0, 0.125);\n}\n.btn-default.disabled,\n.btn-primary.disabled,\n.btn-success.disabled,\n.btn-info.disabled,\n.btn-warning.disabled,\n.btn-danger.disabled,\n.btn-default[disabled],\n.btn-primary[disabled],\n.btn-success[disabled],\n.btn-info[disabled],\n.btn-warning[disabled],\n.btn-danger[disabled],\nfieldset[disabled] .btn-default,\nfieldset[disabled] .btn-primary,\nfieldset[disabled] .btn-success,\nfieldset[disabled] .btn-info,\nfieldset[disabled] .btn-warning,\nfieldset[disabled] .btn-danger {\n -webkit-box-shadow: none;\n box-shadow: none;\n}\n.btn-default .badge,\n.btn-primary .badge,\n.btn-success .badge,\n.btn-info .badge,\n.btn-warning .badge,\n.btn-danger .badge {\n text-shadow: none;\n}\n.btn:active,\n.btn.active {\n background-image: none;\n}\n.btn-default {\n background-image: -webkit-linear-gradient(top, #fff 0%, #e0e0e0 100%);\n background-image: -o-linear-gradient(top, #fff 0%, #e0e0e0 100%);\n background-image: linear-gradient(to bottom, #fff 0%, #e0e0e0 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffffffff', endColorstr='#ffe0e0e0', GradientType=0);\n filter: progid:DXImageTransform.Microsoft.gradient(enabled = false);\n background-repeat: repeat-x;\n border-color: #dbdbdb;\n text-shadow: 0 1px 0 #fff;\n border-color: #ccc;\n}\n.btn-default:hover,\n.btn-default:focus {\n background-color: #e0e0e0;\n background-position: 0 -15px;\n}\n.btn-default:active,\n.btn-default.active {\n background-color: #e0e0e0;\n border-color: #dbdbdb;\n}\n.btn-default.disabled,\n.btn-default[disabled],\nfieldset[disabled] .btn-default,\n.btn-default.disabled:hover,\n.btn-default[disabled]:hover,\nfieldset[disabled] .btn-default:hover,\n.btn-default.disabled:focus,\n.btn-default[disabled]:focus,\nfieldset[disabled] .btn-default:focus,\n.btn-default.disabled.focus,\n.btn-default[disabled].focus,\nfieldset[disabled] .btn-default.focus,\n.btn-default.disabled:active,\n.btn-default[disabled]:active,\nfieldset[disabled] .btn-default:active,\n.btn-default.disabled.active,\n.btn-default[disabled].active,\nfieldset[disabled] .btn-default.active {\n background-color: #e0e0e0;\n background-image: none;\n}\n.btn-primary {\n background-image: -webkit-linear-gradient(top, #337ab7 0%, #265a88 100%);\n background-image: -o-linear-gradient(top, #337ab7 0%, #265a88 100%);\n background-image: linear-gradient(to bottom, #337ab7 0%, #265a88 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff337ab7', endColorstr='#ff265a88', GradientType=0);\n filter: progid:DXImageTransform.Microsoft.gradient(enabled = false);\n background-repeat: repeat-x;\n border-color: #245580;\n}\n.btn-primary:hover,\n.btn-primary:focus {\n background-color: #265a88;\n background-position: 0 -15px;\n}\n.btn-primary:active,\n.btn-primary.active {\n background-color: #265a88;\n border-color: #245580;\n}\n.btn-primary.disabled,\n.btn-primary[disabled],\nfieldset[disabled] .btn-primary,\n.btn-primary.disabled:hover,\n.btn-primary[disabled]:hover,\nfieldset[disabled] .btn-primary:hover,\n.btn-primary.disabled:focus,\n.btn-primary[disabled]:focus,\nfieldset[disabled] .btn-primary:focus,\n.btn-primary.disabled.focus,\n.btn-primary[disabled].focus,\nfieldset[disabled] .btn-primary.focus,\n.btn-primary.disabled:active,\n.btn-primary[disabled]:active,\nfieldset[disabled] .btn-primary:active,\n.btn-primary.disabled.active,\n.btn-primary[disabled].active,\nfieldset[disabled] .btn-primary.active {\n background-color: #265a88;\n background-image: none;\n}\n.btn-success {\n background-image: -webkit-linear-gradient(top, #5cb85c 0%, #419641 100%);\n background-image: -o-linear-gradient(top, #5cb85c 0%, #419641 100%);\n background-image: linear-gradient(to bottom, #5cb85c 0%, #419641 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff5cb85c', endColorstr='#ff419641', GradientType=0);\n filter: progid:DXImageTransform.Microsoft.gradient(enabled = false);\n background-repeat: repeat-x;\n border-color: #3e8f3e;\n}\n.btn-success:hover,\n.btn-success:focus {\n background-color: #419641;\n background-position: 0 -15px;\n}\n.btn-success:active,\n.btn-success.active {\n background-color: #419641;\n border-color: #3e8f3e;\n}\n.btn-success.disabled,\n.btn-success[disabled],\nfieldset[disabled] .btn-success,\n.btn-success.disabled:hover,\n.btn-success[disabled]:hover,\nfieldset[disabled] .btn-success:hover,\n.btn-success.disabled:focus,\n.btn-success[disabled]:focus,\nfieldset[disabled] .btn-success:focus,\n.btn-success.disabled.focus,\n.btn-success[disabled].focus,\nfieldset[disabled] .btn-success.focus,\n.btn-success.disabled:active,\n.btn-success[disabled]:active,\nfieldset[disabled] .btn-success:active,\n.btn-success.disabled.active,\n.btn-success[disabled].active,\nfieldset[disabled] .btn-success.active {\n background-color: #419641;\n background-image: none;\n}\n.btn-info {\n background-image: -webkit-linear-gradient(top, #5bc0de 0%, #2aabd2 100%);\n background-image: -o-linear-gradient(top, #5bc0de 0%, #2aabd2 100%);\n background-image: linear-gradient(to bottom, #5bc0de 0%, #2aabd2 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff5bc0de', endColorstr='#ff2aabd2', GradientType=0);\n filter: progid:DXImageTransform.Microsoft.gradient(enabled = false);\n background-repeat: repeat-x;\n border-color: #28a4c9;\n}\n.btn-info:hover,\n.btn-info:focus {\n background-color: #2aabd2;\n background-position: 0 -15px;\n}\n.btn-info:active,\n.btn-info.active {\n background-color: #2aabd2;\n border-color: #28a4c9;\n}\n.btn-info.disabled,\n.btn-info[disabled],\nfieldset[disabled] .btn-info,\n.btn-info.disabled:hover,\n.btn-info[disabled]:hover,\nfieldset[disabled] .btn-info:hover,\n.btn-info.disabled:focus,\n.btn-info[disabled]:focus,\nfieldset[disabled] .btn-info:focus,\n.btn-info.disabled.focus,\n.btn-info[disabled].focus,\nfieldset[disabled] .btn-info.focus,\n.btn-info.disabled:active,\n.btn-info[disabled]:active,\nfieldset[disabled] .btn-info:active,\n.btn-info.disabled.active,\n.btn-info[disabled].active,\nfieldset[disabled] .btn-info.active {\n background-color: #2aabd2;\n background-image: none;\n}\n.btn-warning {\n background-image: -webkit-linear-gradient(top, #f0ad4e 0%, #eb9316 100%);\n background-image: -o-linear-gradient(top, #f0ad4e 0%, #eb9316 100%);\n background-image: linear-gradient(to bottom, #f0ad4e 0%, #eb9316 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff0ad4e', endColorstr='#ffeb9316', GradientType=0);\n filter: progid:DXImageTransform.Microsoft.gradient(enabled = false);\n background-repeat: repeat-x;\n border-color: #e38d13;\n}\n.btn-warning:hover,\n.btn-warning:focus {\n background-color: #eb9316;\n background-position: 0 -15px;\n}\n.btn-warning:active,\n.btn-warning.active {\n background-color: #eb9316;\n border-color: #e38d13;\n}\n.btn-warning.disabled,\n.btn-warning[disabled],\nfieldset[disabled] .btn-warning,\n.btn-warning.disabled:hover,\n.btn-warning[disabled]:hover,\nfieldset[disabled] .btn-warning:hover,\n.btn-warning.disabled:focus,\n.btn-warning[disabled]:focus,\nfieldset[disabled] .btn-warning:focus,\n.btn-warning.disabled.focus,\n.btn-warning[disabled].focus,\nfieldset[disabled] .btn-warning.focus,\n.btn-warning.disabled:active,\n.btn-warning[disabled]:active,\nfieldset[disabled] .btn-warning:active,\n.btn-warning.disabled.active,\n.btn-warning[disabled].active,\nfieldset[disabled] .btn-warning.active {\n background-color: #eb9316;\n background-image: none;\n}\n.btn-danger {\n background-image: -webkit-linear-gradient(top, #d9534f 0%, #c12e2a 100%);\n background-image: -o-linear-gradient(top, #d9534f 0%, #c12e2a 100%);\n background-image: linear-gradient(to bottom, #d9534f 0%, #c12e2a 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffd9534f', endColorstr='#ffc12e2a', GradientType=0);\n filter: progid:DXImageTransform.Microsoft.gradient(enabled = false);\n background-repeat: repeat-x;\n border-color: #b92c28;\n}\n.btn-danger:hover,\n.btn-danger:focus {\n background-color: #c12e2a;\n background-position: 0 -15px;\n}\n.btn-danger:active,\n.btn-danger.active {\n background-color: #c12e2a;\n border-color: #b92c28;\n}\n.btn-danger.disabled,\n.btn-danger[disabled],\nfieldset[disabled] .btn-danger,\n.btn-danger.disabled:hover,\n.btn-danger[disabled]:hover,\nfieldset[disabled] .btn-danger:hover,\n.btn-danger.disabled:focus,\n.btn-danger[disabled]:focus,\nfieldset[disabled] .btn-danger:focus,\n.btn-danger.disabled.focus,\n.btn-danger[disabled].focus,\nfieldset[disabled] .btn-danger.focus,\n.btn-danger.disabled:active,\n.btn-danger[disabled]:active,\nfieldset[disabled] .btn-danger:active,\n.btn-danger.disabled.active,\n.btn-danger[disabled].active,\nfieldset[disabled] .btn-danger.active {\n background-color: #c12e2a;\n background-image: none;\n}\n.thumbnail,\n.img-thumbnail {\n -webkit-box-shadow: 0 1px 2px rgba(0, 0, 0, 0.075);\n box-shadow: 0 1px 2px rgba(0, 0, 0, 0.075);\n}\n.dropdown-menu > li > a:hover,\n.dropdown-menu > li > a:focus {\n background-image: -webkit-linear-gradient(top, #f5f5f5 0%, #e8e8e8 100%);\n background-image: -o-linear-gradient(top, #f5f5f5 0%, #e8e8e8 100%);\n background-image: linear-gradient(to bottom, #f5f5f5 0%, #e8e8e8 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff5f5f5', endColorstr='#ffe8e8e8', GradientType=0);\n background-repeat: repeat-x;\n background-color: #e8e8e8;\n}\n.dropdown-menu > .active > a,\n.dropdown-menu > .active > a:hover,\n.dropdown-menu > .active > a:focus {\n background-image: -webkit-linear-gradient(top, #337ab7 0%, #2e6da4 100%);\n background-image: -o-linear-gradient(top, #337ab7 0%, #2e6da4 100%);\n background-image: linear-gradient(to bottom, #337ab7 0%, #2e6da4 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff337ab7', endColorstr='#ff2e6da4', GradientType=0);\n background-repeat: repeat-x;\n background-color: #2e6da4;\n}\n.navbar-default {\n background-image: -webkit-linear-gradient(top, #ffffff 0%, #f8f8f8 100%);\n background-image: -o-linear-gradient(top, #ffffff 0%, #f8f8f8 100%);\n background-image: linear-gradient(to bottom, #ffffff 0%, #f8f8f8 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffffffff', endColorstr='#fff8f8f8', GradientType=0);\n background-repeat: repeat-x;\n filter: progid:DXImageTransform.Microsoft.gradient(enabled = false);\n border-radius: 4px;\n -webkit-box-shadow: inset 0 1px 0 rgba(255, 255, 255, 0.15), 0 1px 5px rgba(0, 0, 0, 0.075);\n box-shadow: inset 0 1px 0 rgba(255, 255, 255, 0.15), 0 1px 5px rgba(0, 0, 0, 0.075);\n}\n.navbar-default .navbar-nav > .open > a,\n.navbar-default .navbar-nav > .active > a {\n background-image: -webkit-linear-gradient(top, #dbdbdb 0%, #e2e2e2 100%);\n background-image: -o-linear-gradient(top, #dbdbdb 0%, #e2e2e2 100%);\n background-image: linear-gradient(to bottom, #dbdbdb 0%, #e2e2e2 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffdbdbdb', endColorstr='#ffe2e2e2', GradientType=0);\n background-repeat: repeat-x;\n -webkit-box-shadow: inset 0 3px 9px rgba(0, 0, 0, 0.075);\n box-shadow: inset 0 3px 9px rgba(0, 0, 0, 0.075);\n}\n.navbar-brand,\n.navbar-nav > li > a {\n text-shadow: 0 1px 0 rgba(255, 255, 255, 0.25);\n}\n.navbar-inverse {\n background-image: -webkit-linear-gradient(top, #3c3c3c 0%, #222 100%);\n background-image: -o-linear-gradient(top, #3c3c3c 0%, #222 100%);\n background-image: linear-gradient(to bottom, #3c3c3c 0%, #222 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff3c3c3c', endColorstr='#ff222222', GradientType=0);\n background-repeat: repeat-x;\n filter: progid:DXImageTransform.Microsoft.gradient(enabled = false);\n border-radius: 4px;\n}\n.navbar-inverse .navbar-nav > .open > a,\n.navbar-inverse .navbar-nav > .active > a {\n background-image: -webkit-linear-gradient(top, #080808 0%, #0f0f0f 100%);\n background-image: -o-linear-gradient(top, #080808 0%, #0f0f0f 100%);\n background-image: linear-gradient(to bottom, #080808 0%, #0f0f0f 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff080808', endColorstr='#ff0f0f0f', GradientType=0);\n background-repeat: repeat-x;\n -webkit-box-shadow: inset 0 3px 9px rgba(0, 0, 0, 0.25);\n box-shadow: inset 0 3px 9px rgba(0, 0, 0, 0.25);\n}\n.navbar-inverse .navbar-brand,\n.navbar-inverse .navbar-nav > li > a {\n text-shadow: 0 -1px 0 rgba(0, 0, 0, 0.25);\n}\n.navbar-static-top,\n.navbar-fixed-top,\n.navbar-fixed-bottom {\n border-radius: 0;\n}\n@media (max-width: 767px) {\n .navbar .navbar-nav .open .dropdown-menu > .active > a,\n .navbar .navbar-nav .open .dropdown-menu > .active > a:hover,\n .navbar .navbar-nav .open .dropdown-menu > .active > a:focus {\n color: #fff;\n background-image: -webkit-linear-gradient(top, #337ab7 0%, #2e6da4 100%);\n background-image: -o-linear-gradient(top, #337ab7 0%, #2e6da4 100%);\n background-image: linear-gradient(to bottom, #337ab7 0%, #2e6da4 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff337ab7', endColorstr='#ff2e6da4', GradientType=0);\n background-repeat: repeat-x;\n }\n}\n.alert {\n text-shadow: 0 1px 0 rgba(255, 255, 255, 0.2);\n -webkit-box-shadow: inset 0 1px 0 rgba(255, 255, 255, 0.25), 0 1px 2px rgba(0, 0, 0, 0.05);\n box-shadow: inset 0 1px 0 rgba(255, 255, 255, 0.25), 0 1px 2px rgba(0, 0, 0, 0.05);\n}\n.alert-success {\n background-image: -webkit-linear-gradient(top, #dff0d8 0%, #c8e5bc 100%);\n background-image: -o-linear-gradient(top, #dff0d8 0%, #c8e5bc 100%);\n background-image: linear-gradient(to bottom, #dff0d8 0%, #c8e5bc 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffdff0d8', endColorstr='#ffc8e5bc', GradientType=0);\n background-repeat: repeat-x;\n border-color: #b2dba1;\n}\n.alert-info {\n background-image: -webkit-linear-gradient(top, #d9edf7 0%, #b9def0 100%);\n background-image: -o-linear-gradient(top, #d9edf7 0%, #b9def0 100%);\n background-image: linear-gradient(to bottom, #d9edf7 0%, #b9def0 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffd9edf7', endColorstr='#ffb9def0', GradientType=0);\n background-repeat: repeat-x;\n border-color: #9acfea;\n}\n.alert-warning {\n background-image: -webkit-linear-gradient(top, #fcf8e3 0%, #f8efc0 100%);\n background-image: -o-linear-gradient(top, #fcf8e3 0%, #f8efc0 100%);\n background-image: linear-gradient(to bottom, #fcf8e3 0%, #f8efc0 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#fffcf8e3', endColorstr='#fff8efc0', GradientType=0);\n background-repeat: repeat-x;\n border-color: #f5e79e;\n}\n.alert-danger {\n background-image: -webkit-linear-gradient(top, #f2dede 0%, #e7c3c3 100%);\n background-image: -o-linear-gradient(top, #f2dede 0%, #e7c3c3 100%);\n background-image: linear-gradient(to bottom, #f2dede 0%, #e7c3c3 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff2dede', endColorstr='#ffe7c3c3', GradientType=0);\n background-repeat: repeat-x;\n border-color: #dca7a7;\n}\n.progress {\n background-image: -webkit-linear-gradient(top, #ebebeb 0%, #f5f5f5 100%);\n background-image: -o-linear-gradient(top, #ebebeb 0%, #f5f5f5 100%);\n background-image: linear-gradient(to bottom, #ebebeb 0%, #f5f5f5 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffebebeb', endColorstr='#fff5f5f5', GradientType=0);\n background-repeat: repeat-x;\n}\n.progress-bar {\n background-image: -webkit-linear-gradient(top, #337ab7 0%, #286090 100%);\n background-image: -o-linear-gradient(top, #337ab7 0%, #286090 100%);\n background-image: linear-gradient(to bottom, #337ab7 0%, #286090 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff337ab7', endColorstr='#ff286090', GradientType=0);\n background-repeat: repeat-x;\n}\n.progress-bar-success {\n background-image: -webkit-linear-gradient(top, #5cb85c 0%, #449d44 100%);\n background-image: -o-linear-gradient(top, #5cb85c 0%, #449d44 100%);\n background-image: linear-gradient(to bottom, #5cb85c 0%, #449d44 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff5cb85c', endColorstr='#ff449d44', GradientType=0);\n background-repeat: repeat-x;\n}\n.progress-bar-info {\n background-image: -webkit-linear-gradient(top, #5bc0de 0%, #31b0d5 100%);\n background-image: -o-linear-gradient(top, #5bc0de 0%, #31b0d5 100%);\n background-image: linear-gradient(to bottom, #5bc0de 0%, #31b0d5 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff5bc0de', endColorstr='#ff31b0d5', GradientType=0);\n background-repeat: repeat-x;\n}\n.progress-bar-warning {\n background-image: -webkit-linear-gradient(top, #f0ad4e 0%, #ec971f 100%);\n background-image: -o-linear-gradient(top, #f0ad4e 0%, #ec971f 100%);\n background-image: linear-gradient(to bottom, #f0ad4e 0%, #ec971f 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff0ad4e', endColorstr='#ffec971f', GradientType=0);\n background-repeat: repeat-x;\n}\n.progress-bar-danger {\n background-image: -webkit-linear-gradient(top, #d9534f 0%, #c9302c 100%);\n background-image: -o-linear-gradient(top, #d9534f 0%, #c9302c 100%);\n background-image: linear-gradient(to bottom, #d9534f 0%, #c9302c 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffd9534f', endColorstr='#ffc9302c', GradientType=0);\n background-repeat: repeat-x;\n}\n.progress-bar-striped {\n background-image: -webkit-linear-gradient(45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent);\n background-image: -o-linear-gradient(45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent);\n background-image: linear-gradient(45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent);\n}\n.list-group {\n border-radius: 4px;\n -webkit-box-shadow: 0 1px 2px rgba(0, 0, 0, 0.075);\n box-shadow: 0 1px 2px rgba(0, 0, 0, 0.075);\n}\n.list-group-item.active,\n.list-group-item.active:hover,\n.list-group-item.active:focus {\n text-shadow: 0 -1px 0 #286090;\n background-image: -webkit-linear-gradient(top, #337ab7 0%, #2b669a 100%);\n background-image: -o-linear-gradient(top, #337ab7 0%, #2b669a 100%);\n background-image: linear-gradient(to bottom, #337ab7 0%, #2b669a 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff337ab7', endColorstr='#ff2b669a', GradientType=0);\n background-repeat: repeat-x;\n border-color: #2b669a;\n}\n.list-group-item.active .badge,\n.list-group-item.active:hover .badge,\n.list-group-item.active:focus .badge {\n text-shadow: none;\n}\n.panel {\n -webkit-box-shadow: 0 1px 2px rgba(0, 0, 0, 0.05);\n box-shadow: 0 1px 2px rgba(0, 0, 0, 0.05);\n}\n.panel-default > .panel-heading {\n background-image: -webkit-linear-gradient(top, #f5f5f5 0%, #e8e8e8 100%);\n background-image: -o-linear-gradient(top, #f5f5f5 0%, #e8e8e8 100%);\n background-image: linear-gradient(to bottom, #f5f5f5 0%, #e8e8e8 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff5f5f5', endColorstr='#ffe8e8e8', GradientType=0);\n background-repeat: repeat-x;\n}\n.panel-primary > .panel-heading {\n background-image: -webkit-linear-gradient(top, #337ab7 0%, #2e6da4 100%);\n background-image: -o-linear-gradient(top, #337ab7 0%, #2e6da4 100%);\n background-image: linear-gradient(to bottom, #337ab7 0%, #2e6da4 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff337ab7', endColorstr='#ff2e6da4', GradientType=0);\n background-repeat: repeat-x;\n}\n.panel-success > .panel-heading {\n background-image: -webkit-linear-gradient(top, #dff0d8 0%, #d0e9c6 100%);\n background-image: -o-linear-gradient(top, #dff0d8 0%, #d0e9c6 100%);\n background-image: linear-gradient(to bottom, #dff0d8 0%, #d0e9c6 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffdff0d8', endColorstr='#ffd0e9c6', GradientType=0);\n background-repeat: repeat-x;\n}\n.panel-info > .panel-heading {\n background-image: -webkit-linear-gradient(top, #d9edf7 0%, #c4e3f3 100%);\n background-image: -o-linear-gradient(top, #d9edf7 0%, #c4e3f3 100%);\n background-image: linear-gradient(to bottom, #d9edf7 0%, #c4e3f3 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffd9edf7', endColorstr='#ffc4e3f3', GradientType=0);\n background-repeat: repeat-x;\n}\n.panel-warning > .panel-heading {\n background-image: -webkit-linear-gradient(top, #fcf8e3 0%, #faf2cc 100%);\n background-image: -o-linear-gradient(top, #fcf8e3 0%, #faf2cc 100%);\n background-image: linear-gradient(to bottom, #fcf8e3 0%, #faf2cc 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#fffcf8e3', endColorstr='#fffaf2cc', GradientType=0);\n background-repeat: repeat-x;\n}\n.panel-danger > .panel-heading {\n background-image: -webkit-linear-gradient(top, #f2dede 0%, #ebcccc 100%);\n background-image: -o-linear-gradient(top, #f2dede 0%, #ebcccc 100%);\n background-image: linear-gradient(to bottom, #f2dede 0%, #ebcccc 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff2dede', endColorstr='#ffebcccc', GradientType=0);\n background-repeat: repeat-x;\n}\n.well {\n background-image: -webkit-linear-gradient(top, #e8e8e8 0%, #f5f5f5 100%);\n background-image: -o-linear-gradient(top, #e8e8e8 0%, #f5f5f5 100%);\n background-image: linear-gradient(to bottom, #e8e8e8 0%, #f5f5f5 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffe8e8e8', endColorstr='#fff5f5f5', GradientType=0);\n background-repeat: repeat-x;\n border-color: #dcdcdc;\n -webkit-box-shadow: inset 0 1px 3px rgba(0, 0, 0, 0.05), 0 1px 0 rgba(255, 255, 255, 0.1);\n box-shadow: inset 0 1px 3px rgba(0, 0, 0, 0.05), 0 1px 0 rgba(255, 255, 255, 0.1);\n}\n/*# sourceMappingURL=bootstrap-theme.css.map */","/*!\n * Bootstrap v3.4.1 (https://getbootstrap.com/)\n * Copyright 2011-2019 Twitter, Inc.\n * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE)\n */\n.btn-default,\n.btn-primary,\n.btn-success,\n.btn-info,\n.btn-warning,\n.btn-danger {\n text-shadow: 0 -1px 0 rgba(0, 0, 0, 0.2);\n -webkit-box-shadow: inset 0 1px 0 rgba(255, 255, 255, 0.15), 0 1px 1px rgba(0, 0, 0, 0.075);\n box-shadow: inset 0 1px 0 rgba(255, 255, 255, 0.15), 0 1px 1px rgba(0, 0, 0, 0.075);\n}\n.btn-default:active,\n.btn-primary:active,\n.btn-success:active,\n.btn-info:active,\n.btn-warning:active,\n.btn-danger:active,\n.btn-default.active,\n.btn-primary.active,\n.btn-success.active,\n.btn-info.active,\n.btn-warning.active,\n.btn-danger.active {\n -webkit-box-shadow: inset 0 3px 5px rgba(0, 0, 0, 0.125);\n box-shadow: inset 0 3px 5px rgba(0, 0, 0, 0.125);\n}\n.btn-default.disabled,\n.btn-primary.disabled,\n.btn-success.disabled,\n.btn-info.disabled,\n.btn-warning.disabled,\n.btn-danger.disabled,\n.btn-default[disabled],\n.btn-primary[disabled],\n.btn-success[disabled],\n.btn-info[disabled],\n.btn-warning[disabled],\n.btn-danger[disabled],\nfieldset[disabled] .btn-default,\nfieldset[disabled] .btn-primary,\nfieldset[disabled] .btn-success,\nfieldset[disabled] .btn-info,\nfieldset[disabled] .btn-warning,\nfieldset[disabled] .btn-danger {\n -webkit-box-shadow: none;\n box-shadow: none;\n}\n.btn-default .badge,\n.btn-primary .badge,\n.btn-success .badge,\n.btn-info .badge,\n.btn-warning .badge,\n.btn-danger .badge {\n text-shadow: none;\n}\n.btn:active,\n.btn.active {\n background-image: none;\n}\n.btn-default {\n background-image: -webkit-linear-gradient(top, #fff 0%, #e0e0e0 100%);\n background-image: -o-linear-gradient(top, #fff 0%, #e0e0e0 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#fff), to(#e0e0e0));\n background-image: linear-gradient(to bottom, #fff 0%, #e0e0e0 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffffffff', endColorstr='#ffe0e0e0', GradientType=0);\n filter: progid:DXImageTransform.Microsoft.gradient(enabled = false);\n background-repeat: repeat-x;\n border-color: #dbdbdb;\n text-shadow: 0 1px 0 #fff;\n border-color: #ccc;\n}\n.btn-default:hover,\n.btn-default:focus {\n background-color: #e0e0e0;\n background-position: 0 -15px;\n}\n.btn-default:active,\n.btn-default.active {\n background-color: #e0e0e0;\n border-color: #dbdbdb;\n}\n.btn-default.disabled,\n.btn-default[disabled],\nfieldset[disabled] .btn-default,\n.btn-default.disabled:hover,\n.btn-default[disabled]:hover,\nfieldset[disabled] .btn-default:hover,\n.btn-default.disabled:focus,\n.btn-default[disabled]:focus,\nfieldset[disabled] .btn-default:focus,\n.btn-default.disabled.focus,\n.btn-default[disabled].focus,\nfieldset[disabled] .btn-default.focus,\n.btn-default.disabled:active,\n.btn-default[disabled]:active,\nfieldset[disabled] .btn-default:active,\n.btn-default.disabled.active,\n.btn-default[disabled].active,\nfieldset[disabled] .btn-default.active {\n background-color: #e0e0e0;\n background-image: none;\n}\n.btn-primary {\n background-image: -webkit-linear-gradient(top, #337ab7 0%, #265a88 100%);\n background-image: -o-linear-gradient(top, #337ab7 0%, #265a88 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#337ab7), to(#265a88));\n background-image: linear-gradient(to bottom, #337ab7 0%, #265a88 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff337ab7', endColorstr='#ff265a88', GradientType=0);\n filter: progid:DXImageTransform.Microsoft.gradient(enabled = false);\n background-repeat: repeat-x;\n border-color: #245580;\n}\n.btn-primary:hover,\n.btn-primary:focus {\n background-color: #265a88;\n background-position: 0 -15px;\n}\n.btn-primary:active,\n.btn-primary.active {\n background-color: #265a88;\n border-color: #245580;\n}\n.btn-primary.disabled,\n.btn-primary[disabled],\nfieldset[disabled] .btn-primary,\n.btn-primary.disabled:hover,\n.btn-primary[disabled]:hover,\nfieldset[disabled] .btn-primary:hover,\n.btn-primary.disabled:focus,\n.btn-primary[disabled]:focus,\nfieldset[disabled] .btn-primary:focus,\n.btn-primary.disabled.focus,\n.btn-primary[disabled].focus,\nfieldset[disabled] .btn-primary.focus,\n.btn-primary.disabled:active,\n.btn-primary[disabled]:active,\nfieldset[disabled] .btn-primary:active,\n.btn-primary.disabled.active,\n.btn-primary[disabled].active,\nfieldset[disabled] .btn-primary.active {\n background-color: #265a88;\n background-image: none;\n}\n.btn-success {\n background-image: -webkit-linear-gradient(top, #5cb85c 0%, #419641 100%);\n background-image: -o-linear-gradient(top, #5cb85c 0%, #419641 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#5cb85c), to(#419641));\n background-image: linear-gradient(to bottom, #5cb85c 0%, #419641 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff5cb85c', endColorstr='#ff419641', GradientType=0);\n filter: progid:DXImageTransform.Microsoft.gradient(enabled = false);\n background-repeat: repeat-x;\n border-color: #3e8f3e;\n}\n.btn-success:hover,\n.btn-success:focus {\n background-color: #419641;\n background-position: 0 -15px;\n}\n.btn-success:active,\n.btn-success.active {\n background-color: #419641;\n border-color: #3e8f3e;\n}\n.btn-success.disabled,\n.btn-success[disabled],\nfieldset[disabled] .btn-success,\n.btn-success.disabled:hover,\n.btn-success[disabled]:hover,\nfieldset[disabled] .btn-success:hover,\n.btn-success.disabled:focus,\n.btn-success[disabled]:focus,\nfieldset[disabled] .btn-success:focus,\n.btn-success.disabled.focus,\n.btn-success[disabled].focus,\nfieldset[disabled] .btn-success.focus,\n.btn-success.disabled:active,\n.btn-success[disabled]:active,\nfieldset[disabled] .btn-success:active,\n.btn-success.disabled.active,\n.btn-success[disabled].active,\nfieldset[disabled] .btn-success.active {\n background-color: #419641;\n background-image: none;\n}\n.btn-info {\n background-image: -webkit-linear-gradient(top, #5bc0de 0%, #2aabd2 100%);\n background-image: -o-linear-gradient(top, #5bc0de 0%, #2aabd2 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#5bc0de), to(#2aabd2));\n background-image: linear-gradient(to bottom, #5bc0de 0%, #2aabd2 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff5bc0de', endColorstr='#ff2aabd2', GradientType=0);\n filter: progid:DXImageTransform.Microsoft.gradient(enabled = false);\n background-repeat: repeat-x;\n border-color: #28a4c9;\n}\n.btn-info:hover,\n.btn-info:focus {\n background-color: #2aabd2;\n background-position: 0 -15px;\n}\n.btn-info:active,\n.btn-info.active {\n background-color: #2aabd2;\n border-color: #28a4c9;\n}\n.btn-info.disabled,\n.btn-info[disabled],\nfieldset[disabled] .btn-info,\n.btn-info.disabled:hover,\n.btn-info[disabled]:hover,\nfieldset[disabled] .btn-info:hover,\n.btn-info.disabled:focus,\n.btn-info[disabled]:focus,\nfieldset[disabled] .btn-info:focus,\n.btn-info.disabled.focus,\n.btn-info[disabled].focus,\nfieldset[disabled] .btn-info.focus,\n.btn-info.disabled:active,\n.btn-info[disabled]:active,\nfieldset[disabled] .btn-info:active,\n.btn-info.disabled.active,\n.btn-info[disabled].active,\nfieldset[disabled] .btn-info.active {\n background-color: #2aabd2;\n background-image: none;\n}\n.btn-warning {\n background-image: -webkit-linear-gradient(top, #f0ad4e 0%, #eb9316 100%);\n background-image: -o-linear-gradient(top, #f0ad4e 0%, #eb9316 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#f0ad4e), to(#eb9316));\n background-image: linear-gradient(to bottom, #f0ad4e 0%, #eb9316 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff0ad4e', endColorstr='#ffeb9316', GradientType=0);\n filter: progid:DXImageTransform.Microsoft.gradient(enabled = false);\n background-repeat: repeat-x;\n border-color: #e38d13;\n}\n.btn-warning:hover,\n.btn-warning:focus {\n background-color: #eb9316;\n background-position: 0 -15px;\n}\n.btn-warning:active,\n.btn-warning.active {\n background-color: #eb9316;\n border-color: #e38d13;\n}\n.btn-warning.disabled,\n.btn-warning[disabled],\nfieldset[disabled] .btn-warning,\n.btn-warning.disabled:hover,\n.btn-warning[disabled]:hover,\nfieldset[disabled] .btn-warning:hover,\n.btn-warning.disabled:focus,\n.btn-warning[disabled]:focus,\nfieldset[disabled] .btn-warning:focus,\n.btn-warning.disabled.focus,\n.btn-warning[disabled].focus,\nfieldset[disabled] .btn-warning.focus,\n.btn-warning.disabled:active,\n.btn-warning[disabled]:active,\nfieldset[disabled] .btn-warning:active,\n.btn-warning.disabled.active,\n.btn-warning[disabled].active,\nfieldset[disabled] .btn-warning.active {\n background-color: #eb9316;\n background-image: none;\n}\n.btn-danger {\n background-image: -webkit-linear-gradient(top, #d9534f 0%, #c12e2a 100%);\n background-image: -o-linear-gradient(top, #d9534f 0%, #c12e2a 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#d9534f), to(#c12e2a));\n background-image: linear-gradient(to bottom, #d9534f 0%, #c12e2a 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffd9534f', endColorstr='#ffc12e2a', GradientType=0);\n filter: progid:DXImageTransform.Microsoft.gradient(enabled = false);\n background-repeat: repeat-x;\n border-color: #b92c28;\n}\n.btn-danger:hover,\n.btn-danger:focus {\n background-color: #c12e2a;\n background-position: 0 -15px;\n}\n.btn-danger:active,\n.btn-danger.active {\n background-color: #c12e2a;\n border-color: #b92c28;\n}\n.btn-danger.disabled,\n.btn-danger[disabled],\nfieldset[disabled] .btn-danger,\n.btn-danger.disabled:hover,\n.btn-danger[disabled]:hover,\nfieldset[disabled] .btn-danger:hover,\n.btn-danger.disabled:focus,\n.btn-danger[disabled]:focus,\nfieldset[disabled] .btn-danger:focus,\n.btn-danger.disabled.focus,\n.btn-danger[disabled].focus,\nfieldset[disabled] .btn-danger.focus,\n.btn-danger.disabled:active,\n.btn-danger[disabled]:active,\nfieldset[disabled] .btn-danger:active,\n.btn-danger.disabled.active,\n.btn-danger[disabled].active,\nfieldset[disabled] .btn-danger.active {\n background-color: #c12e2a;\n background-image: none;\n}\n.thumbnail,\n.img-thumbnail {\n -webkit-box-shadow: 0 1px 2px rgba(0, 0, 0, 0.075);\n box-shadow: 0 1px 2px rgba(0, 0, 0, 0.075);\n}\n.dropdown-menu > li > a:hover,\n.dropdown-menu > li > a:focus {\n background-image: -webkit-linear-gradient(top, #f5f5f5 0%, #e8e8e8 100%);\n background-image: -o-linear-gradient(top, #f5f5f5 0%, #e8e8e8 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#f5f5f5), to(#e8e8e8));\n background-image: linear-gradient(to bottom, #f5f5f5 0%, #e8e8e8 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff5f5f5', endColorstr='#ffe8e8e8', GradientType=0);\n background-repeat: repeat-x;\n background-color: #e8e8e8;\n}\n.dropdown-menu > .active > a,\n.dropdown-menu > .active > a:hover,\n.dropdown-menu > .active > a:focus {\n background-image: -webkit-linear-gradient(top, #337ab7 0%, #2e6da4 100%);\n background-image: -o-linear-gradient(top, #337ab7 0%, #2e6da4 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#337ab7), to(#2e6da4));\n background-image: linear-gradient(to bottom, #337ab7 0%, #2e6da4 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff337ab7', endColorstr='#ff2e6da4', GradientType=0);\n background-repeat: repeat-x;\n background-color: #2e6da4;\n}\n.navbar-default {\n background-image: -webkit-linear-gradient(top, #ffffff 0%, #f8f8f8 100%);\n background-image: -o-linear-gradient(top, #ffffff 0%, #f8f8f8 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#ffffff), to(#f8f8f8));\n background-image: linear-gradient(to bottom, #ffffff 0%, #f8f8f8 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffffffff', endColorstr='#fff8f8f8', GradientType=0);\n background-repeat: repeat-x;\n filter: progid:DXImageTransform.Microsoft.gradient(enabled = false);\n border-radius: 4px;\n -webkit-box-shadow: inset 0 1px 0 rgba(255, 255, 255, 0.15), 0 1px 5px rgba(0, 0, 0, 0.075);\n box-shadow: inset 0 1px 0 rgba(255, 255, 255, 0.15), 0 1px 5px rgba(0, 0, 0, 0.075);\n}\n.navbar-default .navbar-nav > .open > a,\n.navbar-default .navbar-nav > .active > a {\n background-image: -webkit-linear-gradient(top, #dbdbdb 0%, #e2e2e2 100%);\n background-image: -o-linear-gradient(top, #dbdbdb 0%, #e2e2e2 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#dbdbdb), to(#e2e2e2));\n background-image: linear-gradient(to bottom, #dbdbdb 0%, #e2e2e2 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffdbdbdb', endColorstr='#ffe2e2e2', GradientType=0);\n background-repeat: repeat-x;\n -webkit-box-shadow: inset 0 3px 9px rgba(0, 0, 0, 0.075);\n box-shadow: inset 0 3px 9px rgba(0, 0, 0, 0.075);\n}\n.navbar-brand,\n.navbar-nav > li > a {\n text-shadow: 0 1px 0 rgba(255, 255, 255, 0.25);\n}\n.navbar-inverse {\n background-image: -webkit-linear-gradient(top, #3c3c3c 0%, #222 100%);\n background-image: -o-linear-gradient(top, #3c3c3c 0%, #222 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#3c3c3c), to(#222));\n background-image: linear-gradient(to bottom, #3c3c3c 0%, #222 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff3c3c3c', endColorstr='#ff222222', GradientType=0);\n background-repeat: repeat-x;\n filter: progid:DXImageTransform.Microsoft.gradient(enabled = false);\n border-radius: 4px;\n}\n.navbar-inverse .navbar-nav > .open > a,\n.navbar-inverse .navbar-nav > .active > a {\n background-image: -webkit-linear-gradient(top, #080808 0%, #0f0f0f 100%);\n background-image: -o-linear-gradient(top, #080808 0%, #0f0f0f 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#080808), to(#0f0f0f));\n background-image: linear-gradient(to bottom, #080808 0%, #0f0f0f 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff080808', endColorstr='#ff0f0f0f', GradientType=0);\n background-repeat: repeat-x;\n -webkit-box-shadow: inset 0 3px 9px rgba(0, 0, 0, 0.25);\n box-shadow: inset 0 3px 9px rgba(0, 0, 0, 0.25);\n}\n.navbar-inverse .navbar-brand,\n.navbar-inverse .navbar-nav > li > a {\n text-shadow: 0 -1px 0 rgba(0, 0, 0, 0.25);\n}\n.navbar-static-top,\n.navbar-fixed-top,\n.navbar-fixed-bottom {\n border-radius: 0;\n}\n@media (max-width: 767px) {\n .navbar .navbar-nav .open .dropdown-menu > .active > a,\n .navbar .navbar-nav .open .dropdown-menu > .active > a:hover,\n .navbar .navbar-nav .open .dropdown-menu > .active > a:focus {\n color: #fff;\n background-image: -webkit-linear-gradient(top, #337ab7 0%, #2e6da4 100%);\n background-image: -o-linear-gradient(top, #337ab7 0%, #2e6da4 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#337ab7), to(#2e6da4));\n background-image: linear-gradient(to bottom, #337ab7 0%, #2e6da4 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff337ab7', endColorstr='#ff2e6da4', GradientType=0);\n background-repeat: repeat-x;\n }\n}\n.alert {\n text-shadow: 0 1px 0 rgba(255, 255, 255, 0.2);\n -webkit-box-shadow: inset 0 1px 0 rgba(255, 255, 255, 0.25), 0 1px 2px rgba(0, 0, 0, 0.05);\n box-shadow: inset 0 1px 0 rgba(255, 255, 255, 0.25), 0 1px 2px rgba(0, 0, 0, 0.05);\n}\n.alert-success {\n background-image: -webkit-linear-gradient(top, #dff0d8 0%, #c8e5bc 100%);\n background-image: -o-linear-gradient(top, #dff0d8 0%, #c8e5bc 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#dff0d8), to(#c8e5bc));\n background-image: linear-gradient(to bottom, #dff0d8 0%, #c8e5bc 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffdff0d8', endColorstr='#ffc8e5bc', GradientType=0);\n background-repeat: repeat-x;\n border-color: #b2dba1;\n}\n.alert-info {\n background-image: -webkit-linear-gradient(top, #d9edf7 0%, #b9def0 100%);\n background-image: -o-linear-gradient(top, #d9edf7 0%, #b9def0 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#d9edf7), to(#b9def0));\n background-image: linear-gradient(to bottom, #d9edf7 0%, #b9def0 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffd9edf7', endColorstr='#ffb9def0', GradientType=0);\n background-repeat: repeat-x;\n border-color: #9acfea;\n}\n.alert-warning {\n background-image: -webkit-linear-gradient(top, #fcf8e3 0%, #f8efc0 100%);\n background-image: -o-linear-gradient(top, #fcf8e3 0%, #f8efc0 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#fcf8e3), to(#f8efc0));\n background-image: linear-gradient(to bottom, #fcf8e3 0%, #f8efc0 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#fffcf8e3', endColorstr='#fff8efc0', GradientType=0);\n background-repeat: repeat-x;\n border-color: #f5e79e;\n}\n.alert-danger {\n background-image: -webkit-linear-gradient(top, #f2dede 0%, #e7c3c3 100%);\n background-image: -o-linear-gradient(top, #f2dede 0%, #e7c3c3 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#f2dede), to(#e7c3c3));\n background-image: linear-gradient(to bottom, #f2dede 0%, #e7c3c3 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff2dede', endColorstr='#ffe7c3c3', GradientType=0);\n background-repeat: repeat-x;\n border-color: #dca7a7;\n}\n.progress {\n background-image: -webkit-linear-gradient(top, #ebebeb 0%, #f5f5f5 100%);\n background-image: -o-linear-gradient(top, #ebebeb 0%, #f5f5f5 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#ebebeb), to(#f5f5f5));\n background-image: linear-gradient(to bottom, #ebebeb 0%, #f5f5f5 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffebebeb', endColorstr='#fff5f5f5', GradientType=0);\n background-repeat: repeat-x;\n}\n.progress-bar {\n background-image: -webkit-linear-gradient(top, #337ab7 0%, #286090 100%);\n background-image: -o-linear-gradient(top, #337ab7 0%, #286090 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#337ab7), to(#286090));\n background-image: linear-gradient(to bottom, #337ab7 0%, #286090 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff337ab7', endColorstr='#ff286090', GradientType=0);\n background-repeat: repeat-x;\n}\n.progress-bar-success {\n background-image: -webkit-linear-gradient(top, #5cb85c 0%, #449d44 100%);\n background-image: -o-linear-gradient(top, #5cb85c 0%, #449d44 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#5cb85c), to(#449d44));\n background-image: linear-gradient(to bottom, #5cb85c 0%, #449d44 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff5cb85c', endColorstr='#ff449d44', GradientType=0);\n background-repeat: repeat-x;\n}\n.progress-bar-info {\n background-image: -webkit-linear-gradient(top, #5bc0de 0%, #31b0d5 100%);\n background-image: -o-linear-gradient(top, #5bc0de 0%, #31b0d5 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#5bc0de), to(#31b0d5));\n background-image: linear-gradient(to bottom, #5bc0de 0%, #31b0d5 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff5bc0de', endColorstr='#ff31b0d5', GradientType=0);\n background-repeat: repeat-x;\n}\n.progress-bar-warning {\n background-image: -webkit-linear-gradient(top, #f0ad4e 0%, #ec971f 100%);\n background-image: -o-linear-gradient(top, #f0ad4e 0%, #ec971f 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#f0ad4e), to(#ec971f));\n background-image: linear-gradient(to bottom, #f0ad4e 0%, #ec971f 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff0ad4e', endColorstr='#ffec971f', GradientType=0);\n background-repeat: repeat-x;\n}\n.progress-bar-danger {\n background-image: -webkit-linear-gradient(top, #d9534f 0%, #c9302c 100%);\n background-image: -o-linear-gradient(top, #d9534f 0%, #c9302c 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#d9534f), to(#c9302c));\n background-image: linear-gradient(to bottom, #d9534f 0%, #c9302c 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffd9534f', endColorstr='#ffc9302c', GradientType=0);\n background-repeat: repeat-x;\n}\n.progress-bar-striped {\n background-image: -webkit-linear-gradient(45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent);\n background-image: -o-linear-gradient(45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent);\n background-image: linear-gradient(45deg, rgba(255, 255, 255, 0.15) 25%, transparent 25%, transparent 50%, rgba(255, 255, 255, 0.15) 50%, rgba(255, 255, 255, 0.15) 75%, transparent 75%, transparent);\n}\n.list-group {\n border-radius: 4px;\n -webkit-box-shadow: 0 1px 2px rgba(0, 0, 0, 0.075);\n box-shadow: 0 1px 2px rgba(0, 0, 0, 0.075);\n}\n.list-group-item.active,\n.list-group-item.active:hover,\n.list-group-item.active:focus {\n text-shadow: 0 -1px 0 #286090;\n background-image: -webkit-linear-gradient(top, #337ab7 0%, #2b669a 100%);\n background-image: -o-linear-gradient(top, #337ab7 0%, #2b669a 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#337ab7), to(#2b669a));\n background-image: linear-gradient(to bottom, #337ab7 0%, #2b669a 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff337ab7', endColorstr='#ff2b669a', GradientType=0);\n background-repeat: repeat-x;\n border-color: #2b669a;\n}\n.list-group-item.active .badge,\n.list-group-item.active:hover .badge,\n.list-group-item.active:focus .badge {\n text-shadow: none;\n}\n.panel {\n -webkit-box-shadow: 0 1px 2px rgba(0, 0, 0, 0.05);\n box-shadow: 0 1px 2px rgba(0, 0, 0, 0.05);\n}\n.panel-default > .panel-heading {\n background-image: -webkit-linear-gradient(top, #f5f5f5 0%, #e8e8e8 100%);\n background-image: -o-linear-gradient(top, #f5f5f5 0%, #e8e8e8 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#f5f5f5), to(#e8e8e8));\n background-image: linear-gradient(to bottom, #f5f5f5 0%, #e8e8e8 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff5f5f5', endColorstr='#ffe8e8e8', GradientType=0);\n background-repeat: repeat-x;\n}\n.panel-primary > .panel-heading {\n background-image: -webkit-linear-gradient(top, #337ab7 0%, #2e6da4 100%);\n background-image: -o-linear-gradient(top, #337ab7 0%, #2e6da4 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#337ab7), to(#2e6da4));\n background-image: linear-gradient(to bottom, #337ab7 0%, #2e6da4 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ff337ab7', endColorstr='#ff2e6da4', GradientType=0);\n background-repeat: repeat-x;\n}\n.panel-success > .panel-heading {\n background-image: -webkit-linear-gradient(top, #dff0d8 0%, #d0e9c6 100%);\n background-image: -o-linear-gradient(top, #dff0d8 0%, #d0e9c6 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#dff0d8), to(#d0e9c6));\n background-image: linear-gradient(to bottom, #dff0d8 0%, #d0e9c6 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffdff0d8', endColorstr='#ffd0e9c6', GradientType=0);\n background-repeat: repeat-x;\n}\n.panel-info > .panel-heading {\n background-image: -webkit-linear-gradient(top, #d9edf7 0%, #c4e3f3 100%);\n background-image: -o-linear-gradient(top, #d9edf7 0%, #c4e3f3 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#d9edf7), to(#c4e3f3));\n background-image: linear-gradient(to bottom, #d9edf7 0%, #c4e3f3 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffd9edf7', endColorstr='#ffc4e3f3', GradientType=0);\n background-repeat: repeat-x;\n}\n.panel-warning > .panel-heading {\n background-image: -webkit-linear-gradient(top, #fcf8e3 0%, #faf2cc 100%);\n background-image: -o-linear-gradient(top, #fcf8e3 0%, #faf2cc 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#fcf8e3), to(#faf2cc));\n background-image: linear-gradient(to bottom, #fcf8e3 0%, #faf2cc 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#fffcf8e3', endColorstr='#fffaf2cc', GradientType=0);\n background-repeat: repeat-x;\n}\n.panel-danger > .panel-heading {\n background-image: -webkit-linear-gradient(top, #f2dede 0%, #ebcccc 100%);\n background-image: -o-linear-gradient(top, #f2dede 0%, #ebcccc 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#f2dede), to(#ebcccc));\n background-image: linear-gradient(to bottom, #f2dede 0%, #ebcccc 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#fff2dede', endColorstr='#ffebcccc', GradientType=0);\n background-repeat: repeat-x;\n}\n.well {\n background-image: -webkit-linear-gradient(top, #e8e8e8 0%, #f5f5f5 100%);\n background-image: -o-linear-gradient(top, #e8e8e8 0%, #f5f5f5 100%);\n background-image: -webkit-gradient(linear, left top, left bottom, from(#e8e8e8), to(#f5f5f5));\n background-image: linear-gradient(to bottom, #e8e8e8 0%, #f5f5f5 100%);\n filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffe8e8e8', endColorstr='#fff5f5f5', GradientType=0);\n background-repeat: repeat-x;\n border-color: #dcdcdc;\n -webkit-box-shadow: inset 0 1px 3px rgba(0, 0, 0, 0.05), 0 1px 0 rgba(255, 255, 255, 0.1);\n box-shadow: inset 0 1px 3px rgba(0, 0, 0, 0.05), 0 1px 0 rgba(255, 255, 255, 0.1);\n}\n/*# sourceMappingURL=bootstrap-theme.css.map */","// stylelint-disable selector-no-qualifying-type, selector-max-compound-selectors\n\n/*!\n * Bootstrap v3.4.1 (https://getbootstrap.com/)\n * Copyright 2011-2019 Twitter, Inc.\n * Licensed under MIT (https://github.com/twbs/bootstrap/blob/master/LICENSE)\n */\n\n//\n// Load core variables and mixins\n// --------------------------------------------------\n\n@import \"variables.less\";\n@import \"mixins.less\";\n\n\n//\n// Buttons\n// --------------------------------------------------\n\n// Common styles\n.btn-default,\n.btn-primary,\n.btn-success,\n.btn-info,\n.btn-warning,\n.btn-danger {\n text-shadow: 0 -1px 0 rgba(0, 0, 0, .2);\n @shadow: inset 0 1px 0 rgba(255, 255, 255, .15), 0 1px 1px rgba(0, 0, 0, .075);\n .box-shadow(@shadow);\n\n // Reset the shadow\n &:active,\n &.active {\n .box-shadow(inset 0 3px 5px rgba(0, 0, 0, .125));\n }\n\n &.disabled,\n &[disabled],\n fieldset[disabled] & {\n .box-shadow(none);\n }\n\n .badge {\n text-shadow: none;\n }\n}\n\n// Mixin for generating new styles\n.btn-styles(@btn-color: #555) {\n #gradient > .vertical(@start-color: @btn-color; @end-color: darken(@btn-color, 12%));\n .reset-filter(); // Disable gradients for IE9 because filter bleeds through rounded corners; see https://github.com/twbs/bootstrap/issues/10620\n background-repeat: repeat-x;\n border-color: darken(@btn-color, 14%);\n\n &:hover,\n &:focus {\n background-color: darken(@btn-color, 12%);\n background-position: 0 -15px;\n }\n\n &:active,\n &.active {\n background-color: darken(@btn-color, 12%);\n border-color: darken(@btn-color, 14%);\n }\n\n &.disabled,\n &[disabled],\n fieldset[disabled] & {\n &,\n &:hover,\n &:focus,\n &.focus,\n &:active,\n &.active {\n background-color: darken(@btn-color, 12%);\n background-image: none;\n }\n }\n}\n\n// Common styles\n.btn {\n // Remove the gradient for the pressed/active state\n &:active,\n &.active {\n background-image: none;\n }\n}\n\n// Apply the mixin to the buttons\n.btn-default {\n .btn-styles(@btn-default-bg);\n text-shadow: 0 1px 0 #fff;\n border-color: #ccc;\n}\n.btn-primary { .btn-styles(@btn-primary-bg); }\n.btn-success { .btn-styles(@btn-success-bg); }\n.btn-info { .btn-styles(@btn-info-bg); }\n.btn-warning { .btn-styles(@btn-warning-bg); }\n.btn-danger { .btn-styles(@btn-danger-bg); }\n\n\n//\n// Images\n// --------------------------------------------------\n\n.thumbnail,\n.img-thumbnail {\n .box-shadow(0 1px 2px rgba(0, 0, 0, .075));\n}\n\n\n//\n// Dropdowns\n// --------------------------------------------------\n\n.dropdown-menu > li > a:hover,\n.dropdown-menu > li > a:focus {\n #gradient > .vertical(@start-color: @dropdown-link-hover-bg; @end-color: darken(@dropdown-link-hover-bg, 5%));\n background-color: darken(@dropdown-link-hover-bg, 5%);\n}\n.dropdown-menu > .active > a,\n.dropdown-menu > .active > a:hover,\n.dropdown-menu > .active > a:focus {\n #gradient > .vertical(@start-color: @dropdown-link-active-bg; @end-color: darken(@dropdown-link-active-bg, 5%));\n background-color: darken(@dropdown-link-active-bg, 5%);\n}\n\n\n//\n// Navbar\n// --------------------------------------------------\n\n// Default navbar\n.navbar-default {\n #gradient > .vertical(@start-color: lighten(@navbar-default-bg, 10%); @end-color: @navbar-default-bg);\n .reset-filter(); // Remove gradient in IE<10 to fix bug where dropdowns don't get triggered\n border-radius: @navbar-border-radius;\n @shadow: inset 0 1px 0 rgba(255, 255, 255, .15), 0 1px 5px rgba(0, 0, 0, .075);\n .box-shadow(@shadow);\n\n .navbar-nav > .open > a,\n .navbar-nav > .active > a {\n #gradient > .vertical(@start-color: darken(@navbar-default-link-active-bg, 5%); @end-color: darken(@navbar-default-link-active-bg, 2%));\n .box-shadow(inset 0 3px 9px rgba(0, 0, 0, .075));\n }\n}\n.navbar-brand,\n.navbar-nav > li > a {\n text-shadow: 0 1px 0 rgba(255, 255, 255, .25);\n}\n\n// Inverted navbar\n.navbar-inverse {\n #gradient > .vertical(@start-color: lighten(@navbar-inverse-bg, 10%); @end-color: @navbar-inverse-bg);\n .reset-filter(); // Remove gradient in IE<10 to fix bug where dropdowns don't get triggered; see https://github.com/twbs/bootstrap/issues/10257\n border-radius: @navbar-border-radius;\n .navbar-nav > .open > a,\n .navbar-nav > .active > a {\n #gradient > .vertical(@start-color: @navbar-inverse-link-active-bg; @end-color: lighten(@navbar-inverse-link-active-bg, 2.5%));\n .box-shadow(inset 0 3px 9px rgba(0, 0, 0, .25));\n }\n\n .navbar-brand,\n .navbar-nav > li > a {\n text-shadow: 0 -1px 0 rgba(0, 0, 0, .25);\n }\n}\n\n// Undo rounded corners in static and fixed navbars\n.navbar-static-top,\n.navbar-fixed-top,\n.navbar-fixed-bottom {\n border-radius: 0;\n}\n\n// Fix active state of dropdown items in collapsed mode\n@media (max-width: @grid-float-breakpoint-max) {\n .navbar .navbar-nav .open .dropdown-menu > .active > a {\n &,\n &:hover,\n &:focus {\n color: #fff;\n #gradient > .vertical(@start-color: @dropdown-link-active-bg; @end-color: darken(@dropdown-link-active-bg, 5%));\n }\n }\n}\n\n\n//\n// Alerts\n// --------------------------------------------------\n\n// Common styles\n.alert {\n text-shadow: 0 1px 0 rgba(255, 255, 255, .2);\n @shadow: inset 0 1px 0 rgba(255, 255, 255, .25), 0 1px 2px rgba(0, 0, 0, .05);\n .box-shadow(@shadow);\n}\n\n// Mixin for generating new styles\n.alert-styles(@color) {\n #gradient > .vertical(@start-color: @color; @end-color: darken(@color, 7.5%));\n border-color: darken(@color, 15%);\n}\n\n// Apply the mixin to the alerts\n.alert-success { .alert-styles(@alert-success-bg); }\n.alert-info { .alert-styles(@alert-info-bg); }\n.alert-warning { .alert-styles(@alert-warning-bg); }\n.alert-danger { .alert-styles(@alert-danger-bg); }\n\n\n//\n// Progress bars\n// --------------------------------------------------\n\n// Give the progress background some depth\n.progress {\n #gradient > .vertical(@start-color: darken(@progress-bg, 4%); @end-color: @progress-bg)\n}\n\n// Mixin for generating new styles\n.progress-bar-styles(@color) {\n #gradient > .vertical(@start-color: @color; @end-color: darken(@color, 10%));\n}\n\n// Apply the mixin to the progress bars\n.progress-bar { .progress-bar-styles(@progress-bar-bg); }\n.progress-bar-success { .progress-bar-styles(@progress-bar-success-bg); }\n.progress-bar-info { .progress-bar-styles(@progress-bar-info-bg); }\n.progress-bar-warning { .progress-bar-styles(@progress-bar-warning-bg); }\n.progress-bar-danger { .progress-bar-styles(@progress-bar-danger-bg); }\n\n// Reset the striped class because our mixins don't do multiple gradients and\n// the above custom styles override the new `.progress-bar-striped` in v3.2.0.\n.progress-bar-striped {\n #gradient > .striped();\n}\n\n\n//\n// List groups\n// --------------------------------------------------\n\n.list-group {\n border-radius: @border-radius-base;\n .box-shadow(0 1px 2px rgba(0, 0, 0, .075));\n}\n.list-group-item.active,\n.list-group-item.active:hover,\n.list-group-item.active:focus {\n text-shadow: 0 -1px 0 darken(@list-group-active-bg, 10%);\n #gradient > .vertical(@start-color: @list-group-active-bg; @end-color: darken(@list-group-active-bg, 7.5%));\n border-color: darken(@list-group-active-border, 7.5%);\n\n .badge {\n text-shadow: none;\n }\n}\n\n\n//\n// Panels\n// --------------------------------------------------\n\n// Common styles\n.panel {\n .box-shadow(0 1px 2px rgba(0, 0, 0, .05));\n}\n\n// Mixin for generating new styles\n.panel-heading-styles(@color) {\n #gradient > .vertical(@start-color: @color; @end-color: darken(@color, 5%));\n}\n\n// Apply the mixin to the panel headings only\n.panel-default > .panel-heading { .panel-heading-styles(@panel-default-heading-bg); }\n.panel-primary > .panel-heading { .panel-heading-styles(@panel-primary-heading-bg); }\n.panel-success > .panel-heading { .panel-heading-styles(@panel-success-heading-bg); }\n.panel-info > .panel-heading { .panel-heading-styles(@panel-info-heading-bg); }\n.panel-warning > .panel-heading { .panel-heading-styles(@panel-warning-heading-bg); }\n.panel-danger > .panel-heading { .panel-heading-styles(@panel-danger-heading-bg); }\n\n\n//\n// Wells\n// --------------------------------------------------\n\n.well {\n #gradient > .vertical(@start-color: darken(@well-bg, 5%); @end-color: @well-bg);\n border-color: darken(@well-bg, 10%);\n @shadow: inset 0 1px 3px rgba(0, 0, 0, .05), 0 1px 0 rgba(255, 255, 255, .1);\n .box-shadow(@shadow);\n}\n","// stylelint-disable indentation, property-no-vendor-prefix, selector-no-vendor-prefix\n\n// Vendor Prefixes\n//\n// All vendor mixins are deprecated as of v3.2.0 due to the introduction of\n// Autoprefixer in our Gruntfile. They have been removed in v4.\n\n// - Animations\n// - Backface visibility\n// - Box shadow\n// - Box sizing\n// - Content columns\n// - Hyphens\n// - Placeholder text\n// - Transformations\n// - Transitions\n// - User Select\n\n\n// Animations\n.animation(@animation) {\n -webkit-animation: @animation;\n -o-animation: @animation;\n animation: @animation;\n}\n.animation-name(@name) {\n -webkit-animation-name: @name;\n animation-name: @name;\n}\n.animation-duration(@duration) {\n -webkit-animation-duration: @duration;\n animation-duration: @duration;\n}\n.animation-timing-function(@timing-function) {\n -webkit-animation-timing-function: @timing-function;\n animation-timing-function: @timing-function;\n}\n.animation-delay(@delay) {\n -webkit-animation-delay: @delay;\n animation-delay: @delay;\n}\n.animation-iteration-count(@iteration-count) {\n -webkit-animation-iteration-count: @iteration-count;\n animation-iteration-count: @iteration-count;\n}\n.animation-direction(@direction) {\n -webkit-animation-direction: @direction;\n animation-direction: @direction;\n}\n.animation-fill-mode(@fill-mode) {\n -webkit-animation-fill-mode: @fill-mode;\n animation-fill-mode: @fill-mode;\n}\n\n// Backface visibility\n// Prevent browsers from flickering when using CSS 3D transforms.\n// Default value is `visible`, but can be changed to `hidden`\n\n.backface-visibility(@visibility) {\n -webkit-backface-visibility: @visibility;\n -moz-backface-visibility: @visibility;\n backface-visibility: @visibility;\n}\n\n// Drop shadows\n//\n// Note: Deprecated `.box-shadow()` as of v3.1.0 since all of Bootstrap's\n// supported browsers that have box shadow capabilities now support it.\n\n.box-shadow(@shadow) {\n -webkit-box-shadow: @shadow; // iOS <4.3 & Android <4.1\n box-shadow: @shadow;\n}\n\n// Box sizing\n.box-sizing(@boxmodel) {\n -webkit-box-sizing: @boxmodel;\n -moz-box-sizing: @boxmodel;\n box-sizing: @boxmodel;\n}\n\n// CSS3 Content Columns\n.content-columns(@column-count; @column-gap: @grid-gutter-width) {\n -webkit-column-count: @column-count;\n -moz-column-count: @column-count;\n column-count: @column-count;\n -webkit-column-gap: @column-gap;\n -moz-column-gap: @column-gap;\n column-gap: @column-gap;\n}\n\n// Optional hyphenation\n.hyphens(@mode: auto) {\n -webkit-hyphens: @mode;\n -moz-hyphens: @mode;\n -ms-hyphens: @mode; // IE10+\n -o-hyphens: @mode;\n hyphens: @mode;\n word-wrap: break-word;\n}\n\n// Placeholder text\n.placeholder(@color: @input-color-placeholder) {\n // Firefox\n &::-moz-placeholder {\n color: @color;\n opacity: 1; // Override Firefox's unusual default opacity; see https://github.com/twbs/bootstrap/pull/11526\n }\n &:-ms-input-placeholder { color: @color; } // Internet Explorer 10+\n &::-webkit-input-placeholder { color: @color; } // Safari and Chrome\n}\n\n// Transformations\n.scale(@ratio) {\n -webkit-transform: scale(@ratio);\n -ms-transform: scale(@ratio); // IE9 only\n -o-transform: scale(@ratio);\n transform: scale(@ratio);\n}\n.scale(@ratioX; @ratioY) {\n -webkit-transform: scale(@ratioX, @ratioY);\n -ms-transform: scale(@ratioX, @ratioY); // IE9 only\n -o-transform: scale(@ratioX, @ratioY);\n transform: scale(@ratioX, @ratioY);\n}\n.scaleX(@ratio) {\n -webkit-transform: scaleX(@ratio);\n -ms-transform: scaleX(@ratio); // IE9 only\n -o-transform: scaleX(@ratio);\n transform: scaleX(@ratio);\n}\n.scaleY(@ratio) {\n -webkit-transform: scaleY(@ratio);\n -ms-transform: scaleY(@ratio); // IE9 only\n -o-transform: scaleY(@ratio);\n transform: scaleY(@ratio);\n}\n.skew(@x; @y) {\n -webkit-transform: skewX(@x) skewY(@y);\n -ms-transform: skewX(@x) skewY(@y); // See https://github.com/twbs/bootstrap/issues/4885; IE9+\n -o-transform: skewX(@x) skewY(@y);\n transform: skewX(@x) skewY(@y);\n}\n.translate(@x; @y) {\n -webkit-transform: translate(@x, @y);\n -ms-transform: translate(@x, @y); // IE9 only\n -o-transform: translate(@x, @y);\n transform: translate(@x, @y);\n}\n.translate3d(@x; @y; @z) {\n -webkit-transform: translate3d(@x, @y, @z);\n transform: translate3d(@x, @y, @z);\n}\n.rotate(@degrees) {\n -webkit-transform: rotate(@degrees);\n -ms-transform: rotate(@degrees); // IE9 only\n -o-transform: rotate(@degrees);\n transform: rotate(@degrees);\n}\n.rotateX(@degrees) {\n -webkit-transform: rotateX(@degrees);\n -ms-transform: rotateX(@degrees); // IE9 only\n -o-transform: rotateX(@degrees);\n transform: rotateX(@degrees);\n}\n.rotateY(@degrees) {\n -webkit-transform: rotateY(@degrees);\n -ms-transform: rotateY(@degrees); // IE9 only\n -o-transform: rotateY(@degrees);\n transform: rotateY(@degrees);\n}\n.perspective(@perspective) {\n -webkit-perspective: @perspective;\n -moz-perspective: @perspective;\n perspective: @perspective;\n}\n.perspective-origin(@perspective) {\n -webkit-perspective-origin: @perspective;\n -moz-perspective-origin: @perspective;\n perspective-origin: @perspective;\n}\n.transform-origin(@origin) {\n -webkit-transform-origin: @origin;\n -moz-transform-origin: @origin;\n -ms-transform-origin: @origin; // IE9 only\n transform-origin: @origin;\n}\n\n\n// Transitions\n\n.transition(@transition) {\n -webkit-transition: @transition;\n -o-transition: @transition;\n transition: @transition;\n}\n.transition-property(@transition-property) {\n -webkit-transition-property: @transition-property;\n transition-property: @transition-property;\n}\n.transition-delay(@transition-delay) {\n -webkit-transition-delay: @transition-delay;\n transition-delay: @transition-delay;\n}\n.transition-duration(@transition-duration) {\n -webkit-transition-duration: @transition-duration;\n transition-duration: @transition-duration;\n}\n.transition-timing-function(@timing-function) {\n -webkit-transition-timing-function: @timing-function;\n transition-timing-function: @timing-function;\n}\n.transition-transform(@transition) {\n -webkit-transition: -webkit-transform @transition;\n -moz-transition: -moz-transform @transition;\n -o-transition: -o-transform @transition;\n transition: transform @transition;\n}\n\n\n// User select\n// For selecting text on the page\n\n.user-select(@select) {\n -webkit-user-select: @select;\n -moz-user-select: @select;\n -ms-user-select: @select; // IE10+\n user-select: @select;\n}\n","// stylelint-disable value-no-vendor-prefix, selector-max-id\n\n#gradient {\n\n // Horizontal gradient, from left to right\n //\n // Creates two color stops, start and end, by specifying a color and position for each color stop.\n // Color stops are not available in IE9 and below.\n .horizontal(@start-color: #555; @end-color: #333; @start-percent: 0%; @end-percent: 100%) {\n background-image: -webkit-linear-gradient(left, @start-color @start-percent, @end-color @end-percent); // Safari 5.1-6, Chrome 10+\n background-image: -o-linear-gradient(left, @start-color @start-percent, @end-color @end-percent); // Opera 12\n background-image: linear-gradient(to right, @start-color @start-percent, @end-color @end-percent); // Standard, IE10, Firefox 16+, Opera 12.10+, Safari 7+, Chrome 26+\n filter: e(%(\"progid:DXImageTransform.Microsoft.gradient(startColorstr='%d', endColorstr='%d', GradientType=1)\", argb(@start-color), argb(@end-color))); // IE9 and down\n background-repeat: repeat-x;\n }\n\n // Vertical gradient, from top to bottom\n //\n // Creates two color stops, start and end, by specifying a color and position for each color stop.\n // Color stops are not available in IE9 and below.\n .vertical(@start-color: #555; @end-color: #333; @start-percent: 0%; @end-percent: 100%) {\n background-image: -webkit-linear-gradient(top, @start-color @start-percent, @end-color @end-percent); // Safari 5.1-6, Chrome 10+\n background-image: -o-linear-gradient(top, @start-color @start-percent, @end-color @end-percent); // Opera 12\n background-image: linear-gradient(to bottom, @start-color @start-percent, @end-color @end-percent); // Standard, IE10, Firefox 16+, Opera 12.10+, Safari 7+, Chrome 26+\n filter: e(%(\"progid:DXImageTransform.Microsoft.gradient(startColorstr='%d', endColorstr='%d', GradientType=0)\", argb(@start-color), argb(@end-color))); // IE9 and down\n background-repeat: repeat-x;\n }\n\n .directional(@start-color: #555; @end-color: #333; @deg: 45deg) {\n background-image: -webkit-linear-gradient(@deg, @start-color, @end-color); // Safari 5.1-6, Chrome 10+\n background-image: -o-linear-gradient(@deg, @start-color, @end-color); // Opera 12\n background-image: linear-gradient(@deg, @start-color, @end-color); // Standard, IE10, Firefox 16+, Opera 12.10+, Safari 7+, Chrome 26+\n background-repeat: repeat-x;\n }\n .horizontal-three-colors(@start-color: #00b3ee; @mid-color: #7a43b6; @color-stop: 50%; @end-color: #c3325f) {\n background-image: -webkit-linear-gradient(left, @start-color, @mid-color @color-stop, @end-color);\n background-image: -o-linear-gradient(left, @start-color, @mid-color @color-stop, @end-color);\n background-image: linear-gradient(to right, @start-color, @mid-color @color-stop, @end-color);\n filter: e(%(\"progid:DXImageTransform.Microsoft.gradient(startColorstr='%d', endColorstr='%d', GradientType=1)\", argb(@start-color), argb(@end-color))); // IE9 and down, gets no color-stop at all for proper fallback\n background-repeat: no-repeat;\n }\n .vertical-three-colors(@start-color: #00b3ee; @mid-color: #7a43b6; @color-stop: 50%; @end-color: #c3325f) {\n background-image: -webkit-linear-gradient(@start-color, @mid-color @color-stop, @end-color);\n background-image: -o-linear-gradient(@start-color, @mid-color @color-stop, @end-color);\n background-image: linear-gradient(@start-color, @mid-color @color-stop, @end-color);\n filter: e(%(\"progid:DXImageTransform.Microsoft.gradient(startColorstr='%d', endColorstr='%d', GradientType=0)\", argb(@start-color), argb(@end-color))); // IE9 and down, gets no color-stop at all for proper fallback\n background-repeat: no-repeat;\n }\n .radial(@inner-color: #555; @outer-color: #333) {\n background-image: -webkit-radial-gradient(circle, @inner-color, @outer-color);\n background-image: radial-gradient(circle, @inner-color, @outer-color);\n background-repeat: no-repeat;\n }\n .striped(@color: rgba(255, 255, 255, .15); @angle: 45deg) {\n background-image: -webkit-linear-gradient(@angle, @color 25%, transparent 25%, transparent 50%, @color 50%, @color 75%, transparent 75%, transparent);\n background-image: -o-linear-gradient(@angle, @color 25%, transparent 25%, transparent 50%, @color 50%, @color 75%, transparent 75%, transparent);\n background-image: linear-gradient(@angle, @color 25%, transparent 25%, transparent 50%, @color 50%, @color 75%, transparent 75%, transparent);\n }\n}\n","// Reset filters for IE\n//\n// When you need to remove a gradient background, do not forget to use this to reset\n// the IE filter for IE9 and below.\n\n.reset-filter() {\n filter: e(%(\"progid:DXImageTransform.Microsoft.gradient(enabled = false)\"));\n}\n"]} | .venv\Lib\site-packages\jupyter_server\static\style\bootstrap-theme.min.css.map | bootstrap-theme.min.css.map | Other | 75,600 | 0.75 | 0.1 | 0 | react-lib | 801 | 2025-02-16T23:56:23.303601 | Apache-2.0 | false | 51806092cc05e7bc9346ad6fc7c04026 |
#jupyter_server {\n padding-left: 0px;\n padding-top: 1px;\n padding-bottom: 1px;\n}\n\n#jupyter_server img {\n height: 28px;\n}\n\n#jupyter-main-app {\n padding-top: 50px;\n text-align: center;\n}\n\nbody {\n font-family: "Helvetica Neue", Helvetica, Arial, sans-serif;\n font-size: 13px;\n line-height: 1.42857143;\n color: #000;\n}\n\nbody > #header {\n display: block;\n background-color: #fff;\n position: relative;\n z-index: 100;\n}\n\nbody > #header #header-container {\n display: flex;\n flex-direction: row;\n justify-content: space-between;\n padding: 5px;\n padding-top: 5px;\n padding-bottom: 5px;\n padding-bottom: 5px;\n padding-top: 5px;\n box-sizing: border-box;\n -moz-box-sizing: border-box;\n -webkit-box-sizing: border-box;\n}\n\nbody > #header .header-bar {\n width: 100%;\n height: 1px;\n background: #e7e7e7;\n margin-bottom: -1px;\n}\n\n.navbar-brand {\n float: left;\n height: 30px;\n padding: 6px 0px;\n padding-top: 6px;\n padding-bottom: 6px;\n padding-left: 0px;\n font-size: 17px;\n line-height: 18px;\n}\n\n.navbar-brand,\n.navbar-nav > li > a {\n text-shadow: 0 1px 0 rgba(255, 255, 255, 0.25);\n}\n\n.nav {\n padding-left: 0;\n margin-bottom: 0;\n list-style: none;\n}\n\n.center-nav {\n display: inline-block;\n margin-bottom: -4px;\n}\n\ndiv.error {\n margin: 2em;\n text-align: center;\n}\n\ndiv.error > h1 {\n font-size: 500%;\n line-height: normal;\n}\n\ndiv.error > p {\n font-size: 200%;\n line-height: normal;\n}\n | .venv\Lib\site-packages\jupyter_server\static\style\index.css | index.css | Other | 1,414 | 0.8 | 0 | 0.038462 | python-kit | 46 | 2024-07-12T02:46:34.354607 | BSD-3-Clause | false | 47966ec1b8075d0e97b8cd661321d5c7 |
{% extends "error.html" %}\n{% block error_detail %}\n<p>{% trans %}You are requesting a page that does not exist!{% endtrans %}</p>\n{% endblock %}\n | .venv\Lib\site-packages\jupyter_server\templates\404.html | 404.html | HTML | 146 | 0.7 | 0 | 0 | node-utils | 977 | 2024-08-20T07:24:33.101426 | Apache-2.0 | false | 85b49afc489bddf723299f1dbffdebd8 |
{# This template is not served, but written as a file to open in the browser,\n passing the token without putting it in a command-line argument. #}\n<!DOCTYPE html>\n<html lang="en">\n<head>\n <meta charset="UTF-8">\n <meta http-equiv="refresh" content="1;url={{ open_url }}" />\n <title>Opening Jupyter Application</title>\n</head>\n<body>\n\n<p>\n This page should redirect you to a Jupyter application. If it doesn't,\n <a href="{{ open_url }}">click here to go to Jupyter</a>.\n</p>\n\n</body>\n</html>\n | .venv\Lib\site-packages\jupyter_server\templates\browser-open.html | browser-open.html | HTML | 507 | 0.8 | 0 | 0 | python-kit | 372 | 2024-05-16T02:44:05.953276 | Apache-2.0 | false | 3383505b2df6ef68481a28c37e70586d |
{% extends "page.html" %}\n\n{% block stylesheet %}\n{{super()}}\n<style type="text/css">\n /* disable initial hide */\n div#header,\n div#site {\n display: block;\n }\n</style>\n{% endblock %}\n{% block site %}\n\n<div class="error">\n {% block h1_error %}\n <h1>{{status_code}} : {{status_message}}</h1>\n {% endblock h1_error %}\n {% block error_detail %}\n {% if message %}\n <p>{% trans %}The error was:{% endtrans %}</p>\n <div class="traceback-wrapper">\n <pre class="traceback">{{message}}</pre>\n </div>\n {% endif %}\n {% endblock error_detail %}\n</div>\n\n{% endblock %}\n\n{% block script %}\n{% endblock script %}\n | .venv\Lib\site-packages\jupyter_server\templates\error.html | error.html | HTML | 653 | 0.8 | 0.125 | 0.035714 | awesome-app | 69 | 2024-12-24T03:32:59.034047 | BSD-3-Clause | false | 9455c7d101ff7dd33a26551c2aafd0aa |
{% extends "page.html" %}\n\n\n{% block stylesheet %}\n{% endblock %}\n\n{% block site %}\n\n<div id="jupyter-main-app" class="container">\n {% if login_available %}\n {# login_available means password-login is allowed. Show the form. #}\n <div class="row">\n <div class="navbar col-sm-8">\n <div class="navbar-inner">\n <div class="container">\n <div class="center-nav">\n <form action="{{base_url}}login?next={{next}}" method="post" class="navbar-form pull-left">\n {{ xsrf_form_html() | safe }}\n {% if token_available %}\n <label for="password_input"><strong>{% trans %}Password or token:{% endtrans\n %}</strong></label>\n {% else %}\n <label for="password_input"><strong>{% trans %}Password:{% endtrans %}</strong></label>\n {% endif %}\n <input type="password" name="password" id="password_input" class="form-control">\n <button type="submit" class="btn btn-default" id="login_submit">{% trans %}Log in{% endtrans\n %}</button>\n </form>\n </div>\n </div>\n </div>\n </div>\n </div>\n {% else %}\n <p>{% trans %}No login available, you shouldn't be seeing this page.{% endtrans %}</p>\n {% endif %}\n {% if message %}\n <div class="row">\n {% for key in message %}\n <div class="message {{key}}">\n {{message[key]}}\n </div>\n {% endfor %}\n </div>\n {% endif %}\n {% if token_available %}\n {% block token_message %}\n <div class="col-sm-6 col-sm-offset-3 text-left rendered_html">\n <h3>\n Token authentication is enabled\n </h3>\n <p>\n If no password has been configured, you need to open the\n server with its login token in the URL, or paste it above.\n This requirement will be lifted if you\n <b><a href='https://jupyter-server.readthedocs.io/en/latest/operators/public-server.html'>\n enable a password</a></b>.\n </p>\n <p>\n The command:\n <pre>jupyter server list</pre>\n will show you the URLs of running servers with their tokens,\n which you can copy and paste into your browser. For example:\n </p>\n <pre>Currently running servers:\nhttp://localhost:8888/?token=c8de56fa... :: /Users/you/notebooks\n</pre>\n <p>\n or you can paste just the token value into the password field on this\n page.\n </p>\n <p>\n See\n <b><a href='https://jupyter-server.readthedocs.io/en/latest/operators/public-server.html'>\n the documentation on how to enable a password</a>\n </b>\n in place of token authentication,\n if you would like to avoid dealing with random tokens.\n </p>\n <p>\n Cookies are required for authenticated access to the Jupyter server.\n </p>\n {% if allow_password_change %}\n <h3>{% trans %}Setup a Password{% endtrans %}</h3>\n <p> You can also setup a password by entering your token and a new password\n on the fields below:</p>\n <form action="{{base_url}}login?next={{next}}" method="post" class="">\n {{ xsrf_form_html() | safe }}\n <div class="form-group">\n <label for="token_input">\n <h4>Token</h4>\n </label>\n <input type="password" name="password" id="token_input" class="form-control">\n </div>\n <div class="form-group">\n <label for="new_password_input">\n <h4>New Password</h4>\n </label>\n <input type="password" name="new_password" id="new_password_input" class="form-control" required>\n </div>\n <div class="form-group">\n <button type="submit" class="btn btn-default" id="login_new_pass_submit">{% trans %}Log in and set new\n password{% endtrans %}</button>\n </div>\n </form>\n {% endif %}\n\n </div>\n {% endblock token_message %}\n {% endif %}\n</div>\n\n{% endblock %}\n\n\n{% block script %}\n{% endblock %}\n | .venv\Lib\site-packages\jupyter_server\templates\login.html | login.html | HTML | 4,468 | 0.95 | 0.273504 | 0 | react-lib | 28 | 2024-03-01T14:53:04.804197 | BSD-3-Clause | false | ca50c9d7f4721ccdd2a18ab816ee3b56 |
{% extends "page.html" %}\n\n{# This template is rendered in response to an authenticated request, so the\nuser is technically logged in. But when the user sees it, the cookie is\ncleared by the Javascript, so we should render this as if the user was logged\nout, without e.g. authentication tokens.\n#}\n{% set logged_in = False %}\n\n{% block stylesheet %}\n{% endblock %}\n\n{% block site %}\n\n<div id="jupyter-main-app" class="container">\n\n {% if message %}\n {% for key in message %}\n <div class="message {{key}}">\n {{message[key]}}\n </div>\n {% endfor %}\n {% endif %}\n\n {% if not login_available %}\n {% trans %}Proceed to the <a href="{{base_url}}">dashboard{% endtrans %}</a>.\n {% else %}\n {% trans %}Proceed to the <a href="{{base_url}}login">login page{% endtrans %}</a>.\n {% endif %}\n\n\n <div />\n\n {% endblock %}\n | .venv\Lib\site-packages\jupyter_server\templates\logout.html | logout.html | HTML | 823 | 0.8 | 0.176471 | 0.04 | node-utils | 411 | 2023-12-13T21:27:17.063298 | BSD-3-Clause | false | a3551816bee3089da73aa242f933ba00 |
{% extends "page.html" %}\n\n{% block site %}\n <div id=jupyter-main-app>\n <h1>A Jupyter Server is running.</h1>\n </div>\n{% endblock site %}\n | .venv\Lib\site-packages\jupyter_server\templates\main.html | main.html | HTML | 147 | 0.7 | 0 | 0 | awesome-app | 428 | 2025-05-14T21:00:23.807150 | Apache-2.0 | false | 017dbb94d3fa1fe6a79f5f85449db31d |
<!DOCTYPE HTML>\n<html>\n\n<head>\n\n <meta charset="utf-8">\n\n <title>{% block title %}Jupyter Server{% endblock %}</title>\n {% block favicon %}<link id="favicon" rel="shortcut icon" type="image/x-icon" href="{{ static_url("favicon.ico") }}">\n {% endblock %}\n <link rel="stylesheet" href="{{static_url("style/bootstrap.min.css") }}" />\n <link rel="stylesheet" href="{{static_url("style/bootstrap-theme.min.css") }}" />\n <link rel="stylesheet" href="{{static_url("style/index.css") }}" />\n <meta http-equiv="X-UA-Compatible" content="IE=edge" />\n <meta name="viewport" content="width=device-width, initial-scale=1.0">\n\n {% block stylesheet %}\n {% endblock stylesheet %}\n\n {% block meta %}\n {% endblock meta %}\n\n</head>\n\n<body class="{% block bodyclasses %}{% endblock %}" {% block params %} {% if logged_in and token %}\n data-jupyter-api-token="{{token | urlencode}}" {% endif %} {% endblock params %} dir="ltr">\n\n <noscript>\n <div id='noscript'>\n {% trans %}Jupyter Server requires JavaScript.{% endtrans %}<br>\n {% trans %}Please enable it to proceed. {% endtrans %}\n </div>\n </noscript>\n\n <div id="header" role="navigation" aria-label="{% trans %}Top Menu{% endtrans %}">\n <div id="header-container" class="container">\n <div id="jupyter_server" class="nav navbar-brand"><a href="{{default_url}}" title='{% trans %}dashboard{% endtrans %}'>\n {% block logo %}<img src='{{static_url("logo/logo.png") }}' alt='Jupyter Server' />{% endblock %}\n </a></div>\n\n {% block headercontainer %}\n {% endblock headercontainer %}\n\n {% block header_buttons %}\n {% endblock header_buttons %}\n\n </div>\n <div class="header-bar"></div>\n\n {% block header %}\n {% endblock header %}\n </div>\n\n <div id="site">\n {% block site %}\n {% endblock site %}\n </div>\n\n {% block after_site %}\n {% endblock after_site %}\n\n {% block script %}\n {% endblock script %}\n\n <script type='text/javascript'>\n function _remove_token_from_url() {\n if (window.location.search.length <= 1) {\n return;\n }\n var search_parameters = window.location.search.slice(1).split('&');\n for (var i = 0; i < search_parameters.length; i++) {\n if (search_parameters[i].split('=')[0] === 'token') {\n // remote token from search parameters\n search_parameters.splice(i, 1);\n var new_search = '';\n if (search_parameters.length) {\n new_search = '?' + search_parameters.join('&');\n }\n var new_url = window.location.origin +\n window.location.pathname +\n new_search +\n window.location.hash;\n window.history.replaceState({}, "", new_url);\n return;\n }\n }\n }\n _remove_token_from_url();\n </script>\n</body>\n\n</html>\n | .venv\Lib\site-packages\jupyter_server\templates\page.html | page.html | HTML | 2,834 | 0.95 | 0.108696 | 0.013514 | python-kit | 752 | 2024-10-14T20:23:09.189953 | MIT | false | 126f5a16aaa26bdf2b3aac16796ae38e |
<!DOCTYPE HTML>\n<html>\n\n<head>\n <meta charset="utf-8">\n <title>{{page_title}}</title>\n <meta name="viewport" content="width=device-width, initial-scale=1.0">\n</head>\n\n<body>\n <style type="text/css">\n html,\n body,\n #container {\n height: 100%;\n }\n\n body,\n #container {\n overflow: hidden;\n margin: 0;\n }\n\n #iframe {\n width: 100%;\n height: 100%;\n border: none;\n }\n </style>\n <div id="container">\n <iframe id="iframe" sandbox="allow-scripts" src="{{file_url}}"></iframe>\n </div>\n</body>\n\n</html>\n | .venv\Lib\site-packages\jupyter_server\templates\view.html | view.html | HTML | 558 | 0.8 | 0 | 0.1 | node-utils | 617 | 2024-03-08T13:43:33.457458 | Apache-2.0 | false | 1da30cd851c405bfe6265b8a10abdd4b |
"""Terminal API handlers."""\n\nfrom jupyter_server_terminals.api_handlers import (\n TerminalAPIHandler,\n TerminalHandler,\n TerminalRootHandler,\n)\n | .venv\Lib\site-packages\jupyter_server\terminal\api_handlers.py | api_handlers.py | Python | 154 | 0.85 | 0 | 0 | react-lib | 608 | 2025-06-24T18:49:33.505608 | BSD-3-Clause | false | d3cf869286086d6aef1d9bd04507b40b |
"""Tornado handlers for the terminal emulator."""\n\n# Copyright (c) Jupyter Development Team.\n# Distributed under the terms of the Modified BSD License.\n\nfrom jupyter_server_terminals.handlers import TermSocket\n | .venv\Lib\site-packages\jupyter_server\terminal\handlers.py | handlers.py | Python | 210 | 0.95 | 0.166667 | 0.5 | node-utils | 468 | 2023-07-26T20:08:07.336544 | MIT | false | 0db13e209bae59019cc6c68882dd85e1 |
"""A MultiTerminalManager for use in the notebook webserver\n- raises HTTPErrors\n- creates REST API models\n"""\n\n# Copyright (c) Jupyter Development Team.\n# Distributed under the terms of the Modified BSD License.\n\nfrom jupyter_server_terminals.terminalmanager import TerminalManager\n | .venv\Lib\site-packages\jupyter_server\terminal\terminalmanager.py | terminalmanager.py | Python | 282 | 0.95 | 0.111111 | 0.285714 | vue-tools | 504 | 2024-03-20T01:21:26.692030 | BSD-3-Clause | false | 0541d58ed58cdbef8027b5dc67d48549 |
"""Terminals support."""\n\nimport warnings\n\n# Shims\nfrom jupyter_server_terminals import api_handlers\nfrom jupyter_server_terminals.handlers import TermSocket\nfrom jupyter_server_terminals.terminalmanager import TerminalManager\n\nwarnings.warn(\n "Terminals support has moved to `jupyter_server_terminals`",\n DeprecationWarning,\n stacklevel=2,\n)\n\n\ndef initialize(webapp, root_dir, connection_url, settings):\n """Included for backward compat, but no-op."""\n | .venv\Lib\site-packages\jupyter_server\terminal\__init__.py | __init__.py | Python | 465 | 0.95 | 0.111111 | 0.076923 | awesome-app | 981 | 2024-01-11T17:26:58.128283 | GPL-3.0 | false | 4c882d2a498de9738bdc2d4d73abccb5 |
\n\n | .venv\Lib\site-packages\jupyter_server\terminal\__pycache__\api_handlers.cpython-313.pyc | api_handlers.cpython-313.pyc | Other | 388 | 0.7 | 0 | 0 | awesome-app | 577 | 2025-01-16T09:25:43.227200 | BSD-3-Clause | false | 0c0141650f1f0e5e71156426c9cd2253 |
\n\n | .venv\Lib\site-packages\jupyter_server\terminal\__pycache__\handlers.cpython-313.pyc | handlers.cpython-313.pyc | Other | 332 | 0.7 | 0.2 | 0 | vue-tools | 41 | 2024-04-05T23:03:12.445885 | GPL-3.0 | false | cc111298dfe2f53917bc69f99bd36c06 |
\n\n | .venv\Lib\site-packages\jupyter_server\terminal\__pycache__\terminalmanager.cpython-313.pyc | terminalmanager.cpython-313.pyc | Other | 414 | 0.7 | 0.2 | 0 | node-utils | 197 | 2023-08-18T04:10:27.582568 | GPL-3.0 | false | f123573d7e13c8174bbf1692491efa70 |
\n\n | .venv\Lib\site-packages\jupyter_server\terminal\__pycache__\__init__.cpython-313.pyc | __init__.cpython-313.pyc | Other | 821 | 0.7 | 0.111111 | 0 | awesome-app | 298 | 2025-05-22T05:58:36.783828 | GPL-3.0 | false | 123e56aa5dcaf3a76d495b3aca83fa99 |
"""Tornado handlers for viewing HTML files."""\n\n# Copyright (c) Jupyter Development Team.\n# Distributed under the terms of the Modified BSD License.\nfrom jupyter_core.utils import ensure_async\nfrom tornado import web\n\nfrom jupyter_server.auth.decorator import authorized\n\nfrom ..base.handlers import JupyterHandler, path_regex\nfrom ..utils import url_escape, url_path_join\n\nAUTH_RESOURCE = "contents"\n\n\nclass ViewHandler(JupyterHandler):\n """Render HTML files within an iframe."""\n\n auth_resource = AUTH_RESOURCE\n\n @web.authenticated\n @authorized\n async def get(self, path):\n """Get a view on a given path."""\n path = path.strip("/")\n if not await ensure_async(self.contents_manager.file_exists(path)):\n raise web.HTTPError(404, "File does not exist: %s" % path)\n\n basename = path.rsplit("/", 1)[-1]\n file_url = url_path_join(self.base_url, "files", url_escape(path))\n self.write(self.render_template("view.html", file_url=file_url, page_title=basename))\n\n\ndefault_handlers = [\n (r"/view%s" % path_regex, ViewHandler),\n]\n | .venv\Lib\site-packages\jupyter_server\view\handlers.py | handlers.py | Python | 1,092 | 0.95 | 0.111111 | 0.08 | awesome-app | 999 | 2024-08-13T23:05:58.074260 | Apache-2.0 | false | 8ee9dc489b4e86281064521dedb994e2 |
"""Tornado handlers for viewing HTML files."""\n | .venv\Lib\site-packages\jupyter_server\view\__init__.py | __init__.py | Python | 47 | 0.5 | 1 | 0 | python-kit | 161 | 2024-02-09T22:45:05.052069 | BSD-3-Clause | false | 5f580c2fc0e2b3fa5671fd6ba7c310ac |
\n\n | .venv\Lib\site-packages\jupyter_server\view\__pycache__\handlers.cpython-313.pyc | handlers.cpython-313.pyc | Other | 1,953 | 0.8 | 0.034483 | 0 | awesome-app | 259 | 2024-06-29T15:43:17.652921 | GPL-3.0 | false | 3a200d19c5175ad7b10136c4a89e0034 |
\n\n | .venv\Lib\site-packages\jupyter_server\view\__pycache__\__init__.cpython-313.pyc | __init__.cpython-313.pyc | Other | 249 | 0.7 | 0.5 | 0 | node-utils | 406 | 2023-07-15T09:56:28.844918 | MIT | false | f6d788adcba7be49d154f4f1a5862fab |
\n\n | .venv\Lib\site-packages\jupyter_server\__pycache__\config_manager.cpython-313.pyc | config_manager.cpython-313.pyc | Other | 6,662 | 0.8 | 0.109091 | 0 | vue-tools | 639 | 2025-04-17T23:34:54.508325 | BSD-3-Clause | false | 148d61d5806930a6ddc2fa1b2b8f2db7 |
\n\n | .venv\Lib\site-packages\jupyter_server\__pycache__\log.cpython-313.pyc | log.cpython-313.pyc | Other | 3,869 | 0.95 | 0.065574 | 0 | node-utils | 626 | 2024-11-04T20:12:08.284864 | MIT | false | 198c21e658c3858a2978dae5264befa4 |
\n\n | .venv\Lib\site-packages\jupyter_server\__pycache__\pytest_plugin.cpython-313.pyc | pytest_plugin.cpython-313.pyc | Other | 2,506 | 0.8 | 0 | 0 | vue-tools | 167 | 2025-01-05T21:25:57.325692 | BSD-3-Clause | true | cb92ea45b1dc31b20613986493e40328 |
\n\n | .venv\Lib\site-packages\jupyter_server\__pycache__\traittypes.cpython-313.pyc | traittypes.cpython-313.pyc | Other | 12,031 | 0.95 | 0.186992 | 0 | python-kit | 467 | 2024-06-02T02:38:06.043169 | BSD-3-Clause | false | 99206ed7325993a53bfbbb947d4eabcb |
\n\n | .venv\Lib\site-packages\jupyter_server\__pycache__\transutils.cpython-313.pyc | transutils.cpython-313.pyc | Other | 1,216 | 0.85 | 0 | 0 | awesome-app | 602 | 2024-08-24T03:46:22.114798 | Apache-2.0 | false | d0863c2c0909bc0fd7eb68136cd0fdf0 |
\n\n | .venv\Lib\site-packages\jupyter_server\__pycache__\utils.cpython-313.pyc | utils.cpython-313.pyc | Other | 18,464 | 0.95 | 0.079681 | 0.00905 | react-lib | 907 | 2024-08-16T17:59:04.112809 | Apache-2.0 | false | 03cdb4895d989fe48110a06fe76b6671 |
\n\n | .venv\Lib\site-packages\jupyter_server\__pycache__\_sysinfo.cpython-313.pyc | _sysinfo.cpython-313.pyc | Other | 3,120 | 0.8 | 0.075472 | 0.065217 | react-lib | 979 | 2024-10-26T05:00:20.951073 | Apache-2.0 | false | 95720c40e8f1f36d63d74eb38c778152 |
\n\n | .venv\Lib\site-packages\jupyter_server\__pycache__\_tz.cpython-313.pyc | _tz.cpython-313.pyc | Other | 1,913 | 0.8 | 0.105263 | 0 | react-lib | 56 | 2024-07-21T20:48:29.515079 | GPL-3.0 | false | 5f2f1d97c22482f55544475560d6c3bf |
\n\n | .venv\Lib\site-packages\jupyter_server\__pycache__\_version.cpython-313.pyc | _version.cpython-313.pyc | Other | 826 | 0.7 | 0 | 0 | python-kit | 909 | 2023-11-17T11:46:58.436133 | MIT | false | fb340a82bbeb926b196023700f17a80b |
\n\n | .venv\Lib\site-packages\jupyter_server\__pycache__\__init__.cpython-313.pyc | __init__.cpython-313.pyc | Other | 1,186 | 0.8 | 0 | 0 | vue-tools | 734 | 2025-03-16T07:36:48.443803 | Apache-2.0 | false | 1b45b04a1d8a8cbdc97c0c58344c4347 |
\n\n | .venv\Lib\site-packages\jupyter_server\__pycache__\__main__.cpython-313.pyc | __main__.cpython-313.pyc | Other | 417 | 0.7 | 0.25 | 0 | python-kit | 778 | 2025-05-02T19:25:36.231169 | Apache-2.0 | false | 48a80a0fb5416d2e5e0a1f843e851d33 |
[console_scripts]\njupyter-server = jupyter_server.serverapp:main\n | .venv\Lib\site-packages\jupyter_server-2.16.0.dist-info\entry_points.txt | entry_points.txt | Other | 65 | 0.5 | 0 | 0 | awesome-app | 830 | 2023-09-28T20:00:17.767931 | MIT | false | 28d8dec48dbeecf1321eb845f9952756 |
pip\n | .venv\Lib\site-packages\jupyter_server-2.16.0.dist-info\INSTALLER | INSTALLER | Other | 4 | 0.5 | 0 | 0 | react-lib | 840 | 2024-06-06T03:09:40.694911 | BSD-3-Clause | false | 365c9bfeb7d89244f2ce01c1de44cb85 |
Metadata-Version: 2.4\nName: jupyter_server\nVersion: 2.16.0\nSummary: The backend—i.e. core services, APIs, and REST endpoints—to Jupyter web applications.\nProject-URL: Homepage, https://jupyter-server.readthedocs.io\nProject-URL: Documentation, https://jupyter-server.readthedocs.io\nProject-URL: Funding, https://jupyter.org/about#donate\nProject-URL: Source, https://github.com/jupyter-server/jupyter_server\nProject-URL: Tracker, https://github.com/jupyter-server/jupyter_server/issues\nAuthor-email: Jupyter Development Team <jupyter@googlegroups.com>\nLicense: BSD 3-Clause License\n \n - Copyright (c) 2001-2015, IPython Development Team\n - Copyright (c) 2015-, Jupyter Development Team\n \n All rights reserved.\n \n Redistribution and use in source and binary forms, with or without\n modification, are permitted provided that the following conditions are met:\n \n 1. Redistributions of source code must retain the above copyright notice, this\n list of conditions and the following disclaimer.\n \n 2. Redistributions in binary form must reproduce the above copyright notice,\n this list of conditions and the following disclaimer in the documentation\n and/or other materials provided with the distribution.\n \n 3. Neither the name of the copyright holder nor the names of its\n contributors may be used to endorse or promote products derived from\n this software without specific prior written permission.\n \n THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"\n AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE\n IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE\n DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE\n FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL\n DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR\n SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER\n CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY,\n OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE\n OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.\nLicense-File: LICENSE\nKeywords: ipython,jupyter\nClassifier: Development Status :: 5 - Production/Stable\nClassifier: Framework :: Jupyter\nClassifier: Intended Audience :: Developers\nClassifier: Intended Audience :: Science/Research\nClassifier: Intended Audience :: System Administrators\nClassifier: License :: OSI Approved :: BSD License\nClassifier: Programming Language :: Python\nClassifier: Programming Language :: Python :: 3\nClassifier: Programming Language :: Python :: 3 :: Only\nRequires-Python: >=3.9\nRequires-Dist: anyio>=3.1.0\nRequires-Dist: argon2-cffi>=21.1\nRequires-Dist: jinja2>=3.0.3\nRequires-Dist: jupyter-client>=7.4.4\nRequires-Dist: jupyter-core!=5.0.*,>=4.12\nRequires-Dist: jupyter-events>=0.11.0\nRequires-Dist: jupyter-server-terminals>=0.4.4\nRequires-Dist: nbconvert>=6.4.4\nRequires-Dist: nbformat>=5.3.0\nRequires-Dist: overrides>=5.0\nRequires-Dist: packaging>=22.0\nRequires-Dist: prometheus-client>=0.9\nRequires-Dist: pywinpty>=2.0.1; os_name == 'nt'\nRequires-Dist: pyzmq>=24\nRequires-Dist: send2trash>=1.8.2\nRequires-Dist: terminado>=0.8.3\nRequires-Dist: tornado>=6.2.0\nRequires-Dist: traitlets>=5.6.0\nRequires-Dist: websocket-client>=1.7\nProvides-Extra: docs\nRequires-Dist: ipykernel; extra == 'docs'\nRequires-Dist: jinja2; extra == 'docs'\nRequires-Dist: jupyter-client; extra == 'docs'\nRequires-Dist: myst-parser; extra == 'docs'\nRequires-Dist: nbformat; extra == 'docs'\nRequires-Dist: prometheus-client; extra == 'docs'\nRequires-Dist: pydata-sphinx-theme; extra == 'docs'\nRequires-Dist: send2trash; extra == 'docs'\nRequires-Dist: sphinx-autodoc-typehints; extra == 'docs'\nRequires-Dist: sphinxcontrib-github-alt; extra == 'docs'\nRequires-Dist: sphinxcontrib-openapi>=0.8.0; extra == 'docs'\nRequires-Dist: sphinxcontrib-spelling; extra == 'docs'\nRequires-Dist: sphinxemoji; extra == 'docs'\nRequires-Dist: tornado; extra == 'docs'\nRequires-Dist: typing-extensions; extra == 'docs'\nProvides-Extra: test\nRequires-Dist: flaky; extra == 'test'\nRequires-Dist: ipykernel; extra == 'test'\nRequires-Dist: pre-commit; extra == 'test'\nRequires-Dist: pytest-console-scripts; extra == 'test'\nRequires-Dist: pytest-jupyter[server]>=0.7; extra == 'test'\nRequires-Dist: pytest-timeout; extra == 'test'\nRequires-Dist: pytest<9,>=7.0; extra == 'test'\nRequires-Dist: requests; extra == 'test'\nDescription-Content-Type: text/markdown\n\n# Jupyter Server\n\n[](https://github.com/jupyter-server/jupyter_server/actions/workflows/python-tests.yml/badge.svg?query=branch%3Amain++)\n[](http://jupyter-server.readthedocs.io/en/latest/?badge=latest)\n\nThe Jupyter Server provides the backend (i.e. the core services, APIs, and REST endpoints) for Jupyter web applications like Jupyter notebook, JupyterLab, and Voila.\n\nFor more information, read our [documentation here](http://jupyter-server.readthedocs.io/en/latest/?badge=latest).\n\n## Installation and Basic usage\n\nTo install the latest release locally, make sure you have\n[pip installed](https://pip.readthedocs.io/en/stable/installing/) and run:\n\n```\npip install jupyter_server\n```\n\nJupyter Server currently supports Python>=3.6 on Linux, OSX and Windows.\n\n### Versioning and Branches\n\nIf Jupyter Server is a dependency of your project/application, it is important that you pin it to a version that works for your application. Currently, Jupyter Server only has minor and patch versions. Different minor versions likely include API-changes while patch versions do not change API.\n\nWhen a new minor version is released on PyPI, a branch for that version will be created in this repository, and the version of the main branch will be bumped to the next minor version number. That way, the main branch always reflects the latest un-released version.\n\nTo see the changes between releases, checkout the [CHANGELOG](https://github.com/jupyter/jupyter_server/blob/main/CHANGELOG.md).\n\n## Usage - Running Jupyter Server\n\n### Running in a local installation\n\nLaunch with:\n\n```\njupyter server\n```\n\n### Testing\n\nSee [CONTRIBUTING](https://github.com/jupyter-server/jupyter_server/blob/main/CONTRIBUTING.rst#running-tests).\n\n## Contributing\n\nIf you are interested in contributing to the project, see [`CONTRIBUTING.rst`](CONTRIBUTING.rst).\n\n## Team Meetings and Roadmap\n\n- When: Thursdays [8:00am, Pacific time](https://www.thetimezoneconverter.com/?t=8%3A00%20am&tz=San%20Francisco&)\n- Where: [Jovyan Zoom](https://zoom.us/j/95228013874?pwd=Ep7HIk8t9JP6VToxt1Wj4P7K5PshC0.1)\n- What:\n - [Meeting notes](https://github.com/jupyter-server/team-compass/issues?q=is%3Aissue%20%20Meeting%20Notes%20)\n - [Agenda](https://hackmd.io/Wmz_wjrLRHuUbgWphjwRWw)\n\nSee our tentative [roadmap here](https://github.com/jupyter/jupyter_server/issues/127).\n\n## About the Jupyter Development Team\n\nThe Jupyter Development Team is the set of all contributors to the Jupyter project.\nThis includes all of the Jupyter subprojects.\n\nThe core team that coordinates development on GitHub can be found here:\nhttps://github.com/jupyter/.\n\n## Our Copyright Policy\n\nJupyter uses a shared copyright model. Each contributor maintains copyright\nover their contributions to Jupyter. But, it is important to note that these\ncontributions are typically only changes to the repositories. Thus, the Jupyter\nsource code, in its entirety is not the copyright of any single person or\ninstitution. Instead, it is the collective copyright of the entire Jupyter\nDevelopment Team. If individual contributors want to maintain a record of what\nchanges/contributions they have specific copyright on, they should indicate\ntheir copyright in the commit message of the change, when they commit the\nchange to one of the Jupyter repositories.\n\nWith this in mind, the following banner should be used in any source code file\nto indicate the copyright and license terms:\n\n```\n# Copyright (c) Jupyter Development Team.\n# Distributed under the terms of the Modified BSD License.\n```\n | .venv\Lib\site-packages\jupyter_server-2.16.0.dist-info\METADATA | METADATA | Other | 8,477 | 0.95 | 0.021978 | 0.082759 | node-utils | 546 | 2024-08-22T16:36:23.482933 | MIT | false | 118e4fa2bf638020e16a6b1798af3add |
../../Scripts/jupyter-server.exe,sha256=CFZzdMIGRqPVcxV494rQxXrxCBaeculYe-sCen3g-pM,108425\njupyter_server-2.16.0.dist-info/INSTALLER,sha256=zuuue4knoyJ-UwPPXg8fezS7VCrXJQrAP7zeNuwvFQg,4\njupyter_server-2.16.0.dist-info/METADATA,sha256=BbwbGyo6DcFppqvimZzUP6cYx4DGkMFxSHqI6LwMIpQ,8477\njupyter_server-2.16.0.dist-info/RECORD,,\njupyter_server-2.16.0.dist-info/WHEEL,sha256=qtCwoSJWgHk21S1Kb4ihdzI2rlJ1ZKaIurTj_ngOhyQ,87\njupyter_server-2.16.0.dist-info/entry_points.txt,sha256=8jS3FI-obXaNG9TSH6eRpVjQaMl7LyD7t_m3d5cE3cU,65\njupyter_server-2.16.0.dist-info/licenses/LICENSE,sha256=XKdOTS7rkzCw0SnCX4dNNUShNBO8Yq6NNngZEA0JUHI,1588\njupyter_server/__init__.py,sha256=7-HVj-97VOmRw3c8Hn-pHvfaQTsmuscyyNXUAFcTH3U,771\njupyter_server/__main__.py,sha256=Su1H2I-oM9VDhzY5_ZQRmJY2uklq8inRmuA86TKG9ZY,154\njupyter_server/__pycache__/__init__.cpython-313.pyc,,\njupyter_server/__pycache__/__main__.cpython-313.pyc,,\njupyter_server/__pycache__/_sysinfo.cpython-313.pyc,,\njupyter_server/__pycache__/_tz.cpython-313.pyc,,\njupyter_server/__pycache__/_version.cpython-313.pyc,,\njupyter_server/__pycache__/config_manager.cpython-313.pyc,,\njupyter_server/__pycache__/log.cpython-313.pyc,,\njupyter_server/__pycache__/pytest_plugin.cpython-313.pyc,,\njupyter_server/__pycache__/serverapp.cpython-313.pyc,,\njupyter_server/__pycache__/traittypes.cpython-313.pyc,,\njupyter_server/__pycache__/transutils.cpython-313.pyc,,\njupyter_server/__pycache__/utils.cpython-313.pyc,,\njupyter_server/_sysinfo.py,sha256=4kDBswpesE_EwyH6OOZS5b0nsI20p2ITGAD_hSkN9nk,2477\njupyter_server/_tz.py,sha256=UICdVeKACdh2VWZE4QnRZCTtyzGIdBPAtwEIrzoWfVU,1057\njupyter_server/_version.py,sha256=KxEvvi2DZF88U8wvUgGd_eFRokHdxm_Un0tfopFHNrw,503\njupyter_server/auth/__init__.py,sha256=WM1qW5TbZlf5ICTUleyf5FyGQiHq8udJUqo70Hgn5J0,113\njupyter_server/auth/__main__.py,sha256=8Fn7tngLeR2MfP2V28yrA0iJc40bP7myEoNvWxYO82I,1940\njupyter_server/auth/__pycache__/__init__.cpython-313.pyc,,\njupyter_server/auth/__pycache__/__main__.cpython-313.pyc,,\njupyter_server/auth/__pycache__/authorizer.cpython-313.pyc,,\njupyter_server/auth/__pycache__/decorator.cpython-313.pyc,,\njupyter_server/auth/__pycache__/identity.cpython-313.pyc,,\njupyter_server/auth/__pycache__/login.cpython-313.pyc,,\njupyter_server/auth/__pycache__/logout.cpython-313.pyc,,\njupyter_server/auth/__pycache__/security.cpython-313.pyc,,\njupyter_server/auth/__pycache__/utils.cpython-313.pyc,,\njupyter_server/auth/authorizer.py,sha256=8XqEWDuw5uK4COxOn2nhtf_CeyjlfafzvgCoLrWeMPU,2675\njupyter_server/auth/decorator.py,sha256=4QYhCLGlrfWsw8uA3nP5aZcmhYcmOYFnGOzrT5IuolY,4381\njupyter_server/auth/identity.py,sha256=W9-LDQeLiKw6HttaYAZNK-_u596uVm8El-LKiok1mjE,27077\njupyter_server/auth/login.py,sha256=7QrJAmUVevwhc_o6FdIDLuhboM67aOJRpvYssfsgBMc,12274\njupyter_server/auth/logout.py,sha256=J9timv3b08SVfB75YlTRHh8n7kXtd4J9AquVinC68yQ,785\njupyter_server/auth/security.py,sha256=QuGzlcDTW2jua5Dg5Xr0rtaJ5xAgR6oU_TyfvVtohMc,4741\njupyter_server/auth/utils.py,sha256=vaJng3aVKrqQxM9C7aBV9WsXP_66SYhlOJEoVulyJrk,3807\njupyter_server/base/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0\njupyter_server/base/__pycache__/__init__.cpython-313.pyc,,\njupyter_server/base/__pycache__/call_context.cpython-313.pyc,,\njupyter_server/base/__pycache__/handlers.cpython-313.pyc,,\njupyter_server/base/__pycache__/websocket.cpython-313.pyc,,\njupyter_server/base/__pycache__/zmqhandlers.cpython-313.pyc,,\njupyter_server/base/call_context.py,sha256=JUL_wbKAAfhuZiFTrTqO8G5gnYjIBezojEBNa7eyhR4,3178\njupyter_server/base/handlers.py,sha256=i7WYo6i4hEI4qFHQPlPHrRP7YtA9vFHaMJG6cw-lFkM,44835\njupyter_server/base/websocket.py,sha256=mLvAQGeG4trepAL9n8oiKh34obI0iUHhASsedfHccjM,5952\njupyter_server/base/zmqhandlers.py,sha256=sattqEuCGvAFlJrS82V2pNUKQWhy__ET9rET3yIIKtg,555\njupyter_server/config_manager.py,sha256=FJr4vcI7G7o6biGOguskBl6azdi4q_MrpIEakDBbB3E,5032\njupyter_server/event_schemas/contents_service/v1.yaml,sha256=p3pOxG9o07SjZJIl7qIkFjsGI3sPnzjsUqB4hbTJghs,2311\njupyter_server/event_schemas/gateway_client/v1.yaml,sha256=2-P_t9Psi1CUWD2lELsP-Bifaj8KYjbCbYDYw4NnyyQ,987\njupyter_server/event_schemas/kernel_actions/v1.yaml,sha256=HFIVVE5-40LTP61YuBKREjCNoDjq2CpobGG7EkLrj9M,1766\njupyter_server/extension/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0\njupyter_server/extension/__pycache__/__init__.cpython-313.pyc,,\njupyter_server/extension/__pycache__/application.cpython-313.pyc,,\njupyter_server/extension/__pycache__/config.cpython-313.pyc,,\njupyter_server/extension/__pycache__/handler.cpython-313.pyc,,\njupyter_server/extension/__pycache__/manager.cpython-313.pyc,,\njupyter_server/extension/__pycache__/serverextension.cpython-313.pyc,,\njupyter_server/extension/__pycache__/utils.cpython-313.pyc,,\njupyter_server/extension/application.py,sha256=EmnKqHBRrmh297P5gUK7z6bLbxLdS4oSNmh92c3g6P4,23158\njupyter_server/extension/config.py,sha256=vSc6YBj-HesLTR7C2ohTnW1Y4ntuShmM184thePSKt8,1288\njupyter_server/extension/handler.py,sha256=jNfyudu8dcTUKmZqLxJTNV-1f0vBfiuKdg5uiN_vX8k,5746\njupyter_server/extension/manager.py,sha256=laxYZQTe9GpY4gMrjOi7PsB7madpTmQSes-N9X9uwMQ,16153\njupyter_server/extension/serverextension.py,sha256=lBHWv92L2iwd8PiCncCO3Iy5cIGmuvq7SDSzyiVSrIA,13802\njupyter_server/extension/utils.py,sha256=9zg6S2a49hMelyG6_IzextwfymHKa3DJwYehcGgVWAs,3982\njupyter_server/files/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0\njupyter_server/files/__pycache__/__init__.cpython-313.pyc,,\njupyter_server/files/__pycache__/handlers.cpython-313.pyc,,\njupyter_server/files/handlers.py,sha256=B3MTSi56nYiUYpogP744DtzAgg6NWvBPwMmGzT1uMl0,3434\njupyter_server/gateway/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0\njupyter_server/gateway/__pycache__/__init__.cpython-313.pyc,,\njupyter_server/gateway/__pycache__/connections.cpython-313.pyc,,\njupyter_server/gateway/__pycache__/gateway_client.cpython-313.pyc,,\njupyter_server/gateway/__pycache__/handlers.cpython-313.pyc,,\njupyter_server/gateway/__pycache__/managers.cpython-313.pyc,,\njupyter_server/gateway/connections.py,sha256=Y-DwOYiqAQhmJofRLj99vBCw9UPl8M1kNut3F3NehiE,7361\njupyter_server/gateway/gateway_client.py,sha256=xif2WjIh7Z4_CsrTkmX1z4Fw7qEcgWxZ1jC98Ednyqc,32425\njupyter_server/gateway/handlers.py,sha256=JJ3IO0-wJmQ8hb5jLzPEEKgA639aA1-6BxMQdAO8VLo,11940\njupyter_server/gateway/managers.py,sha256=nHC3ebqSZqlhLzAGseLo1TTFQpz__zm74UVnmq1hq2Q,35717\njupyter_server/i18n/README.md,sha256=-6l9dEcaesVP8tpRv1KKglPVvLBIn9fD95mPpNGborg,5738\njupyter_server/i18n/__init__.py,sha256=kQoLjgiQQR26GzCdHmGnLXiyG0J_pfueYhPDlgxlbQU,2717\njupyter_server/i18n/__pycache__/__init__.cpython-313.pyc,,\njupyter_server/i18n/babel_nbui.cfg,sha256=qQQOfxq5wSR_SjKquFOIGm-z9AubNTrvRRq6pnqV-S8,103\njupyter_server/i18n/babel_notebook.cfg,sha256=HT1mMtzaEPKPfVhu4lLSiEG08gNARvbnolz6MyDMASE,66\njupyter_server/i18n/nbjs.json,sha256=5Jqkjez5e-XIQagg8qIKAWSnBojNX1aX-mqHKbmugeM,148\njupyter_server/i18n/nbui.pot,sha256=K47zL9srIbgwH9WlNlxW2swoXEFDHAWvj8O2Cj8A-NY,15248\njupyter_server/i18n/notebook.pot,sha256=JmCrlVPpBT2BXkYhTLPeeLaWalOFWb0bFBcbhKHWc7Y,11712\njupyter_server/i18n/zh_CN/LC_MESSAGES/nbui.po,sha256=JkCCeWfoVXqHPamBga12JOl3FCV8E7lDzOfJzEcXlhc,18459\njupyter_server/i18n/zh_CN/LC_MESSAGES/notebook.po,sha256=2Xv1L_BLTXmI41fhrO2TE3a0MPnYIoQ55kNPaIURzNk,14333\njupyter_server/kernelspecs/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0\njupyter_server/kernelspecs/__pycache__/__init__.cpython-313.pyc,,\njupyter_server/kernelspecs/__pycache__/handlers.cpython-313.pyc,,\njupyter_server/kernelspecs/handlers.py,sha256=ceNvPZYBfSgtjKV8yrVNPipjjDzhBUFLWjtdS_U80e8,2753\njupyter_server/log.py,sha256=gJrKqHvPuRo4sbvNVnwkADxls3NxKo5mmhF0C7_rvWE,3633\njupyter_server/nbconvert/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0\njupyter_server/nbconvert/__pycache__/__init__.cpython-313.pyc,,\njupyter_server/nbconvert/__pycache__/handlers.cpython-313.pyc,,\njupyter_server/nbconvert/handlers.py,sha256=dG_Ccw2wOdpILvElF-DNhBfYURANmG3CAfzgspB7ISc,7025\njupyter_server/prometheus/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0\njupyter_server/prometheus/__pycache__/__init__.cpython-313.pyc,,\njupyter_server/prometheus/__pycache__/log_functions.cpython-313.pyc,,\njupyter_server/prometheus/__pycache__/metrics.cpython-313.pyc,,\njupyter_server/prometheus/log_functions.py,sha256=ZjyVMKEQCGpiH1RxJe2xVnoQst-wWGM449p3p9I8Wpg,1066\njupyter_server/prometheus/metrics.py,sha256=z3aHhWsj55VdyLtmh8_qZS2nlpV3B5pXZNStcNeUvVE,2790\njupyter_server/py.typed,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0\njupyter_server/pytest_plugin.py,sha256=dUG346G6S8ikVwNYcrFxYSI6DYkMMevVmxpjltm73fU,1849\njupyter_server/serverapp.py,sha256=pzo43vbUOAqzVS7cLR2VrLb9Xbi20606f14RNp2wneg,120151\njupyter_server/services/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0\njupyter_server/services/__pycache__/__init__.cpython-313.pyc,,\njupyter_server/services/__pycache__/shutdown.cpython-313.pyc,,\njupyter_server/services/api/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0\njupyter_server/services/api/__pycache__/__init__.cpython-313.pyc,,\njupyter_server/services/api/__pycache__/handlers.cpython-313.pyc,,\njupyter_server/services/api/api.yaml,sha256=8wn8ylQUEvoCJY-1UfqjCAwY8UouIQ1iMG03K_a_aUw,28676\njupyter_server/services/api/handlers.py,sha256=rr7wh6s8hjsICr8GKVZksqRDhRIHUflH_1osR5Zufyo,3885\njupyter_server/services/config/__init__.py,sha256=fVgxXW03kzHuVo1zXQkLJoXg6Q6yiooRqujii3L817w,64\njupyter_server/services/config/__pycache__/__init__.cpython-313.pyc,,\njupyter_server/services/config/__pycache__/handlers.cpython-313.pyc,,\njupyter_server/services/config/__pycache__/manager.cpython-313.pyc,,\njupyter_server/services/config/handlers.py,sha256=D0k7rmKSukiKB9a7rXyRx3TC7O_uwgMYoZtt31i1mPM,1373\njupyter_server/services/config/manager.py,sha256=EwnozUjJKQvjX8gaZlMj9bb3JVoSfx8ey1XavEoB8lY,2230\njupyter_server/services/contents/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0\njupyter_server/services/contents/__pycache__/__init__.cpython-313.pyc,,\njupyter_server/services/contents/__pycache__/checkpoints.cpython-313.pyc,,\njupyter_server/services/contents/__pycache__/filecheckpoints.cpython-313.pyc,,\njupyter_server/services/contents/__pycache__/fileio.cpython-313.pyc,,\njupyter_server/services/contents/__pycache__/filemanager.cpython-313.pyc,,\njupyter_server/services/contents/__pycache__/handlers.cpython-313.pyc,,\njupyter_server/services/contents/__pycache__/largefilemanager.cpython-313.pyc,,\njupyter_server/services/contents/__pycache__/manager.cpython-313.pyc,,\njupyter_server/services/contents/checkpoints.py,sha256=WzLpzQYVQ0Hw7KLuI3kYuZoln22t-PXd2jcW0vV64AM,8643\njupyter_server/services/contents/filecheckpoints.py,sha256=tKbYOB4HdRS38fIms-TGDkGlzWP0tE_bsHPNWNCpcaY,12337\njupyter_server/services/contents/fileio.py,sha256=1B2Q7_P8nWLI3Ewlf1owoL1PK2fAPkuA3EARC1FvVtI,21034\njupyter_server/services/contents/filemanager.py,sha256=zakJqEjgop2cO4BWpmevaou5tq2eeugpucoY68I6IZo,46977\njupyter_server/services/contents/handlers.py,sha256=gLKRtloOSwHhMNIRWEqogYA28KjAs_WjN4yIrPtiyfg,15316\njupyter_server/services/contents/largefilemanager.py,sha256=uI7oZ7nnuCqHVMJQwWaJhYG-Hu0m44yv5xXpoolzcDc,5936\njupyter_server/services/contents/manager.py,sha256=ibmSSwmxt9wUfEtg4dnfn-Vr_hkdAQnbXBAibTqInNE,36212\njupyter_server/services/events/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0\njupyter_server/services/events/__pycache__/__init__.cpython-313.pyc,,\njupyter_server/services/events/__pycache__/handlers.cpython-313.pyc,,\njupyter_server/services/events/handlers.py,sha256=hoZBILXEI64UPMG2MPHTW0qDkCUBbLfaq7yX-wqUZtg,4549\njupyter_server/services/kernels/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0\njupyter_server/services/kernels/__pycache__/__init__.cpython-313.pyc,,\njupyter_server/services/kernels/__pycache__/handlers.cpython-313.pyc,,\njupyter_server/services/kernels/__pycache__/kernelmanager.cpython-313.pyc,,\njupyter_server/services/kernels/__pycache__/websocket.cpython-313.pyc,,\njupyter_server/services/kernels/connection/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0\njupyter_server/services/kernels/connection/__pycache__/__init__.cpython-313.pyc,,\njupyter_server/services/kernels/connection/__pycache__/abc.cpython-313.pyc,,\njupyter_server/services/kernels/connection/__pycache__/base.cpython-313.pyc,,\njupyter_server/services/kernels/connection/__pycache__/channels.cpython-313.pyc,,\njupyter_server/services/kernels/connection/abc.py,sha256=LKb_kQqmyAFbYU4hcAxsdgp-Xhj-RswaQX-vFRRNU3Y,921\njupyter_server/services/kernels/connection/base.py,sha256=jT-PqeNszMkubF0cF85uTf89uDXixwnvVIa74mItP_I,5544\njupyter_server/services/kernels/connection/channels.py,sha256=jbIxLkr8j4FdPADnuInvN_Xsv5xEEI6lgZPNtw9IskI,33564\njupyter_server/services/kernels/handlers.py,sha256=nTMXx6TSYdeZJG8zr05014slbYrj6DtLzrqGH2s8s6w,4142\njupyter_server/services/kernels/kernelmanager.py,sha256=hHafLu73UEiooFlXTQjWm-p44ma6ji939vxUD9R2xgM,36129\njupyter_server/services/kernels/websocket.py,sha256=GkOwBidb4DVHNW_d8AQmbVHt3S-LNEKvUlZBNR3FyAA,3535\njupyter_server/services/kernelspecs/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0\njupyter_server/services/kernelspecs/__pycache__/__init__.cpython-313.pyc,,\njupyter_server/services/kernelspecs/__pycache__/handlers.cpython-313.pyc,,\njupyter_server/services/kernelspecs/handlers.py,sha256=9DhO0_srJhQUuE8oXG-tZkBAhMwOLIEQCkGQBE8eFco,3920\njupyter_server/services/nbconvert/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0\njupyter_server/services/nbconvert/__pycache__/__init__.cpython-313.pyc,,\njupyter_server/services/nbconvert/__pycache__/handlers.cpython-313.pyc,,\njupyter_server/services/nbconvert/handlers.py,sha256=YvpEHlY_qnA6DwjU5lZS3B0IMv2TK0CceEUh8D7tOjc,2270\njupyter_server/services/security/__init__.py,sha256=GUxwXYGcRZCky-kwIBrWSwYWVAJvMlfkCGqO5zCq9Os,263\njupyter_server/services/security/__pycache__/__init__.cpython-313.pyc,,\njupyter_server/services/security/__pycache__/handlers.cpython-313.pyc,,\njupyter_server/services/security/handlers.py,sha256=q70kT08bjIN5s7K5ebeWrZKcSYYM54-ADJnYr2sdm1M,1022\njupyter_server/services/sessions/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0\njupyter_server/services/sessions/__pycache__/__init__.cpython-313.pyc,,\njupyter_server/services/sessions/__pycache__/handlers.cpython-313.pyc,,\njupyter_server/services/sessions/__pycache__/sessionmanager.cpython-313.pyc,,\njupyter_server/services/sessions/handlers.py,sha256=7yhhRo-hJFWzY70RwvnndyChRxKQSHAQo071nhnGRpk,8432\njupyter_server/services/sessions/sessionmanager.py,sha256=EpnS9-DTQl2yakqmMOlipdUlsK_-kVN8p1HJ6y_ecZE,20193\njupyter_server/services/shutdown.py,sha256=T0iadnW_xkTKntxlZ-6K6bhLwJaauEC5foPq4JMtmDY,676\njupyter_server/static/favicon.ico,sha256=wmOKif3jYzYX7GJAiHMMHb5NrxjU8uRHKezonfPmAXY,32038\njupyter_server/static/favicons/favicon-busy-1.ico,sha256=XeQTY_XwajovtRerVwphE4iRhJ9GUQuEZcQdoC70mRI,1150\njupyter_server/static/favicons/favicon-busy-2.ico,sha256=TZ5bxbzbA1c9aaGkyLM_gL97cCYRfeyEQmkgbBYB6TY,1150\njupyter_server/static/favicons/favicon-busy-3.ico,sha256=OmRvwUM4WD3WYkQkBRhW2gawwGswBF7iaBIPqSSBNSI,1150\njupyter_server/static/favicons/favicon-file.ico,sha256=jRmuRRyfQRpsYBJKx1Djvuhxn_JvQF3hxav_YpxRsyk,1150\njupyter_server/static/favicons/favicon-notebook.ico,sha256=49eyPmERciRmaFI2daEHdk0T_mXQEQ3j05nehRUV_hw,1150\njupyter_server/static/favicons/favicon-terminal.ico,sha256=mI4X6YuUwnqbMGXylwQbapYpqoKBmzylB-Arb8FTZRg,1150\njupyter_server/static/favicons/favicon.ico,sha256=wmOKif3jYzYX7GJAiHMMHb5NrxjU8uRHKezonfPmAXY,32038\njupyter_server/static/logo/logo.png,sha256=VXhRW0hTSf4gYSDb9WBMdXABeIZ9BDMeCULjZzcNwkQ,5922\njupyter_server/static/style/bootstrap-theme.min.css,sha256=8uHMIn1ru0GS5KO-zf7Zccf8Uw12IA5DrdEcmMuWLFM,23411\njupyter_server/static/style/bootstrap-theme.min.css.map,sha256=Xrq8Sds3hoHPZBKqAL07ehEaCfKBUjH0tW4pb6xIYTA,75600\njupyter_server/static/style/bootstrap.min.css,sha256=bZLfwXAP04zRMK2BjiO8iu9pf4FbLqX6zitd-tIvLhE,121457\njupyter_server/static/style/bootstrap.min.css.map,sha256=eLWMnr_ULsLGG8T99Gpd-ZjmzZB8dzB2oKbo9Whrr8M,540434\njupyter_server/static/style/index.css,sha256=l_2gmysTsc_SRm_dTjBlQVXJq4ORISQPknkLXQ_R_Ck,1414\njupyter_server/templates/404.html,sha256=bg0qHPbIuYXSZXErEeG2NNbu5g19iDqIU8ljtLvilEQ,146\njupyter_server/templates/browser-open.html,sha256=VA3lwFp3wA-Kw7D1ofO5M93w7V-1mYQYQDh3vVOWbIY,507\njupyter_server/templates/error.html,sha256=UARh76UdLd_1zoS-HCFqHPkDVfi-9uTH1-RIwDIM0jU,653\njupyter_server/templates/login.html,sha256=rVI3cRwON1nVcaRHUuC-O7GgTyo47UetBXK91qSXZ7A,4468\njupyter_server/templates/logout.html,sha256=Z7hANX2wY5wp3DaQ--AClPid1230KL9hH51vksqjXvU,823\njupyter_server/templates/main.html,sha256=4KqoPn2qa2-iF_EsFP68YogElPxIaQxis4O3QKoMq9I,147\njupyter_server/templates/page.html,sha256=mYDJJI2V2FxQPMsZqJw08eXhO3IEz9bnaNs2oFOs4DI,2834\njupyter_server/templates/view.html,sha256=0vRn6nn6w7cU-xA6LRrFedP5-TUxvdIhEOdqKqKbvMo,558\njupyter_server/terminal/__init__.py,sha256=ZZ0f4e0zhAdFzM5wifdM7xuxyObwcxVtoF1QSB0FXbo,465\njupyter_server/terminal/__pycache__/__init__.cpython-313.pyc,,\njupyter_server/terminal/__pycache__/api_handlers.cpython-313.pyc,,\njupyter_server/terminal/__pycache__/handlers.cpython-313.pyc,,\njupyter_server/terminal/__pycache__/terminalmanager.cpython-313.pyc,,\njupyter_server/terminal/api_handlers.py,sha256=uUNcGH_ZsA278Nrrv2qnhczoPtxSnJgmHE0syjpq7uE,154\njupyter_server/terminal/handlers.py,sha256=GQ_QgyNxt3ohQCRhRqTwJFPHDY_G_EDYh_RU-dCng44,210\njupyter_server/terminal/terminalmanager.py,sha256=F-VWg5F0qtBT33qEWVOCvZ2a6K1JK222lp3QRlj5Vwo,282\njupyter_server/traittypes.py,sha256=oKWx0BGyEy-uyjFct0Se3c5iIcq0wlU2lA58aw4U0xo,9577\njupyter_server/transutils.py,sha256=cWldXQZuOCQXBms3cjXvphMDupFohTbxxP4ngpenc7Y,768\njupyter_server/utils.py,sha256=--ZU6hCjoX6GsIT0ZSFJL5IvZtysQB_Vj-vJXhCHFMY,13399\njupyter_server/view/__init__.py,sha256=lXP5Q2o6OvINx7XcK1VNUP1P6UfT9MjIEjulIQj4CgY,47\njupyter_server/view/__pycache__/__init__.cpython-313.pyc,,\njupyter_server/view/__pycache__/handlers.cpython-313.pyc,,\njupyter_server/view/handlers.py,sha256=c8KfJ6eOHtSdHYqtlgddXAhDl-VlIrruPn2hdnn-9eM,1092\n | .venv\Lib\site-packages\jupyter_server-2.16.0.dist-info\RECORD | RECORD | Other | 18,252 | 0.85 | 0 | 0 | vue-tools | 372 | 2023-07-18T12:04:48.979517 | MIT | false | af83fec5208d8b83bc76ce96dc349fbd |
Wheel-Version: 1.0\nGenerator: hatchling 1.27.0\nRoot-Is-Purelib: true\nTag: py3-none-any\n | .venv\Lib\site-packages\jupyter_server-2.16.0.dist-info\WHEEL | WHEEL | Other | 87 | 0.5 | 0 | 0 | vue-tools | 292 | 2024-08-28T19:29:33.189821 | Apache-2.0 | false | e2fcb0ad9ea59332c808928b4b439e7a |
BSD 3-Clause License\n\n- Copyright (c) 2001-2015, IPython Development Team\n- Copyright (c) 2015-, Jupyter Development Team\n\nAll rights reserved.\n\nRedistribution and use in source and binary forms, with or without\nmodification, are permitted provided that the following conditions are met:\n\n1. Redistributions of source code must retain the above copyright notice, this\n list of conditions and the following disclaimer.\n\n2. Redistributions in binary form must reproduce the above copyright notice,\n this list of conditions and the following disclaimer in the documentation\n and/or other materials provided with the distribution.\n\n3. Neither the name of the copyright holder nor the names of its\n contributors may be used to endorse or promote products derived from\n this software without specific prior written permission.\n\nTHIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"\nAND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE\nIMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE\nDISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE\nFOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL\nDAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR\nSERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER\nCAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY,\nOR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE\nOF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.\n | .venv\Lib\site-packages\jupyter_server-2.16.0.dist-info\licenses\LICENSE | LICENSE | Other | 1,588 | 0.7 | 0 | 0 | react-lib | 446 | 2024-08-28T11:44:52.875553 | Apache-2.0 | false | 083556a9912a35360dae8281fb57e886 |
"""API handlers for terminals."""\nfrom __future__ import annotations\n\nimport json\nfrom pathlib import Path\nfrom typing import Any\n\nfrom jupyter_server.auth.decorator import authorized\nfrom jupyter_server.base.handlers import APIHandler\nfrom tornado import web\n\nfrom .base import TerminalsMixin\n\nAUTH_RESOURCE = "terminals"\n\n\nclass TerminalAPIHandler(APIHandler):\n """The base terminal handler."""\n\n auth_resource = AUTH_RESOURCE\n\n\nclass TerminalRootHandler(TerminalsMixin, TerminalAPIHandler):\n """The root termanal API handler."""\n\n @web.authenticated\n @authorized\n def get(self) -> None:\n """Get the list of terminals."""\n models = self.terminal_manager.list()\n self.finish(json.dumps(models))\n\n @web.authenticated\n @authorized\n def post(self) -> None:\n """POST /terminals creates a new terminal and redirects to it"""\n data = self.get_json_body() or {}\n\n # if cwd is a relative path, it should be relative to the root_dir,\n # but if we pass it as relative, it will we be considered as relative to\n # the path jupyter_server was started in\n if "cwd" in data:\n cwd: Path | None = Path(data["cwd"])\n assert cwd is not None\n if not cwd.resolve().exists():\n cwd = Path(self.settings["server_root_dir"]).expanduser() / cwd\n if not cwd.resolve().exists():\n cwd = None\n\n if cwd is None:\n server_root_dir = self.settings["server_root_dir"]\n self.log.debug(\n "Failed to find requested terminal cwd: %s\n"\n " It was not found within the server root neither: %s.",\n data.get("cwd"),\n server_root_dir,\n )\n del data["cwd"]\n else:\n self.log.debug("Opening terminal in: %s", cwd.resolve())\n data["cwd"] = str(cwd.resolve())\n\n model = self.terminal_manager.create(**data)\n self.finish(json.dumps(model))\n\n\nclass TerminalHandler(TerminalsMixin, TerminalAPIHandler):\n """A handler for a specific terminal."""\n\n SUPPORTED_METHODS = ("GET", "DELETE", "OPTIONS") # type:ignore[assignment]\n\n @web.authenticated\n @authorized\n def get(self, name: str) -> None:\n """Get a terminal by name."""\n model = self.terminal_manager.get(name)\n self.finish(json.dumps(model))\n\n @web.authenticated\n @authorized\n async def delete(self, name: str) -> None:\n """Remove a terminal by name."""\n await self.terminal_manager.terminate(name, force=True)\n self.set_status(204)\n self.finish()\n\n\ndefault_handlers: list[tuple[str, type[Any]]] = [\n (r"/api/terminals", TerminalRootHandler),\n (r"/api/terminals/(\w+)", TerminalHandler),\n]\n | .venv\Lib\site-packages\jupyter_server_terminals\api_handlers.py | api_handlers.py | Python | 2,846 | 0.95 | 0.164835 | 0.042857 | node-utils | 586 | 2024-10-10T03:34:19.133143 | BSD-3-Clause | false | cb6f4912a5cc6e79b1bb6da4b9b22c2b |
"""A terminals extension app."""\nfrom __future__ import annotations\n\nimport os\nimport shlex\nimport sys\nimport typing as t\nfrom shutil import which\n\nfrom jupyter_core.utils import ensure_async\nfrom jupyter_server.extension.application import ExtensionApp\nfrom jupyter_server.transutils import trans\nfrom traitlets import Type\n\nfrom . import api_handlers, handlers\nfrom .terminalmanager import TerminalManager\n\n\nclass TerminalsExtensionApp(ExtensionApp):\n """A terminals extension app."""\n\n name = "jupyter_server_terminals"\n\n terminal_manager_class: type[TerminalManager] = Type( # type:ignore[assignment]\n default_value=TerminalManager, help="The terminal manager class to use."\n ).tag(config=True)\n\n # Since use of terminals is also a function of whether the terminado package is\n # available, this variable holds the "final indication" of whether terminal functionality\n # should be considered (particularly during shutdown/cleanup). It is enabled only\n # once both the terminals "service" can be initialized and terminals_enabled is True.\n # Note: this variable is slightly different from 'terminals_available' in the web settings\n # in that this variable *could* remain false if terminado is available, yet the terminal\n # service's initialization still fails. As a result, this variable holds the truth.\n terminals_available = False\n\n def initialize_settings(self) -> None:\n """Initialize settings."""\n if not self.serverapp or not self.serverapp.terminals_enabled:\n self.settings.update({"terminals_available": False})\n return\n self.initialize_configurables()\n self.settings.update(\n {"terminals_available": True, "terminal_manager": self.terminal_manager}\n )\n\n def initialize_configurables(self) -> None:\n """Initialize configurables."""\n default_shell = "powershell.exe" if os.name == "nt" else which("sh")\n assert self.serverapp is not None\n shell_override = self.serverapp.terminado_settings.get("shell_command")\n if isinstance(shell_override, str):\n shell_override = shlex.split(shell_override)\n shell = (\n [os.environ.get("SHELL") or default_shell] if shell_override is None else shell_override\n )\n # When the notebook server is not running in a terminal (e.g. when\n # it's launched by a JupyterHub spawner), it's likely that the user\n # environment hasn't been fully set up. In that case, run a login\n # shell to automatically source /etc/profile and the like, unless\n # the user has specifically set a preferred shell command.\n if os.name != "nt" and shell_override is None and not sys.stdout.isatty():\n shell.append("-l")\n\n self.terminal_manager = self.terminal_manager_class(\n shell_command=shell,\n extra_env={\n "JUPYTER_SERVER_ROOT": self.serverapp.root_dir,\n "JUPYTER_SERVER_URL": self.serverapp.connection_url,\n },\n parent=self.serverapp,\n )\n self.terminal_manager.log = self.serverapp.log\n\n def initialize_handlers(self) -> None:\n """Initialize handlers."""\n if not self.serverapp:\n # Already set `terminals_available` as `False` in `initialize_settings`\n return\n\n if not self.serverapp.terminals_enabled:\n # webapp settings for backwards compat (used by nbclassic), #12\n self.serverapp.web_app.settings["terminals_available"] = self.settings[\n "terminals_available"\n ]\n return\n self.handlers.append(\n (\n r"/terminals/websocket/(\w+)",\n handlers.TermSocket,\n {"term_manager": self.terminal_manager},\n )\n )\n self.handlers.extend(api_handlers.default_handlers)\n assert self.serverapp is not None\n self.serverapp.web_app.settings["terminal_manager"] = self.terminal_manager\n self.serverapp.web_app.settings["terminals_available"] = self.settings[\n "terminals_available"\n ]\n\n def current_activity(self) -> dict[str, t.Any] | None:\n """Get current activity info."""\n if self.terminals_available:\n terminals = self.terminal_manager.terminals\n if terminals:\n return terminals\n return None\n\n async def cleanup_terminals(self) -> None:\n """Shutdown all terminals.\n\n The terminals will shutdown themselves when this process no longer exists,\n but explicit shutdown allows the TerminalManager to cleanup.\n """\n if not self.terminals_available:\n return\n\n terminal_manager = self.terminal_manager\n n_terminals = len(terminal_manager.list())\n terminal_msg = trans.ngettext(\n "Shutting down %d terminal", "Shutting down %d terminals", n_terminals\n )\n self.log.info("%s %% %s", terminal_msg, n_terminals)\n await ensure_async(terminal_manager.terminate_all()) # type:ignore[arg-type]\n\n async def stop_extension(self) -> None:\n """Stop the extension."""\n await self.cleanup_terminals()\n | .venv\Lib\site-packages\jupyter_server_terminals\app.py | app.py | Python | 5,240 | 0.95 | 0.164063 | 0.127273 | python-kit | 394 | 2023-11-29T11:46:57.936539 | GPL-3.0 | false | f58ac09edb8da78ecd5ba8f55c550697 |
"""Base classes."""\nfrom __future__ import annotations\n\nfrom typing import TYPE_CHECKING\n\nfrom jupyter_server.extension.handler import ExtensionHandlerMixin\n\nif TYPE_CHECKING:\n from jupyter_server_terminals.terminalmanager import TerminalManager\n\n\nclass TerminalsMixin(ExtensionHandlerMixin):\n """An extension mixin for terminals."""\n\n @property\n def terminal_manager(self) -> TerminalManager:\n return self.settings["terminal_manager"] # type:ignore[no-any-return]\n | .venv\Lib\site-packages\jupyter_server_terminals\base.py | base.py | Python | 485 | 0.95 | 0.235294 | 0 | react-lib | 976 | 2025-01-16T11:38:04.621002 | Apache-2.0 | false | 26556df2d1b52319cd2755b262e93310 |
"""Tornado handlers for the terminal emulator."""\n# Copyright (c) Jupyter Development Team.\n# Distributed under the terms of the Modified BSD License.\nfrom __future__ import annotations\n\nimport typing as t\n\nfrom jupyter_core.utils import ensure_async\nfrom jupyter_server._tz import utcnow\nfrom jupyter_server.auth.utils import warn_disabled_authorization\nfrom jupyter_server.base.handlers import JupyterHandler\nfrom jupyter_server.base.websocket import WebSocketMixin\nfrom terminado.management import NamedTermManager\nfrom terminado.websocket import TermSocket as BaseTermSocket\nfrom tornado import web\n\nfrom .base import TerminalsMixin\n\nAUTH_RESOURCE = "terminals"\n\n\nclass TermSocket(TerminalsMixin, WebSocketMixin, JupyterHandler, BaseTermSocket):\n """A terminal websocket."""\n\n auth_resource = AUTH_RESOURCE\n\n def initialize( # type:ignore[override]\n self, name: str, term_manager: NamedTermManager, **kwargs: t.Any\n ) -> None:\n """Initialize the socket."""\n BaseTermSocket.initialize(self, term_manager, **kwargs)\n TerminalsMixin.initialize(self, name)\n\n def origin_check(self, origin: t.Any = None) -> bool:\n """Terminado adds redundant origin_check\n Tornado already calls check_origin, so don't do anything here.\n """\n return True\n\n async def get(self, *args: t.Any, **kwargs: t.Any) -> None:\n """Get the terminal socket."""\n user = self.current_user\n\n if not user:\n raise web.HTTPError(403)\n\n # authorize the user.\n if self.authorizer is None:\n # Warn if an authorizer is unavailable.\n warn_disabled_authorization() # type:ignore[unreachable]\n elif not self.authorizer.is_authorized(self, user, "execute", self.auth_resource):\n raise web.HTTPError(403)\n\n if args[0] not in self.term_manager.terminals: # type:ignore[attr-defined]\n raise web.HTTPError(404)\n resp = super().get(*args, **kwargs)\n if resp is not None:\n await ensure_async(resp) # type:ignore[arg-type]\n\n async def on_message(self, message: t.Any) -> None: # type:ignore[override]\n """Handle a socket message."""\n await ensure_async(super().on_message(message)) # type:ignore[arg-type]\n self._update_activity()\n\n def write_message(self, message: t.Any, binary: bool = False) -> None: # type:ignore[override]\n """Write a message to the socket."""\n super().write_message(message, binary=binary)\n self._update_activity()\n\n def _update_activity(self) -> None:\n self.application.settings["terminal_last_activity"] = utcnow()\n # terminal may not be around on deletion/cull\n if self.term_name in self.terminal_manager.terminals:\n self.terminal_manager.terminals[self.term_name].last_activity = utcnow() # type:ignore[attr-defined]\n | .venv\Lib\site-packages\jupyter_server_terminals\handlers.py | handlers.py | Python | 2,887 | 0.95 | 0.189189 | 0.086207 | vue-tools | 231 | 2024-01-05T18:19:11.805515 | BSD-3-Clause | false | 310a109391ce9bedac066223149c5bb0 |
openapi: 3.0.1\ninfo:\n title: Jupyter Server Terminals API\n description: Terminals API\n contact:\n name: Jupyter Project\n url: https://jupyter.org\n version: "1"\nservers:\n - url: /\npaths:\n /api/terminals:\n get:\n tags:\n - terminals\n summary: Get available terminals\n responses:\n 200:\n description: A list of all available terminal ids.\n content:\n application/json:\n schema:\n type: array\n items:\n $ref: "#/components/schemas/Terminal"\n 403:\n description: Forbidden to access\n content: {}\n 404:\n description: Not found\n content: {}\n post:\n tags:\n - terminals\n summary: Create a new terminal\n responses:\n 200:\n description: Successfully created a new terminal\n content:\n application/json:\n schema:\n $ref: "#/components/schemas/Terminal"\n 403:\n description: Forbidden to access\n content: {}\n 404:\n description: Not found\n content: {}\n /api/terminals/{terminal_id}:\n get:\n tags:\n - terminals\n summary: Get a terminal session corresponding to an id.\n parameters:\n - name: terminal_id\n in: path\n description: ID of terminal session\n required: true\n schema:\n type: string\n responses:\n 200:\n description: Terminal session with given id\n content:\n application/json:\n schema:\n $ref: "#/components/schemas/Terminal"\n 403:\n description: Forbidden to access\n content: {}\n 404:\n description: Not found\n content: {}\n delete:\n tags:\n - terminals\n summary: Delete a terminal session corresponding to an id.\n parameters:\n - name: terminal_id\n in: path\n description: ID of terminal session\n required: true\n schema:\n type: string\n responses:\n 204:\n description: Successfully deleted terminal session\n content: {}\n 403:\n description: Forbidden to access\n content: {}\n 404:\n description: Not found\n content: {}\ncomponents:\n schemas:\n Terminal:\n required:\n - name\n type: object\n properties:\n name:\n type: string\n description: name of terminal\n last_activity:\n type: string\n description: |\n ISO 8601 timestamp for the last-seen activity on this terminal. Use\n this to identify which terminals have been inactive since a given time.\n Timestamps will be UTC, indicated 'Z' suffix.\n description: A Terminal object\n parameters:\n terminal_id:\n name: terminal_id\n in: path\n description: ID of terminal session\n required: true\n schema:\n type: string\n | .venv\Lib\site-packages\jupyter_server_terminals\rest-api.yml | rest-api.yml | YAML | 3,045 | 0.95 | 0.008403 | 0 | node-utils | 734 | 2025-03-25T09:53:06.985923 | GPL-3.0 | false | 60903c4017aa3c436d1d5684e8a9a213 |
"""A MultiTerminalManager for use in the notebook webserver\n- raises HTTPErrors\n- creates REST API models\n"""\n# Copyright (c) Jupyter Development Team.\n# Distributed under the terms of the Modified BSD License.\nfrom __future__ import annotations\n\nimport typing as t\nfrom datetime import timedelta\n\nfrom jupyter_server._tz import isoformat, utcnow\nfrom jupyter_server.prometheus import metrics\nfrom terminado.management import NamedTermManager, PtyWithClients\nfrom tornado import web\nfrom tornado.ioloop import IOLoop, PeriodicCallback\nfrom traitlets import Integer\nfrom traitlets.config import LoggingConfigurable\n\nRUNNING_TOTAL = metrics.TERMINAL_CURRENTLY_RUNNING_TOTAL\n\nMODEL = t.Dict[str, t.Any]\n\n\nclass TerminalManager(LoggingConfigurable, NamedTermManager): # type:ignore[misc]\n """A MultiTerminalManager for use in the notebook webserver"""\n\n _culler_callback = None\n\n _initialized_culler = False\n\n cull_inactive_timeout = Integer(\n 0,\n config=True,\n help="""Timeout (in seconds) in which a terminal has been inactive and ready to be culled.\n Values of 0 or lower disable culling.""",\n )\n\n cull_interval_default = 300 # 5 minutes\n cull_interval = Integer(\n cull_interval_default,\n config=True,\n help="""The interval (in seconds) on which to check for terminals exceeding the inactive timeout value.""",\n )\n\n # -------------------------------------------------------------------------\n # Methods for managing terminals\n # -------------------------------------------------------------------------\n def create(self, **kwargs: t.Any) -> MODEL:\n """Create a new terminal."""\n name, term = self.new_named_terminal(**kwargs)\n # Monkey-patch last-activity, similar to kernels. Should we need\n # more functionality per terminal, we can look into possible sub-\n # classing or containment then.\n term.last_activity = utcnow() # type:ignore[attr-defined]\n model = self.get_terminal_model(name)\n # Increase the metric by one because a new terminal was created\n RUNNING_TOTAL.inc()\n # Ensure culler is initialized\n self._initialize_culler()\n return model\n\n def get(self, name: str) -> MODEL:\n """Get terminal 'name'."""\n return self.get_terminal_model(name)\n\n def list(self) -> list[MODEL]:\n """Get a list of all running terminals."""\n models = [self.get_terminal_model(name) for name in self.terminals]\n\n # Update the metric below to the length of the list 'terms'\n RUNNING_TOTAL.set(len(models))\n return models\n\n async def terminate(self, name: str, force: bool = False) -> None:\n """Terminate terminal 'name'."""\n self._check_terminal(name)\n await super().terminate(name, force=force)\n\n # Decrease the metric below by one\n # because a terminal has been shutdown\n RUNNING_TOTAL.dec()\n\n async def terminate_all(self) -> None:\n """Terminate all terminals."""\n terms = list(self.terminals)\n for term in terms:\n await self.terminate(term, force=True)\n\n def get_terminal_model(self, name: str) -> MODEL:\n """Return a JSON-safe dict representing a terminal.\n For use in representing terminals in the JSON APIs.\n """\n self._check_terminal(name)\n term = self.terminals[name]\n return {\n "name": name,\n "last_activity": isoformat(term.last_activity), # type:ignore[attr-defined]\n }\n\n def _check_terminal(self, name: str) -> None:\n """Check a that terminal 'name' exists and raise 404 if not."""\n if name not in self.terminals:\n raise web.HTTPError(404, "Terminal not found: %s" % name)\n\n def _initialize_culler(self) -> None:\n """Start culler if 'cull_inactive_timeout' is greater than zero.\n Regardless of that value, set flag that we've been here.\n """\n if not self._initialized_culler and self.cull_inactive_timeout > 0: # noqa: SIM102\n if self._culler_callback is None:\n _ = IOLoop.current()\n if self.cull_interval <= 0: # handle case where user set invalid value\n self.log.warning(\n "Invalid value for 'cull_interval' detected (%s) - using default value (%s).",\n self.cull_interval,\n self.cull_interval_default,\n )\n self.cull_interval = self.cull_interval_default\n self._culler_callback = PeriodicCallback(\n self._cull_terminals, 1000 * self.cull_interval\n )\n self.log.info(\n "Culling terminals with inactivity > %s seconds at %s second intervals ...",\n self.cull_inactive_timeout,\n self.cull_interval,\n )\n self._culler_callback.start()\n\n self._initialized_culler = True\n\n async def _cull_terminals(self) -> None:\n self.log.debug(\n "Polling every %s seconds for terminals inactive for > %s seconds...",\n self.cull_interval,\n self.cull_inactive_timeout,\n )\n # Create a separate list of terminals to avoid conflicting updates while iterating\n for name in list(self.terminals):\n try:\n await self._cull_inactive_terminal(name)\n except Exception as e:\n self.log.exception(\n "The following exception was encountered while checking the "\n "activity of terminal %s: %s",\n name,\n e,\n )\n\n async def _cull_inactive_terminal(self, name: str) -> None:\n try:\n term = self.terminals[name]\n except KeyError:\n return # KeyErrors are somewhat expected since the terminal can be terminated as the culling check is made.\n\n self.log.debug("name=%s, last_activity=%s", name, term.last_activity) # type:ignore[attr-defined]\n if hasattr(term, "last_activity"):\n dt_now = utcnow()\n dt_inactive = dt_now - term.last_activity\n # Compute idle properties\n is_time = dt_inactive > timedelta(seconds=self.cull_inactive_timeout)\n # Cull the kernel if all three criteria are met\n if is_time:\n inactivity = int(dt_inactive.total_seconds())\n self.log.warning(\n "Culling terminal '%s' due to %s seconds of inactivity.", name, inactivity\n )\n await self.terminate(name, force=True)\n\n def pre_pty_read_hook(self, ptywclients: PtyWithClients) -> None:\n """The pre-pty read hook."""\n ptywclients.last_activity = utcnow() # type:ignore[attr-defined]\n | .venv\Lib\site-packages\jupyter_server_terminals\terminalmanager.py | terminalmanager.py | Python | 6,892 | 0.95 | 0.203488 | 0.108844 | node-utils | 699 | 2024-06-28T01:41:57.340136 | MIT | false | 4570e687f657d59a8814e7ce372f7a54 |
"""Version info for jupyter_server_terminals."""\n__version__ = "0.5.3"\n | .venv\Lib\site-packages\jupyter_server_terminals\_version.py | _version.py | Python | 71 | 0.5 | 0.5 | 0 | vue-tools | 965 | 2023-10-14T11:12:28.293776 | BSD-3-Clause | false | 1bffce836391044847210ee60f991b03 |
from typing import Any, Dict, List\n\nfrom ._version import __version__ # noqa:F401\n\ntry:\n from jupyter_server._version import version_info\nexcept ModuleNotFoundError:\n msg = "Jupyter Server must be installed to use this extension."\n raise ModuleNotFoundError(msg) from None\n\nif int(version_info[0]) < 2: # type:ignore[call-overload]\n msg = "Jupyter Server Terminals requires Jupyter Server 2.0+"\n raise RuntimeError(msg)\n\nfrom .app import TerminalsExtensionApp\n\n\ndef _jupyter_server_extension_points() -> List[Dict[str, Any]]: # pragma: no cover\n return [\n {\n "module": "jupyter_server_terminals.app",\n "app": TerminalsExtensionApp,\n },\n ]\n | .venv\Lib\site-packages\jupyter_server_terminals\__init__.py | __init__.py | Python | 699 | 0.95 | 0.125 | 0 | vue-tools | 795 | 2023-11-30T18:21:16.599084 | GPL-3.0 | false | 72ac1481435d4610826aefc92a63296e |
\n\n | .venv\Lib\site-packages\jupyter_server_terminals\__pycache__\api_handlers.cpython-313.pyc | api_handlers.cpython-313.pyc | Other | 4,638 | 0.8 | 0.064516 | 0 | vue-tools | 359 | 2025-04-17T10:04:02.060304 | GPL-3.0 | false | 1a3783b2e126995e41e60c88ca0a4d2e |
\n\n | .venv\Lib\site-packages\jupyter_server_terminals\__pycache__\app.cpython-313.pyc | app.cpython-313.pyc | Other | 6,119 | 0.95 | 0.017241 | 0 | node-utils | 548 | 2024-05-13T00:38:07.351154 | GPL-3.0 | false | fc0b04c395c429be4ccaec938fd3799f |
\n\n | .venv\Lib\site-packages\jupyter_server_terminals\__pycache__\base.cpython-313.pyc | base.cpython-313.pyc | Other | 1,031 | 0.7 | 0.125 | 0 | react-lib | 930 | 2023-10-01T03:16:49.671627 | MIT | false | fb5584cfef52ba6c22fdc5d436d58634 |
\n\n | .venv\Lib\site-packages\jupyter_server_terminals\__pycache__\handlers.cpython-313.pyc | handlers.cpython-313.pyc | Other | 4,217 | 0.8 | 0.025641 | 0 | python-kit | 324 | 2024-03-08T10:12:52.272138 | BSD-3-Clause | false | eb90cc976a01a37f51f69264ea9fab26 |
\n\n | .venv\Lib\site-packages\jupyter_server_terminals\__pycache__\terminalmanager.cpython-313.pyc | terminalmanager.cpython-313.pyc | Other | 8,306 | 0.8 | 0.130435 | 0 | vue-tools | 77 | 2025-01-11T21:52:24.354419 | MIT | false | a035d3a4e7f5fe3f11c0327a1e7cd4c4 |
\n\n | .venv\Lib\site-packages\jupyter_server_terminals\__pycache__\_version.cpython-313.pyc | _version.cpython-313.pyc | Other | 285 | 0.7 | 0.333333 | 0 | awesome-app | 196 | 2023-08-03T01:07:11.491240 | BSD-3-Clause | false | 9c37d91e4bb9db61d777935109872371 |
\n\n | .venv\Lib\site-packages\jupyter_server_terminals\__pycache__\__init__.cpython-313.pyc | __init__.cpython-313.pyc | Other | 1,039 | 0.85 | 0 | 0 | vue-tools | 398 | 2024-07-02T17:12:24.063782 | GPL-3.0 | false | 6391e097aacca32d53148dd1588be2ff |
pip\n | .venv\Lib\site-packages\jupyter_server_terminals-0.5.3.dist-info\INSTALLER | INSTALLER | Other | 4 | 0.5 | 0 | 0 | vue-tools | 462 | 2024-02-10T02:16:43.351763 | GPL-3.0 | false | 365c9bfeb7d89244f2ce01c1de44cb85 |
Metadata-Version: 2.1\nName: jupyter_server_terminals\nVersion: 0.5.3\nSummary: A Jupyter Server Extension Providing Terminals.\nProject-URL: Homepage, https://jupyter.org\nAuthor-email: Jupyter Development Team <jupyter@googlegroups.com>\nLicense: BSD 3-Clause License\n \n - Copyright (c) 2021-, Jupyter Development Team\n \n Redistribution and use in source and binary forms, with or without\n modification, are permitted provided that the following conditions are met:\n \n All rights reserved.\n \n 1. Redistributions of source code must retain the above copyright notice, this\n list of conditions and the following disclaimer.\n \n 2. Redistributions in binary form must reproduce the above copyright notice,\n this list of conditions and the following disclaimer in the documentation\n and/or other materials provided with the distribution.\n \n 3. Neither the name of the copyright holder nor the names of its\n contributors may be used to endorse or promote products derived from\n this software without specific prior written permission.\n \n THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"\n AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE\n IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE\n DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE\n FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL\n DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR\n SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER\n CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY,\n OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE\n OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.\nLicense-File: LICENSE\nKeywords: ipython,jupyter\nClassifier: Intended Audience :: Developers\nClassifier: Intended Audience :: Science/Research\nClassifier: Intended Audience :: System Administrators\nClassifier: License :: OSI Approved :: BSD License\nClassifier: Programming Language :: Python\nClassifier: Programming Language :: Python :: 3.8\nClassifier: Programming Language :: Python :: 3.9\nClassifier: Programming Language :: Python :: 3.10\nClassifier: Programming Language :: Python :: 3.11\nRequires-Python: >=3.8\nRequires-Dist: pywinpty>=2.0.3; os_name == 'nt'\nRequires-Dist: terminado>=0.8.3\nProvides-Extra: docs\nRequires-Dist: jinja2; extra == 'docs'\nRequires-Dist: jupyter-server; extra == 'docs'\nRequires-Dist: mistune<4.0; extra == 'docs'\nRequires-Dist: myst-parser; extra == 'docs'\nRequires-Dist: nbformat; extra == 'docs'\nRequires-Dist: packaging; extra == 'docs'\nRequires-Dist: pydata-sphinx-theme; extra == 'docs'\nRequires-Dist: sphinxcontrib-github-alt; extra == 'docs'\nRequires-Dist: sphinxcontrib-openapi; extra == 'docs'\nRequires-Dist: sphinxcontrib-spelling; extra == 'docs'\nRequires-Dist: sphinxemoji; extra == 'docs'\nRequires-Dist: tornado; extra == 'docs'\nProvides-Extra: test\nRequires-Dist: jupyter-server>=2.0.0; extra == 'test'\nRequires-Dist: pytest-jupyter[server]>=0.5.3; extra == 'test'\nRequires-Dist: pytest-timeout; extra == 'test'\nRequires-Dist: pytest>=7.0; extra == 'test'\nDescription-Content-Type: text/markdown\n\n# Jupyter Server Terminals\n\n[](https://github.com/jupyter-server/jupyter_server_terminals/actions?query=branch%3Amain++)\n[](http://jupyter-server-terminals.readthedocs.io/en/latest/?badge=latest)\n\nJupyter Server Terminals is a Jupyter Server Extension providing support for terminals.\n\n## Installation and Basic usage\n\nTo install the latest release locally, make sure you have\n[pip installed](https://pip.readthedocs.io/en/stable/installing/) and run:\n\n```\npip install jupyter_server_terminals\n```\n\nJupyter Server Terminals currently supports Python>=3.6 on Linux, OSX and Windows.\n\n### Testing\n\nSee [CONTRIBUTING](./CONTRIBUTING.rst#running-tests).\n\n## Contributing\n\nIf you are interested in contributing to the project, see [CONTRIBUTING](./CONTRIBUTING.rst).\n\n## About the Jupyter Development Team\n\nThe Jupyter Development Team is the set of all contributors to the Jupyter project.\nThis includes all of the Jupyter subprojects.\n\nThe core team that coordinates development on GitHub can be found here:\nhttps://github.com/jupyter/.\n\n## Our Copyright Policy\n\nJupyter uses a shared copyright model. Each contributor maintains copyright\nover their contributions to Jupyter. But, it is important to note that these\ncontributions are typically only changes to the repositories. Thus, the Jupyter\nsource code, in its entirety is not the copyright of any single person or\ninstitution. Instead, it is the collective copyright of the entire Jupyter\nDevelopment Team. If individual contributors want to maintain a record of what\nchanges/contributions they have specific copyright on, they should indicate\ntheir copyright in the commit message of the change, when they commit the\nchange to one of the Jupyter repositories.\n\nWith this in mind, the following banner should be used in any source code file\nto indicate the copyright and license terms:\n\n```\n# Copyright (c) Jupyter Development Team.\n# Distributed under the terms of the Modified BSD License.\n```\n | .venv\Lib\site-packages\jupyter_server_terminals-0.5.3.dist-info\METADATA | METADATA | Other | 5,643 | 0.95 | 0.00813 | 0.081633 | python-kit | 60 | 2024-04-22T02:41:34.634139 | Apache-2.0 | false | 936aa824ff6a71a605a9651c98a68b4a |
../../etc/jupyter/jupyter_server_config.d/jupyter_server_terminals.json,sha256=y8WPAYC5-QiOb71QCYYqLOLfa6IqQvEoO9xkcpPCJXM,99\njupyter_server_terminals-0.5.3.dist-info/INSTALLER,sha256=zuuue4knoyJ-UwPPXg8fezS7VCrXJQrAP7zeNuwvFQg,4\njupyter_server_terminals-0.5.3.dist-info/METADATA,sha256=xiU6R5410zH4B9QFs-wGiCRrCu-IYkZHE5_ub9i8Ly0,5643\njupyter_server_terminals-0.5.3.dist-info/RECORD,,\njupyter_server_terminals-0.5.3.dist-info/WHEEL,sha256=TJPnKdtrSue7xZ_AVGkp9YXcvDrobsjBds1du3Nx6dc,87\njupyter_server_terminals-0.5.3.dist-info/licenses/LICENSE,sha256=6XiTJK33r7MrG_6yzLgR5kvm0ZabAoDTVaEP7o9ZaW4,1536\njupyter_server_terminals/__init__.py,sha256=zL1UIfLwPzH2AW9_gpQEpqysv01nVRrrCkNxAyMMR-0,699\njupyter_server_terminals/__pycache__/__init__.cpython-313.pyc,,\njupyter_server_terminals/__pycache__/_version.cpython-313.pyc,,\njupyter_server_terminals/__pycache__/api_handlers.cpython-313.pyc,,\njupyter_server_terminals/__pycache__/app.cpython-313.pyc,,\njupyter_server_terminals/__pycache__/base.cpython-313.pyc,,\njupyter_server_terminals/__pycache__/handlers.cpython-313.pyc,,\njupyter_server_terminals/__pycache__/terminalmanager.cpython-313.pyc,,\njupyter_server_terminals/_version.py,sha256=09_CyJnnlJRPrr_11DXA0JYarbSxhUGsVItiSEmTCEk,71\njupyter_server_terminals/api_handlers.py,sha256=bx5yldJOon6wNsSmNk0CA0P113WHCCCL2XFqKdp5t6U,2846\njupyter_server_terminals/app.py,sha256=oHP8lSw8ian8Aah9dJy6IomkWuBB5vgQ3fdINp8SrSw,5240\njupyter_server_terminals/base.py,sha256=rlnY_cAuWdjZtPeRVdErYrDnVfQV0y2pQwuUcDn6aiI,485\njupyter_server_terminals/handlers.py,sha256=sEGSp1VgBrbOUUjzVgJV3Q6s8FVyBUamFXSvlGDAWHE,2887\njupyter_server_terminals/py.typed,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0\njupyter_server_terminals/rest-api.yml,sha256=FsoJdwvBsRbDhYooMj8oUvGnzcYybd9KAXhZfD14esA,3045\njupyter_server_terminals/terminalmanager.py,sha256=fdlxYVr2sYuEOPRGeb9FUfg316L8rSlzxyMs1OoFH1A,6892\n | .venv\Lib\site-packages\jupyter_server_terminals-0.5.3.dist-info\RECORD | RECORD | Other | 1,903 | 0.7 | 0 | 0 | node-utils | 650 | 2024-01-06T14:54:48.760321 | Apache-2.0 | false | 02d3d02d89a82fd5939e94148f4c68d9 |
Wheel-Version: 1.0\nGenerator: hatchling 1.21.1\nRoot-Is-Purelib: true\nTag: py3-none-any\n | .venv\Lib\site-packages\jupyter_server_terminals-0.5.3.dist-info\WHEEL | WHEEL | Other | 87 | 0.5 | 0 | 0 | python-kit | 555 | 2024-08-21T07:19:13.950236 | GPL-3.0 | false | a2e74b4e3aea204ad48eb8854874f5a5 |
BSD 3-Clause License\n\n- Copyright (c) 2021-, Jupyter Development Team\n\nRedistribution and use in source and binary forms, with or without\nmodification, are permitted provided that the following conditions are met:\n\nAll rights reserved.\n\n1. Redistributions of source code must retain the above copyright notice, this\n list of conditions and the following disclaimer.\n\n2. Redistributions in binary form must reproduce the above copyright notice,\n this list of conditions and the following disclaimer in the documentation\n and/or other materials provided with the distribution.\n\n3. Neither the name of the copyright holder nor the names of its\n contributors may be used to endorse or promote products derived from\n this software without specific prior written permission.\n\nTHIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"\nAND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE\nIMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE\nDISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE\nFOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL\nDAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR\nSERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER\nCAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY,\nOR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE\nOF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.\n | .venv\Lib\site-packages\jupyter_server_terminals-0.5.3.dist-info\licenses\LICENSE | LICENSE | Other | 1,536 | 0.7 | 0 | 0 | awesome-app | 890 | 2024-06-08T23:17:32.290744 | BSD-3-Clause | false | ee82bc15ab23966cc24cc4e361736bda |
# --------------------------------------------------------------------------------------\n# Copyright (c) 2023-2024, Nucleic Development Team.\n#\n# Distributed under the terms of the Modified BSD License.\n#\n# The full license is in the file LICENSE, distributed with this software.\n# --------------------------------------------------------------------------------------\n"""Kiwi exceptions.\n\nImported by the kiwisolver C extension.\n\n"""\n\n\nclass BadRequiredStrength(Exception):\n pass\n\n\nclass DuplicateConstraint(Exception):\n __slots__ = ("constraint",)\n\n def __init__(self, constraint):\n self.constraint = constraint\n\n\nclass DuplicateEditVariable(Exception):\n __slots__ = ("edit_variable",)\n\n def __init__(self, edit_variable):\n self.edit_variable = edit_variable\n\n\nclass UnknownConstraint(Exception):\n __slots__ = ("constraint",)\n\n def __init__(self, constraint):\n self.constraint = constraint\n\n\nclass UnknownEditVariable(Exception):\n __slots__ = ("edit_variable",)\n\n def __init__(self, edit_variable):\n self.edit_variable = edit_variable\n\n\nclass UnsatisfiableConstraint(Exception):\n __slots__ = ("constraint",)\n\n def __init__(self, constraint):\n self.constraint = constraint\n | .venv\Lib\site-packages\kiwisolver\exceptions.py | exceptions.py | Python | 1,293 | 0.95 | 0.215686 | 0.21875 | python-kit | 225 | 2024-05-16T22:09:44.333689 | BSD-3-Clause | false | ffc09e4b2d9c8943cb50f0679a62d8b1 |
# --------------------------------------------------------------------------------------\n# Copyright (c) 2021-2024, Nucleic Development Team.\n#\n# Distributed under the terms of the Modified BSD License.\n#\n# The full license is in the file LICENSE, distributed with this software.\n# --------------------------------------------------------------------------------------\n\nfrom typing import Any, Iterable, NoReturn, Tuple, type_check_only\n\ntry:\n from typing import Literal\nexcept ImportError:\n from typing_extensions import Literal # type: ignore\n\n__version__: str\n__kiwi_version__: str\n\n# Types\n@type_check_only\nclass Strength:\n @property\n def weak(self) -> float: ...\n @property\n def medium(self) -> float: ...\n @property\n def strong(self) -> float: ...\n @property\n def required(self) -> float: ...\n def create(\n self,\n a: int | float,\n b: int | float,\n c: int | float,\n weight: int | float = 1.0,\n /,\n ) -> float: ...\n\n# This is meant as a singleton and users should not access the Strength type.\nstrength: Strength\n\nclass Variable:\n """Variable to express a constraint in a solver."""\n\n __hash__: None # type: ignore\n def __init__(self, name: str = "", context: Any = None, /) -> None: ...\n def name(self) -> str:\n """Get the name of the variable."""\n ...\n def setName(self, name: str, /) -> Any:\n """Set the name of the variable."""\n ...\n def value(self) -> float:\n """Get the current value of the variable."""\n ...\n def context(self) -> Any:\n """Get the context object associated with the variable."""\n ...\n def setContext(self, context: Any, /) -> Any:\n """Set the context object associated with the variable."""\n ...\n def __neg__(self) -> Term: ...\n def __add__(self, other: float | Variable | Term | Expression) -> Expression: ...\n def __radd__(self, other: float | Variable | Term | Expression) -> Expression: ...\n def __sub__(self, other: float | Variable | Term | Expression) -> Expression: ...\n def __rsub__(self, other: float | Variable | Term | Expression) -> Expression: ...\n def __mul__(self, other: float) -> Term: ...\n def __rmul__(self, other: float) -> Term: ...\n def __truediv__(self, other: float) -> Term: ...\n def __rtruediv__(self, other: float) -> Term: ...\n def __eq__(self, other: float | Variable | Term | Expression) -> Constraint: ... # type: ignore\n def __ge__(self, other: float | Variable | Term | Expression) -> Constraint: ...\n def __le__(self, other: float | Variable | Term | Expression) -> Constraint: ...\n def __ne__(self, other: Any) -> NoReturn: ...\n def __gt__(self, other: Any) -> NoReturn: ...\n def __lt__(self, other: Any) -> NoReturn: ...\n\nclass Term:\n """Product of a variable by a constant pre-factor."""\n\n __hash__: None # type: ignore\n def __init__(\n self, variable: Variable, coefficient: int | float = 1.0, /\n ) -> None: ...\n def coefficient(self) -> float:\n """Get the coefficient for the term."""\n ...\n def variable(self) -> Variable:\n """Get the variable for the term."""\n ...\n def value(self) -> float:\n """Get the value for the term."""\n ...\n def __neg__(self) -> Term: ...\n def __add__(self, other: float | Variable | Term | Expression) -> Expression: ...\n def __radd__(self, other: float | Variable | Term | Expression) -> Expression: ...\n def __sub__(self, other: float | Variable | Term | Expression) -> Expression: ...\n def __rsub__(self, other: float | Variable | Term | Expression) -> Expression: ...\n def __mul__(self, other: float) -> Term: ...\n def __rmul__(self, other: float) -> Term: ...\n def __truediv__(self, other: float) -> Term: ...\n def __rtruediv__(self, other: float) -> Term: ...\n def __eq__(self, other: float | Variable | Term | Expression) -> Constraint: ... # type: ignore\n def __ge__(self, other: float | Variable | Term | Expression) -> Constraint: ...\n def __le__(self, other: float | Variable | Term | Expression) -> Constraint: ...\n def __ne__(self, other: Any) -> NoReturn: ...\n def __gt__(self, other: Any) -> NoReturn: ...\n def __lt__(self, other: Any) -> NoReturn: ...\n\nclass Expression:\n """Sum of terms and an additional constant."""\n\n __hash__: None # type: ignore\n def __init__(\n self, terms: Iterable[Term], constant: int | float = 0.0, /\n ) -> None: ...\n def constant(self) -> float:\n "" "Get the constant for the expression." ""\n ...\n def terms(self) -> Tuple[Term, ...]:\n """Get the tuple of terms for the expression."""\n ...\n def value(self) -> float:\n """Get the value for the expression."""\n ...\n def __neg__(self) -> Expression: ...\n def __add__(self, other: float | Variable | Term | Expression) -> Expression: ...\n def __radd__(self, other: float | Variable | Term | Expression) -> Expression: ...\n def __sub__(self, other: float | Variable | Term | Expression) -> Expression: ...\n def __rsub__(self, other: float | Variable | Term | Expression) -> Expression: ...\n def __mul__(self, other: float) -> Expression: ...\n def __rmul__(self, other: float) -> Expression: ...\n def __truediv__(self, other: float) -> Expression: ...\n def __rtruediv__(self, other: float) -> Expression: ...\n def __eq__(self, other: float | Variable | Term | Expression) -> Constraint: ... # type: ignore\n def __ge__(self, other: float | Variable | Term | Expression) -> Constraint: ...\n def __le__(self, other: float | Variable | Term | Expression) -> Constraint: ...\n def __ne__(self, other: Any) -> NoReturn: ...\n def __gt__(self, other: Any) -> NoReturn: ...\n def __lt__(self, other: Any) -> NoReturn: ...\n\nclass Constraint:\n def __init__(\n self,\n expression: Expression,\n op: Literal["=="] | Literal["<="] | Literal[">="],\n strength: float\n | Literal["weak"]\n | Literal["medium"]\n | Literal["strong"]\n | Literal["required"] = "required",\n /,\n ) -> None: ...\n def expression(self) -> Expression:\n """Get the expression object for the constraint."""\n ...\n def op(self) -> Literal["=="] | Literal["<="] | Literal[">="]:\n """Get the relational operator for the constraint."""\n ...\n def strength(self) -> float:\n """Get the strength for the constraint."""\n ...\n def violated(self) -> bool:\n """Indicate if the constraint is violated in teh current state of the solver."""\n ...\n def __or__(\n self,\n other: float\n | Literal["weak"]\n | Literal["medium"]\n | Literal["strong"]\n | Literal["required"],\n ) -> Constraint: ...\n def __ror__(\n self,\n other: float\n | Literal["weak"]\n | Literal["medium"]\n | Literal["strong"]\n | Literal["required"],\n ) -> Constraint: ...\n\nclass Solver:\n """Kiwi solver class."""\n\n def __init__(self) -> None: ...\n def addConstraint(self, constraint: Constraint, /) -> None:\n """Add a constraint to the solver."""\n ...\n def removeConstraint(self, constraint: Constraint, /) -> None:\n """Remove a constraint from the solver."""\n ...\n def hasConstraint(self, constraint: Constraint, /) -> bool:\n """Check whether the solver contains a constraint."""\n ...\n def addEditVariable(\n self,\n variable: Variable,\n strength: float\n | Literal["weak"]\n | Literal["medium"]\n | Literal["strong"]\n | Literal["required"],\n /,\n ) -> None:\n """Add an edit variable to the solver."""\n ...\n def removeEditVariable(self, variable: Variable, /) -> None:\n """Remove an edit variable from the solver."""\n ...\n def hasEditVariable(self, variable: Variable, /) -> bool:\n """Check whether the solver contains an edit variable."""\n ...\n def suggestValue(self, variable: Variable, value: int | float, /) -> None:\n """Suggest a desired value for an edit variable."""\n ...\n def updateVariables(self) -> None:\n """Update the values of the solver variables."""\n ...\n def reset(self) -> None:\n """Reset the solver to the initial empty starting condition."""\n ...\n def dump(self) -> None:\n """Dump a representation of the solver internals to stdout."""\n ...\n def dumps(self) -> str:\n """Dump a representation of the solver internals to a string."""\n ...\n | .venv\Lib\site-packages\kiwisolver\_cext.pyi | _cext.pyi | Other | 8,887 | 0.95 | 0.447368 | 0.042056 | node-utils | 40 | 2025-03-31T16:43:08.586582 | Apache-2.0 | false | f8417c481b69984398a3f2333ad13466 |
# --------------------------------------------------------------------------------------\n# Copyright (c) 2013-2024, Nucleic Development Team.\n#\n# Distributed under the terms of the Modified BSD License.\n#\n# The full license is in the file LICENSE, distributed with this software.\n# --------------------------------------------------------------------------------------\nfrom ._cext import (\n Constraint,\n Expression,\n Solver,\n Term,\n Variable,\n __kiwi_version__,\n __version__,\n strength,\n)\nfrom .exceptions import (\n BadRequiredStrength,\n DuplicateConstraint,\n DuplicateEditVariable,\n UnknownConstraint,\n UnknownEditVariable,\n UnsatisfiableConstraint,\n)\n\n__all__ = [\n "BadRequiredStrength",\n "Constraint",\n "DuplicateConstraint",\n "DuplicateEditVariable",\n "Expression",\n "Solver",\n "Term",\n "UnknownConstraint",\n "UnknownEditVariable",\n "UnsatisfiableConstraint",\n "Variable",\n "__kiwi_version__",\n "__version__",\n "strength",\n]\n | .venv\Lib\site-packages\kiwisolver\__init__.py | __init__.py | Python | 1,055 | 0.95 | 0 | 0.170732 | react-lib | 379 | 2024-11-09T17:44:31.757785 | Apache-2.0 | false | e9c67c729824000e7a6723d014658e56 |
\n\n | .venv\Lib\site-packages\kiwisolver\__pycache__\exceptions.cpython-313.pyc | exceptions.cpython-313.pyc | Other | 2,124 | 0.7 | 0 | 0 | vue-tools | 812 | 2025-05-17T06:28:58.093784 | Apache-2.0 | false | 98b32d34cbd2a7806cf97ae38bb33d0b |
\n\n | .venv\Lib\site-packages\kiwisolver\__pycache__\__init__.cpython-313.pyc | __init__.cpython-313.pyc | Other | 692 | 0.7 | 0 | 0 | awesome-app | 571 | 2024-08-18T09:22:27.859137 | GPL-3.0 | false | 261a880f034c29c5ac987f71ea982e9d |
pip\n | .venv\Lib\site-packages\kiwisolver-1.4.8.dist-info\INSTALLER | INSTALLER | Other | 4 | 0.5 | 0 | 0 | react-lib | 457 | 2023-07-12T00:04:25.581874 | Apache-2.0 | false | 365c9bfeb7d89244f2ce01c1de44cb85 |
=========================\n The Kiwi licensing terms\n=========================\nKiwi is licensed under the terms of the Modified BSD License (also known as\nNew or Revised BSD), as follows:\n\nCopyright (c) 2013-2024, Nucleic Development Team\n\nAll rights reserved.\n\nRedistribution and use in source and binary forms, with or without\nmodification, are permitted provided that the following conditions are met:\n\nRedistributions of source code must retain the above copyright notice, this\nlist of conditions and the following disclaimer.\n\nRedistributions in binary form must reproduce the above copyright notice, this\nlist of conditions and the following disclaimer in the documentation and/or\nother materials provided with the distribution.\n\nNeither the name of the Nucleic Development Team nor the names of its\ncontributors may be used to endorse or promote products derived from this\nsoftware without specific prior written permission.\n\nTHIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND\nANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED\nWARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE\nDISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE\nFOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL\nDAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR\nSERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER\nCAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY,\nOR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE\nOF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.\n\nAbout Kiwi\n----------\nChris Colbert began the Kiwi project in December 2013 in an effort to\ncreate a blisteringly fast UI constraint solver. Chris is still the\nproject lead.\n\nThe Nucleic Development Team is the set of all contributors to the Nucleic\nproject and its subprojects.\n\nThe core team that coordinates development on GitHub can be found here:\nhttp://github.com/nucleic. The current team consists of:\n\n* Chris Colbert\n\nOur Copyright Policy\n--------------------\nNucleic uses a shared copyright model. Each contributor maintains copyright\nover their contributions to Nucleic. But, it is important to note that these\ncontributions are typically only changes to the repositories. Thus, the Nucleic\nsource code, in its entirety is not the copyright of any single person or\ninstitution. Instead, it is the collective copyright of the entire Nucleic\nDevelopment Team. If individual contributors want to maintain a record of what\nchanges/contributions they have specific copyright on, they should indicate\ntheir copyright in the commit message of the change, when they commit the\nchange to one of the Nucleic repositories.\n\nWith this in mind, the following banner should be used in any source code file\nto indicate the copyright and license terms:\n\n#------------------------------------------------------------------------------\n# Copyright (c) 2013-2024, Nucleic Development Team.\n#\n# Distributed under the terms of the Modified BSD License.\n#\n# The full license is in the file LICENSE, distributed with this software.\n#------------------------------------------------------------------------------\n | .venv\Lib\site-packages\kiwisolver-1.4.8.dist-info\LICENSE | LICENSE | Other | 3,360 | 0.95 | 0 | 0.140351 | node-utils | 904 | 2024-05-07T18:51:26.023782 | Apache-2.0 | false | 5f7ce5ba663b186ce35b78df96a2eb0a |
Metadata-Version: 2.1\nName: kiwisolver\nVersion: 1.4.8\nSummary: A fast implementation of the Cassowary constraint solver\nAuthor-email: The Nucleic Development Team <sccolbert@gmail.com>\nMaintainer-email: "Matthieu C. Dartiailh" <m.dartiailh@gmail.com>\nLicense: =========================\n The Kiwi licensing terms\n =========================\n Kiwi is licensed under the terms of the Modified BSD License (also known as\n New or Revised BSD), as follows:\n \n Copyright (c) 2013-2024, Nucleic Development Team\n \n All rights reserved.\n \n Redistribution and use in source and binary forms, with or without\n modification, are permitted provided that the following conditions are met:\n \n Redistributions of source code must retain the above copyright notice, this\n list of conditions and the following disclaimer.\n \n Redistributions in binary form must reproduce the above copyright notice, this\n list of conditions and the following disclaimer in the documentation and/or\n other materials provided with the distribution.\n \n Neither the name of the Nucleic Development Team nor the names of its\n contributors may be used to endorse or promote products derived from this\n software without specific prior written permission.\n \n THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND\n ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED\n WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE\n DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE\n FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL\n DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR\n SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER\n CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY,\n OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE\n OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.\n \n About Kiwi\n ----------\n Chris Colbert began the Kiwi project in December 2013 in an effort to\n create a blisteringly fast UI constraint solver. Chris is still the\n project lead.\n \n The Nucleic Development Team is the set of all contributors to the Nucleic\n project and its subprojects.\n \n The core team that coordinates development on GitHub can be found here:\n http://github.com/nucleic. The current team consists of:\n \n * Chris Colbert\n \n Our Copyright Policy\n --------------------\n Nucleic uses a shared copyright model. Each contributor maintains copyright\n over their contributions to Nucleic. But, it is important to note that these\n contributions are typically only changes to the repositories. Thus, the Nucleic\n source code, in its entirety is not the copyright of any single person or\n institution. Instead, it is the collective copyright of the entire Nucleic\n Development Team. If individual contributors want to maintain a record of what\n changes/contributions they have specific copyright on, they should indicate\n their copyright in the commit message of the change, when they commit the\n change to one of the Nucleic repositories.\n \n With this in mind, the following banner should be used in any source code file\n to indicate the copyright and license terms:\n \n #------------------------------------------------------------------------------\n # Copyright (c) 2013-2024, Nucleic Development Team.\n #\n # Distributed under the terms of the Modified BSD License.\n #\n # The full license is in the file LICENSE, distributed with this software.\n #------------------------------------------------------------------------------\n \nProject-URL: homepage, https://github.com/nucleic/kiwi\nProject-URL: documentation, https://kiwisolver.readthedocs.io/en/latest/\nProject-URL: repository, https://github.com/nucleic/kiwi\nProject-URL: changelog, https://github.com/nucleic/kiwi/blob/main/releasenotes.rst\nClassifier: License :: OSI Approved :: BSD License\nClassifier: Programming Language :: Python\nClassifier: Programming Language :: Python :: 3\nClassifier: Programming Language :: Python :: 3.10\nClassifier: Programming Language :: Python :: 3.11\nClassifier: Programming Language :: Python :: 3.12\nClassifier: Programming Language :: Python :: 3.13\nClassifier: Programming Language :: Python :: Implementation :: CPython\nClassifier: Programming Language :: Python :: Implementation :: PyPy\nRequires-Python: >=3.10\nDescription-Content-Type: text/x-rst\nLicense-File: LICENSE\n\nWelcome to Kiwi\n===============\n\n.. image:: https://github.com/nucleic/kiwi/workflows/Continuous%20Integration/badge.svg\n :target: https://github.com/nucleic/kiwi/actions\n.. image:: https://github.com/nucleic/kiwi/workflows/Documentation%20building/badge.svg\n :target: https://github.com/nucleic/kiwi/actions\n.. image:: https://codecov.io/gh/nucleic/kiwi/branch/main/graph/badge.svg\n :target: https://codecov.io/gh/nucleic/kiwi\n.. image:: https://readthedocs.org/projects/kiwisolver/badge/?version=latest\n :target: https://kiwisolver.readthedocs.io/en/latest/?badge=latest\n :alt: Documentation Status\n\nKiwi is an efficient C++ implementation of the Cassowary constraint solving\nalgorithm. Kiwi is an implementation of the algorithm based on the\n`seminal Cassowary paper <https://constraints.cs.washington.edu/solvers/cassowary-tochi.pdf>`_.\nIt is *not* a refactoring of the original C++ solver. Kiwi has been designed\nfrom the ground up to be lightweight and fast. Kiwi ranges from 10x to 500x\nfaster than the original Cassowary solver with typical use cases gaining a 40x\nimprovement. Memory savings are consistently > 5x.\n\nIn addition to the C++ solver, Kiwi ships with hand-rolled Python bindings for\nPython 3.7+.\n | .venv\Lib\site-packages\kiwisolver-1.4.8.dist-info\METADATA | METADATA | Other | 6,305 | 0.95 | 0.008475 | 0.080808 | node-utils | 111 | 2025-01-26T12:48:32.648145 | MIT | false | 6dce97b7a242b04fa224d3c0aef8e8a8 |
kiwisolver-1.4.8.dist-info/INSTALLER,sha256=zuuue4knoyJ-UwPPXg8fezS7VCrXJQrAP7zeNuwvFQg,4\nkiwisolver-1.4.8.dist-info/LICENSE,sha256=l7KjyNuTXcceia3N4Yn2Bw6piRrHm2fx3qz1w2N8tHU,3360\nkiwisolver-1.4.8.dist-info/METADATA,sha256=BMg0eK9jdzPzjHGck4I8QIucgsznFTo6fTerUU0N-ng,6305\nkiwisolver-1.4.8.dist-info/RECORD,,\nkiwisolver-1.4.8.dist-info/WHEEL,sha256=4-iQBlRoDdX1wfPofc7KLWa5Cys4eZSgXs6GVU8fKlQ,101\nkiwisolver-1.4.8.dist-info/top_level.txt,sha256=xqwWj7oSHlpIjcw2QMJb8puTFPdjDBO78AZp9gjTh9c,11\nkiwisolver/__init__.py,sha256=TKDTnpLMe0AjlQYCSfD4NsYyUdM9Yvl7yfzmhF7qew0,1055\nkiwisolver/__pycache__/__init__.cpython-313.pyc,,\nkiwisolver/__pycache__/exceptions.cpython-313.pyc,,\nkiwisolver/_cext.cp313-win_amd64.pyd,sha256=ZvDt-PcZsIujlFEg0Nl9MHAlktL9H8ZK2owzCZF37E4,148992\nkiwisolver/_cext.pyi,sha256=dcfA7KC-sjLMUyM8rkD_wIvCKT-0lwsiTs-fwwCW3lE,8887\nkiwisolver/exceptions.py,sha256=OiK9Wsxh02HsPx-LYupqlL72xLLVJefL-x7ZY1AuiaA,1293\nkiwisolver/py.typed,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0\n | .venv\Lib\site-packages\kiwisolver-1.4.8.dist-info\RECORD | RECORD | Other | 1,012 | 0.7 | 0 | 0 | python-kit | 886 | 2024-03-05T12:40:34.151355 | Apache-2.0 | false | 0bad3cfb4a58dc787b1302e9782ea9ef |
kiwisolver\n | .venv\Lib\site-packages\kiwisolver-1.4.8.dist-info\top_level.txt | top_level.txt | Other | 11 | 0.5 | 0 | 0 | node-utils | 172 | 2024-02-04T08:10:13.681753 | BSD-3-Clause | false | 6f8fcbba0eb5033b81efc6c97afe5830 |
Wheel-Version: 1.0\nGenerator: setuptools (75.6.0)\nRoot-Is-Purelib: false\nTag: cp313-cp313-win_amd64\n\n | .venv\Lib\site-packages\kiwisolver-1.4.8.dist-info\WHEEL | WHEEL | Other | 101 | 0.7 | 0 | 0 | react-lib | 579 | 2024-02-15T22:36:43.336523 | GPL-3.0 | false | dab00762fc75dabfa7aec8f519ca11b1 |
def _escape_inner(s: str, /) -> str:\n return (\n s.replace("&", "&")\n .replace(">", ">")\n .replace("<", "<")\n .replace("'", "'")\n .replace('"', """)\n )\n | .venv\Lib\site-packages\markupsafe\_native.py | _native.py | Python | 218 | 0.95 | 0.125 | 0 | python-kit | 899 | 2025-07-02T18:57:49.476196 | Apache-2.0 | false | 700c99d9727fa1a61fbccaac4f0eeb04 |
#include <Python.h>\n\n#define GET_DELTA(inp, inp_end, delta) \\n while (inp < inp_end) { \\n switch (*inp++) { \\n case '"': \\n case '\'': \\n case '&': \\n delta += 4; \\n break; \\n case '<': \\n case '>': \\n delta += 3; \\n break; \\n } \\n }\n\n#define DO_ESCAPE(inp, inp_end, outp) \\n { \\n Py_ssize_t ncopy = 0; \\n while (inp < inp_end) { \\n switch (*inp) { \\n case '"': \\n memcpy(outp, inp-ncopy, sizeof(*outp)*ncopy); \\n outp += ncopy; ncopy = 0; \\n *outp++ = '&'; \\n *outp++ = '#'; \\n *outp++ = '3'; \\n *outp++ = '4'; \\n *outp++ = ';'; \\n break; \\n case '\'': \\n memcpy(outp, inp-ncopy, sizeof(*outp)*ncopy); \\n outp += ncopy; ncopy = 0; \\n *outp++ = '&'; \\n *outp++ = '#'; \\n *outp++ = '3'; \\n *outp++ = '9'; \\n *outp++ = ';'; \\n break; \\n case '&': \\n memcpy(outp, inp-ncopy, sizeof(*outp)*ncopy); \\n outp += ncopy; ncopy = 0; \\n *outp++ = '&'; \\n *outp++ = 'a'; \\n *outp++ = 'm'; \\n *outp++ = 'p'; \\n *outp++ = ';'; \\n break; \\n case '<': \\n memcpy(outp, inp-ncopy, sizeof(*outp)*ncopy); \\n outp += ncopy; ncopy = 0; \\n *outp++ = '&'; \\n *outp++ = 'l'; \\n *outp++ = 't'; \\n *outp++ = ';'; \\n break; \\n case '>': \\n memcpy(outp, inp-ncopy, sizeof(*outp)*ncopy); \\n outp += ncopy; ncopy = 0; \\n *outp++ = '&'; \\n *outp++ = 'g'; \\n *outp++ = 't'; \\n *outp++ = ';'; \\n break; \\n default: \\n ncopy++; \\n } \\n inp++; \\n } \\n memcpy(outp, inp-ncopy, sizeof(*outp)*ncopy); \\n }\n\nstatic PyObject*\nescape_unicode_kind1(PyUnicodeObject *in)\n{\n Py_UCS1 *inp = PyUnicode_1BYTE_DATA(in);\n Py_UCS1 *inp_end = inp + PyUnicode_GET_LENGTH(in);\n Py_UCS1 *outp;\n PyObject *out;\n Py_ssize_t delta = 0;\n\n GET_DELTA(inp, inp_end, delta);\n if (!delta) {\n Py_INCREF(in);\n return (PyObject*)in;\n }\n\n out = PyUnicode_New(PyUnicode_GET_LENGTH(in) + delta,\n PyUnicode_IS_ASCII(in) ? 127 : 255);\n if (!out)\n return NULL;\n\n inp = PyUnicode_1BYTE_DATA(in);\n outp = PyUnicode_1BYTE_DATA(out);\n DO_ESCAPE(inp, inp_end, outp);\n return out;\n}\n\nstatic PyObject*\nescape_unicode_kind2(PyUnicodeObject *in)\n{\n Py_UCS2 *inp = PyUnicode_2BYTE_DATA(in);\n Py_UCS2 *inp_end = inp + PyUnicode_GET_LENGTH(in);\n Py_UCS2 *outp;\n PyObject *out;\n Py_ssize_t delta = 0;\n\n GET_DELTA(inp, inp_end, delta);\n if (!delta) {\n Py_INCREF(in);\n return (PyObject*)in;\n }\n\n out = PyUnicode_New(PyUnicode_GET_LENGTH(in) + delta, 65535);\n if (!out)\n return NULL;\n\n inp = PyUnicode_2BYTE_DATA(in);\n outp = PyUnicode_2BYTE_DATA(out);\n DO_ESCAPE(inp, inp_end, outp);\n return out;\n}\n\n\nstatic PyObject*\nescape_unicode_kind4(PyUnicodeObject *in)\n{\n Py_UCS4 *inp = PyUnicode_4BYTE_DATA(in);\n Py_UCS4 *inp_end = inp + PyUnicode_GET_LENGTH(in);\n Py_UCS4 *outp;\n PyObject *out;\n Py_ssize_t delta = 0;\n\n GET_DELTA(inp, inp_end, delta);\n if (!delta) {\n Py_INCREF(in);\n return (PyObject*)in;\n }\n\n out = PyUnicode_New(PyUnicode_GET_LENGTH(in) + delta, 1114111);\n if (!out)\n return NULL;\n\n inp = PyUnicode_4BYTE_DATA(in);\n outp = PyUnicode_4BYTE_DATA(out);\n DO_ESCAPE(inp, inp_end, outp);\n return out;\n}\n\nstatic PyObject*\nescape_unicode(PyObject *self, PyObject *s)\n{\n if (!PyUnicode_Check(s))\n return NULL;\n\n // This check is no longer needed in Python 3.12.\n if (PyUnicode_READY(s))\n return NULL;\n\n switch (PyUnicode_KIND(s)) {\n case PyUnicode_1BYTE_KIND:\n return escape_unicode_kind1((PyUnicodeObject*) s);\n case PyUnicode_2BYTE_KIND:\n return escape_unicode_kind2((PyUnicodeObject*) s);\n case PyUnicode_4BYTE_KIND:\n return escape_unicode_kind4((PyUnicodeObject*) s);\n }\n assert(0); /* shouldn't happen */\n return NULL;\n}\n\nstatic PyMethodDef module_methods[] = {\n {"_escape_inner", (PyCFunction)escape_unicode, METH_O, NULL},\n {NULL, NULL, 0, NULL} /* Sentinel */\n};\n\nstatic struct PyModuleDef module_definition = {\n PyModuleDef_HEAD_INIT,\n "markupsafe._speedups",\n NULL,\n -1,\n module_methods,\n NULL,\n NULL,\n NULL,\n NULL\n};\n\nPyMODINIT_FUNC\nPyInit__speedups(void)\n{\n PyObject *m = PyModule_Create(&module_definition);\n\n if (m == NULL) {\n return NULL;\n }\n\n #ifdef Py_GIL_DISABLED\n PyUnstable_Module_SetGIL(m, Py_MOD_GIL_NOT_USED);\n #endif\n\n return m;\n}\n | .venv\Lib\site-packages\markupsafe\_speedups.c | _speedups.c | C | 4,353 | 0.95 | 0.068627 | 0.161111 | python-kit | 724 | 2025-07-01T00:25:18.841333 | Apache-2.0 | false | 29db02c1e9aa195a48d54f06884e6af8 |
MZ | .venv\Lib\site-packages\markupsafe\_speedups.cp313-win_amd64.pyd | _speedups.cp313-win_amd64.pyd | Other | 13,312 | 0.8 | 0 | 0.01087 | react-lib | 176 | 2025-06-28T19:58:19.660300 | GPL-3.0 | false | 20706012478a45bf682a86971d0d665c |
def _escape_inner(s: str, /) -> str: ...\n | .venv\Lib\site-packages\markupsafe\_speedups.pyi | _speedups.pyi | Other | 42 | 0.65 | 1 | 0 | awesome-app | 504 | 2024-01-09T05:07:53.343962 | Apache-2.0 | false | 409ce8e53d0314236bd3ff08d6e96b80 |
from __future__ import annotations\n\nimport collections.abc as cabc\nimport string\nimport typing as t\n\ntry:\n from ._speedups import _escape_inner\nexcept ImportError:\n from ._native import _escape_inner\n\nif t.TYPE_CHECKING:\n import typing_extensions as te\n\n\nclass _HasHTML(t.Protocol):\n def __html__(self, /) -> str: ...\n\n\nclass _TPEscape(t.Protocol):\n def __call__(self, s: t.Any, /) -> Markup: ...\n\n\ndef escape(s: t.Any, /) -> Markup:\n """Replace the characters ``&``, ``<``, ``>``, ``'``, and ``"`` in\n the string with HTML-safe sequences. Use this if you need to display\n text that might contain such characters in HTML.\n\n If the object has an ``__html__`` method, it is called and the\n return value is assumed to already be safe for HTML.\n\n :param s: An object to be converted to a string and escaped.\n :return: A :class:`Markup` string with the escaped text.\n """\n # If the object is already a plain string, skip __html__ check and string\n # conversion. This is the most common use case.\n # Use type(s) instead of s.__class__ because a proxy object may be reporting\n # the __class__ of the proxied value.\n if type(s) is str:\n return Markup(_escape_inner(s))\n\n if hasattr(s, "__html__"):\n return Markup(s.__html__())\n\n return Markup(_escape_inner(str(s)))\n\n\ndef escape_silent(s: t.Any | None, /) -> Markup:\n """Like :func:`escape` but treats ``None`` as the empty string.\n Useful with optional values, as otherwise you get the string\n ``'None'`` when the value is ``None``.\n\n >>> escape(None)\n Markup('None')\n >>> escape_silent(None)\n Markup('')\n """\n if s is None:\n return Markup()\n\n return escape(s)\n\n\ndef soft_str(s: t.Any, /) -> str:\n """Convert an object to a string if it isn't already. This preserves\n a :class:`Markup` string rather than converting it back to a basic\n string, so it will still be marked as safe and won't be escaped\n again.\n\n >>> value = escape("<User 1>")\n >>> value\n Markup('<User 1>')\n >>> escape(str(value))\n Markup('&lt;User 1&gt;')\n >>> escape(soft_str(value))\n Markup('<User 1>')\n """\n if not isinstance(s, str):\n return str(s)\n\n return s\n\n\nclass Markup(str):\n """A string that is ready to be safely inserted into an HTML or XML\n document, either because it was escaped or because it was marked\n safe.\n\n Passing an object to the constructor converts it to text and wraps\n it to mark it safe without escaping. To escape the text, use the\n :meth:`escape` class method instead.\n\n >>> Markup("Hello, <em>World</em>!")\n Markup('Hello, <em>World</em>!')\n >>> Markup(42)\n Markup('42')\n >>> Markup.escape("Hello, <em>World</em>!")\n Markup('Hello <em>World</em>!')\n\n This implements the ``__html__()`` interface that some frameworks\n use. Passing an object that implements ``__html__()`` will wrap the\n output of that method, marking it safe.\n\n >>> class Foo:\n ... def __html__(self):\n ... return '<a href="/foo">foo</a>'\n ...\n >>> Markup(Foo())\n Markup('<a href="/foo">foo</a>')\n\n This is a subclass of :class:`str`. It has the same methods, but\n escapes their arguments and returns a ``Markup`` instance.\n\n >>> Markup("<em>%s</em>") % ("foo & bar",)\n Markup('<em>foo & bar</em>')\n >>> Markup("<em>Hello</em> ") + "<foo>"\n Markup('<em>Hello</em> <foo>')\n """\n\n __slots__ = ()\n\n def __new__(\n cls, object: t.Any = "", encoding: str | None = None, errors: str = "strict"\n ) -> te.Self:\n if hasattr(object, "__html__"):\n object = object.__html__()\n\n if encoding is None:\n return super().__new__(cls, object)\n\n return super().__new__(cls, object, encoding, errors)\n\n def __html__(self, /) -> te.Self:\n return self\n\n def __add__(self, value: str | _HasHTML, /) -> te.Self:\n if isinstance(value, str) or hasattr(value, "__html__"):\n return self.__class__(super().__add__(self.escape(value)))\n\n return NotImplemented\n\n def __radd__(self, value: str | _HasHTML, /) -> te.Self:\n if isinstance(value, str) or hasattr(value, "__html__"):\n return self.escape(value).__add__(self)\n\n return NotImplemented\n\n def __mul__(self, value: t.SupportsIndex, /) -> te.Self:\n return self.__class__(super().__mul__(value))\n\n def __rmul__(self, value: t.SupportsIndex, /) -> te.Self:\n return self.__class__(super().__mul__(value))\n\n def __mod__(self, value: t.Any, /) -> te.Self:\n if isinstance(value, tuple):\n # a tuple of arguments, each wrapped\n value = tuple(_MarkupEscapeHelper(x, self.escape) for x in value)\n elif hasattr(type(value), "__getitem__") and not isinstance(value, str):\n # a mapping of arguments, wrapped\n value = _MarkupEscapeHelper(value, self.escape)\n else:\n # a single argument, wrapped with the helper and a tuple\n value = (_MarkupEscapeHelper(value, self.escape),)\n\n return self.__class__(super().__mod__(value))\n\n def __repr__(self, /) -> str:\n return f"{self.__class__.__name__}({super().__repr__()})"\n\n def join(self, iterable: cabc.Iterable[str | _HasHTML], /) -> te.Self:\n return self.__class__(super().join(map(self.escape, iterable)))\n\n def split( # type: ignore[override]\n self, /, sep: str | None = None, maxsplit: t.SupportsIndex = -1\n ) -> list[te.Self]:\n return [self.__class__(v) for v in super().split(sep, maxsplit)]\n\n def rsplit( # type: ignore[override]\n self, /, sep: str | None = None, maxsplit: t.SupportsIndex = -1\n ) -> list[te.Self]:\n return [self.__class__(v) for v in super().rsplit(sep, maxsplit)]\n\n def splitlines( # type: ignore[override]\n self, /, keepends: bool = False\n ) -> list[te.Self]:\n return [self.__class__(v) for v in super().splitlines(keepends)]\n\n def unescape(self, /) -> str:\n """Convert escaped markup back into a text string. This replaces\n HTML entities with the characters they represent.\n\n >>> Markup("Main » <em>About</em>").unescape()\n 'Main » <em>About</em>'\n """\n from html import unescape\n\n return unescape(str(self))\n\n def striptags(self, /) -> str:\n """:meth:`unescape` the markup, remove tags, and normalize\n whitespace to single spaces.\n\n >>> Markup("Main »\t<em>About</em>").striptags()\n 'Main » About'\n """\n value = str(self)\n\n # Look for comments then tags separately. Otherwise, a comment that\n # contains a tag would end early, leaving some of the comment behind.\n\n # keep finding comment start marks\n while (start := value.find("<!--")) != -1:\n # find a comment end mark beyond the start, otherwise stop\n if (end := value.find("-->", start)) == -1:\n break\n\n value = f"{value[:start]}{value[end + 3:]}"\n\n # remove tags using the same method\n while (start := value.find("<")) != -1:\n if (end := value.find(">", start)) == -1:\n break\n\n value = f"{value[:start]}{value[end + 1:]}"\n\n # collapse spaces\n value = " ".join(value.split())\n return self.__class__(value).unescape()\n\n @classmethod\n def escape(cls, s: t.Any, /) -> te.Self:\n """Escape a string. Calls :func:`escape` and ensures that for\n subclasses the correct type is returned.\n """\n rv = escape(s)\n\n if rv.__class__ is not cls:\n return cls(rv)\n\n return rv # type: ignore[return-value]\n\n def __getitem__(self, key: t.SupportsIndex | slice, /) -> te.Self:\n return self.__class__(super().__getitem__(key))\n\n def capitalize(self, /) -> te.Self:\n return self.__class__(super().capitalize())\n\n def title(self, /) -> te.Self:\n return self.__class__(super().title())\n\n def lower(self, /) -> te.Self:\n return self.__class__(super().lower())\n\n def upper(self, /) -> te.Self:\n return self.__class__(super().upper())\n\n def replace(self, old: str, new: str, count: t.SupportsIndex = -1, /) -> te.Self:\n return self.__class__(super().replace(old, self.escape(new), count))\n\n def ljust(self, width: t.SupportsIndex, fillchar: str = " ", /) -> te.Self:\n return self.__class__(super().ljust(width, self.escape(fillchar)))\n\n def rjust(self, width: t.SupportsIndex, fillchar: str = " ", /) -> te.Self:\n return self.__class__(super().rjust(width, self.escape(fillchar)))\n\n def lstrip(self, chars: str | None = None, /) -> te.Self:\n return self.__class__(super().lstrip(chars))\n\n def rstrip(self, chars: str | None = None, /) -> te.Self:\n return self.__class__(super().rstrip(chars))\n\n def center(self, width: t.SupportsIndex, fillchar: str = " ", /) -> te.Self:\n return self.__class__(super().center(width, self.escape(fillchar)))\n\n def strip(self, chars: str | None = None, /) -> te.Self:\n return self.__class__(super().strip(chars))\n\n def translate(\n self,\n table: cabc.Mapping[int, str | int | None], # type: ignore[override]\n /,\n ) -> str:\n return self.__class__(super().translate(table))\n\n def expandtabs(self, /, tabsize: t.SupportsIndex = 8) -> te.Self:\n return self.__class__(super().expandtabs(tabsize))\n\n def swapcase(self, /) -> te.Self:\n return self.__class__(super().swapcase())\n\n def zfill(self, width: t.SupportsIndex, /) -> te.Self:\n return self.__class__(super().zfill(width))\n\n def casefold(self, /) -> te.Self:\n return self.__class__(super().casefold())\n\n def removeprefix(self, prefix: str, /) -> te.Self:\n return self.__class__(super().removeprefix(prefix))\n\n def removesuffix(self, suffix: str) -> te.Self:\n return self.__class__(super().removesuffix(suffix))\n\n def partition(self, sep: str, /) -> tuple[te.Self, te.Self, te.Self]:\n left, sep, right = super().partition(sep)\n cls = self.__class__\n return cls(left), cls(sep), cls(right)\n\n def rpartition(self, sep: str, /) -> tuple[te.Self, te.Self, te.Self]:\n left, sep, right = super().rpartition(sep)\n cls = self.__class__\n return cls(left), cls(sep), cls(right)\n\n def format(self, *args: t.Any, **kwargs: t.Any) -> te.Self:\n formatter = EscapeFormatter(self.escape)\n return self.__class__(formatter.vformat(self, args, kwargs))\n\n def format_map(\n self,\n mapping: cabc.Mapping[str, t.Any], # type: ignore[override]\n /,\n ) -> te.Self:\n formatter = EscapeFormatter(self.escape)\n return self.__class__(formatter.vformat(self, (), mapping))\n\n def __html_format__(self, format_spec: str, /) -> te.Self:\n if format_spec:\n raise ValueError("Unsupported format specification for Markup.")\n\n return self\n\n\nclass EscapeFormatter(string.Formatter):\n __slots__ = ("escape",)\n\n def __init__(self, escape: _TPEscape) -> None:\n self.escape: _TPEscape = escape\n super().__init__()\n\n def format_field(self, value: t.Any, format_spec: str) -> str:\n if hasattr(value, "__html_format__"):\n rv = value.__html_format__(format_spec)\n elif hasattr(value, "__html__"):\n if format_spec:\n raise ValueError(\n f"Format specifier {format_spec} given, but {type(value)} does not"\n " define __html_format__. A class that defines __html__ must define"\n " __html_format__ to work with format specifiers."\n )\n rv = value.__html__()\n else:\n # We need to make sure the format spec is str here as\n # otherwise the wrong callback methods are invoked.\n rv = super().format_field(value, str(format_spec))\n return str(self.escape(rv))\n\n\nclass _MarkupEscapeHelper:\n """Helper for :meth:`Markup.__mod__`."""\n\n __slots__ = ("obj", "escape")\n\n def __init__(self, obj: t.Any, escape: _TPEscape) -> None:\n self.obj: t.Any = obj\n self.escape: _TPEscape = escape\n\n def __getitem__(self, key: t.Any, /) -> te.Self:\n return self.__class__(self.obj[key], self.escape)\n\n def __str__(self, /) -> str:\n return str(self.escape(self.obj))\n\n def __repr__(self, /) -> str:\n return str(self.escape(repr(self.obj)))\n\n def __int__(self, /) -> int:\n return int(self.obj)\n\n def __float__(self, /) -> float:\n return float(self.obj)\n\n\ndef __getattr__(name: str) -> t.Any:\n if name == "__version__":\n import importlib.metadata\n import warnings\n\n warnings.warn(\n "The '__version__' attribute is deprecated and will be removed in"\n " MarkupSafe 3.1. Use feature detection, or"\n ' `importlib.metadata.version("markupsafe")`, instead.',\n stacklevel=2,\n )\n return importlib.metadata.version("markupsafe")\n\n raise AttributeError(name)\n | .venv\Lib\site-packages\markupsafe\__init__.py | __init__.py | Python | 13,609 | 0.95 | 0.243038 | 0.05137 | vue-tools | 537 | 2024-01-13T03:12:40.461351 | GPL-3.0 | false | 48ef6717dce9a4e48149440503fa5cf6 |
\n\n | .venv\Lib\site-packages\markupsafe\__pycache__\_native.cpython-313.pyc | _native.cpython-313.pyc | Other | 614 | 0.8 | 0 | 0 | react-lib | 998 | 2023-11-12T14:39:37.904177 | MIT | false | e2a9a1d6df5e488cc8383d34472c042b |
\n\n | .venv\Lib\site-packages\markupsafe\__pycache__\__init__.cpython-313.pyc | __init__.cpython-313.pyc | Other | 21,255 | 0.95 | 0.056769 | 0 | node-utils | 657 | 2025-05-22T14:48:19.745522 | Apache-2.0 | false | 24b1cef0de13f83c5c3b5ecf1bd842da |
pip\n | .venv\Lib\site-packages\MarkupSafe-3.0.2.dist-info\INSTALLER | INSTALLER | Other | 4 | 0.5 | 0 | 0 | vue-tools | 446 | 2024-12-12T23:04:01.216775 | GPL-3.0 | false | 365c9bfeb7d89244f2ce01c1de44cb85 |
Copyright 2010 Pallets\n\nRedistribution and use in source and binary forms, with or without\nmodification, are permitted provided that the following conditions are\nmet:\n\n1. Redistributions of source code must retain the above copyright\n notice, this list of conditions and the following disclaimer.\n\n2. Redistributions in binary form must reproduce the above copyright\n notice, this list of conditions and the following disclaimer in the\n documentation and/or other materials provided with the distribution.\n\n3. Neither the name of the copyright holder nor the names of its\n contributors may be used to endorse or promote products derived from\n this software without specific prior written permission.\n\nTHIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS\n"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT\nLIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A\nPARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT\nHOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,\nSPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED\nTO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR\nPROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF\nLIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING\nNEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS\nSOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.\n | .venv\Lib\site-packages\MarkupSafe-3.0.2.dist-info\LICENSE.txt | LICENSE.txt | Other | 1,503 | 0.7 | 0 | 0 | awesome-app | 960 | 2025-03-08T05:50:53.786175 | MIT | false | ffeffa59c90c9c4a033c7574f8f3fb75 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.